1

我正在使用 HttpClient 调用 ASP .Net Web API 并成功调用操作。我也可以将自定义对象发布到行动中。

现在我面临的问题是,无法发布标量数据类型,如整数、字符串等......

下面是我的控制器和调用动作的应用程序代码

// 测试调用的应用程序

[Test]
        public void RemoveCategory()
        {
            HttpClient client = new HttpClient();

            HttpRequestMessage request = new HttpRequestMessage();

            HttpResponseMessage response = client.PostAsJsonAsync<string>("http://localhost:49931/api/Supplier/RemoveCategory/", "9").Result;

            Console.WriteLine(response.Content.ReadAsStringAsync().Result);
        }

// Web API 中的控制器和动作

public class SupplierController : ApiController
   {
    NorthwindEntities context = new NorthwindEntities();

    [HttpPost]
    public HttpResponseMessage RemoveCategory(string CategoryID)
    {
    try
    {
    int CatId= Convert.ToInt32(CategoryID);
    var category = context.Categories.Where(c => c.CategoryID == CatId).FirstOrDefault();
    if (category != null)
    {
    context.Categories.DeleteObject(category);
    context.SaveChanges();
    return Request.CreateResponse(HttpStatusCode.OK, "Delete successfully CategoryID = "     +     CategoryID);
    }
    else
    {
    return Request.CreateResponse(HttpStatusCode.InternalServerError, "Invalid     CategoryID");
    }
    }
    catch (Exception _Exception)
    {
    return Request.CreateResponse(HttpStatusCode.InternalServerError, _Exception.Message);
    }
    }

当我在 Northwind 数据库中发布代表“类别”表的客户对象时,所有事情都正常工作,但我无法发布像整数和字符串这样的标量数据

当我发布字符串数据类型时,出现以下异常

{"Message":"没有找到与请求 URI ' http://localhost:49931/api/Supplier/RemoveCategory/ '匹配的 HTTP 资源。","MessageDetail":"在控制器 'Supplier' 上没有找到任何操作匹配请求。"}

谁能指导我?

4

1 回答 1

6

您必须将 CategoryID 参数标记为 [FromBody]:

[HttpPost]
public HttpResponseMessage RemoveCategory([FromBody] string CategoryID)
{ ... }

默认情况下,简单类型(如字符串)将从 URI 绑定到模型。

于 2012-10-04T04:43:32.380 回答