转:iOS IO 重定向(NSLog to UITextView)

情形描述:

在调试程序的时候,通过NSLog打印log,很方便的就可以在Xcode里面看到。但是程序一旦“离开XCode运行”, 比如将App交付给了公司的测试团队,怎样能够很随意看到NSLog打印的信息呢?通常在离开xcode之后,NSLog的信息会保存在Systemlog里面(这里有NSLog详细描述),你可以通过一定办法取出这个log。甚至可以写一套日志系统,然后将这些信息保存到日志中,然后导出或者上传自己的服务器。但是这些太麻烦了,简直是弱爆鸟。我们的目的是:在App里面能够直接像xCode console窗口那样显示NSLog的信息,准确的说是标准输出的信息。

关键技术:IO重定向

通过IO重定向,我们可以直接“截取” stdout,stderr等标准输出的信息(NSLog->stderr),然后再在自己的View上显示出来。这里只展示IO重定向相关代码。
@implement TestAppDelegate

- (void)redirectNotificationHandle:(NSNotification *)nf{
  NSData *data = [[nf userInfo] objectForKey:NSFileHandleNotificationDataItem];
  NSString *str = [[[NSString alloc] initWithData:data encoding:NSUTF8StringEncoding] autorelease];

  self.logTextView.text = [NSString stringWithFormat:@"%@\n%@",self.logTextView.text, str];
  NSRange range;
  range.location = [self.logTextView.text length] - 1;
  range.length = 0;
  [self.logTextView scrollRangeToVisible:range];

  [[nf object] readInBackgroundAndNotify];
}

- (void)redirectSTD:(int )fd{
  NSPipe * pipe = [NSPipe pipe] ;
  NSFileHandle *pipeReadHandle = [pipe fileHandleForReading] ;
  dup2([[pipe fileHandleForWriting] fileDescriptor], fd) ;

  [[NSNotificationCenter defaultCenter] addObserver:self
                                           selector:@selector(redirectNotificationHandle:)
                                               name:NSFileHandleReadCompletionNotification
                                             object:pipeReadHandle] ;
  [pipeReadHandle readInBackgroundAndNotify];
}
- (BOOL)application:(UIApplication *)application 
didFinishLaunchingWithOptions:(NSDictionary *)launchOption{

  [self redirectSTD:STDOUT_FILENO];
  [self redirectSTD:STDERR_FILENO];

//YOUR CODE HERE...
}

//YOUR CODE HERE...

@end

主要代码就功能就是:

    通过NSPipe创建一个管道(这里有详细讲NSPipe的文章),pipe有读端和写端。
    通过dup2(这里有详细将dup2的文章)讲标准输入重定向到pipe的写端。
    通过NSFileHandle监听pipe的读端,然后讲读出的信息显示在uitextview上。

通过上面三步,一旦通过printf或者NSLog写数据,因为重定向过,这些数据都会写到Pipe的写端。同时pipe会将这些数据从写端直接传送到读端。读端通过NSFileHandle的“监控”函数取出这些数据,并最终显示在uitextview上。

DONE!
在真实的项目中,你可以设置一个开关去开启或者关闭这个重定向。在调试测试程序的过程中,打开开关,快捷及时查看程序运行状况;产品发布的时候关掉开关就OK了,用户可以毫不知情。这样,也许会提高不少社会主义生产力。

下面展示一下效果截图:

你可能感兴趣的:(IO,重定向,UITextView,SLog)