在Linux下,C++可以通過多種方式實現進程間通信(IPC),以下是一些常見的IPC機制:
管道(Pipes):
信號(Signals):
消息隊列(Message Queues):
共享內存(Shared Memory):
信號量(Semaphores):
套接字(Sockets):
下面是一些簡單的示例代碼,展示了如何在C++中使用這些IPC機制:
#include <iostream>
#include <unistd.h>
#include <sys/types.h>
#include <sys/wait.h>
int main() {
int pipefd[2];
pid_t pid;
char buffer[10];
if (pipe(pipefd) == -1) {
perror("pipe");
exit(EXIT_FAILURE);
}
pid = fork();
if (pid == -1) {
perror("fork");
exit(EXIT_FAILURE);
}
if (pid > 0) { // 父進程
close(pipefd[0]); // 關閉讀端
const char* message = "Hello from parent!";
write(pipefd[1], message, strlen(message) + 1); // 寫入數據
close(pipefd[1]); // 關閉寫端
wait(NULL); // 等待子進程結束
} else { // 子進程
close(pipefd[1]); // 關閉寫端
read(pipefd[0], buffer, sizeof(buffer)); // 讀取數據
std::cout << "Child received: " << buffer << std::endl;
close(pipefd[0]); // 關閉讀端
}
return 0;
}
首先創建一個命名管道:
mkfifo myfifo
然后使用C++代碼進行通信:
// 寫入進程
#include <iostream>
#include <fcntl.h>
#include <sys/stat.h>
#include <unistd.h>
int main() {
const char* fifo = "myfifo";
int fd = open(fifo, O_WRONLY);
if (fd == -1) {
perror("open");
exit(EXIT_FAILURE);
}
const char* message = "Hello from FIFO!";
write(fd, message, strlen(message) + 1);
close(fd);
return 0;
}
// 讀取進程
#include <iostream>
#include <fcntl.h>
#include <sys/stat.h>
#include <unistd.h>
int main() {
const char* fifo = "myfifo";
int fd = open(fifo, O_RDONLY);
if (fd == -1) {
perror("open");
exit(EXIT_FAILURE);
}
char buffer[10];
read(fd, buffer, sizeof(buffer));
std::cout << "Received: " << buffer << std::endl;
close(fd);
return 0;
}
#include <iostream>
#include <sys/ipc.h>
#include <sys/shm.h>
#include <unistd.h>
int main() {
key_t key = ftok("shmfile", 65);
int shmid = shmget(key, 1024, 0666|IPC_CREAT);
char *str = (char*) shmat(shmid, (void*)0, 0);
strcpy(str, "Hello shared memory!");
std::cout << "Shared memory: " << str << std::endl;
shmdt(str);
shmctl(shmid, IPC_RMID, NULL);
return 0;
}
這些示例僅用于演示如何在C++中使用Linux IPC機制。在實際應用中,可能需要更復雜的錯誤處理和同步機制。此外,還有其他IPC方法,如信號量、消息隊列和套接字,可以根據具體需求選擇合適的IPC機制。