176

我正在尝试在 WebAPI 控制器上发布多个参数。一个参数来自 URL,另一个来自正文。这是网址: /offers/40D5E19D-0CD5-4FBD-92F8-43FDBB475333/prices/

这是我的控制器代码:

public HttpResponseMessage Put(Guid offerId, OfferPriceParameters offerPriceParameters)
{
    //What!?
    var ser = new DataContractJsonSerializer(typeof(OfferPriceParameters));
    HttpContext.Current.Request.InputStream.Position = 0;
    var what = ser.ReadObject(HttpContext.Current.Request.InputStream);

    return new HttpResponseMessage(HttpStatusCode.Created);
}

正文的内容是 JSON:

{
    "Associations":
    {
        "list": [
        {
            "FromEntityId":"276774bb-9bd9-4bbd-a7e7-6ed3d69f196f",
            "ToEntityId":"ed0d2616-f707-446b-9e40-b77b94fb7d2b",
            "Types":
            {
                "list":[
                {
                    "BillingCommitment":5,
                    "BillingCycle":5,
                    "Prices":
                    {
                        "list":[
                        {
                            "CurrencyId":"274d24c9-7d0b-40ea-a936-e800d74ead53",
                            "RecurringFee":4,
                            "SetupFee":5
                        }]
                    }
                }]
            }
        }]
    }
}

知道为什么默认绑定无法绑定到offerPriceParameters我的控制器的参数吗?它始终设置为空。但我可以使用DataContractJsonSerializer.

我也尝试使用FromBody参数的属性,但它也不起作用。

4

12 回答 12

101
[HttpPost]
public string MyMethod([FromBody]JObject data)
{
    Customer customer = data["customerData"].ToObject<Customer>();
    Product product = data["productData"].ToObject<Product>();
    Employee employee = data["employeeData"].ToObject<Employee>();
    //... other class....
}

使用参考

using Newtonsoft.Json.Linq;

使用 JQuery Ajax 请求

var customer = {
    "Name": "jhon",
    "Id": 1,
};
var product = {
    "Name": "table",
    "CategoryId": 5,
    "Count": 100
};
var employee = {
    "Name": "Fatih",
    "Id": 4,
};

var myData = {};
myData.customerData = customer;
myData.productData = product;
myData.employeeData = employee;

$.ajax({
    type: 'POST',
    async: true,
    dataType: "json",
    url: "Your Url",
    data: myData,
    success: function (data) {
        console.log("Response Data ↓");
        console.log(data);
    },
    error: function (err) {
        console.log(err);
    }
});
于 2016-05-18T11:20:35.417 回答
67

原生 WebAPI 不支持绑定多个 POST 参数。正如 Colin 指出的那样,他引用的我的博客文章中概述了许多限制。

通过创建自定义参数绑定器可以解决此问题。执行此操作的代码丑陋且令人费解,但我已经在我的博客上发布了代码以及详细说明,准备在这里插入项目:

将多个简单的 POST 值传递给 ASP.NET Web API

于 2013-01-19T10:35:14.760 回答
32

如果正在使用属性路由,您可以使用 [FromUri] 和 [FromBody] 属性。

例子:

[HttpPost()]
[Route("api/products/{id:int}")]
public HttpResponseMessage AddProduct([FromUri()] int id,  [FromBody()] Product product)
{
  // Add product
}
于 2015-07-10T15:22:01.940 回答
24

我们通过 HttpPost 方法传递 Json 对象,并将其解析为动态对象。它工作正常。这是示例代码:

网络API:

[HttpPost]
public string DoJson2(dynamic data)
{
   //whole:
   var c = JsonConvert.DeserializeObject<YourObjectTypeHere>(data.ToString()); 

   //or 
   var c1 = JsonConvert.DeserializeObject< ComplexObject1 >(data.c1.ToString());

   var c2 = JsonConvert.DeserializeObject< ComplexObject2 >(data.c2.ToString());

   string appName = data.AppName;
   int appInstanceID = data.AppInstanceID;
   string processGUID = data.ProcessGUID;
   int userID = data.UserID;
   string userName = data.UserName;
   var performer = JsonConvert.DeserializeObject< NextActivityPerformers >(data.NextActivityPerformers.ToString());

   ...
}

