3

行。所以我有我的第一个 iPhone 应用程序原型,它将解析给定的 XML 文件。该文件与构成应用程序的所有其他文件一起用于测试目的,但最终我希望应用程序从 Web 服务中提取 XML 数据。

所以我编写了一个 PHP 脚本来读取数据并为我创建一个 XML 文件。但是我该如何将 XML 文件从 Web 服务器获取到手机呢?

这就是我所拥有的:

  1. 可通过 URL 访问的 XML 文件 - 即 //localhost/v/p.xml
  2. 一个 iOS 6 应用程序,可以解析当前加载在应用程序中的 XML 文件(放在我的 XCode 项目中的 Supporting Files 文件夹下)。

那么将 XML 文件传送到手机的最佳方式是什么?LazyTableImages 是我应该看的东西吗?

我应该这样做:

NSURL *url = [[NSURL alloc] initFileURLWithPath:@"http://localhost/v/p.xml"];
NSData *xmlData = [[NSData alloc] initWithContentsOfURL:url];

//NSString *path = [[NSBundle mainBundle] pathForResource:@"profileXML" ofType:@"xml"];
//NSData *xmlData = [[NSData alloc] initWithContentsOfFile:path];

前 2 行在哪里替换注释掉的行?就这么简单吗?

4

2 回答 2

2

您可以使用stringWithContentsOfURL:encoding:error:, 记录在这里:

http://developer.apple.com/library/ios/#documentation/Cocoa/Reference/Foundation/Classes/NSString_Class/Reference/NSString.html

例如:

[NSString stringWithContentsOfURL:[NSURL URLWithString:@"http://localhost/v/p.xml"] encoding:NSUTF8StringEncoding error:nil];

更新:

正如 Jim 所说,NSURLConnection它是非阻塞的,如果您想保护您的文件不被公众访问,它允许您提交凭证。如果你想使用它,它看起来像这样:

NSString *authenticationURL = @"http://foo.bar";
NSMutableURLRequest *request = [[NSMutableURLRequest alloc] initWithURL:[NSURL URLWithString:authenticationURL]];
NSString *escUsername = [username stringByAddingPercentEscapesUsingEncoding:NSUTF8StringEncoding];
NSString *escPassword = [password stringByAddingPercentEscapesUsingEncoding:NSUTF8StringEncoding];

[request setHTTPMethod: @"POST"];
[request setValue:@"application/x-www-form-urlencoded" forHTTPHeaderField:@"content-type"];
[request setHTTPBody:[[NSString stringWithFormat:@"username=%@&password=%@", escUsername, escPassword] dataUsingEncoding:NSUTF8StringEncoding]];

NSURLConnection *urlConnection = [[NSURLConnection alloc] initWithRequest:request delegate:self];

#pragma mark Url connection delegate methods

- (void)connection:(NSURLConnection *)connection didReceiveData:(NSData *)data {
    NSString *responseText = [[NSString alloc] initWithData:data encoding:NSUTF8StringEncoding];
    NSLog(@"%@", responseText);  
}
于 2012-12-07T19:11:40.757 回答
0

您的示例应该按预期工作(1),但会导致应用程序在第二行冻结一段时间。该方法同步下载文件,这通常是不需要的(除非您在后台队列上运行它)。

我会用+[NSURLConnection sendAsynchronousRequest:queue:completionHandler:]. 这是下载内容的最简单的异步方式。

例子:

NSURL *url = [NSURL URLWithString:@"http://localhost/v/p.xml"];
NSURLRequest *request = [NSURLRequest requestWithURL:url];
[NSURLConnection sendAsynchronousRequest:request
                                   queue:[NSOperationQueue mainQueue]
                       completionHandler:^(NSURLResponse *response, NSData *data, NSError *error) {
                                              // Do something with the `data` unless you have `error`.
                                          }];

(1)我只是不确定你的构造方式NSURL。它说initFileURLWithPath,但你绝对没有通过那里的路径。

于 2012-12-07T21:01:44.033 回答