MVC Web API,错误:无法绑定多个参数

时间:2017-06-16 22:56:28

标签: c# jquery ajax asp.net-mvc asp.net-web-api

传递参数时出错

  

“无法绑定多个参数”

这是我的代码

[HttpPost]
public IHttpActionResult GenerateToken([FromBody]string userName, [FromBody]string password)
{
    //...
}

的Ajax:

$.ajax({
    cache: false,
    url: 'http://localhost:14980/api/token/GenerateToken',
    type: 'POST',
    contentType: "application/json; charset=utf-8",
    data: { userName: "userName",password:"password" },

    success: function (response) {
    },

    error: function (jqXhr, textStatus, errorThrown) {

        console.log(jqXhr.responseText);
        alert(textStatus + ": " + errorThrown + ": " + jqXhr.responseText + "  " + jqXhr.status);
    },
    complete: function (jqXhr) {

    },
})

1 个答案:

答案 0 :(得分:25)

参考:Parameter Binding in ASP.NET Web API - Using [FromBody]

  

最多允许一个参数从邮件正文中读取。所以   这不起作用

// Caution: Will not work!    
public HttpResponseMessage Post([FromBody] int id, [FromBody] string name) { ... }
     

此规则的原因是请求正文可能存储在   非缓冲流只能读取一次。

强调我的

话虽如此。您需要创建一个模型来存储预期的聚合数据。

public class AuthModel {
    public string userName { get; set; }
    public string password { get; set; }
}

然后更新操作以期望正文中的模型

[HttpPost]
public IHttpActionResult GenerateToken([FromBody] AuthModel model) {
    string userName = model.userName;
    string password = model.password;
    //...
}

确保正确发送有效负载

var model = { userName: "userName", password: "password" };
$.ajax({
    cache: false,
    url: 'http://localhost:14980/api/token/GenerateToken',
    type: 'POST',
    contentType: "application/json; charset=utf-8",
    data: JSON.stringify(model),
    success: function (response) {
    },

    error: function (jqXhr, textStatus, errorThrown) {

        console.log(jqXhr.responseText);
        alert(textStatus + ": " + errorThrown + ": " + jqXhr.responseText + "  " + jqXhr.status);
    },
    complete: function (jqXhr) {

    },
})