0

我想使用 WWW 类将 JSON 发布到网站,但我从服务器得到这个答案:“同步问题。”。有没有办法从同步更改为异步?谢谢你

4

2 回答 2

1

您可以在协程中运行您的 WWW 作业(WWW 很好地支持这一点):

using UnityEngine;

public class PostJSON : MonoBehaviour {

    void Start () {

        string url = "http://your_url_endpoint";

        WWWForm form = new WWWForm();
        Hashtable headers = form.headers;
        headers["Content-Type"] = "application/json";
        Hashtable data = new Hashtable();
        data["message"] = "a sample message sent to service as json";
        string json = JSON.JsonEncode(data);

        byte[] bytes = Encoding.UTF8.GetBytes(json);
        WWW www = new WWW(url, bytes, headers);

        StartCoroutine(WaitForRequest(www));
    }

    IEnumerator WaitForRequest(WWW www)
    {
        yield return www

        // check for errors
        if (www.error == null)
        {
            Debug.Log("WWW Ok!: " + www.data);
        } else {
            Debug.Log("WWW Error: "+ www.error);
        }    
    }    
}

在这里,您有一个正在运行的项目,我用它来与一个名为 KiiCloud 的基于 json 的 REST 服务通信:

http://blog.kii.com/?p=2939

高温高压

于 2014-03-04T23:17:17.257 回答
0

German 的回答非常有帮助,但我做了一些调整,以便它能够编译和运行(带有示例序列化/反序列化位)。

只需传入您要发布到的 BaseUrl,即 http://www.domain.com/somecontroller/someaction或其他任何内容。

using System;
using System.Text;
using System.Collections;
using System.Collections.Generic;

using UnityEngine;

[Serializable]
public class Person
{
    public string Name;
}

[Serializable]
public class Response
{
    public string SomeValue;
}

public class PostJSON : MonoBehaviour
{
    public string BaseUrl;

    private WWWForm form;
    private Dictionary<string, string> headers = null;

    void Start () 
    {
        var basUrlNotSpecified = string.IsNullOrEmpty(BaseUrl);

        if(basUrlNotSpecified) 
        {
            Debug.LogWarning("BaseUrl value not specified. Post abandoned.");
            return;
        }

        form = new WWWForm();
        headers = form.headers;
        headers["Content-Type"] = "application/json";
        headers["Accept"] = "application/json";

        var person = new Person
        {
            Name = "Iulian Palade"
        };

        var json = JsonUtility.ToJson(person);

        byte[] bytes = Encoding.UTF8.GetBytes(json);

        WWW www = new WWW(BaseUrl, bytes, headers);

        StartCoroutine(WaitForRequest(www));
    }

    IEnumerator WaitForRequest(WWW www)
    {
        yield return www;

        if (www.error == null)
        {
            Debug.Log("WWW Ok!: " + www.text);
            var response = JsonUtility.FromJson<Response>(www.text);
            Debug.Log(response.SomeValue);
        } 
        else 
        {
            Debug.Log("WWW Error: "+ www.error);
        }    
    }    
}
于 2016-03-22T14:57:55.553 回答