6

因此,经过一番谷歌搜索后,我的理解是,当我在基于 NSDocument 的应用程序中为我的文档使用包时,每次我想保存时都必须编写整个包?当我将大型视频文件添加到文档中时,这开始出现问题。

有什么办法可以在不丢弃 NSDocument 的情况下解决这个问题?

4

2 回答 2

11

使用文档包的优点之一是您无需在每次保存时都编写所有内容。您应该向您的子类添加一个documentFileWrapper属性,NSDocument并且当文档架构读取文档包时,您应该NSFileWrapper在该属性中存储一个引用,并且您还应该跟踪已更改的内容。例如,假设您在文档包中保留一个文本文件和一个视频文件:

@interface MyDocument ()
    @property (nonatomic, copy) NSString *text;
    @property (nonatomic, assign) bool textHasChanged;

    @property (nonatomic, copy) NSData *videoData;
    @property (nonatomic, assign) bool videoHasChanged;

    @property (nonatomic, strong) NSFileWrapper *documentFileWrapper;
@end

- (BOOL)readFromFileWrapper:(NSFileWrapper *)fileWrapper
                     ofType:(NSString *)typeName
                      error:(NSError **)outError {


    // Read the contents of file wrapper
    // …

    [self setDocumentFileWrapper:fileWrapper];

    return YES;
}

如果从磁盘读取文档包,documentFileWrapper则保留对该包的引用。如果是新文档,documentFileWrappernil.

保存文档时,您可以重复使用documentFileWrapper并仅写入需要保存的文件。如果文档尚未保存(这是一个新文档),documentFileWrapper则 is nil,因此您需要创建一个:

- (NSFileWrapper *)fileWrapperOfType:(NSString *)typeName
                               error:(NSError **)outError
{

    if ([self documentFileWrapper] == nil) {
        NSFileWrapper *documentFileWrapper = [[NSFileWrapper alloc] initDirectoryWithFileWrappers:@{}];
        [self setDocumentFileWrapper:documentFileWrapper];
    }

    NSDictionary *fileWrappers = [[self documentFileWrapper] fileWrappers];
    NSFileWrapper *textFileWrapper = [fileWrappers objectForKey:@"text.txt"];
    NSFileWrapper *videoFileWrapper = [fileWrappers objectForKey:@"video.mp4"];

    if ((textFileWrapper == nil && [self text] != nil) || [self textHasChanged]) {
        if (textFileWrapper != nil)
            [documentFileWrapper removeFileWrapper:textFileWrapper];

        if ([self text] != nil) {
            NSData *textData = [[self text] dataUsingEncoding:NSUTF8StringEncoding];
            [documentFileWrapper addRegularFileWithContents:textData preferredFileName:@"text.txt"];
        }
    }

    if ((videoFileWrapper == nil && [self videoData] != nil) || [self videoHasChanged]) {
        if (videoFileWrapper != nil)
            [documentFileWrapper removeFileWrapper:videoFileWrapper];

        if ([self videoData] != nil)
            [documentFileWrapper addRegularFileWithContents:[self videoData] preferredFileName:@"video.mp4"];
    }

    return documentFileWrapper;
}

在上面的代码中,仅当文档包(文件包装器)不存在时才创建它。换句话说,仅当文档是新文档且尚未保存时才会创建它。创建包后,其引用存储在documentFileWrapper.

接下来,我们检查是否需要写入文本文件。它是在以下情况下编写的: * 要么还没有文本文件(可能是因为它是一个新包)并且我们有实际的文本要编写;* 或者如果文本已更改。

我们对视频文件做同样的事情。

请注意,如果文档已从磁盘加载或至少保存一次,则仅当视频数据已更改时,视频文件才会添加到包中(并且先前的视频文件,如果有,则从包中删除)。

注意:此答案假定 ARC 和自动属性合成(ivar 名称以下划线为前缀)。

于 2013-06-05T07:27:41.697 回答
4
于 2014-01-08T16:08:56.013 回答