如何在Unity3D中使用PUT方法更新用户图片

时间:2019-02-01 10:40:13

标签: c# rest unity3d client-server

我是Unity3D的初学者;我必须开发一个移动应用程序,并且需要管理用户个人资料数据;我必须使用REST服务与服务器通信这些数据。 当我从应用程序发送Json时,一切正常(例如姓名,电子邮件,电话号码等),但我无法更新个人资料图片。

我需要的是: 内容类型=多部分/表单数据 key =“ profile_picture”,值= file_to_upload(不是路径)

我阅读了很多有关Unity中网络的知识,并尝试了UnityWebRequest,List,WWWform的不同组合,但是对于这种PUT服务似乎没有任何作用。

UnityWebRequest www = new UnityWebRequest(URL + user.email, "PUT");
    www.SetRequestHeader("Content-Type", "multipart/form-data");
    www.SetRequestHeader("AUTHORIZATION", authorization);
    //i think here i'm missing the correct way to set up the content

我可以正确地模拟来自Postman的更新,因此服务器没有问题。我很确定问题是我无法在应用程序内部转换此逻辑。

从邮递员上传的文件正常工作(1)

enter image description here

从邮递员上传的文件正常工作(2)

enter image description here

任何帮助和代码建议将不胜感激。 谢谢

1 个答案:

答案 0 :(得分:0)

使用Put,您通常只发送文件数据,但不发送表单。

您可以使用UnityWebRequest.Post

添加多部分表单
IEnumerator Upload() 
{
    List<IMultipartFormSection> formData = new List<IMultipartFormSection>();
    formData.Add(new MultipartFormFileSection("profile_picture", byte[], "example.png", "image/png"));

    UnityWebRequest www = UnityWebRequest.Post(url, formData);

    // change the method name
    www.method = "PUT"; 

    yield return www.SendWebRequest();

    if(www.error) 
    {
        Debug.Log(www.error);
    }
    else 
    {
        Debug.Log("Form upload complete!");
    }
}

使用MultipartFormFileSection


或者,您也可以使用WWWForm

IEnumerator Upload()
{
    WWWForm form = new WWWForm();
    form.AddBinaryData("profile_picture", bytes, "filename.png", "image/png");

    // Upload via post request
    var www = UnityWebRequest.Post(screenShotURL, form);

    // change the method name
    www.method = "PUT";        

    yield return www.SendWebRequest();

    if (www.error) 
    {
        Debug.Log(www.error);
    }
    else 
    {
        Debug.Log("Finished Uploading Screenshot");
    }
}

使用WWWForm.AddBinaryData


请注意,对于用户身份验证,您必须正确编码凭据:

string authenticate(string username, string password)
{
    string auth = username + ":" + password;
    auth = System.Convert.ToBase64String(System.Text.Encoding.GetEncoding("ISO-8859-1").GetBytes(auth));
    auth = "Basic " + auth;
    return auth;
}

www.SetRequestHeader("AUTHORIZATION", authenticate("user", "password"));

Source