【发布时间】:2018-11-04 03:12:39
【问题描述】:
我正在使用下面的代码来添加一个 http 监听器:
public class WebServer
{
private readonly HttpListener _listener = new HttpListener();
private readonly Func<HttpListenerRequest, HttpListenerResponse, string> _responderMethod;
public WebServer(string[] prefixes, Func<HttpListenerRequest, HttpListenerResponse, string> method)
{
if (!HttpListener.IsSupported)
throw new NotSupportedException(
"Needs Windows XP SP2, Server 2003 or later.");
// URI prefixes are required, for example
// "http://localhost:8080/index/".
if (prefixes == null || prefixes.Length == 0)
throw new ArgumentException("prefixes");
// A responder method is required
if (method == null)
throw new ArgumentException("method");
foreach (string s in prefixes)
_listener.Prefixes.Add(s);
_responderMethod = method;
_listener.Start();
}
public WebServer(Func<HttpListenerRequest, HttpListenerResponse, string> method, params string[] prefixes)
: this(prefixes, method) { }
public void Run()
{
ThreadPool.QueueUserWorkItem((o) =>
{
//Console.WriteLine("Webserver running...");
try
{
while (_listener.IsListening)
{
ThreadPool.QueueUserWorkItem((c) =>
{
var ctx = c as HttpListenerContext;
try
{
string rstr = _responderMethod(ctx.Request, ctx.Response);
byte[] buf = Encoding.UTF8.GetBytes(rstr);
ctx.Response.ContentLength64 = buf.Length;
ctx.Response.OutputStream.Write(buf, 0, buf.Length);
}
catch { } // suppress any exceptions
finally
{
// always close the stream
ctx.Response.OutputStream.Close();
}
}, _listener.GetContext());
}
}
catch { } // suppress any exceptions
});
}
public void Stop()
{
_listener.Stop();
_listener.Close();
}
}
static class Program
{
public const int PORT = 18991;
[STAThread]
static void Main()
{
WebServer ws = new WebServer(SendResponse, "http://+:" + PORT + "/");
ws.Run();
Application.Run(new Form1());
ws?.Stop();
}
private static string SendResponse(HttpListenerRequest request, HttpListenerResponse response)
{
return "ok";
}
}
这在本地机器上运行良好,但是它不会监听来自网络内其他设备的请求。我什至向防火墙添加了 outgoing 传入规则以允许连接,我使用netsh http add urlacl url="http://+:18991/" user=everyone 添加了 URL,并以管理员权限启动了应用程序,但没有成功。
如何允许局域网内远程设备的请求?
【问题讨论】:
-
I even added a outgoing rule to the firewall。你不认为它应该是一个传入规则... -
@Eser 对不起,我的错误。我的意思是,我向防火墙添加了 incoming 规则。
-
however it won't listen to request from other devices inside the network.你得到什么错误(在服务器端和客户端)? -
@Eser 没有错误,只是请求设备超时,应用程序没有错误。
-
你能ping通服务器吗?您可以连接到服务器端口(例如使用 telnet)吗? en.wikipedia.org/wiki/CURL
标签: c# networking webserver firewall httplistener