微信公众号搜"智元新知"关注
微信扫一扫可直接关注哦!

objective-c – 使用Grand Central Dispatch进行文件监控

我使用 David Hamrick代码示例来使用GCD监视文件.

int fildes = open("/path/to/config.plist",O_RDONLY);

dispatch_queue_t queue = dispatch_get_global_queue(disPATCH_QUEUE_PRIORITY_DEFAULT,0);
dispatch_source_t source = dispatch_source_create(disPATCH_SOURCE_TYPE_VNODE,fildes,disPATCH_VNODE_DELETE | disPATCH_VNODE_WRITE | disPATCH_VNODE_EXTEND | disPATCH_VNODE_ATTRIB | disPATCH_VNODE_LINK | disPATCH_VNODE_RENAME | disPATCH_VNODE_REVOKE,queue);
dispatch_source_set_event_handler(source,^
{
    //Reload the config file
});
dispatch_source_set_cancel_handler(source,^
{
    //Handle the cancel
});
dispatch_resume(source);

我想用来监视一个plist的变化.我在第一次更改后收到通知,但没有收到以下更改.为什么?

解决方法

您确实可以在收到disPATCH_VNODE_DELETE时重新打开文件并重新注册源(删除一个).或者您可以使用专为此类场景设计的调用,即dispatch_io_create_with_path() – 它不仅会按路径观看,还会为您打开文件并让您以异步方式读取内容.

既然你问(不知道你要求哪种技术,但这里最简单)这里有一个独立的代码示例:

#include <dispatch/dispatch.h>
#include <stdio.h>

int main(int ac,char *av[])
{
  int fdes = open("/tmp/pleasewatchthis",O_RDONLY);
  dispatch_queue_t queue = dispatch_get_global_queue(0,0);
  void (^eventHandler)(void),(^cancelHandler)(void);
  unsigned long mask = disPATCH_VNODE_DELETE | disPATCH_VNODE_WRITE | disPATCH_VNODE_EXTEND | disPATCH_VNODE_ATTRIB | disPATCH_VNODE_LINK | disPATCH_VNODE_RENAME | disPATCH_VNODE_REVOKE;
  __block dispatch_source_t source;

  eventHandler = ^{
    unsigned long l = dispatch_source_get_data(source);
    if (l & disPATCH_VNODE_DELETE) {
      printf("watched file deleted!  cancelling source\n");
      dispatch_source_cancel(source);
    }
    else {
      // handle the file has data case
      printf("watched file has data\n");
    }
  };
  cancelHandler = ^{
    int fdes = dispatch_source_get_handle(source);
    close(fdes);
    // Wait for new file to exist.
    while ((fdes = open("/tmp/pleasewatchthis",O_RDONLY)) == -1)
      sleep(1);
    printf("re-opened target file in cancel handler\n");
    source = dispatch_source_create(disPATCH_SOURCE_TYPE_VNODE,fdes,mask,queue);
    dispatch_source_set_event_handler(source,eventHandler);
    dispatch_source_set_cancel_handler(source,cancelHandler);
    dispatch_resume(source);
  };

  source = dispatch_source_create(disPATCH_SOURCE_TYPE_VNODE,queue);
  dispatch_source_set_event_handler(source,eventHandler);
  dispatch_source_set_cancel_handler(source,cancelHandler);
  dispatch_resume(source);
  dispatch_main();
}

版权声明:本文内容由互联网用户自发贡献,该文观点与技术仅代表作者本人。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌侵权/违法违规的内容, 请发送邮件至 dio@foxmail.com 举报,一经查实,本站将立刻删除。

相关推荐