So I tried the following program to make an async server, when its sync its easy and i can only speak with the server with 1 connection because the second one isn't allowed. I make a class Server.cs with my server implementation. For the clinet I use Microsoft Telnet.
Program.cs:
static void Main(string[] args)
{
Server myServer = new Server();
myServer.StartListening();
Console.ReadKey();
}
Server.cs
class Server
{
//Delegates
delegate void socketConnection();
socketConnection myConnection;
//Needed for connections
public IPEndPoint serverIPEP { get; set; }
public Socket serverSocket { get; set; }
public int numberOfConnections { get; set; }
public List<Socket> activeConnections;
//Constructors
public Server()
{
serverIPEP = new IPEndPoint(IPAddress.Any, 9080);
serverSocket = new Socket(AddressFamily.InterNetwork, SocketType.Stream, ProtocolType.Tcp);
numberOfConnections = 10;
activeConnections = new List<Socket>(numberOfConnections);
}
public Server(IPEndPoint serverIPEP)
{
this.serverIPEP = serverIPEP;
serverSocket = new Socket(AddressFamily.InterNetwork, SocketType.Stream, ProtocolType.Tcp);
numberOfConnections = 10;
activeConnections = new List<Socket>(numberOfConnections);
}
public Server(Socket serverSocket)
{
serverIPEP = new IPEndPoint(IPAddress.Any, 9080);
this.serverSocket = serverSocket;
numberOfConnections = 10;
activeConnections = new List<Socket>(numberOfConnections);
}
public Server(IPEndPoint serverIPEP, Socket serverSocket, int numberOfConnections)
{
this.serverIPEP = serverIPEP;
this.serverSocket = serverSocket;
this.numberOfConnections = numberOfConnections;
activeConnections = new List<Socket>(numberOfConnections);
}
public void StartListening()
{
serverSocket.Bind(serverIPEP);
serverSocket.Listen(numberOfConnections);
Console.WriteLine("Waiting for connections...");
//Here I made a loop with the callback :) I don't think its the cleverest implementation
myConnection = new socketConnection(GetConnections);
IAsyncResult connectionResult = myConnection.BeginInvoke(callBack, this);
//connectionResult.AsyncWaitHandle.WaitOne();
}
private void GetConnections()
{
Socket clientSocket = serverSocket.Accept();
activeConnections.Add(clientSocket);
}
private void callBack(IAsyncResult itfAR)
{
Console.WriteLine("Current thread: " + System.Threading.Thread.CurrentThread.ManagedThreadId);
myConnection.BeginInvoke(callBack, this);
}
The problem is that when I connect with 2 clients it tells me that they are on the same thread, and I want them to be on separated threads. It tells me:
Waiting for connections...
Current thread: 7
Current thread: 7
Shouldn't there be another number like thread 7 and then thread 9? Or it happens like this because I connect to the server from the same computer?