How is struct sockaddr
different from struct sockaddr_un
?
I know that we use these structures in client-server modules, for binding the socket to the socket address. And we use a cast operator for it to accept struct sockaddr_un
.
I want to know how different/similar they are, and why the cast operator?
sockaddr. The first structure is sockaddr that holds the socket information − struct sockaddr { unsigned short sa_family; char sa_data[14]; }; This is a generic socket address structure, which will be passed in most of the socket function calls. The following table provides a description of the member fields −
The AF_UNIX (also known as AF_LOCAL) socket family is used to communicate between processes on the same machine efficiently. Traditionally, UNIX domain sockets can be either unnamed, or bound to a filesystem pathname (marked as being of type socket).
"struct sockaddr" is a generic definition. It's used by any socket function that requires an address.
"struct sockaddr_un" (a "Unix sockets" address) is a specific kind of address family.
The more commonly seen "struct sockaddr_in" (an "Internet socket" address) is another specific kind of address family.
The cast is what allows the sockets APIs to accept a common parameter type that will actually be any one of several different actual types.
Here's a good link that shows several different address family definitions:
http://www.cas.mcmaster.ca/~qiao/courses/cs3mh3/tutorials/socket.html
A struct sockaddr
should generally only be used as the base type for a pointer. It is a structure intended to cover the common initial sequence of the members in the address family specific socket address types (struct sockaddr_un
, struct sockaddr_in
, struct sockaddr_in6
etc.)
The only member that you can rely on struct sockaddr
having is a single sa_family_t
, indicating the socket address family. The idea is that to obtain a sort of polymorphism - you can have a function that can operate on several different socket address types:
void foo(struct sockaddr *sa) { switch(sa->sa_family) { case AF_INET: { struct sockaddr_in *sa_in = (struct sockaddr_in *)sa; /* AF_INET processing */ } case AF_UNIX: { struct sockaddr_un *sa_un = (struct sockaddr_un *)sa; /* AF_UNIX processing */ } /* ... */
Note though that code like the above is generally considered to break the "strict aliasing" rule in C - if you want to do that in your own code, you are supposed to use a union type:
union sockaddr { struct sockaddr sa; struct sockaddr_in sin; struct sockaddr_un sun; /* ... */ }; void foo(union sockaddr *sa_union) { struct sockaddr *sa = (struct sockaddr *)sa_union; switch(sa->sa_family) { case AF_INET: { struct sockaddr_in *sa_in = (struct sockaddr_in *)sa; /* AF_INET processing */ } case AF_UNIX: { struct sockaddr_un *sa_un = (struct sockaddr_un *)sa; /* AF_UNIX processing */ } /* ... */
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With