命名管道是通過網路來完成程式間的通訊,它遮蔽了底層的網路協議細節。
將命名管道作為一種網路程式設計方案時,它實際上建立了一個C/S通訊體系,並在其中可靠的傳輸資料。命名管道伺服器和客戶機的區別在於:伺服器是唯一一個有權建立命名管道的程式,也只有它能接受管道客戶機的連線請求。而客戶機只能同一個現成的命名管道伺服器建立連線。命名管道提供了兩種基本通訊模式,位元組模式和訊息模式。在位元組模式中,資料以一個連續的位元組流的形式在客戶機和伺服器之間流動。而在訊息模式中,客戶機和伺服器則通過一系列不連續的資料單位進行資料的收發,每次在管道上發出一條訊息後,它必須作為一條完整的訊息讀入。
#include "stdafx.h" #include <windows.h> #include <stdio.h> int _tmain(int argc, _TCHAR* argv[]) { //接受所有安全描述(也就是把管道的連線許可權降到最低). SECURITY_ATTRIBUTES sa; SECURITY_DESCRIPTOR sd; if( InitializeSecurityDescriptor(&sd, SECURITY_DESCRIPTOR_REVISION) ) { // add a NULL disc. ACL to the security descriptor. if (SetSecurityDescriptorDacl(&sd, TRUE, (PACL) NULL, FALSE)) { sa.nLength = sizeof(sa); sa.lpSecurityDescriptor =&sd; sa.bInheritHandle = TRUE; //建立一個命名管道,在windows中\代表zhuan'yi兩個\\代表一個\ HANDLE hNamedPipe = CreateNamedPipeA("\\\\.\\pipe\\testName", PIPE_ACCESS_DUPLEX | FILE_FLAG_OVERLAPPED, PIPE_TYPE_BYTE, 1, 1024, 1024,0 , &sa); //檢查是否建立成功 if (hNamedPipe == INVALID_HANDLE_VALUE) { printf("create named pipe failed!\n"); } else Window { printf("create named pipe success!\n"); } //非同步IO結構 OVERLAPPED op; ZeroMemory(&op, sizeof(OVERLAPPED)); //建立一個事件核心物件 op.hEvent = CreateEvent(NULL, TRUE, FALSE, NULL); //等待一個客戶端進行連線 BOOL b = ConnectNamedPipe(hNamedPipe, &op); //當有客戶端進行連線時,事件變成有訊號的狀態 if (WaitForSingleObject(op.hEvent, INFINITE) == 0) { printf("client connect success!\n"); } else { printf("client connect failed!\n"); } //連線成功後,進行通訊,讀寫 char buff[100]; sprintf_s(buff, 100, "test message from server!"); DWORD cbWrite; WriteFile(hNamedPipe, buff, strlen(buff), &cbWrite, NULL); ZeroMemory(buff, 100); ReadFile(hNamedPipe, buff, 100, &cbWrite, NULL); //通訊完之後,斷開連線 DisconnectNamedPipe(hNamedPipe); //關閉管道 CloseHandle(hNamedPipe); } } system("pause"); return 0; }
#include "stdafx.h" #include <windows.h> #include <stdio.h> int _tmain(int argc, _TCHAR* argv[]) { //檢查命名管道是否存在 BOOL b = WaitNamedPipeA("\\\\.\\pipe\\testName", NMPWAIT_WAIT_FOREVER); //開啟管道 HANDLE hFile = CreateFileA("\\\\.\\pipe\\testName", GENERIC_READ | GENERIC_WRITE, 0, NULL, OPEN_EXISTING, FILE_ATTRIBUTE_NORMAL, NULL); //檢查是否連線成功 if (!b || hFile == INVALID_HANDLE_VALUE) { printf("connect failed!\n"); } else { printf("connect success!\n"); } //進行通訊 char buf[100]; ZeroMemory(buf, 100); DWORD dwRead; ReadFile(hFile, buf, 100, &dwRead, NULL); printf(buf); WriteFile(hFile, "test message for client!", strlen("test message for client!"), &dwRead, NULL); //關閉管道 CloseHandle(hFile); system("pause"); return 0; }