2

我四处寻找,无济于事

考虑:

- (void) write: (NSString *) xId data:(NSData *) data forClass: (Class) c {
    NSFileManager * fm = [NSFileManager defaultManager] ;

    NSString * instancePath = [self instancePath:xId forClass: c] ;

    errno = 0 ;
    BOOL success = [fm createFileAtPath: instancePath
                               contents: data
                             attributes: nil] ;
    if (!success) {
        ::NSLog(@"Couldn't write to path: %@", instancePath) ;
        ::NSLog(@"Error was code: %d - message: %s", errno, strerror(errno));
    } else {
        ::NSLog(@"COULD write to path: %@", instancePath) ;
        ::NSLog(@"Error was code: %d - message: %s", errno, strerror(errno));
    }
}

然后打印:

2013-03-22 18:59:27.177 otest[18490:303] COULD write to path: /Users/verec/Library/Application Support/iPhone Simulator/6.1/Documents/cal/ModelRepo/ModelRepo#0.sexp
2013-03-22 18:59:27.177 otest[18490:303] Error was code: 3 - message: No such process
2013-03-22 18:59:27.178 otest[18490:303] Couldn't write to path: /Users/verec/Library/Application Support/iPhone Simulator/6.1/Documents/cal/ModelContainer/20130322.sexp
2013-03-22 18:59:27.178 otest[18490:303] Error was code: 3 - message: No such process
  1. 为什么 errno 不为 0,即使在第一种情况下“成功”为 YES(“可能”情况)
  2. 任何人都可以发现在第一个(“可能”)情况下成功 = YES 但在第二个(“不能”)情况下成功 = NO 的实际路径中的差异吗?

这是在运行 OCUnit 测试时,Xcode 4.6.1 Simulator 运行 iOS 6.1

我只是感到困惑:-(

4

2 回答 2

3
  • 如果调用失败,该errno变量通常仅由系统调用(和一些库函数)设置。如果系统调用成功,它不会被修改,并且可能包含来自先前错误的非零值。

  • errno系统调用失败后应立即打印或保存。在你的情况下,

    NSLog(@"Couldn't write to path: %@", instancePath);
    

    实际上修改了errno。(“没有这样的过程”不太可能是正确的失败原因。)

  • 出于同样的原因,您不能假设在失败errno后包含正确的值。createFileAtPath它实际上在我的测试中做了,但没有记录该方法errno正确设置/保存。
于 2013-03-22T19:37:23.557 回答
1

我写这个答案是为了用代码块更详细地解决 verec 的错误代码。他实际上在对已接受答案的评论中提到了这一点。

他得到的错误createFileAtPath3 (ESRCH) - No Such Process

可能出现这种情况的一个原因是它createFileAtPath不会创建中间目录,因此如果通往您要创建的路径的目录不存在,它将失败并显示此错误代码。

相反,您必须createDirectoryAtPath:withIntermediateDirectories:attributes:error:先创建目录,然后createFileAtPath在成功创建目录后使用。

NSString *fileParentFolderPath;
NSString *filePath;

//first create the directory, createFileAtPath can't create intermediate dirs
NSError *error;
if([[NSFileManager defaultManager] createDirectoryAtPath:fileParentFolderPath
        withIntermediateDirectories:YES attributes:nil error:&error]) {
    //then create the file
    if(![[NSFileManager defaultManager] createFileAtPath:filePath 
            contents:nil attributes:nil]) {
        NSLog(@"Faliure creating File error was code: %d - message: %s", errno, strerror(errno));
    };
} else {
    NSLog(@"Faliure creating dir w error: %@", error);
};
于 2015-01-06T19:15:47.083 回答