17

「TestController」という名前の非常に単純な C# APIController があり、API メソッドは次のとおりです。

[HttpPost]
public string HelloWorld([FromBody] Testing t)
{
    return t.Name + " " + t.LastName;
}

Contact は、次のような単なるクラスです。

public class Testing
{
    [Required]
    public string Name;
    [Required]
    public string LastName;
}

私の APIRouter は次のようになります。

config.Routes.MapHttpRoute(
     name: "TestApi",
     routeTemplate: "api/{controller}/{action}/{id}",
     defaults: new { id = RouteParameter.Optional }
);

質問 1 :
C# クライアントからどのようにテストできますか?

#2については、次のコードを試しました:

private async Task TestAPI()
{
    var pairs = new List<KeyValuePair<string, string>> 
    {
       new KeyValuePair<string, string>("Name", "Happy"),
       new KeyValuePair<string, string>("LastName", "Developer")
    };

    var content = new FormUrlEncodedContent(pairs);

        var client = new HttpClient();                        
        client.DefaultRequestHeaders.Accept.Add(
             new MediaTypeWithQualityHeaderValue("application/json"));

        var result = await client.PostAsync( 
             new Uri("http://localhost:3471/api/test/helloworld", 
                    UriKind.Absolute), content);

        lblTestAPI.Text = result.ToString();
    }

質問 2 :
Fiddler からこれをテストするにはどうすればよいですか?
UI 経由でクラスを渡す方法が見つからないようです。

4

1 に答える 1

29

質問 1: .NET クライアントからの POST を次のように実装します。次のアセンブリへの参照を追加する必要があることに注意してください: a) System.Net.Http b) System.Net.Http.Formatting

public static void Post(Testing testing)
    {
        HttpClient client = new HttpClient();
        client.BaseAddress = new Uri("http://localhost:3471/");

        // Add an Accept header for JSON format.
        client.DefaultRequestHeaders.Accept.Add(
            new MediaTypeWithQualityHeaderValue("application/json"));

        // Create the JSON formatter.
        MediaTypeFormatter jsonFormatter = new JsonMediaTypeFormatter();

        // Use the JSON formatter to create the content of the request body.
        HttpContent content = new ObjectContent<Testing>(testing, jsonFormatter);

        // Send the request.
        var resp = client.PostAsync("api/test/helloworld", content).Result;

    }

また、コントローラー メソッドを次のように書き直します。

[HttpPost]
public string HelloWorld(Testing t)  //NOTE: You don't need [FromBody] here
{
  return t.Name + " " + t.LastName;
}

質問 2 の場合: Fiddler で、ドロップダウンの動詞を GET から POST に変更し、オブジェクトの JSON 表現を要求本文に入れます。

ここに画像の説明を入力

于 2013-10-16T06:51:38.403 に答える