How to sleep for few milliseconds in swift 2.2?

SwiftUikitSleep

Swift Problem Overview


please anyone tell me how to use sleep() for few milliseconds in swift 2.2?

while (true){
    print("sleep for 0.002 seconds.")
    sleep(0.002) // not working
}

but

while (true){
    print("sleep for 2 seconds.")
    sleep(2) // working
}

it is working.

Swift Solutions


Solution 1 - Swift

usleep() takes millionths of a second

usleep(1000000) //will sleep for 1 second
usleep(2000) //will sleep for .002 seconds

OR

 let ms = 1000
 usleep(useconds_t(2 * ms)) //will sleep for 2 milliseconds (.002 seconds)

OR

let second: Double = 1000000
usleep(useconds_t(0.002 * second)) //will sleep for 2 milliseconds (.002 seconds)

Solution 2 - Swift

I think more elegant than usleep solution in current swift syntax is: Thread.sleep(forTimeInterval: 0.002)

Solution 3 - Swift

use func usleep(_: useconds_t) -> Int32 (import Darwin or Foundation ...)

IMPORTANT: usleep() takes millionths of a second, so usleep(1000000) will sleep for 1 sec

Solution 4 - Swift

If you really need to sleep, try usleepas suggested in @user3441734's answer.

However, you may wish to consider whether sleep is the best option: it is like a pause button, and the app will be frozen and unresponsive while it is running.

You may wish to use NSTimer.

 //Declare the timer
 var timer = NSTimer.scheduledTimerWithTimeInterval(0.002, target: self, selector: #selector(MyClass.update), userInfo: nil, repeats: true)
 self, selector: "update", userInfo: nil, repeats: true)



func update() {
    // Code here
}

Solution 5 - Swift

Non-blocking solution for usleep:

DispatchQueue.global(qos: .background).async {
    let second: Double = 1000000
    usleep(useconds_t(0.002 * second)) 
    print("Active after 0.002 sec, and doesn't block main")
    DispatchQueue.main.async{
        //do stuff in the main thread here
    }
}

Solution 6 - Swift

Alternatively:

DispatchQueue.main.asyncAfter(deadline: .now() + 0.002) {
   /*Do something after 0.002 seconds have passed*/
}

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
Questionsulabh qgView Question on Stackoverflow
Solution 1 - SwiftElijahView Answer on Stackoverflow
Solution 2 - SwiftPylyp DukhovView Answer on Stackoverflow
Solution 3 - Swiftuser3441734View Answer on Stackoverflow
Solution 4 - Swiftrocket101View Answer on Stackoverflow
Solution 5 - SwiftSentry.coView Answer on Stackoverflow
Solution 6 - SwiftSentry.coView Answer on Stackoverflow