1

我有一个 WCF RESTful 服务,并试图勾勒出我将如何处理服务器和各种客户端上的错误。该服务可以从 Web (jQuery) 和 iOS 产品中访问。下面看看我是如何在服务上抛出错误的:

    [WebGet(UriTemplate = "get/{id}", ResponseFormat = WebMessageFormat.Json)]
    public Person Get(string id)
    {
        //check security
        if(!SecurityHelper.IsAuthenticated()) { throw new WebFaultException<PersonException>(new PersonException { Reason = "Permission denied." }, HttpStatusCode.Unauthorized); }

我可以使用 jQuery 来调用服务,如下所示:

        $.ajax({
          type: "GET",
          dataType: "json",
          url: "/person/get/123",
          success: function(data) {
            alert('success');
          },
          error: function(xhr, status, error) {
            alert("AJAX Error!");
            alert(xhr.responseText);
          }
        });
      });

...并且一切正常 - 调用并引发错误(因为我没有提供任何身份验证)并且错误:回调被调用。在检查 xhr.responseText 时的错误回调中,我得到了正确的 JSON 对象 ({"reason":"Permission denied!"}),显示了服务器提供的错误原因。

现在 - 我正在尝试将我的 iOS 应用程序放在一起来调用相同的服务,并且从那里开始一切正常,除了我无法获得该服务提供的错误详细信息。这是我从 iOS 调用 REST 服务时的代码:

//set up for any errors
NSError *error = nil;

//set up response
NSURLResponse *response = [[NSURLResponse alloc] init];

//make the request
NSData *data = [NSURLConnection sendSynchronousRequest:request returningResponse:&response error:&error];

//check for error
if(error)
{
    //debug
    NSLog(error.description);

    //send back error
    return error;
}
else 
{

在 error.description 中,我只收到一条通用消息,例如“操作无法完成”。

如何获取服务器发送的自定义错误信息?我一直在查看 NSError 类的 userInfo 属性,但不知道我是否可以获取自定义信息,如果可以,我该如何去做。

提前感谢您的帮助。

4

1 回答 1

1

错误消息将在请求返回的数据(响应正文)上:

//make the request
NSData *data = [NSURLConnection sendSynchronousRequest:request returningResponse:&response error:&error];

if (error) {
    if (data) {
        NSString *respBody = [[NSString alloc] initWithData:data encoding:NSUTF8StringEncoding];
    } else {
        NSLog(@"%@", error.description);
    }
}
else 
{
    // get response
}
于 2012-11-19T20:56:53.657 回答