在我的 ASP.NET MVC 控制器中,我有一个需要HttpRequest
对象的方法。我只能访问一个HttpRequestBase
对象。
无论如何我可以以某种方式转换它吗?
我能/应该做什么??
在我的 ASP.NET MVC 控制器中,我有一个需要HttpRequest
对象的方法。我只能访问一个HttpRequestBase
对象。
无论如何我可以以某种方式转换它吗?
我能/应该做什么??
您应该始终在您的应用程序中使用 HttpRequestBase 和 HttpResponseBase ,而不是无法测试的具体版本(没有 typemock 或其他一些魔法)。
只需使用HttpRequestWrapper类进行转换,如下所示。
var httpRequestBase = new HttpRequestWrapper(Context.Request);
是你的方法,所以你可以重写它来取HttpRequestBase
?如果没有,您可以随时获取当前HttpRequest
来源HttpContext.Current.HttpRequest
以进行传递。但是,我经常将对 HttpContext 的访问封装在ASP.NET 中提到的类中:删除 System.Web 依赖项以获得更好的单元测试支持。
你可以使用
System.Web.HttpContext.Current.Request
这里的关键是您需要完整的命名空间才能访问“正确的”HttpContext。
我知道这个问题被问到已经有 4 年了,但如果这对某人有帮助,那么你去吧!
(编辑:我看到凯文哈坎森已经给出了这个答案......所以希望我的回答能帮助那些只阅读答案而不是评论的人。):)
要在 ASP.NET MVC4 .NET 4.5 中获取 HttpRequest,您可以执行以下操作:
this.HttpContext.ApplicationInstance.Context.Request
尝试使用您的 HttpRequestBase 使用/创建一个 HttpRequestWrapper。
通常,当您需要访问HttpContext
控制器操作中的属性时,您可以在设计方面做得更好。
例如,如果您需要访问当前用户,请为您的操作方法提供一个 type 参数,您可以在测试时根据需要使用 an 和 mockIPrincipal
填充该参数。Attribute
有关如何操作的小示例,请参阅此博客文章,特别是第 7 点。
无法在这些类型之间进行转换。
我们有一个类似的案例。我们重写了我们的类/Web 服务方法,以便它们使用 HttpContextBase、HttpApplicationStateBase、HttpServerUtilityBase、HttpSessionStateBase... 而不是没有“Base”后缀的关闭名称类型(HttpContext,... HttpSessionState)。使用自制的模拟更容易处理它们。
我很抱歉你做不到。
这是一个 ASP.Net MVC 3.0 AsyncController,它接受请求,将入站 HttpRequestBase MVC 对象转换为 System.Web.HttpWebRequest。然后它异步发送请求。当响应返回时,它将 System.Web.HttpWebResponse 转换回 MVC HttpResponseBase 对象,该对象可以通过 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)