JavaScript Microtask order of execution in following 2 code snippets

These are 2 codes snippets below.. Can somebody please explain the reasoning behind the each of the code’s output and how microtasks are ordered in priority in cases there are multiple as in the examples below.
My Node Version : v20.17.0

1st Code Snippet

 console.log("Sync");
async function test() {
  await Promise.resolve();
  console.log("Await");
}
test();
Promise.resolve().then(() => console.log("Then"));

o/p —- Sync , Await , then

2nd Code Snippet

console.log("Start");
async function inner() {
  await Promise.resolve();
  console.log("Inner");
}
async function outer() {
  await inner();
  console.log("Outer");
}
outer();
Promise.resolve().then(() => console.log("Then"));

o/p —- Start , Inner , Then , Outer

Somewhere i read that

“Microtasks generated by await inside async functions have the same priority as .then() microtasks.”

or is the opposite

“await inside an async function has higher priority than a .then() callback”..

—– Follow Up Update —–

How does FIFO work in this case below

3rd Code Snippet

console.log("Start");

async function first() {
  console.log("First Start");
  await Promise.resolve();
  console.log("First End");
}

async function second() {
  console.log("Second Start");
  await first();
  console.log("Second End");
}

second();
Promise.resolve().then(() => console.log("Promise"));
console.log("End");

o/p —- Start , Second Start , First Start , End , First End , Promise , Second End

Thank you in advance for people responding to this query.