对于任何有经验的 C# 开发人员来说,这可能是小菜一碟
您在这里看到的是一个示例异步网络服务器
using System;
using System.Text;
using System.Net;
using System.Net.Sockets;
using System.Threading;
namespace SimpleServer
{
class Program
{
public static void ReceiveCallback(IAsyncResult AsyncCall)
{
System.Text.ASCIIEncoding encoding = new System.Text.ASCIIEncoding();
Byte[] message = encoding.GetBytes("I am a little busy, come back later!");
Socket listener = (Socket)AsyncCall.AsyncState;
Socket client = listener.EndAccept(AsyncCall);
Console.WriteLine("Received Connection from {0}", client.RemoteEndPoint);
client.Send(message);
Console.WriteLine("Ending the connection");
client.Close();
listener.BeginAccept(new AsyncCallback(ReceiveCallback), listener);
}
public static void Main()
{
try
{
IPAddress localAddress = IPAddress.Parse("127.0.0.1");
Socket listenSocket = new Socket(AddressFamily.InterNetwork, SocketType.Stream, ProtocolType.Tcp);
IPEndPoint ipEndpoint = new IPEndPoint(localAddress, 8080);
listenSocket.Bind(ipEndpoint);
listenSocket.Listen(1);
listenSocket.BeginAccept(new AsyncCallback(ReceiveCallback), listenSocket);
while (true)
{
Console.WriteLine("Busy Waiting....");
Thread.Sleep(2000);
}
}
catch (Exception e)
{
Console.WriteLine("Caught Exception: {0}", e.ToString());
}
}
}
我从网上下载了这个,以便有一个可以使用的基本模型。
基本上我需要做的是将此网络服务器作为计算机中的进程运行。它将一直监听 8080 端口,当客户端计算机发送请求时,该服务器将处理一些数据并将结果作为字符串发送回。
我用这段代码创建了一个小项目(按原样运行),但是当它执行该行时
client.Send(message);
我得到的只是浏览器中的错误,或者最多是一个空白页面
我怀疑我需要定义要与(消息)一起发送的 HTTP 标头,但我一直在网上搜索这个没有运气
有人愿意帮忙吗?
谢谢!