Issue
I’m developing a website in Angular 2 using Typescript and I was wondering if there was a way to implement thread.sleep(ms)
functionality.
My use case is to redirect the users after submitting a form after a few seconds which is very easy in html or javascript but I’m not sure how to do it in Typescript.
Many thanks,
Solution
You have to wait for TypeScript 2.0 with async
/await
for ES5 support as it now supported only for TS to ES6 compilation.
You would be able to create delay function with async
:
function delay(ms: number) {
return new Promise( resolve => setTimeout(resolve, ms) );
}
And call it
await delay(1000);
BTW, you can await on Promise
directly:
await new Promise(f => setTimeout(f, 1000));
Please note, that you can use await
only inside async
function.
If you can’t (let’s say you are building nodejs application), just place your code in the anonymous async
function. Here is an example:
(async () => {
// Do something before delay
console.log('before delay')
await delay(1000);
// Do something after
console.log('after delay')
})();
Example TS Application: https://github.com/v-andrew/ts-template
In OLD JS you have to use
setTimeout(YourFunctionName, Milliseconds);
or
setTimeout( () => { /*Your Code*/ }, Milliseconds );
However with every major browser supporting async
/await
it less useful.
Update:
TypeScript 2.1 is here withasync/await
.
Just do not forget that you need Promise
implementation when you compile to ES5, where Promise is not natively available.
PS
You have to export the function if you want to use it outside of the original file.
Answered By – v-andrew
This Answer collected from stackoverflow, is licensed under cc by-sa 2.5 , cc by-sa 3.0 and cc by-sa 4.0