我在我的应用程序的 UIWebView 中打开一个简单的 HTML 文档:
<h3>Testing Put</h3>
<form id="testPut" action="onPut">
<div>
<p><input type="text" id="putValue" name="putValue" value="some value string goes here" size="100"/></p>
<p><input type="submit" value="Submit via PUT"/></p>
</div>
</form>
<script>
$('#testPut').submit(function(ev) {
ev.preventDefault();
var value = $('#putValue').val();
$.ajax({
type: "PUT",
url: "data/info/put",
contentType: "text/plain; charset=utf-8",
data: encodeURIComponent(value),
dataType: "text"
});
});
</script>
为了简单起见,我从代码中省略了成功和错误处理程序,因为我的问题与真正回复请求无关。
我正在使用 jQuery 1.10.2,但是在使用纯XMLHttpRequest
对象时得到完全相同的结果。
由于这是 Ajax 请求无法被UIWebViewDelegate
方法捕获的已知问题,因此我决定创建一个非常简单的后代NSURLProtocol
并将其注册到控制器的-viewDidLoad
方法中:
@implementation MyProtocol
+ (BOOL)canInitWithRequest:(NSURLRequest *)request {
// only "data/info" requests are welcome
NSRange range = [[request.URL absoluteString] rangeOfString:@"data/info"];
return NSNotFound != range.location;
}
+ (NSURLRequest *)canonicalRequestForRequest:(NSURLRequest *)request {
return request;
}
- (void)startLoading {
NSURLRequest *request = self.request;
NSLog(@"%@", request);
NSLog(@"Headers: %@", [request allHTTPHeaderFields]);
NSLog(@"Method: %@", [request HTTPMethod]);
NSLog(@"Body: %@", [request HTTPBody]);
}
- (void)stopLoading {}
@end
然后我运行应用程序,点击“通过 PUT 提交”按钮并在 Xcode 的控制台日志中观察以下内容:
2013-10-31 16:38:28.077 TestHTTPPUTiOS[1608:4a03] <NSURLRequest: 0x8942c20> { URL: file:///Users/oradyvanyuk/Library/Application%20Support/iPhone%20Simulator/7.0.3/Applications/90232D0E-3243-4517-A2B7-15A17371E117/TestHTTPPUTiOS.app/data/info/put }
2013-10-31 16:38:28.079 TestHTTPPUTiOS[1608:4a03] Headers: {
Accept = "text/plain, */*; q=0.01";
"Content-Type" = "text/plain; charset=utf-8";
Origin = "file://";
"X-Requested-With" = XMLHttpRequest;
}
2013-10-31 16:38:28.079 TestHTTPPUTiOS[1608:4a03] Method: PUT
2013-10-31 16:38:28.080 TestHTTPPUTiOS[1608:4a03] Body: (null)
如您所见,HTTP 请求正文为空。我试过使用 POST 方法并得到完全相同的输出,唯一的区别是Method: POST
在控制台中。
使用 GET 方法时,我也会得到空的 HTTP 正文,但这实际上是预期的,因为putValue
表单中的字符串到达 HTTP 请求的 URL。
您能否就这个问题提出建议,或者至少告诉我我是否做错了什么?我需要将传递的值作为 HTTP 正文内容而不是在 URL 中获取,因为它可能很长。