3

我有一个 n 层应用程序,而核心 Web 服务是使用 Web API 构建的。许多 Web 服务的方法设置为 HTTPGET 并接受 DTO 对象作为参数。我使用 MVC 5 构建的客户端应用程序正在使用 HttpClient 调用此 API。

所以似乎通过使用 client.PostAsJsonAsync() 我可以传递一个对象,而 client.GetAsync() 不允许我这样做。这迫使我在 URL 中明确指定 DTO 的属性,这可行,但似乎有点多余。

有人可以通过 GET 调用解释为什么这不可能并提出更好的做法吗?

4

1 回答 1

5

为什么在 URI 中传递数据似乎是多余的?HTTP 规范说 GET 方法不使用在正文中发送的内容。这主要是为了便于缓存能够缓存仅基于 URI、方法和标头的响应。要求缓存解析消息正文以识别资源将非常低效。

这是一个基本的扩展方法,将为您完成繁重的工作,

 public static class UriExtensions
    {
        public static Uri AddToQuery<T>(this Uri requestUri,T dto)
        {
            Type t = typeof (T);
            var properties = t.GetProperties();
            var dictionary = properties.ToDictionary(info => info.Name, 
                                                     info => info.GetValue(dto, null).ToString());
            var formContent = new FormUrlEncodedContent(dictionary);

            var uriBuilder = new UriBuilder(requestUri) {Query = formContent.ReadAsStringAsync().Result};

            return uriBuilder.Uri;
        }
    }

并假设您有这样的 DTO,

 public class Foo
    {
        public string Bar { get; set; }
        public int Baz { get; set; }
    }

你可以像这样使用它。

    [Fact]
    public void Foo()
    {
        var foo = new Foo()
        {
            Bar = "hello world",
            Baz = 10
        };

        var uri = new Uri("http://example.org/blah");
        var uri2 = uri.AddToQuery(foo);

        Assert.Equal("http://example.org/blah?Bar=hello+world&Baz=10", uri2.AbsoluteUri);
    }
于 2014-03-28T20:10:42.937 回答