I have a Javascript async/await design question.
Imagine this function exists:
async function readFile(filename) { 
   // Asynchronously reads file and returns the content as string
}
Now if I were to use readFile with a certain parameter and return its result, I could do it either like so:
async function readSettings1() {
   const settings = await readFile("settings.json");
   return settings;
}
or:
async function readSettings2() {
   return readFile("settings.json");
}
I understand both approaches work similarly, and must be invoked identically. They both return Promises. There are a couple of syntactic differences:
- readSettings1first resolves the value of- readFileand then returns the hard result. Here, the keyword- asyncis used in the function definition so I can use- await.
- readSettings2is really just a passthrough. In fact, I can omit- asyncfrom this function definition.
My question is: are there any semantic differences between readSettings1 and readSettings2? Do they behave differently in any way? Do you have a preference for either style? Why? Have you read any documentation recommending one style over the other? 
