How to format the hexadecimal output in Python

PythonPythonBeginner
Practice Now

Introduction

Python is a versatile programming language that allows you to work with various numerical representations, including hexadecimal. Hexadecimal numbers are widely used in computer science for tasks such as representing memory addresses, color codes, and binary data in a more compact form. In this tutorial, you will learn how to format hexadecimal output in Python, understand its basic concepts, and explore some of its practical applications.


Skills Graph

%%%%{init: {'theme':'neutral'}}%%%% flowchart RL python(("Python")) -.-> python/FunctionsGroup(["Functions"]) python(("Python")) -.-> python/FileHandlingGroup(["File Handling"]) python(("Python")) -.-> python/BasicConceptsGroup(["Basic Concepts"]) python/BasicConceptsGroup -.-> python/numeric_types("Numeric Types") python/BasicConceptsGroup -.-> python/strings("Strings") python/BasicConceptsGroup -.-> python/type_conversion("Type Conversion") python/FunctionsGroup -.-> python/function_definition("Function Definition") python/FunctionsGroup -.-> python/build_in_functions("Build-in Functions") python/FileHandlingGroup -.-> python/file_reading_writing("Reading and Writing Files") python/FileHandlingGroup -.-> python/file_operations("File Operations") subgraph Lab Skills python/numeric_types -.-> lab-417964{{"How to format the hexadecimal output in Python"}} python/strings -.-> lab-417964{{"How to format the hexadecimal output in Python"}} python/type_conversion -.-> lab-417964{{"How to format the hexadecimal output in Python"}} python/function_definition -.-> lab-417964{{"How to format the hexadecimal output in Python"}} python/build_in_functions -.-> lab-417964{{"How to format the hexadecimal output in Python"}} python/file_reading_writing -.-> lab-417964{{"How to format the hexadecimal output in Python"}} python/file_operations -.-> lab-417964{{"How to format the hexadecimal output in Python"}} end

Understanding Hexadecimal Basics

Hexadecimal (often abbreviated as "hex") is a number system with a base of 16. Unlike our everyday decimal system which uses 10 digits (0-9), hexadecimal uses 16 distinct symbols: the digits 0-9 and the letters A-F.

Here is what each hexadecimal digit represents in decimal:

  • 0-9 remain the same as in decimal
  • A = 10
  • B = 11
  • C = 12
  • D = 13
  • E = 14
  • F = 15

Binary to Hexadecimal Conversion

One of the main advantages of hexadecimal is its convenient relationship with binary. Each hexadecimal digit represents exactly 4 binary digits (bits):

Binary: 0000 = Hex: 0
Binary: 0001 = Hex: 1
...
Binary: 1010 = Hex: A
...
Binary: 1111 = Hex: F

Let's create a simple Python script to understand hexadecimal better:

  1. Open the WebIDE (VSCode) interface in your LabEx environment.
  2. Create a new file named hex_basics.py in the /home/labex/project directory.
  3. Add the following code to the file:
## Understanding decimal, binary, and hexadecimal conversion
decimal_value = 42

## Convert decimal to binary
binary_value = bin(decimal_value)

## Convert decimal to hexadecimal
hex_value = hex(decimal_value)

## Print all representations
print(f"Decimal: {decimal_value}")
print(f"Binary: {binary_value}")
print(f"Hexadecimal: {hex_value}")

## Let's see a larger number
large_decimal = 255
print(f"\nDecimal: {large_decimal}")
print(f"Binary: {bin(large_decimal)}")
print(f"Hexadecimal: {hex(large_decimal)}")
  1. Save the file.
  2. To run the script, open a terminal in WebIDE and execute:
python3 hex_basics.py

You should see output similar to this:

Decimal: 42
Binary: 0b101010
Hexadecimal: 0x2a

Decimal: 255
Binary: 0b11111111
Hexadecimal: 0xff

Notice that Python automatically adds prefixes to these numbers:

  • Binary values are prefixed with 0b
  • Hexadecimal values are prefixed with 0x

These prefixes help distinguish between different number systems in code.

Basic Hexadecimal Formatting in Python

Now that you understand the fundamentals of hexadecimal, let's learn how to format hexadecimal values in Python. Python provides several ways to convert between decimal and hexadecimal, and to format the output according to your needs.

Converting Between Decimal and Hexadecimal

Let's create a new file to explore hexadecimal conversion and formatting:

  1. In WebIDE, create a new file named hex_formatting.py in the /home/labex/project directory.
  2. Add the following code to the file:
## Basic hexadecimal conversion examples

