我试图向使用Eve作为框架的Rest API发出POST请求,但是每当我尝试发布JSON时,都会收到422错误,提示无法处理的实体。我的GET请求工作正常。这是我的Eve应用程序的架构:

schema = {
    '_update': {
        'type': 'datetime',
        'minlength': 1,
        'maxlength': 40,
        'required': False,
        'unique': True,
    },
    'Name': {
        'type': 'string',
        'minlength': 1,
        'maxlength': 40,
        'required': True,
        'unique': False,
    },
    'FacebookId': {
        'type': 'integer',
        'minlength': 1,
        'maxlength': 40,
        'required': True,
        'unique': True,
    },
    'HighScore': {
        'type': 'integer',
        'minlength': 1,
        'maxlength': 40,
        'required': True,
        'unique': False,
    },
}


这是我要发布的JSON:

{"_updated":null,"Name":"John Doe","FacebookId":"12453523434324123","HighScore":15}


这是我尝试从客户端发出POST请求的方式:

IDictionary dict = Facebook.MiniJSON.Json.Deserialize(result.RawResult) as IDictionary;
string name = dict["name"].ToString();
string id = dict["id"].ToString();

Player player = new Player();
player.FacebookId = id;
player.Name = name;
player.HighScore = (int) GameManager.Instance.Points;

// Using Newtonsoft.Json to serialize
var json = JsonConvert.SerializeObject(player);

var headers = new Dictionary<string, string> {{"Content-Type", "application/json"}};

string url = "http://server.com/Players";
var encoding = new UTF8Encoding();
// Using Unity3d WWW class
WWW www = new WWW(url, encoding.GetBytes(json), headers);
StartCoroutine(WaitForRequest(www));

最佳答案

你让它变得如此复杂。首先,您需要一个帮助程序方法来调用您的服务。像这样的东西:

private static T Call<T>(string url, string body)
{
    var contentBytes = Encoding.UTF8.GetBytes(body);
    var request = (HttpWebRequest)WebRequest.Create(url);

    request.Timeout = 60 * 1000;
    request.ContentLength = contentBytes.Length;
    request.Method = "POST";
    request.ContentType = @"application/json";

    using (var requestWritter = request.GetRequestStream())
        requestWritter.Write(contentBytes, 0, (int)request.ContentLength);

    var responseString = string.Empty;
    var webResponse = (HttpWebResponse)request.GetResponse();
    var responseStream = webResponse.GetResponseStream();
    using (var reader = new StreamReader(responseStream))
        responseString = reader.ReadToEnd();

    return JsonConvert.DeserializeObject<T>(responseString);
}


然后简单地这样称呼它:

var url = "http://server.com/Players";
var output=Call<youroutputtype>(url, json);


注意:我不知道您的输出类型是什么,所以我留给您。

09-10 06:44
查看更多