管道通信
管道通信(Pipe Communication)可以用来在两个或多个进程之间传递数据。
管道可以是匿名的也可以是有名的,有名管道允许不同进程间的通信,而匿名管道通常用于父子进程之间的通信。
详细参考pipe管道通信原理_核间通信pipe通信-CSDN博客
管道实例
服务器端会创建一个命名管道并等待客户端连接,
客户端则会尝试连接到这个管道,并发送一条消息给服务器端,服务器端接收到消息后会打印出来。
服务器端代码 (PipeServer
)
服务器端的代码可以写成方法,或是集成到需要的地方使用。参考代码如下:
using System;
using System.IO.Pipes;
using System.Text;
class PipeServer
{
static void Main(string[] args)
{
using (NamedPipeServerStream pipeServer = new NamedPipeServerStream("MyPipeName", PipeDirection.InOut))
{
Console.WriteLine("Waiting for a client...");
pipeServer.WaitForConnection(); // 等待客户端连接
Console.WriteLine("Connected.");
// 读取客户端发送的数据
byte[] bytes = new byte[1024];
int readBytes = pipeServer.Read(bytes, 0, bytes.Length);
string data = Encoding.ASCII.GetString(bytes, 0, readBytes);
Console.WriteLine($"Received: {data}");
// 向客户端发送响应
string response = "Hello back from the server!";
byte[] responseBytes = Encoding.ASCII.GetBytes(response);
pipeServer.Write(responseBytes, 0, responseBytes.Length);
pipeServer.Flush();
pipeServer.Disconnect(); // 断开连接
}
}
}
客户端代码 (PipeClient
)
客户端的代码可以写成方法,或是集成到需要的地方使用。参考代码如下:
using System;
using System.IO.Pipes;
using System.Text;
class PipeClient
{
static void Main(string[] args)
{
using (NamedPipeClientStream pipeClient = new NamedPipeClientStream(".", "MyPipeName", PipeDirection.InOut))
{
pipeClient.Connect(1000); // 尝试连接,超时时间为1秒
Console.WriteLine("Connected to server.");
// 向服务器发送数据
string message = "Hello from the client!";
byte[] bytes = Encoding.ASCII.GetBytes(message);
pipeClient.Write(bytes, 0, bytes.Length);
pipeClient.Flush();
// 读取服务器响应
byte[] responseBytes = new byte[1024];
int bytesRead = pipeClient.Read(responseBytes, 0, responseBytes.Length);
string response = Encoding.ASCII.GetString(responseBytes, 0, bytesRead);
Console.WriteLine($"Received from server: {response}");
pipeClient.Close(); // 关闭管道
}
}
}
在这个例子中,服务器和客户端都使用相同的管道名字 "MyPipeName"
进行通信。服务器首先创建管道并等待客户端连接,而客户端则尝试连接到服务器端创建的管道,并发送一个字符串消息。服务器和客户端都实现了读写操作,使得数据可以在两者之间双向流动。当客户端向服务器发送消息后,服务器会接收到消息并回发一条响应给客户端。同样地,客户端在发送消息后也会读取来自服务器的响应。
标签:responseBytes,服务器端,C#,bytes,Pipe,管道,using,客户端 From: https://blog.csdn.net/wangnaisheng/article/details/140541787