ユーザーがAPI
にログインすることができますあなたは、要求と一緒に、有効なフォーム認証Cookieを送信する必要があります。このクッキーは、通常[FormsAuthentication.SetAuthCookie
メソッド(MSDNを参照)を呼び出すことによって認証(LogOn
アクション)するとサーバーから送信されます。
だから、クライアントは2つのステップを実行する必要があります。
- をユーザー名とパスワードを送信することにより、
LogOn
アクションにHTTPリクエストを送信します。このアクションでは、FormsAuthentication.SetAuthCookie
メソッド(資格情報が有効な場合)が呼び出され、レスポンスにフォーム認証Cookieが設定されます。
- 最初の要求で取得したフォーム認証Cookieを送信することによって、保護された処理にHTTP要求を送信します。
例を挙げておきます。あなたのWebアプリケーションで定義された2 APIコントローラがあるとします。
認証を処理するための責任が最初の1:
public class AccountController : ApiController
{
public bool Post(LogOnModel model)
{
if (model.Username == "john" && model.Password == "secret")
{
FormsAuthentication.SetAuthCookie(model.Username, false);
return true;
}
return false;
}
}
と、許可されたユーザーのみが見ることができる保護されたアクションを含む第二1:
[Authorize]
public class UsersController : ApiController
{
public string Get()
{
return "This is a top secret material that only authorized users can see";
}
}
このAPIを使用するクライアントアプリケーションを作成できました。ここでは(あなたがMicrosoft.AspNet.WebApi.Client
とMicrosoft.Net.Http
NuGetパッケージをインストールしていることを確認してください)些細なコンソールアプリケーションの例です:
using System;
using System.Net.Http;
using System.Threading;
class Program
{
static void Main()
{
using (var httpClient = new HttpClient())
{
var response = httpClient.PostAsJsonAsync(
"http://localhost:26845/api/account",
new { username = "john", password = "secret" },
CancellationToken.None
).Result;
response.EnsureSuccessStatusCode();
bool success = response.Content.ReadAsAsync<bool>().Result;
if (success)
{
var secret = httpClient.GetStringAsync("http://localhost:26845/api/users");
Console.WriteLine(secret.Result);
}
else
{
Console.WriteLine("Sorry you provided wrong credentials");
}
}
}
}
そして、ここでは2件のHTTPリクエストがワイヤ上に見える方法は次のとおりです。
認証要求:
POST /api/account HTTP/1.1
Content-Type: application/json; charset=utf-8
Host: localhost:26845
Content-Length: 39
Connection: Keep-Alive
{"username":"john","password":"secret"}
認証応答:
HTTP/1.1 200 OK
Server: ASP.NET Development Server/10.0.0.0
Date: Wed, 13 Jun 2012 13:24:41 GMT
X-AspNet-Version: 4.0.30319
Set-Cookie: .ASPXAUTH=REMOVED FOR BREVITY; path=/; HttpOnly
Cache-Control: no-cache
Pragma: no-cache
Expires: -1
Content-Type: application/json; charset=utf-8
Content-Length: 4
Connection: Close
true
保護されたデータのための0
要求:保護されたデータのための
GET /api/users HTTP/1.1
Host: localhost:26845
Cookie: .ASPXAUTH=REMOVED FOR BREVITY
は応答:
HTTP/1.1 200 OK
Server: ASP.NET Development Server/10.0.0.0
Date: Wed, 13 Jun 2012 13:24:41 GMT
X-AspNet-Version: 4.0.30319
Cache-Control: no-cache
Pragma: no-cache
Expires: -1
Content-Type: application/json; charset=utf-8
Content-Length: 66
Connection: Close
"This is a top secret material that only authorized users can see"
こんにちはMujtaba。これを実装できましたか? –