NSTimer requiring me to add it to a runloop

前端 未结 6 1899
盖世英雄少女心
盖世英雄少女心 2020-12-28 16:27

I am wondering if someone can explain why dispatching back to the main queue and creating a repeating NSTimer I am having to add it to RUN LOOP for it too fire?

相关标签:
6条回答
  • 2020-12-28 16:35

    You could always use this method instead:

    NSTimer *timer = [NSTimer scheduledTimerWithTimeInterval:3 target:self selector:@selector(getBusLocation) userInfo:nil repeats:YES];

    This will save you a line, as it will add it to the run loop automatically.

    0 讨论(0)
  • 2020-12-28 16:39

    Like @sosborn said, NSTimers depend on NSRunLoops, and since GCD queues create threads that don't have run loops, NSTimer doesn't play well with GCD.

    Check out this other StackOverflow question on the matter: Is it safe to schedule and invalidate NSTimers on a GCD serial queue?

    To solve that problem, I implemented MSWeakTimer: https://github.com/mindsnacks/MSWeakTimer (and had the implementation checked by a libdispatch engineer at the last WWDC!)

    0 讨论(0)
  • 2020-12-28 16:40

    Adding the timer to the runloop didn't work in my case. I had to create the timer on the main thread. I was doing this thread creation in a MultipeerConnectivity delegate.

        dispatch_async(dispatch_get_main_queue(), ^{
            self.timer = [NSTimer scheduledTimerWithTimeInterval:self.interval  invocation: self.invocation repeats:YES];
        });
    
    0 讨论(0)
  • 2020-12-28 16:51

    And here's how to add an NSTimer to a runloop:

    NSRunLoop *runLoop = [NSRunLoop currentRunLoop];
    [runLoop addTimer:timer forMode:NSDefaultRunLoopMode];
    
    0 讨论(0)
  • 2020-12-28 16:51

    Because, as the docs say:

    Timers work in conjunction with run loops. To use a timer effectively, you should be aware of how run loops operate—see NSRunLoop and Threading Programming Guide. Note in particular that run loops retain their timers, so you can release a timer after you have added it to a run loop.

    It is a design decision that Apple made when they wrote the code for NSTimer (and I'm sure they had good reason to do so) and there is nothing we can do to get around it. Is it really that burdensome?

    0 讨论(0)
  • 2020-12-28 16:56

    Timer method won't be called since GCD queues create threads that don't have run loops

    dispatch_async(dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_HIGH, 0), ^{
       [NSTimer scheduledTimerWithTimeInterval:1 repeats:YES block:^(NSTimer * _Nonnull timer) {
           NSLog(@"Timer method from GCD main queue");
       }];
    
    });
    

    However when dispatched on main queue the timer method will be called as it will get added to main threads run loop.

    dispatch_async(dispatch_get_main_queue(), ^{
       [NSTimer scheduledTimerWithTimeInterval:1 repeats:YES block:^(NSTimer * _Nonnull timer) {
           NSLog(@"Timer method from GCD main queue");
       }];
    
    });
    
    0 讨论(0)
提交回复
热议问题