0

我正在尝试像这样创建一个 NSMutableURLRequest:

NSURL *URLWithString = [
    NSString stringWithFormat:@"%@?%@",
    urlString,
    datas
];
NSMutableURLRequest* request = [[[NSMutableURLRequest alloc] initWithURL:URLWithString] autorelease];

当我在 iPhone 4S 上运行它时,应用程序崩溃并且出现以下异常:

2012-10-30 15:58:53.495 [429:907] -[__NSCFString absoluteURL]:无法识别的选择器发送到实例 0x1cd74a90

2012-10-30 15:58:53.497 [429:907] --- 由于未捕获的异常“NSInvalidArgumentException”而终止应用程序,原因:“-[__NSCFString absoluteURL]:无法识别的选择器发送到实例 0x1cd74a90”

--- 首先抛出调用栈:

(0x361b62a3 0x344c697f 0x361b9e07 0x361b8531 0x3610ff68 0x3611363f 0x320396e7 0x32039551 0x320394ed 0x33bde661 0x33bde597 0x387e1 0x376d9f1f 0x376da9a9 0x341c535d 0x3618b173 0x3618b117 0x36189f99 0x360fcebd 0x360fcd49 0x366392eb 0x374db301 0x37cc1 0x37c58)

libc++abi.dylib:终止调用抛出异常

怎么了?

4

2 回答 2

7

很多问题:首先看看如何调用 NSString 和 NSURL 方法。我已经为您粘贴的代码完成了它。

NSURL * myUrl = [NSURL URLWithString:[NSString stringWithFormat:@"%@?%@",urlString,datas]];

NSMutableURLRequest* request = [[[NSMutableURLRequest alloc] initWithURL:myUrl] autorelease];
于 2012-10-30T15:13:28.467 回答
2

您的 NSURL 创建代码是错误的。

NSURL *URLWithString = [NSString stringWithFormat: @"%@?%@", urlString, datas];

在这里,您尝试使用NSString 类方法 ( stringWithFormat)直接创建 NSURL 。结果是您的变量URLWithString将是错误的类型,并且当您向它发送 NSURL 消息时,您会像现在一样遇到崩溃。

要解决这个问题,您需要先创建一个 URL 地址的 NSString,然后使用它实例化一个 NSURL,如下所示:

NSString *completeURLString = [NSString stringWithFormat:@"%@?%@", urlString, datas];
NSURL *completeURL = [NSURL URLWithString: completeURLString];

(从技术上讲,这两条线可以合并;我已经将它们分开以明确发生了什么。)

此外,虽然可能与您的崩溃无关,但您不应调用 URL 变量URLWithString,因为这是NSURL 的类方法的名称。确保为其提供一个唯一的名称,并以小写字符开头(至少,这将使您的代码更容易被其他人破译)。

于 2012-10-30T15:26:10.963 回答