2

我有一个与这个 SO 问题类似的问题:在 ASP.NET MVC 3 中将 JSON 反序列化为没有默认构造函数的对象,但在 MVC4 中,引用的解决方案对我不起作用。

本质上,如果我有这样的课程;

public class MyObject
{
    public string name = "foo";
    public int age = 33;
    public MyObject(string n)
    {
        name = n;
    }
}

我尝试从 Web API 方法返回它;

    // GET api/values/5
    public **MyObject** Get(int id)
    {
        return new MyObject("Getted");
    }

管道只是把我的要求扔在地板上。它以 500 错误静默失败。现在我可能期望它会挣扎,但我更喜欢例外。目前尚不清楚这是在哪里生成的,但我尝试在多个点(FilterProvider、ValueProvider、ModelBinder)进行拦截,但我看不到管道的哪个部分将其丢弃。

例如,这个自定义模型绑定器甚至不会被调用;

public class MyObjectModelBinder : DefaultModelBinder
{
    protected override object CreateModel(ControllerContext controllerContext, ModelBindingContext bindingContext, Type modelType)
    {
        return new MyObject("bound model");
    }
}

为了完整起见,这已在 global.asax.cs 中注册;

public class WebApiApplication : System.Web.HttpApplication
{
    protected void Application_Start()
    {
        // other stuff...

        ModelBinders.Binders.Add(typeof(MyObject), new MyObjectModelBinder());
    }
}

奇怪的是,如果我添加一个默认构造函数,它实际上从未被调用过,但是没有它,Web API 管道似乎无法工作。

确实有效(奇怪);

public class MyObject
{
    public string name = "foo";
    public int age = 33;
    public MyObject()
    {
        throw new Exception("I am never called! But I must exist");
    }
    public MyObject(string n)
    {
        name = n;
    }
}

我正在考虑在 connect.microsoft.com 上提出有关静默失败的问题,但大概必须有一个解决方法。

谁能阐明我做错了什么?

4

1 回答 1

0

我正在尝试使用以下代码重现您的问题,但它工作正常。你能尝试附上一个复制品吗?

class Program
{
    private const string baseAddress = "http://localhost:8080/";

    static void Main(string[] args)
    {   
        HttpSelfHostConfiguration configuration = new HttpSelfHostConfiguration(baseAddress);
        configuration.Routes.MapHttpRoute("default", "api/{controller}");
        HttpSelfHostServer server = new HttpSelfHostServer(configuration);

        try
        {
            server.OpenAsync().Wait();

            RunClient();
        }
        finally
        {
            server.CloseAsync().Wait();
        }
    }

    static void RunClient()
    {
        HttpClient client = new HttpClient();
        client.BaseAddress = new Uri(baseAddress);
        HttpResponseMessage response = client.GetAsync("api/Test?id=1").Result;
        response.EnsureSuccessStatusCode();
        Console.WriteLine(response.Content.ReadAsStringAsync().Result);
    }
}

public class MyObject
{
    public string name = "foo";
    public int age = 33;
    public MyObject(string n)
    {
        name = n;
    }
}

public class TestController : ApiController
{
    // GET api/values/5
    public MyObject Get(int id)
    {
        return new MyObject("Getted");
    }
}

你能附上一个复制品吗?

顺便说一句,有一个跟踪包,您可以使用它来找出更多信息出了什么问题。

http://www.nuget.org/packages/Microsoft.AspNet.WebApi.Tracing/0.3.0-rc

您可以从http://blogs.msdn.com/b/roncain/archive/2012/08/16/asp-net-web-api-tracing-preview.aspx了解有关如何使用它的更多信息

谢谢!

最好的,红梅

于 2013-01-17T07:29:06.353 回答