Reputation: 403
I can set http proxy with this code:
public class CustomFlurlHttpClient : DefaultHttpClientFactory {
public override HttpClient CreateClient(Url url, HttpMessageHandler m) {
return base.CreateClient(url, CreateProxyHttpClientHandler("http://192.168.0.103:9090"));
}
private HttpClientHandler CreateProxyHttpClientHandler(string proxyUrl, string user = "", string passw = "") {
NetworkCredential proxyCreds = null;
var proxyUri = new Uri(proxyUrl);
proxyCreds = new NetworkCredential (user, passw);
var proxy = new WebProxy (proxyUri, false) {
UseDefaultCredentials = false,
Credentials = proxyCreds
};
var clientHandler = new HttpClientHandler {
UseProxy = true,
Proxy = proxy,
PreAuthenticate = true,
UseDefaultCredentials = false
};
if (user != "" && passw != "") {
clientHandler.Credentials = new NetworkCredential (user, passw);
}
return clientHandler;
}
}
class MainClass {
public static void Main (string[] args) {
run ();
Console.ReadKey ();
}
async static void run() {
using(FlurlClient client = new FlurlClient(c => { c.HttpClientFactory = new CustomFlurlHttpClient();})) {
var result = await client.WithUrl("https://www.google.com").GetStringAsync();
Console.WriteLine(result);
};
}
}
but not socks proxy. Any ideas how to do it? Or any other(not deprecated) rest client with async/await syntax supported?
Upvotes: 9
Views: 12209
Reputation: 3471
In .NET 6 you can do it easily as I answered here
But here is a quick answer:
var proxy = new WebProxy
{
Address = new Uri("socks5://localhost:8080")
};
//proxy.Credentials = new NetworkCredential(); //Used to set Proxy logins.
var handler = new HttpClientHandler
{
Proxy = proxy
};
var httpClient = new HttpClient(handler);
or to configure a named HttpClient
to be created using IHttpClientFactory
:
Services.AddHttpClient("WithProxy")
.ConfigurePrimaryHttpMessageHandler(() =>
{
var proxy = new WebProxy
{
Address = new Uri("socks5://localhost:8080")
};
return new HttpClientHandler
{
Proxy = proxy
};
});
and when you injected IHttpClientFactory
object:
httpClient = httpClientFactory.CreateClient("WithProxy");
Upvotes: 9
Reputation: 39319
A slightly better option is to override CreateMessageHandler
instead of CreateClient
in your custom factory:
public class CustomFlurlHttpClient : DefaultHttpClientFactory
{
public override HttpMessageHandler CreateMessageHandler() {
var socksProxy = new Socks5ProxyClient("127.0.0.1", 9150);
return new ProxyHandler(socksProxy);
}
}
Upvotes: 2
Reputation: 403
Possible solution is to use Extreme.Net
package, that provide socks proxy handler. For example, from code above we need to replace CreateClient
method with this:
public override HttpClient CreateClient(Url url, HttpMessageHandler m)
{
var socksProxy = new Socks5ProxyClient("127.0.0.1", 9150);
var handler = new ProxyHandler(socksProxy);
return base.CreateClient(url, handler);
}
And it works!
Upvotes: 3