我想在我的服务器上实现一个套接字监听器控制台应用程序,该应用程序从多个套接字客户端获取数据。
另一方面,每个客户端都有自己的域名(不使用IP地址)。我正在使用静态IP地址在服务器上运行侦听器,并且已为IP地址定义了通配符DNS记录(例如:*。xxx.yyy.com)。
当我对域名执行ping操作时,将解析静态IP地址,并且客户端能够使用域名来发送数据。
我正在特定端口上测试一个简单的TCP侦听器控制台应用程序,以获取由控制台客户端发送的数据。
这是示例侦听器代码:
using System;
using System.Net;
using System.Text;
using System.Net.Sockets;
namespace SocketExample
{
public class SocketListener
{
public static int Main(String[] args)
{
StartServer();
return 0;
}
public static void StartServer()
{
var ipAddress = IPAddress.Parse("xxx.xxx.xxx.xxx");
IPEndPoint localEndPoint = new IPEndPoint(ipAddress, 11000);
try
{
Socket listener = new Socket(ipAddress.AddressFamily, SocketType.Stream, ProtocolType.Tcp);
listener.Bind(localEndPoint);
listener.Listen(10);
Socket handler = listener.Accept();
string data = null;
byte[] bytes = null;
while (true)
{
bytes = new byte[1024];
int bytesRec = handler.Receive(bytes);
data += Encoding.ASCII.GetString(bytes, 0, bytesRec);
if (data.IndexOf("<EOF>") > -1)
{
break;
}
}
Console.WriteLine("Text received : {0}", data);
byte[] msg = Encoding.ASCII.GetBytes(data);
handler.Send(msg);
handler.Shutdown(SocketShutdown.Both);
handler.Close();
}
catch (Exception e)
{
Console.WriteLine(e.ToString());
}
Console.WriteLine("\n Press any key to continue...");
Console.ReadKey();
}
}
}
客户端代码为:
using System;
using System.Net;
using System.Net.Sockets;
using System.Text;
namespace Client
{
public class SocketClient
{
public static void Main(String[] args)
{
byte[] bytes = new byte[1024];
var ipAddress = IPAddress.Parse("xxx.xxx.xxx.xxx");
IPEndPoint remoteEP = new IPEndPoint(ipAddress, 11000);
Socket sender = new Socket(ipAddress.AddressFamily,
SocketType.Stream, ProtocolType.Tcp);
sender.Connect(remoteEP);
Console.WriteLine("Socket connected to {0}", sender.RemoteEndPoint.ToString());
byte[] msg = Encoding.ASCII.GetBytes("This is a test<EOF>");
int bytesSent = sender.Send(msg);
int bytesRec = sender.Receive(bytes);
Console.WriteLine("Echoed test = {0}", Encoding.ASCII.GetString(bytes, 0, bytesRec));
sender.Shutdown(SocketShutdown.Both);
sender.Close();
}
}
}
使用DNSEntry一切都可以正常工作,但是问题是我想根据客户调用的域名来识别我的客户。
例如,我有2个客户:
当侦听器接收到数据时,我想根据调用域名来标识客户端。
我想知道如何在侦听器端解析呼叫域名。 是否可以获取域名,或者客户端应该在发送的数据中发送特定的域名?
答案 0 :(得分:1)
如果您想要客户端用来连接的文本域名,那么您的客户端将必须将其作为数据协议的一部分发送到服务器,类似于HTTP中有一个Host:
标头的方式< / p>
建立套接字连接后,仅使用IP地址即可。此时,文本域名不再存在。