2

我正在编写一个 iPhone/iPad 应用程序,其中包含压缩文件,这些文件基本上是网站的内容,然后我可以在提取时运行这些内容。但是,我想将所有这些文件和文件夹放入一个文件中,即一个NSBundle文件,这样我就可以将它显示给用户,就好像它是一个文件一样,然后可以在其中删除或移动它,但不能遍历它。(我的应用程序允许遍历整个文件夹中的NSDocuments文件夹)

我知道您可以轻松地将自己的导入NSBundle到您的项目中,然后将其读入网站。但是,是否有可能使用已经创建的目录结构来编写一个目录结构,其中的文件和文件夹必须保持原样,即我之前描述的 web 文件夹?

如果不是NSBundle,我可以将文件夹写入(转换)到任何其他类型的包中吗?

如果没有,你对我的困境还有什么建议吗?

4

1 回答 1

2

这不是您问题的直接答案,而是查看您的问题的另一种方式。

  1. 具体来说,您已经声明您的应用程序允许遍历整个 NSDocumentDirectory 中的文件夹。由于您的代码是在其中枚举文件/文件夹的内容,因此您可以简单地实现您的枚举代码,以便它将与某些模式(例如 *.bundle)匹配的文件夹视为层次结构中的叶节点;用户永远不需要知道里面有什么东西。

  2. 更进一步,您可以将 .zip 文件直接存储在文档目录中,然后在 UIWebView 请求访问单个 URL 时将其内容直接提供给它。

    可以注册一个NSURLProtocol在检查所有 URL 请求时首先破解的子类。如果子类说它可以处理特定的 URL(例如,对于特定的主机或路径),那么将创建子类的一个实例并要求提供内容。

    此时,您可以使用一些 zip-reading 代码,例如Objective-Zip从 zip 中读取请求的文件,并从请求中返回其内容。

    用于NSURLProtocol +registerClass:向系统注册子类。

    在以下示例中,我的协议处理程序将忽略所有请求,但对我的站点的请求除外。对于那些它返回相同的硬编码字符串(作为概念证明):

    MyURLProtocolRedirector.h

    #import <Foundation/Foundation.h>
    
    @interface MyURLProtocolRedirector : NSURLProtocol
    + (BOOL)canInitWithRequest:(NSURLRequest *)request;
    + (NSURLRequest *)canonicalRequestForRequest:(NSURLRequest *)request;
    - (void)startLoading;
    - (void)stopLoading;
    @end
    

    MyURLProtocolRedirector.m

    #import "MyURLProtocolRedirector.h"
    
    @implementation MyURLProtocolRedirector
    
    + (BOOL)canInitWithRequest:(NSURLRequest *)request {
      if ([request.URL.host compare:@"martinkenny.com"] == 0) {
        return YES;
      }
      return NO;
    }
    
    + (NSURLRequest *)canonicalRequestForRequest:(NSURLRequest *)request {
      return request;
    }
    
    - (void)startLoading {
      NSURLResponse *response = [[NSURLResponse alloc] initWithURL:self.request.URL MIMEType:@"text/plain" expectedContentLength:11 textEncodingName:nil];
      [self.client URLProtocol:self didLoadData:[[NSData alloc] initWithBytes:"Hello World" length:11]];
      [self.client URLProtocol:self didReceiveResponse:response cacheStoragePolicy:NSURLCacheStorageAllowed];
      [self.client URLProtocolDidFinishLoading:self];
    }
    
    - (void)stopLoading {
    }
    
    @end
    

    SomeViewController.m

    // register the new URL protocol handler with the system
    [NSURLProtocol registerClass:[MyURLProtocolRedirector class]];
    
    UIWebView *webView = [[UIWebView alloc] initWithFrame:self.view.bounds];
    [webView loadRequest:[[NSURLRequest alloc] initWithURL:[NSURL URLWithString:@"http://www.seenobjects.org/"]]];
    [self.view addSubview:webView];
    
于 2012-07-09T02:59:15.397 回答