Reputation: 77596
First of all I am writing code for iphone.
I need to be able to call a method on the main thread without using performSelectorOnMainThread
.
The reason that I don't want to use performSelectorOnMainThread
is that it causes problem when I am trying to create a mock for unit testing.
[self performSelectorOnMainThread:@Selector(doSomething) withObject:nil];
The problem is that my mock knows how to call doSomething
but it doesn't know how to call performSelectorOnMainThread
.
So Any solution?
Upvotes: 98
Views: 95185
Reputation: 9925
The modern Swift solution is to use actors for safe multithreading, namely the MainActor
.
@MainActor func setImage(thumbnailName: String) {
myImageView.image = UIImage(image: thumbnailName)
}
I've outlined more actor-based main thread solutions here.
Upvotes: 1
Reputation: 33
// Draw Line
func drawPath(from polyStr: String){
DispatchQueue.main.async {
let path = GMSPath(fromEncodedPath: polyStr)
let polyline = GMSPolyline(path: path)
polyline.strokeWidth = 3.0
polyline.strokeColor = #colorLiteral(red: 0.05098039216, green: 0.5764705882, blue: 0.2784313725, alpha: 1)
polyline.map = self.mapVu // Google MapView
}
}
Upvotes: -4
Reputation: 77596
Objective-C
dispatch_async(dispatch_get_main_queue(), ^{
[self doSomething];
});
Swift
DispatchQueue.main.async {
self.doSomething()
}
Legacy Swift
dispatch_async(dispatch_get_main_queue()) {
self.doSomething()
}
Upvotes: 303
Reputation: 39181
Here is a better way to do this in Swift:
runThisInMainThread { () -> Void in
// Run your code
self.doSomething()
}
func runThisInMainThread(block: dispatch_block_t) {
dispatch_async(dispatch_get_main_queue(), block)
}
Its included as a standard function in my repo, check it out: https://github.com/goktugyil/EZSwiftExtensions
Upvotes: 1
Reputation: 70693
There's a saying in software that adding a layer of indirection will fix almost anything.
Have the doSomething method be an indirection shell that only does a performSelectorOnMainThread to call the really_doSomething method to do the actual Something work. Or, if you don't want to change your doSomething method, have the mock test unit call a doSomething_redirect_shell method to do something similar.
Upvotes: 2