Un archivo de socket Unix/Linux es básicamente un FIFO bidireccional. Dado que los sockets se crearon originalmente como una forma de administrar las comunicaciones de red, es posible manipularlos usando el send()
y recv()
llamadas del sistema. Sin embargo, en el espíritu de Unix de "todo es un archivo", también puede usar write()
y read()
. Necesitas usar socketpair()
o socket()
para crear sockets con nombre. Puede encontrar un tutorial para usar sockets en C aquí:Guía de Beej para Unix IPC:Unix Sockets.
El socat
La utilidad de línea de comandos es útil cuando quiere jugar con sockets sin escribir un programa "real". Es similar a netcat
y actúa como un adaptador entre diferentes redes e interfaces de archivos.
Enlaces:
socat
casa del proyecto- Una introducción a
socat
- Artículo interesante sobre sockets Unix y
socat
Cree un socket rápidamente en python:
~]# python -c "import socket as s; sock = s.socket(s.AF_UNIX); sock.bind('/tmp/somesocket')"
~]# ll /tmp/somesocket
srwxr-xr-x. 1 root root 0 Mar 3 19:30 /tmp/somesocket
O con un pequeño programa en C, por ejemplo, guarde lo siguiente en create-a-socket.c
:
#include <fcntl.h>
#include <sys/un.h>
#include <sys/socket.h>
#include <sys/stat.h>
#include <sys/types.h>
#include <unistd.h>
int main(int argc, char **argv)
{
// The following line expects the socket path to be first argument
char * mysocketpath = argv[1];
// Alternatively, you could comment that and set it statically:
//char * mysocketpath = "/tmp/mysock";
struct sockaddr_un namesock;
int fd;
namesock.sun_family = AF_UNIX;
strncpy(namesock.sun_path, (char *)mysocketpath, sizeof(namesock.sun_path));
fd = socket(AF_UNIX, SOCK_DGRAM, 0);
bind(fd, (struct sockaddr *) &namesock, sizeof(struct sockaddr_un));
close(fd);
return 0;
}
Luego instale gcc, compílelo y ta-da:
~]# gcc -o create-a-socket create-a-socket.c
~]# ./create-a-socket mysock
~]# ll mysock
srwxr-xr-x. 1 root root 0 Mar 3 17:45 mysock