Notice
Recent Posts
Recent Comments
Link
| 일 | 월 | 화 | 수 | 목 | 금 | 토 |
|---|---|---|---|---|---|---|
| 1 | 2 | 3 | ||||
| 4 | 5 | 6 | 7 | 8 | 9 | 10 |
| 11 | 12 | 13 | 14 | 15 | 16 | 17 |
| 18 | 19 | 20 | 21 | 22 | 23 | 24 |
| 25 | 26 | 27 | 28 | 29 | 30 | 31 |
Tags
- DockerDesktop
- IOCP 서버
- 윈도우10 WOL
- Volume Mount
- 윈도우10 Wake On Lan
- IOCP
- mongodb readonly
- DockerVolume
- DockerWindows
- mongo docker
- docker-compose
- 닷넷코어
- firefly3
- 가계부
- .netCore Install
- Docker오류
- n8n설치
- wol
- docker
- Wake On Lan
- ubuntu .net Core
- .dotnet Core 3.1 Install
- MySQL
- Firefly
- docker desktop
- mongodb pss
- n8n
- IOCP 클라이언트
- 도커마운트
- Winsock
Archives
- Today
- Total
;
C# 비동기 클라이언트 소켓 예제 [ C# Asynchronous Client ] 본문
반응형
C# 비동기 클라이언트 소켓 예제를 기반으로 C# 서버, C# 클라이언트를 GUI로 만들어본 예제를 업로드 하였습니다.
주소 : https://github.com/WindowsHyun/AsynchronouslySocket
사용 가능 :
- C# 서버, C# 클라이언트 연결
- x, y, z 값을 양방향으로 주고 받을 수 있다.
- 주고받은 값들을 각 ListBox에 공유
- 서버의 경우 클라이언트 ID를 기반 (먼저 들어온 순서대로 0번 ~ N번 까지)으로 표시
using System.Net;
using System.Net.Sockets;
using System.Threading; // ManualResetEvent
// State object for receiving data from remote device.
public class StateObject {
// Client socket.
public Socket workSocket = null;
// Size of receive buffer.
public const int BufferSize = 256;
// Receive buffer.
public byte[] buffer = new byte[BufferSize];
// Received data string.
public StringBuilder sb = new StringBuilder();
}
public class AsynchronousClient {
// The port number for the remote device.
private const int port = 11000;
// ManualResetEvent instances signal completion.
private static ManualResetEvent connectDone =
new ManualResetEvent(false);
private static ManualResetEvent sendDone =
new ManualResetEvent(false);
private static ManualResetEvent receiveDone =
new ManualResetEvent(false);
// The response from the remote device.
private static String response = String.Empty;
public void StartClient() {
// Connect to a remote device.
try {
// Establish the remote endpoint for the socket.
// The name of the
// remote device is "host.contoso.com".
IPHostEntry ipHostInfo = Dns.Resolve("host.contoso.com");
IPAddress ipAddress = ipHostInfo.AddressList[0];
IPEndPoint remoteEP = new IPEndPoint(ipAddress, port);
// Create a TCP/IP socket.
Socket client = new Socket(AddressFamily.InterNetwork,
SocketType.Stream, ProtocolType.Tcp);
// Connect to the remote endpoint.
client.BeginConnect( remoteEP,
new AsyncCallback(ConnectCallback), client);
connectDone.WaitOne();
// Send test data to the remote device.
Send(client,"This is a test");
sendDone.WaitOne();
// Receive the response from the remote device.
Receive(client);
receiveDone.WaitOne();
// Write the response to the console.
Console.WriteLine("Response received : {0}", response);
// Release the socket.
client.Shutdown(SocketShutdown.Both);
client.Close();
} catch (Exception e) {
Console.WriteLine(e.ToString());
}
}
private static void ConnectCallback(IAsyncResult ar) {
try {
// Retrieve the socket from the state object.
Socket client = (Socket) ar.AsyncState;
// Complete the connection.
client.EndConnect(ar);
Console.WriteLine("Socket connected to {0}",
client.RemoteEndPoint.ToString());
// Signal that the connection has been made.
connectDone.Set();
} catch (Exception e) {
Console.WriteLine(e.ToString());
}
}
private static void Receive(Socket client) {
try {
// Create the state object.
StateObject state = new StateObject();
state.workSocket = client;
// Begin receiving the data from the remote device.
client.BeginReceive( state.buffer, 0, StateObject.BufferSize, 0,
new AsyncCallback(ReceiveCallback), state);
} catch (Exception e) {
Console.WriteLine(e.ToString());
}
}
private static void ReceiveCallback( IAsyncResult ar ) {
try {
// Retrieve the state object and the client socket
// from the asynchronous state object.
StateObject state = (StateObject) ar.AsyncState;
Socket client = state.workSocket;
// Read data from the remote device.
int bytesRead = client.EndReceive(ar);
if (bytesRead > 0) {
// There might be more data, so store the data received so far.
state.sb.Append(Encoding.ASCII.GetString(state.buffer,0,bytesRead));
// Get the rest of the data.
client.BeginReceive(state.buffer,0,StateObject.BufferSize,0,
new AsyncCallback(ReceiveCallback), state);
} else {
// All the data has arrived; put it in response.
if (state.sb.Length > 1) {
response = state.sb.ToString();
}
// Signal that all bytes have been received.
receiveDone.Set();
}
} catch (Exception e) {
Console.WriteLine(e.ToString());
}
}
private static void Send(Socket client, String data) {
// Convert the string data to byte data using ASCII encoding.
byte[] byteData = Encoding.ASCII.GetBytes(data);
// Begin sending the data to the remote device.
client.BeginSend(byteData, 0, byteData.Length, 0,
new AsyncCallback(SendCallback), client);
}
private static void SendCallback(IAsyncResult ar) {
try {
// Retrieve the socket from the state object.
Socket client = (Socket) ar.AsyncState;
// Complete sending the data to the remote device.
int bytesSent = client.EndSend(ar);
Console.WriteLine("Sent {0} bytes to server.", bytesSent);
// Signal that all bytes have been sent.
sendDone.Set();
} catch (Exception e) {
Console.WriteLine(e.ToString());
}
}
}
사용 방법 AsynchronousClient ac = new AsynchronousClient(); Thread workerThread; // 선언을 한 뒤, 버튼 혹은 폼로드에 workerThread = new Thread(ac.StartClient); workerThread.Start(); // 작성을 해주시면 스레드를 통하여 비동기 클라이언트 소켓이 정상적으로 작동이 된다.
출처 : https://msdn.microsoft.com/ko-kr/library/bew39x2a(v=vs.110).aspx
반응형
'C, C++, C#' 카테고리의 다른 글
| [FlatBuffers] 플랫버퍼란 무엇인가? (4) | 2018.09.09 |
|---|---|
| 정규식 자동 완성 사이트 (0) | 2018.01.25 |
| C# HttpWebRequest 웹 파싱하기 (0) | 2017.06.28 |
| C# 특정글자 파싱하기 SplitParsing (2) | 2017.06.28 |
| C언어 ODBC를 이용하여 특정 아이디의 데이터 찾아 뿌려주기 (0) | 2017.05.31 |
Comments