## Decimal to hex conversion
decimal_number = 171
hex_from_decimal = hex(decimal_number)
print(f"Decimal {decimal_number} converted to hex: {hex_from_decimal}")

## Hex to decimal conversion
hex_number = "0xAB"
decimal_from_hex = int(hex_number, 16)  ## The 16 specifies base-16 (hexadecimal)
print(f"Hex {hex_number} converted to decimal: {decimal_from_hex}")

## You can also use a hex literal directly in your code
hex_literal = 0xAB  ## This is already an integer in Python
print(f"Hex literal 0xAB as decimal: {hex_literal}")

## Working with binary and hexadecimal
binary_number = 0b10101011  ## Binary literal for 171
print(f"Binary {bin(binary_number)} as hex: {hex(binary_number)}")
  1. Save the file.
  2. Run the script using:
python3 hex_formatting.py

You should see output similar to:

Decimal 171 converted to hex: 0xab
Hex 0xAB converted to decimal: 171
Hex literal 0xAB as decimal: 171
Binary 0b10101011 as hex: 0xab

Understanding the Output Format

As you can see, when converting a decimal to hexadecimal using the hex() function, Python returns a string with the 0x prefix. This is the standard representation of hexadecimal numbers in many programming languages.

The lowercase letters (a-f) are the default for Python's hexadecimal output, but you might need uppercase or different formats depending on your application.

Let's modify our script to explore some basic formatting options:

  1. Add the following code to the hex_formatting.py file:
## Controlling the case (uppercase/lowercase)
decimal_value = 171

## Default (lowercase)
hex_lowercase = hex(decimal_value)
print(f"\nDefault hex (lowercase): {hex_lowercase}")

## Using string methods to convert to uppercase
hex_uppercase = hex(decimal_value).upper()
print(f"Hex in uppercase: {hex_uppercase}")

## Removing the 0x prefix
hex_no_prefix = hex(decimal_value)[2:]  ## Slicing the string to remove first 2 chars
print(f"Hex without 0x prefix: {hex_no_prefix}")

## Adding padding for consistent width (2 digits with leading zeros)
hex_padded = f"{decimal_value:02x}"  ## Format specifier for 2-digit hex
print(f"Hex padded to 2 digits: {hex_padded}")

## 4-digit hex with leading zeros
hex_padded_4 = f"{decimal_value:04x}"
print(f"Hex padded to 4 digits: {hex_padded_4}")
  1. Save the file.
  2. Run the script again:
python3 hex_formatting.py

The new output section should look like this:

Default hex (lowercase): 0xab
Hex in uppercase: 0XAB
Hex without 0x prefix: ab
Hex padded to 2 digits: ab
Hex padded to 4 digits: 00ab

This demonstrates some simple ways to manipulate the hexadecimal output format in Python. In the next step, we'll explore more advanced formatting options.

Advanced Hexadecimal Formatting Techniques

Now that you understand the basics of hexadecimal conversion and simple formatting, let's explore more advanced formatting techniques. Python provides powerful string formatting capabilities that can be applied to hexadecimal values.

Using String Format Methods

Let's create a new file to explore different formatting options:

  1. In WebIDE, create a new file named advanced_hex_formatting.py in the /home/labex/project directory.
  2. Add the following code to the file:
## Advanced hexadecimal formatting techniques in Python

decimal_value = 171  ## This will be our example number throughout

print("Different ways to format hexadecimal output in Python:")
print("-" * 50)

## 1. Using format() function
print("\n1. Using the format() function:")
## Basic format (lowercase, no prefix)
print(f"Basic format: {format(decimal_value, 'x')}")
## Uppercase format
print(f"Uppercase: {format(decimal_value, 'X')}")
## With 0x prefix
print(f"With 0x prefix: {format(decimal_value, '#x')}")
## With 0X prefix and uppercase
print(f"With 0X prefix and uppercase: {format(decimal_value, '#X')}")
## Padding to 4 digits
print(f"Padded to 4 digits: {format(decimal_value, '04x')}")
## Padding with spaces
print(f"Padded with spaces: {format(decimal_value, '6x')}")

## 2. Using f-strings (Python 3.6+)
print("\n2. Using f-strings:")
## Basic hex
print(f"Basic format: {decimal_value:x}")
## Uppercase
print(f"Uppercase: {decimal_value:X}")
## With 0x prefix
print(f"With 0x prefix: {decimal_value:#x}")
## With 0X prefix and uppercase
print(f"With 0X prefix and uppercase: {decimal_value:#X}")
## Padding to 4 digits with zeros
print(f"Padded to 4 digits: {decimal_value:04x}")
## Centered in a 10-character field
print(f"Centered: {decimal_value:^10x}")

