DEV Community

Cover image for Understanding Unix Domain Sockets in Golang
Douglas Makey Mendez Molero
Douglas Makey Mendez Molero

Posted on • Updated on

Understanding Unix Domain Sockets in Golang

In Golang, a socket is a communication endpoint that allows a program to send and receive data over a network. There are two main types of sockets in Golang: Unix domain sockets (AF_UNIX) and network sockets (AF_INET|AF_INET6). This blog post will explore some differences between these two types of sockets.

Unix domain sockets, a.k.a., local sockets, are used for communication between processes on the same machine. They use a file-based interface and can be accessed using the file system path, just like regular files. In some cases, Unix domain sockets are faster and more efficient than network sockets as they do not require the overhead of network protocols and communication. They are commonly used for interprocess communication (IPC) and communication between services on the same machine. The data is transmitted between processes using the file system as the communication channel.

The file system provides a reliable and efficient mechanism for transmitting data between processes. Only the kernel is involved in the communication between processes. The processes communicate by reading and writing to the same socket file, which is managed by the kernel. The kernel is responsible for handling the communication details, such as synchronization, buffering and error handling, and ensures that the data is delivered reliably and in the correct order.

This is different from network sockets, where the communication involves the kernel, the network stack, and the network hardware. The processes use network protocols, such as TCP/UDP, in network sockets to establish connections and transfer data over the network. The kernel and the network stack handle the communication details, such as routing, addressing, and error correction. The network hardware handles the physical transmission of the data over the network.

In Golang, Unix domain sockets are created using the net.Dial "client" or net.Listen "server" functions, with the unix network type. For example, the following code creates a Unix domain socket and listens for incoming connections:

// Create a Unix domain socket and listen for incoming connections.
socket, err := net.Listen("unix", "/tmp/mysocket.sock")
if err != nil {
    panic(err)
}

Enter fullscreen mode Exit fullscreen mode

Let's look at an example of how to use Unix domain sockets in Golang. The following code creates a simple echo server using a Unix domain socket:

package main
import (...)

func main() {
    // Create a Unix domain socket and listen for incoming connections.
    socket, err := net.Listen("unix", "/tmp/echo.sock")
    if err != nil {
        log.Fatal(err)
    }

    // Cleanup the sockfile.
    c := make(chan os.Signal, 1)
    signal.Notify(c, os.Interrupt, syscall.SIGTERM)
    go func() {
        <-c
        os.Remove("/tmp/echo.sock")
        os.Exit(1)
    }()

    for {
        // Accept an incoming connection.
        conn, err := socket.Accept()
        if err != nil {
            log.Fatal(err)
        }

        // Handle the connection in a separate goroutine.
        go func(conn net.Conn) {
            defer conn.Close()
            // Create a buffer for incoming data.
            buf := make([]byte, 4096)

            // Read data from the connection.
            n, err := conn.Read(buf)
            if err != nil {
                log.Fatal(err)
            }

            // Echo the data back to the connection.
            _, err = conn.Write(buf[:n])
            if err != nil {
                log.Fatal(err)
            }
        }(conn)
    }
}

Enter fullscreen mode Exit fullscreen mode

Let's test the above echo server using netcat, you can use the -U option to specify the socket file. This allows you to connect to the socket and send and receive data through it.

$ echo "I'm a Kungfu Dev" | nc -U /tmp/echo.sock
I'm a Kungfu Dev
Enter fullscreen mode Exit fullscreen mode

Network sockets, on the other hand, are used for communication between processes on different machines. They use network protocols, such as TCP and UDP. Network sockets are more versatile than Unix domain sockets, as they can be used to communicate with processes on any machine that is connected to the network. They are commonly used for client-server communication, such as web servers and client applications.

In Golang, network sockets are created using the net.Dial or net.Listen functions, with a network type such as TCP or UDP. For example, the following code creates a TCP socket and listens for incoming connections:

// Create a TCP socket and listen for incoming connections.
socket, err := net.Listen("tcp", ":8000")
if err != nil {
    panic(err)
}
Enter fullscreen mode Exit fullscreen mode

Basic Profiling from a client perspective

Client pprof for network socket

Type: cpu
...
(pprof) list main.main
...
ROUTINE ======================== main.main in /Users/douglasmakey/go/src/github.com/douglasmakey/go-sockets-uds-network-pprof/server_echo_network_socket/client/main.go
         0      530ms (flat, cum) 70.67% of Total 
         .          .     16: 
         .          .     17:   pprof.StartCPUProfile(f) 
         .          .     18:   defer pprof.StopCPUProfile() 
         .          .     19: 
         .          .     20:   for i := 0; i < 10000; i++ { 
         .      390ms     21:          conn, err := net.Dial("tcp", "localhost:3000") 
         .          .     22:          if err != nil { 
         .          .     23:                  log.Fatal(err) 
         .          .     24:          } 
         .          .     25: 
         .          .     26:          msg := "Hello" 
         .       40ms     27:          if _, err := conn.Write([]byte(msg)); err != nil { 
         .          .     28:                  log.Fatal(err) 
         .          .     29:          } 
         .          .     30: 
         .          .     31:          b := make([]byte, len(msg)) 
         .      100ms     32:          if _, err := conn.Read(b); err != nil { 
         .          .     33:                  log.Fatal(err) 
         .          .     34:          } 
         .          .     35:   } 
         .          .     36:}
Enter fullscreen mode Exit fullscreen mode

Client pprof for unix socket

