为什么在 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);
}