## 3. Using the str.format() method
print("\n3. Using str.format() method:")
## Basic format
print("Basic format: {:x}".format(decimal_value))
## Uppercase with 0X prefix
print("Uppercase with prefix: {:#X}".format(decimal_value))
## Padding with different align options
print("Right-aligned in 6 spaces: {:>6x}".format(decimal_value))
print("Left-aligned in 6 spaces: {:<6x}".format(decimal_value))
  1. Save the file.
  2. Run the script:
python3 advanced_hex_formatting.py

The output will display various hexadecimal formatting options:

Different ways to format hexadecimal output in Python:
--------------------------------------------------

1. Using the format() function:
Basic format: ab
Uppercase: AB
With 0x prefix: 0xab
With 0X prefix and uppercase: 0XAB
Padded to 4 digits: 00ab
Padded with spaces:     ab

2. Using f-strings:
Basic format: ab
Uppercase: AB
With 0x prefix: 0xab
With 0X prefix and uppercase: 0XAB
Padded to 4 digits: 00ab
Centered:     ab

3. Using str.format() method:
Basic format: ab
Uppercase with prefix: 0XAB
Right-aligned in 6 spaces:     ab
Left-aligned in 6 spaces: ab

Creating a Byte Array Hex Dump

One common application of hexadecimal formatting is creating hex dumps of binary data. Let's create a simple function to display a hex dump of a byte array:

  1. Add the following code to the advanced_hex_formatting.py file:
## 4. Creating a hex dump of binary data
print("\n4. Creating a hex dump of binary data:")

def hex_dump(data, bytes_per_line=16):
    """Display a hex dump of binary data with both hex and ASCII representation."""
    result = []

    for i in range(0, len(data), bytes_per_line):
        chunk = data[i:i+bytes_per_line]
        ## Create the hex representation
        hex_repr = ' '.join(f'{b:02x}' for b in chunk)

        ## Create the ASCII representation (printable chars only)
        ascii_repr = ''.join(chr(b) if 32 <= b <= 126 else '.' for b in chunk)

        ## Format the line with address, hex values, and ASCII representation
        line = f"{i:04x}: {hex_repr:<{bytes_per_line*3}} {ascii_repr}"
        result.append(line)

    return '\n'.join(result)

## Example: Creating some sample binary data
sample_data = bytes([
    0x48, 0x65, 0x6C, 0x6C, 0x6F, 0x20, 0x57, 0x6F, 0x72, 0x6C, 0x64, 0x21,  ## "Hello World!"
    0x00, 0x01, 0x02, 0x03, 0x04, 0x05, 0x06, 0x07, 0x08, 0x09, 0x0A, 0x0B,  ## Control characters
    0x1A, 0x1B, 0x1C, 0x1D, 0x1E, 0x1F, 0x7F                                ## More control chars
])

## Print the hex dump
print(hex_dump(sample_data))
  1. Save the file.
  2. Run the script again:
python3 advanced_hex_formatting.py

The new section of the output will show a hex dump of the byte array:

4. Creating a hex dump of binary data:
0000: 48 65 6c 6c 6f 20 57 6f 72 6c 64 21 00 01 02 03 Hello World!....
0010: 04 05 06 07 08 09 0a 0b 1a 1b 1c 1d 1e 1f 7f    ...............

This hex dump format is commonly used when examining binary data, network packets, or file contents. Each line shows:

  • The address/offset in hexadecimal
  • The hexadecimal values of each byte
  • The ASCII representation (where printable characters are shown directly, and non-printable characters are shown as dots)

These advanced formatting techniques give you powerful tools for working with hexadecimal data in your Python programs.

Practical Applications of Hexadecimal in Python

Now that you have learned how to format hexadecimal values in Python, let's explore some practical applications where hexadecimal formatting is particularly useful.

1. Working with RGB Color Values

Hexadecimal is commonly used to represent colors in web development and graphics programming. RGB color values can be represented as hex triplets in the format #RRGGBB.

Let's create a script to demonstrate how to work with colors using hexadecimal:

  1. In WebIDE, create a new file named hex_color_converter.py in the /home/labex/project directory.
  2. Add the following code to the file:
## Working with RGB color values using hexadecimal

def rgb_to_hex(r, g, b):
    """Convert RGB values to a hexadecimal color string."""
    ## Ensure values are within valid range (0-255)
    r = max(0, min(255, r))
    g = max(0, min(255, g))
    b = max(0, min(255, b))

    ## Create hex string with ## prefix
    return f"#{r:02x}{g:02x}{b:02x}"

