Determining endianness with htons

1.1k Views Asked by At

Consider the following code:

#include <stdio.h>
#include <arpa/inet.h>

int main(int argc, char *argv[]) {
    uint16_t num = 123;

    if (htons(num) == num) {
        printf("big endian\n");
    } else {
        printf("little endian\n");
    }
}

I'm wondering whether this code works for checking endianness? I've seen many questions checking it with various pointer/char tricks, but I figure this is simpler. It works off the assumption that if you convert a number to network-byte order (big endian), if it is the same as the original number then you're on a big endian system. Otherwise you're on a little endian system.

Is there a false assumption in this check? Perhaps maybe network-byte order isn't always big endian, though it seems it is standardised to be so.

2

There are 2 best solutions below

1
On BEST ANSWER

In principle, C allows the bits in the representation of uint16_t to be in any implementation-defined order, not just "little" or "big endian". As written, your test only tells you that htons permutes bits 0,1,3,4,5,6 and 2,7-15 separately without mixing them.

If you iterate over all powers of two and find that htons(1<<i)==1<<i for i in 0..15, then you can conclude that the order is definitely big endian. If you instead find that htons(1<<i)==1<<(i^8) for i in 0..15, you can conclude little endian. Otherwise you have a really unusual representation.

In reality, weird things don't happen and your test should be sufficient.

3
On

This is sufficient to check for endianness at run time.

On big endian systems, htons (as well as ntohs, htonl, and ntohl) are defined as no-ops, while on little endian systems they perform a byte swap.

EDIT:

This can also be done using a union. The check below detects big and little endian, as well as other more exotic byte orderings.

#include <stdio.h>
#include <stdint.h>

union echeck {
    uint32_t i;
    char c[4];
} echeck = { .c = { 0x01, 0x02, 0x03, 0x04 } };

int main()
{
    if (echeck.i == 0x01020304) {
        printf("big endian\n");
    } else if (echeck.i == 0x04030201) {
        printf("little endian\n");
    } else if (echeck.i == 0x02010403) {
        printf("pdp endian\n");
    } else {
        printf("other endian\n");
    }
    return 0;
}