Node runs on a single thread. If you are handling lots of connections, there will be surely more IO-bound tasks than CPU-bound tasks. For example, DB calls.
While you are waiting for a database query result, you can receive more requests, or do other jobs.
The problem starts when you need to do something that is CPU-bound: a task that may take much time. You need to split the task, making a tiny part of it, and then scheduling the rest to a later time until it's finished, or you can delegate it to another server / process, whatever.
If you decide to go sync, the server won't handle any more requests while doing that job. Yes, you will avoid the callback hell, but at the cost of doing one task from start to the end no matter how long it is. If you are trying to handle lots of connections, this won't be good.
A good example of when it is a trouble, are the for loops:
for (let x of ['some', 'huge', 'array']) {
  // Do something heavy here, until it's not finished, server won't do
  // anything more than this heavy task
}
While "doing something", the server application won't handle any other incoming request. Of course, the problem will be serious when you have a heavier task, and lots of requests. 
In a serious Node server, you don't want a synchronous loop, unless it performs better than an asynchronous solution because of X motive. So, you go async with setTimeout, setImmediate, process.nextTick, Promises, etc. And, probably the first approach you take is going with the continuation-passing style, it means, passing callbacks to be executed after the work is done, and probably you will hit the callbacks hell wall.
That's the moment when you go with Promises, or generators, or both:
https://davidwalsh.name/async-generators
This way, you will avoid the callbacks hell, and also get a nicer code (subjective). Also you maybe want to keep an eye on async/await: https://github.com/tc39/ecmascript-asyncawait.
You don't have any notable advantage because you are the only user making requests. Make tests with, say, thousands of connections.
Abrazo.