def hex_to_rgb(hex_color):
    """Convert a hexadecimal color string to RGB values."""
    ## Remove ## if present
    hex_color = hex_color.lstrip('#')

    ## Convert hex to decimal
    if len(hex_color) == 3:  ## Handle shorthand hex (#RGB)
        r = int(hex_color[0] + hex_color[0], 16)
        g = int(hex_color[1] + hex_color[1], 16)
        b = int(hex_color[2] + hex_color[2], 16)
    else:  ## Handle full hex (#RRGGBB)
        r = int(hex_color[0:2], 16)
        g = int(hex_color[2:4], 16)
        b = int(hex_color[4:6], 16)

    return (r, g, b)

## Example usage
print("RGB to Hex Color Conversion Examples:")
print("-" * 40)

## Common colors
colors = [
    (255, 0, 0),      ## Red
    (0, 255, 0),      ## Green
    (0, 0, 255),      ## Blue
    (255, 255, 0),    ## Yellow
    (255, 0, 255),    ## Magenta
    (0, 255, 255),    ## Cyan
    (255, 255, 255),  ## White
    (0, 0, 0)         ## Black
]

## Convert and display each color
for rgb in colors:
    hex_color = rgb_to_hex(*rgb)
    print(f"RGB: {rgb} → Hex: {hex_color}")

print("\nHex to RGB Color Conversion Examples:")
print("-" * 40)

## List of hex colors to convert
hex_colors = ["#ff0000", "#00ff00", "#0000ff", "#ff0", "#f0f", "#0ff"]

for hex_color in hex_colors:
    rgb = hex_to_rgb(hex_color)
    print(f"Hex: {hex_color} → RGB: {rgb}")

## Color blending example
print("\nColor Blending Example:")
print("-" * 40)

def blend_colors(color1, color2, ratio=0.5):
    """Blend two colors according to the given ratio."""
    r1, g1, b1 = hex_to_rgb(color1)
    r2, g2, b2 = hex_to_rgb(color2)

    r = int(r1 * (1 - ratio) + r2 * ratio)
    g = int(g1 * (1 - ratio) + g2 * ratio)
    b = int(b1 * (1 - ratio) + b2 * ratio)

    return rgb_to_hex(r, g, b)

## Blend red and blue with different ratios
red = "#ff0000"
blue = "#0000ff"

print(f"Color 1: {red} (Red)")
print(f"Color 2: {blue} (Blue)")

for i in range(0, 11, 2):
    ratio = i / 10
    blended = blend_colors(red, blue, ratio)
    print(f"Blend ratio {ratio:.1f}: {blended}")
  1. Save the file.
  2. Run the script:
python3 hex_color_converter.py

The output will show conversions between RGB and hexadecimal color formats:

RGB to Hex Color Conversion Examples:
----------------------------------------
RGB: (255, 0, 0) → Hex: #ff0000
RGB: (0, 255, 0) → Hex: #00ff00
RGB: (0, 0, 255) → Hex: #0000ff
RGB: (255, 255, 0) → Hex: #ffff00
RGB: (255, 0, 255) → Hex: #ff00ff
RGB: (0, 255, 255) → Hex: #00ffff
RGB: (255, 255, 255) → Hex: #ffffff
RGB: (0, 0, 0) → Hex: #000000

Hex to RGB Color Conversion Examples:
----------------------------------------
Hex: #ff0000 → RGB: (255, 0, 0)
Hex: #00ff00 → RGB: (0, 255, 0)
Hex: #0000ff → RGB: (0, 0, 255)
Hex: #ff0 → RGB: (255, 255, 0)
Hex: #f0f → RGB: (255, 0, 255)
Hex: #0ff → RGB: (0, 255, 255)

Color Blending Example:
----------------------------------------
Color 1: #ff0000 (Red)
Color 2: #0000ff (Blue)
Blend ratio 0.0: #ff0000
Blend ratio 0.2: #cc0033
Blend ratio 0.4: #990066
Blend ratio 0.6: #660099
Blend ratio 0.8: #3300cc
Blend ratio 1.0: #0000ff

2. Working with Binary Data and File Operations

Hexadecimal is often used when working with binary data, such as file contents or network packets. Let's create a simple hexadecimal file viewer:

  1. In WebIDE, create a new file named hex_file_viewer.py in the /home/labex/project directory.
  2. Add the following code to the file:
## Hexadecimal file viewer