复杂对象类型可以是对象、数组和字典。

ajaxPost:
...
Content-Type: application/json,
data: {"AppName":"SamplePrice",
       "AppInstanceID":"100",
       "ProcessGUID":"072af8c3-482a-4b1c‌​-890b-685ce2fcc75d",
       "UserID":"20",
       "UserName":"Jack",
       "NextActivityPerformers":{
           "39‌​c71004-d822-4c15-9ff2-94ca1068d745":[{
                 "UserID":10,
                 "UserName":"Smith"
           }]
       }}
...
于 2013-01-24T02:35:07.093 回答
14

一个简单的参数类可用于在帖子中传递多个参数:

public class AddCustomerArgs
{
    public string First { get; set; }
    public string Last { get; set; }
}

[HttpPost]
public IHttpActionResult AddCustomer(AddCustomerArgs args)
{
    //use args...
    return Ok();
}
于 2016-02-06T03:49:01.973 回答
10

很好的问题和评论 - 从这里的回复中学到了很多:)

作为另一个示例,请注意,您还可以混合使用 body 和 routes,例如

[RoutePrefix("api/test")]
public class MyProtectedController 
{
    [Authorize]
    [Route("id/{id}")]
    public IEnumerable<object> Post(String id, [FromBody] JObject data)
    {
        /*
          id                                      = "123"
          data.GetValue("username").ToString()    = "user1"
          data.GetValue("password").ToString()    = "pass1"
         */
    }
}

像这样调用:

POST /api/test/id/123 HTTP/1.1
Host: localhost
Accept: application/json
Content-Type: application/x-www-form-urlencoded
Authorization: Bearer x.y.z
Cache-Control: no-cache

username=user1&password=pass1


enter code here
于 2016-08-24T16:39:40.810 回答
8

您可以使用https://github.com/keith5000/MultiPostParameterBinding中的 MultiPostParameterBinding 类来允许多个 POST 参数

要使用它:

1) 下载Source文件夹中的代码并将其添加到您的 Web API 项目或解决方案中的任何其他项目中。

2)在需要支持多个POST参数的动作方法上使用属性[MultiPostParameters] 。

[MultiPostParameters]
public string DoSomething(CustomType param1, CustomType param2, string param3) { ... }

3)在调用GlobalConfiguration.Configure(WebApiConfig.Register)之前,将Global.asax.cs 中的这一行添加到 Application_Start 方法中:

GlobalConfiguration.Configuration.ParameterBindingRules.Insert(0, MultiPostParameterBinding.CreateBindingForMarkedParameters);

4)让您的客户将参数作为对象的属性传递。该方法的示例 JSON 对象DoSomething(param1, param2, param3)是:

{ param1:{ Text:"" }, param2:{ Text:"" }, param3:"" }

示例 JQuery:

$.ajax({
    data: JSON.stringify({ param1:{ Text:"" }, param2:{ Text:"" }, param3:"" }),
    url: '/MyService/DoSomething',
    contentType: "application/json", method: "POST", processData: false
})
.success(function (result) { ... });

访问链接了解更多详情。

免责声明:我与链接资源直接相关。

于 2015-10-26T12:32:25.603 回答
4

2021年,有新的解决方案。Pradip Rupareliya 提出了一个很好的建议,我将仅使用 Dict 进行补充,而不是像他那样使用辅助数据结构:

[HttpPost]
public ActionResult MakePurchase([FromBody] Dictionary<string, string> data)
{
    try
    {
        int userId = int.Parse(data["userId"]);
        float boughtAmountInARS = float.Parse(data["boughtAmountInARS"]);
        string currencyName = data["currencyName"];
    }
    catch (KeyNotFoundException)
    {
        return BadRequest();
    }
    catch (FormatException)
    {
        return BadRequest();
    }
}
于 2021-04-19T21:18:18.553 回答
2

