Promises and async iterators are awesome, lets turn them inside out. Promise.withResolvers polyfill.
npm install inside-out-async

It's pretty handy for turning things that are not promises and generators into promises and generators. Good for testing, but also for having more control over how things execute.
``ts`
npm install inside-out-async
I nerd sniped myself and made this library. defer() is easily written in any new project, deferGenerator() is not.
Exports two functions
- defer() _deprecated_
- deferGenerator()
- withResolvers()
`ts
function withResolvers
interface Deferred
promise: Promise
resolve: (value: T) => void
reject: (error: Error) => void
}
`
Returns an object containing a new Promise object and two functions to resolve or reject it, corresponding to the two parameters passed to the executor of the Promise() constructor. Like the Promise constructor but inside out.
Update 2.0.0 - With the release of Promise.withResolvers we've renamed defer to withResolvers. It is a suitable polyfill until browser support and user upgrades reach your particular critical mass.
`ts
import { withResolvers } from 'inside-out-async'
import { Trainer } from 'pokemon-trainer'
const { resolve, reject, promise } = withResolvers() // exactly the same as Promise.withResolvers()
const ash = new Trainer()
ash.on('capture', resolve)
ash.on('error', reject)
const pokemon = await promise
console.log(pokemon) // { name: 'Pikachu', temperament: 'surprised' }
`
`ts
function deferGenerator
interface DeferredGenerator
generator: AsyncGenerator
queueValue: (value: T) => void
error: (err?: any) => void
queueError: (err?: any) => void
return: (value?: TReturn) => void
queueReturn: (value?: TReturn) => void
}
`
Creates an async generator and control functions. The async generator yields values, errors, and returns based on the control functions.
- queueValue queues a value to yielded nexterror
- drops all queued values, puts the generator in a "done" state, and has the current pending or next call to next() throw an errorqueueError
- puts the generator in a "done" state, and has the current pending or next call to next() throw an errorreturn()
- drops all queued values, and puts the generator in a "done" state with the passed in valuequeueReturn()
- puts the generator in a "done" state with the passed in value
`ts
import { deferGenerator } from 'inside-out-async'
const pokedex = deferGenerator()
pokedex.queueValue({ name: 'Pikachu' })
pokedex.queueValue({ name: 'Bulbasaur' })
pokedex.queueValue({ name: 'Charizard' })
pokedex.queueReturn()
for await (const pokemon of pokedex.generator) {
console.log(pokemon) // { name: 'Pikachu' }, { name: 'Bulbasaur' }, { name: 'Charizard' }
}
``