When computers store or transmit numbers, they don’t always agree on how to store them. This leads us to one of the most misunderstood but crucial topics in computer architecture: Endianness.

In this post, we’ll make Big Endian and Little Endian so simple, you’ll never forget them again. Buckle up for burgers, memory, and a little code!


Imagine a Burger (Yes, a Burger)

Let’s say a burger is made like this:

Top bun  
Lettuce  
Patty  
Bottom bun

Now, depending on who’s stacking the burger:

  • Big Endian stacks from top to bottom (like we read in English).
  • Little Endian stacks from bottom to top (like flipping the order).

Same burger. Just stacked differently.


So, What Is Endianness?

Endianness is the order in which bytes are arranged in memory to represent multi-byte values (like integers).

Let’s say we have the hexadecimal number:

0x12345678

This is a 4-byte (32-bit) number. It breaks down into:

ByteHex Value
112
234
356
478

Big Endian vs Little Endian

Big Endian

Stores the most significant byte first (left to right, like reading normally):

Memory: [12] [34] [56] [78]
Address:   0    1    2    3

Little Endian

Stores the least significant byte first (reversed order):

Memory: [78] [56] [34] [12]
Address:   0    1    2    3

Code Example (C)

Here’s how you can test endianness on your machine using C:

#include <stdio.h>

int main() {
    unsigned int num = 0x12345678;
    unsigned char *ptr = (unsigned char *)&num;

    printf("Memory representation:\n");
    for (int i = 0; i < 4; i++) {
        printf("Byte %d: 0x%X\n", i, ptr[i]);
    }

    return 0;
}

Example Output

On a Little Endian machine:

Byte 0: 0x78  
Byte 1: 0x56  
Byte 2: 0x34  
Byte 3: 0x12

On a Big Endian machine:

Byte 0: 0x12  
Byte 1: 0x34  
Byte 2: 0x56  
Byte 3: 0x78

Real-Life Analogy: Mailing an Address

Think of writing a mailing address:

  • Big Endian: Write from specific to general:
    House Number → Street → City → Country

  • Little Endian: Write in reverse:
    Country → City → Street → House Number

Both give the same info—just in a different order.


Why Does It Matter?

When systems with different endianness communicate (like networking, file formats, or microcontrollers), they must agree on byte order. Otherwise, you’ll get garbage data.

That’s why protocols like TCP/IP use network byte order, which is Big Endian, as a standard.


FeatureBig EndianLittle Endian
First Byte in MemoryMost Significant ByteLeast Significant Byte
ReadabilityLike normal numbersReversed
Common UseNetworking, some CPUsMost modern CPUs

Conclusion

Big Endian and Little Endian aren’t just tech trivia—they’re foundational to how data moves and lives inside your computer.

Now that you’ve met the burger, the memory, and the mailing address, endianness will never confuse you again.


Happy hacking!