Type: cpu
...
(pprof) list main.main
...
ROUTINE ======================== main.main in /Users/douglasmakey/go/src/github.com/douglasmakey/go-sockets-uds-network-pprof/server_echo_unix_domain_socket/client/main.go
         0      210ms (flat, cum) 80.77% of Total 
         .          .     16: 
         .          .     17:   pprof.StartCPUProfile(f) 
         .          .     18:   defer pprof.StopCPUProfile() 
         .          .     19: 
         .          .     20:   for i := 0; i < 10000; i++ { 
         .      130ms     21:          conn, err := net.Dial("unix", "/tmp/echo.sock") 
         .          .     22:          if err != nil { 
         .          .     23:                  log.Fatal(err) 
         .          .     24:          } 
         .          .     25: 
         .          .     26:          msg := "Hello" 
         .       40ms     27:          if _, err := conn.Write([]byte(msg)); err != nil { 
         .          .     28:                  log.Fatal(err) 
         .          .     29:          } 
         .          .     30: 
         .          .     31:          b := make([]byte, len(msg)) 
         .       40ms     32:          if _, err := conn.Read(b); err != nil { 
         .          .     33:                  log.Fatal(err) 
         .          .     34:          } 
         .          .     35:   } 
         .          .     36:}
Enter fullscreen mode Exit fullscreen mode

Things to notice in these basic profiles are:

  • Open an unix socket is significantly faster than a network socket.
  • Reading from unix socket is significantly faster than reading from a network socket.

Github Repo

Use Unix domain socket with HTTP Server

To use a Unix domain socket with an HTTP server in Go, you can use the server.Serve function and specify the net.Listener to listen on.

package main
import (...)

const socketPath = "/tmp/httpecho.sock"
func main() {
    // Create a Unix domain socket and listen for incoming connections.
    socket, err := net.Listen("unix", socketPath)
    if err != nil {
        panic(err)
    }

    // Cleanup the sockfile.
    c := make(chan os.Signal, 1)
    signal.Notify(c, os.Interrupt, syscall.SIGTERM)
    go func() {
        <-c
        os.Remove(socketPath)
        os.Exit(1)
    }()

    m := http.NewServeMux()
    m.HandleFunc("/", func(w http.ResponseWriter, r *http.Request) {
        w.Write([]byte("Hello kung fu developer! "))
    })

    server := http.Server{
        Handler: m,
    }

    if err := server.Serve(socket); err != nil {
        log.Fatal(err)
    }
}

Enter fullscreen mode Exit fullscreen mode

Test it

$ curl -s -N --unix-socket /tmp/httpecho.sock http://localhost/
Hello kung fu developer!
Enter fullscreen mode Exit fullscreen mode

Using an HTTP server with a Unix domain socket in Go can provide several advantages, which were named in this article, such as improved security, performance, ease of use, and interoperability. These advantages can make the HTTP server implementation more efficient, reliable, and scalable for processes that have to communicate between the same machine.

What about security?

Unix domain sockets and network sockets have different security characteristics. In general, Unix domain sockets are considered to be more secure than network sockets, as they are not exposed to the network and are only accessible to processes on the same machine.

One of the main security features of Unix domain sockets is that they use file system permissions to control access. The socket file is created with a specific user and group and can only be accessed by processes that have the correct permissions for that user and group. This means that only authorized processes can connect to the socket and exchange data.

In contrast, network sockets are exposed to the network and are accessible to any machine that is connected to the network. This makes them vulnerable to attacks from malicious actors, such as hackers and malware. Network sockets use network protocols, such as TCP/UDP. These protocols have their own security mechanisms, such as encryption and authentication. However, these mechanisms are not always sufficient to protect against all types of attacks, and network sockets can still be compromised.

Which to choose?

When deciding between Unix domain sockets and network sockets in Golang, it is important to consider the requirements and constraints of the application. Unix domain sockets are faster and more efficient but are limited to communication between processes on the same machine. Network sockets are more versatile but require more overhead and are subject to network latency and reliability issues. In general, Unix domain sockets are suitable for IPC and communication between services on the same machine, while network sockets are suitable for client-server communication over the network.

You should choose a Unix domain socket over a network socket when you need to communicate between processes on the same host. Unix domain sockets provide a secure and efficient communication channel between processes on the same host and are suitable for scenarios where the processes need to exchange data frequently or in real time.

For example, imagine you have two containers in a K8s pod, which must communicate with each other as quickly as possible!

In conclusion, Unix domain sockets and network sockets are two important types of sockets in Golang and are used for different purposes and scenarios. Understanding the differences and trade-offs between these types of sockets is essential for designing and implementing efficient and reliable networked applications in Golang.

Remember, the communication between processes with a unix socket is handled solely by the kernel, while in a network socket, the communication involves the kernel, the network stack, and the network hardware.

Top comments (4)

Collapse
 
yixiongtan profile image
Ian

Really good article about Unix Domain Sockets/ Network sockets in Golang. Just what I need. Thanks!

Collapse
 
gokul_codes profile image
Gokulakrishnan

Great article, almost covered everything that I was looking for. Thanks!

Collapse
 
douglasmakey profile image
Douglas Makey Mendez Molero

Thank you very much. I hope you found the article helpful. I would be happy to discuss this topic further if you're interested.

Collapse
 
wenxuwan profile image
wenxuwan

If the two containers do not have a shared file directory (the same volume is not mounted), is there a way to communicate through unix