在这种情况下,您的 routeTemplate 是什么样的?

你发布了这个网址:

/offers/40D5E19D-0CD5-4FBD-92F8-43FDBB475333/prices/

为了使它起作用,我希望您的路由中像这样WebApiConfig

routeTemplate: {controller}/{offerId}/prices/

其他假设是: - 你的控制器被称为OffersController。- 您在请求正文中传递的 JSON 对象是类型OfferPriceParameters(不是任何派生类型) - 您在控制器上没有任何其他可能干扰此方法的方法(如果有,请尝试将它们注释掉并查看发生)

正如菲利普所说,如果您开始接受一些答案,这将对您的问题有所帮助,因为“接受率为 0%”可能会让人们认为他们在浪费时间

于 2013-01-19T14:48:51.697 回答
2

如果您不想采用 ModelBinding 方式,可以使用 DTO 为您执行此操作。例如,在 DataLayer 中创建一个接受复杂类型并从 BusinessLayer 发送数据的 POST 操作。您可以在 UI->API 调用的情况下执行此操作。

这是示例 DTO。将教师分配给学生并将多篇论文/主题分配给学生。

public class StudentCurriculumDTO
 {
     public StudentTeacherMapping StudentTeacherMapping { get; set; }
     public List<Paper> Paper { get; set; }
 }    
public class StudentTeacherMapping
 {
     public Guid StudentID { get; set; }
     public Guid TeacherId { get; set; }
 }

public class Paper
 {
     public Guid PaperID { get; set; }
     public string Status { get; set; }
 }

然后可以将 DataLayer 中的操作创建为:

[HttpPost]
[ActionName("MyActionName")]
public async Task<IHttpActionResult> InternalName(StudentCurriculumDTO studentData)
  {
     //Do whatever.... insert the data if nothing else!
  }

从 BusinessLayer 调用它:

using (HttpResponseMessage response = await client.PostAsJsonAsync("myendpoint_MyActionName", dataof_StudentCurriculumDTO)
  {
     //Do whatever.... get response if nothing else!
  }

现在,如果我想一次发送多个学生的数据,这仍然有效。修改MyAction如下。[FromBody] 不用写,WebAPI2 默认采用复杂类型[FromBody]。

public async Task<IHttpActionResult> InternalName(List<StudentCurriculumDTO> studentData)

然后在调用它时,传递一个List<StudentCurriculumDTO>数据。

using (HttpResponseMessage response = await client.PostAsJsonAsync("myendpoint_MyActionName", List<dataof_StudentCurriculumDTO>)
于 2017-03-20T05:04:51.553 回答
1

请求参数如

在此处输入图像描述

Web api 代码就像

public class OrderItemDetailsViewModel
{
    public Order order { get; set; }
    public ItemDetails[] itemDetails { get; set; }
}

public IHttpActionResult Post(OrderItemDetailsViewModel orderInfo)
{
    Order ord = orderInfo.order;
    var ordDetails = orderInfo.itemDetails;
    return Ok();
}
于 2019-03-31T10:44:50.327 回答
0

您可以将表单数据作为字符串获取:

    protected NameValueCollection GetFormData()
    {
        string root = HttpContext.Current.Server.MapPath("~/App_Data");
        var provider = new MultipartFormDataStreamProvider(root);

        Request.Content.ReadAsMultipartAsync(provider);

        return provider.FormData;
    }

    [HttpPost]
    public void test() 
    {
        var formData = GetFormData();
        var userId = formData["userId"];

        // todo json stuff
    }

https://docs.microsoft.com/en-us/aspnet/web-api/overview/advanced/sending-html-form-data-part-2

于 2019-08-18T13:24:24.727 回答