ASP.NET MVCコントローラー内に、HttpRequest
オブジェクトを必要とするメソッドがあります。私がアクセスできるのはHttpRequestBase
オブジェクトだけです。
とにかく私はこれをどうにかして変換することができますか?
私は何ができますか/すべきですか?
ASP.NET MVCコントローラー内に、HttpRequest
オブジェクトを必要とするメソッドがあります。私がアクセスできるのはHttpRequestBase
オブジェクトだけです。
とにかく私はこれをどうにかして変換することができますか?
私は何ができますか/すべきですか?
回答:
それはあなたの方法なので、あなたはそれを書き直して取ることができHttpRequestBase
ますか?そうでない場合は、いつでも電流HttpRequest
を取得しHttpContext.Current.HttpRequest
て渡すことができます。ただし、ユニットテストのサポートを向上させるために、ASP.NET:System.Webの依存関係の削除で説明されているように、HttpContextへのアクセスをクラス内にラップすることがよくあります。
(typemockまたはその他の魔法なしで)テストすることが不可能な具体的なバージョンとは対照的に、アプリケーションでは常にHttpRequestBaseとHttpResponseBaseを使用する必要があります。
以下に示すように、HttpRequestWrapperクラスを使用して変換するだけです。
var httpRequestBase = new HttpRequestWrapper(Context.Request);
HttpRequestBase
とを使用するだけでなくHttpResponseBase
、も使用することに注意してくださいHttpContextBase
。:)
通常HttpContext
、コントローラーアクションでプロパティにアクセスする必要がある場合は、より適切に設計できることがあります。
たとえば、現在のユーザーにアクセスする必要がある場合は、アクションメソッドにタイプのパラメーターを指定します。このパラメーターには、テスト時に必要に応じてモックIPrincipal
を入力しAttribute
ます。方法の小さな例については、このブログ投稿、特にポイント7を参照してください。
これらのタイプ間で変換する方法はありません。
同様のケースがありました。クラス/ Webサービスメソッドを書き直して、「Base」サフィックスのないクローズ名のタイプ(HttpContext、... HttpSessionState)の代わりに、HttpContextBase、HttpApplicationStateBase、HttpServerUtilityBase、HttpSessionStateBase ...を使用するようにしました。自家製のモックを使用すると、処理がはるかに簡単になります。
出来なかったのが残念です。
これは、リクエストを受け入れ、インバウンドHttpRequestBaseMVCオブジェクトをSystem.Web.HttpWebRequestに変換するASP.NetMVC 3.0AsyncControllerです。次に、リクエストを非同期で送信します。応答が返されると、System.Web.HttpWebResponseがMVCHttpResponseBaseオブジェクトに変換されます。MVCHttpResponseBaseオブジェクトはMVCコントローラーを介して返されます。
この質問に明示的に答えるには、BuildWebRequest()関数にのみ関心があると思います。ただし、パイプライン全体を移動する方法を示しています。つまり、BaseRequest> RequestからResponse> BaseResponseに変換します。両方を共有すると便利だと思いました。
これらのクラスを通じて、Webプロキシとして機能するMVCサーバーを作成できます。
お役に立てれば!
コントローラ:
[HandleError]
public class MyProxy : AsyncController
{
[HttpGet]
public void RedirectAsync()
{
AsyncManager.OutstandingOperations.Increment();
var hubBroker = new RequestBroker();
hubBroker.BrokerCompleted += (sender, e) =>
{
this.AsyncManager.Parameters["brokered"] = e.Response;
this.AsyncManager.OutstandingOperations.Decrement();
};
hubBroker.BrokerAsync(this.Request, redirectTo);
}
public ActionResult RedirectCompleted(HttpWebResponse brokered)
{
RequestBroker.BuildControllerResponse(this.Response, brokered);
return new HttpStatusCodeResult(Response.StatusCode);
}
}
これは、手間のかかる作業を行うプロキシクラスです。
namespace MyProxy
{
/// <summary>
/// Asynchronous operation to proxy or "broker" a request via MVC
/// </summary>
internal class RequestBroker
{
/*
* HttpWebRequest is a little protective, and if we do a straight copy of header information we will get ArgumentException for a set of 'restricted'
* headers which either can't be set or need to be set on other interfaces. This is a complete list of restricted headers.
*/
private static readonly string[] RestrictedHeaders = new string[] { "Accept", "Connection", "Content-Length", "Content-Type", "Date", "Expect", "Host", "If-Modified-Since", "Range", "Referer", "Transfer-Encoding", "User-Agent", "Proxy-Connection" };
internal class BrokerEventArgs : EventArgs
{
public DateTime StartTime { get; set; }
public HttpWebResponse Response { get; set; }
}
public delegate void BrokerEventHandler(object sender, BrokerEventArgs e);
public event BrokerEventHandler BrokerCompleted;
public void BrokerAsync(HttpRequestBase requestToBroker, string redirectToUrl)
{
var httpRequest = BuildWebRequest(requestToBroker, redirectToUrl);
var brokerTask = new Task(() => this.DoBroker(httpRequest));
brokerTask.Start();
}
private void DoBroker(HttpWebRequest requestToBroker)
{
var startTime = DateTime.UtcNow;
HttpWebResponse response;
try
{
response = requestToBroker.GetResponse() as HttpWebResponse;
}
catch (WebException e)
{
Trace.TraceError("Broker Fail: " + e.ToString());
response = e.Response as HttpWebResponse;
}
var args = new BrokerEventArgs()
{
StartTime = startTime,
Response = response,
};
this.BrokerCompleted(this, args);
}
public static void BuildControllerResponse(HttpResponseBase httpResponseBase, HttpWebResponse brokeredResponse)
{
if (brokeredResponse == null)
{
PerfCounters.ErrorCounter.Increment();
throw new GriddleException("Failed to broker a response. Refer to logs for details.");
}
httpResponseBase.Charset = brokeredResponse.CharacterSet;
httpResponseBase.ContentType = brokeredResponse.ContentType;
foreach (Cookie cookie in brokeredResponse.Cookies)
{
httpResponseBase.Cookies.Add(CookieToHttpCookie(cookie));
}
foreach (var header in brokeredResponse.Headers.AllKeys
.Where(k => !k.Equals("Transfer-Encoding", StringComparison.InvariantCultureIgnoreCase)))
{
httpResponseBase.Headers.Add(header, brokeredResponse.Headers[header]);
}
httpResponseBase.StatusCode = (int)brokeredResponse.StatusCode;
httpResponseBase.StatusDescription = brokeredResponse.StatusDescription;
BridgeAndCloseStreams(brokeredResponse.GetResponseStream(), httpResponseBase.OutputStream);
}
private static HttpWebRequest BuildWebRequest(HttpRequestBase requestToBroker, string redirectToUrl)
{
var httpRequest = (HttpWebRequest)WebRequest.Create(redirectToUrl);
if (requestToBroker.Headers != null)
{
foreach (var header in requestToBroker.Headers.AllKeys)
{
if (RestrictedHeaders.Any(h => header.Equals(h, StringComparison.InvariantCultureIgnoreCase)))
{
continue;
}
httpRequest.Headers.Add(header, requestToBroker.Headers[header]);
}
}
httpRequest.Accept = string.Join(",", requestToBroker.AcceptTypes);
httpRequest.ContentType = requestToBroker.ContentType;
httpRequest.Method = requestToBroker.HttpMethod;
if (requestToBroker.UrlReferrer != null)
{
httpRequest.Referer = requestToBroker.UrlReferrer.AbsoluteUri;
}
httpRequest.UserAgent = requestToBroker.UserAgent;
/* This is a performance change which I like.
* If this is not explicitly set to null, the CLR will do a registry hit for each request to use the default proxy.
*/
httpRequest.Proxy = null;
if (requestToBroker.HttpMethod.Equals("POST", StringComparison.InvariantCultureIgnoreCase))
{
BridgeAndCloseStreams(requestToBroker.InputStream, httpRequest.GetRequestStream());
}
return httpRequest;
}
/// <summary>
/// Convert System.Net.Cookie into System.Web.HttpCookie
/// </summary>
private static HttpCookie CookieToHttpCookie(Cookie cookie)
{
HttpCookie httpCookie = new HttpCookie(cookie.Name);
foreach (string value in cookie.Value.Split('&'))
{
string[] val = value.Split('=');
httpCookie.Values.Add(val[0], val[1]);
}
httpCookie.Domain = cookie.Domain;
httpCookie.Expires = cookie.Expires;
httpCookie.HttpOnly = cookie.HttpOnly;
httpCookie.Path = cookie.Path;
httpCookie.Secure = cookie.Secure;
return httpCookie;
}
/// <summary>
/// Reads from stream into the to stream
/// </summary>
private static void BridgeAndCloseStreams(Stream from, Stream to)
{
try
{
int read;
do
{
read = from.ReadByte();
if (read != -1)
{
to.WriteByte((byte)read);
}
}
while (read != -1);
}
finally
{
from.Close();
to.Close();
}
}
}
}
ケビンが言ったようにそれは働いた。
静的メソッドを使用してを取得しているHttpContext.Current.Request
のでHttpRequest
、必要なときに使用するオブジェクトを常に用意しています。
public static HttpRequest GetRequest()
{
return HttpContext.Current.Request;
}
if (AcessoModel.UsuarioLogado(Helper.GetRequest()))
bool bUserLogado = ProjectNamespace.Models.AcessoModel.UsuarioLogado(
ProjectNamespace.Models.Helper.GetRequest()
);
if (bUserLogado == false) { Response.Redirect("/"); }
public static bool UsuarioLogado(HttpRequest Request)