def hex_dump(data, bytes_per_line=16, offset=0):
    """Create a hex dump of binary data."""
    result = []

    for i in range(0, len(data), bytes_per_line):
        chunk = data[i:i+bytes_per_line]
        ## Hex representation
        hex_part = ' '.join(f'{b:02x}' for b in chunk)
        ## ASCII representation
        ascii_part = ''.join(chr(b) if 32 <= b <= 126 else '.' for b in chunk)

        ## Add line to result
        line = f"{offset+i:08x}:  {hex_part:<{bytes_per_line*3}}  |{ascii_part}|"
        result.append(line)

    return '\n'.join(result)

def create_sample_file():
    """Create a sample binary file for demonstration."""
    file_path = "/home/labex/project/sample.bin"

    ## Create some sample data containing:
    ## - Some text
    ## - A range of values from 0-255
    sample_data = bytearray(b"This is a sample binary file.\n")
    sample_data.extend(range(0, 256))

    ## Write to file
    with open(file_path, 'wb') as f:
        f.write(sample_data)

    return file_path

def view_file_as_hex(file_path, max_bytes=256):
    """View a portion of the file as a hex dump."""
    try:
        with open(file_path, 'rb') as f:
            data = f.read(max_bytes)

        print(f"Hex dump of the first {len(data)} bytes of {file_path}:")
        print("-" * 70)
        print(hex_dump(data))

        if max_bytes < 256:
            print(f"\nOnly showing first {max_bytes} bytes. Adjust max_bytes parameter to see more.")

    except FileNotFoundError:
        print(f"Error: File '{file_path}' not found.")
    except Exception as e:
        print(f"Error reading file: {e}")

## Create a sample file and view it
sample_file = create_sample_file()
view_file_as_hex(sample_file, 128)

## Information about the "hex" command in Linux
print("\nFun fact: In Linux, you can use the 'hexdump' or 'xxd' commands")
print("to view binary files in hexadecimal format directly from the terminal.")
  1. Save the file.
  2. Run the script:
python3 hex_file_viewer.py

The output will show a hexadecimal dump of the sample binary file:

Hex dump of the first 128 bytes of /home/labex/project/sample.bin:
----------------------------------------------------------------------
00000000:  54 68 69 73 20 69 73 20 61 20 73 61 6d 70 6c 65  |This is a sample|
00000010:  20 62 69 6e 61 72 79 20 66 69 6c 65 2e 0a 00 01  | binary file...|
00000020:  02 03 04 05 06 07 08 09 0a 0b 0c 0d 0e 0f 10 11  |................|
00000030:  12 13 14 15 16 17 18 19 1a 1b 1c 1d 1e 1f 20 21  |.............. !|
00000040:  22 23 24 25 26 27 28 29 2a 2b 2c 2d 2e 2f 30 31  |"#$%&'()*+,-./01|
00000050:  32 33 34 35 36 37 38 39 3a 3b 3c 3d 3e 3f 40 41  |23456789:;<=>?@A|
00000060:  42 43 44 45 46 47 48 49 4a 4b 4c 4d 4e 4f 50 51  |BCDEFGHIJKLMNOPQ|
00000070:  52 53 54 55 56 57 58 59 5a 5b 5c 5d 5e 5f 60 61  |RSTUVWXYZ[\]^_`a|

Fun fact: In Linux, you can use the 'hexdump' or 'xxd' commands
to view binary files in hexadecimal format directly from the terminal.

This hex viewer displays both the hexadecimal representation of each byte and its ASCII equivalent, which is a common format for examining binary data.

These practical examples demonstrate how hexadecimal formatting can be useful in real-world Python applications. From color manipulation to binary data analysis, hexadecimal provides a compact and efficient way to represent and work with various types of data.

Summary

In this tutorial, you have learned:

  • The fundamentals of the hexadecimal number system and its relationship to binary and decimal
  • How to convert between decimal and hexadecimal values in Python
  • Various techniques for formatting hexadecimal output, including:
    • Basic conversion using the hex() function
    • Formatting with different prefixes, padding, and case options
    • Creating formatted hex dumps of binary data
  • Practical applications of hexadecimal in Python:
    • Working with RGB color values in web and graphics development
    • Analyzing binary data and file contents using hex dumps

Understanding hexadecimal formatting is an essential skill for many programming tasks, especially when working with low-level operations, binary data, or areas where compact representation is important. The techniques you have learned in this tutorial will help you work more efficiently with various data formats in your Python programs.

To further your knowledge in this area, you might want to explore:

  • Bitwise operations in Python
  • Network programming and packet analysis
  • Computer graphics and image processing
  • Memory management and system programming