echo one && echo two prints one, and if that returns 0 it prints two, too.
echo one || echo two prints one, and if that doesn't return 0 prints two, too.
You can use it to shorten if statements, like so:
if [[ 1 -eq 2 ]]; then doStuff; fi shortens to
[[ 1 -eq 2 ]] && doStuff
Another example would be my startx script I run to update, then startx on my Ubuntu machine
sudo apt-get update && sudo apt-get -y upgrade && apt-get -y autoremove && startx
What that does is chain && together (remember all && does is check if the command "piped" to it exits with 0) in a way that only the next command is run if the last is run without errors. I do this so that if for some reason apt fails me, I can fix it from my terminal without waiting for xorg to do it's thing.
EDIT:
If you want to "expand" &&, to more lines use:
commandToCheckReturnOf
if [[ $? -eq 0 ]]; then
doStuff
fi
If you're after ||, then:
commandToCheckReturnOf
if [[ $? -ne 0 ]]; then
doStuff
fi
Sorry for the misunderstanding.