Convert byteString key:value pair of dictionary to String in Python

A byte string in Python is a string prefixed with letter b. When working with dictionaries containing byte strings, you often need to convert them to regular string dictionaries for easier processing and display.

Using Dictionary Comprehension with ASCII

The decode() method converts byte strings to regular strings using a specified encoding. Here's how to convert both keys and values using ASCII encoding ?

byte_dict = {b'day': b'Tue', b'time': b'2 pm', b'subject': b'Graphs'}
print("Original byte dictionary:")
print(byte_dict)

# Convert using dictionary comprehension with ASCII
string_dict = {key.decode('ascii'): value.decode('ascii') for key, value in byte_dict.items()}
print("\nConverted string dictionary:")
print(string_dict)
Original byte dictionary:
{b'day': b'Tue', b'time': b'2 pm', b'subject': b'Graphs'}

Converted string dictionary:
{'day': 'Tue', 'time': '2 pm', 'subject': 'Graphs'}

Using For Loop with UTF-8

You can also use a for loop approach with UTF-8 encoding, which supports a wider range of characters ?

byte_dict = {b'day': b'Tue', b'time': b'2 pm', b'subject': b'Graphs'}
print("Original byte dictionary:")
print(byte_dict)

# Convert using for loop with UTF-8
string_dict = {}
for key, value in byte_dict.items():
    string_dict[key.decode("utf-8")] = value.decode("utf-8")

print("\nConverted string dictionary:")
print(string_dict)
Original byte dictionary:
{b'day': b'Tue', b'time': b'2 pm', b'subject': b'Graphs'}

Converted string dictionary:
{'day': 'Tue', 'time': '2 pm', 'subject': 'Graphs'}

Comparison

Method Encoding Best For
Dictionary Comprehension ASCII/UTF-8 Concise, one-liner approach
For Loop UTF-8 More readable, easier to debug

Conclusion

Use decode() with ASCII for simple text or UTF-8 for international characters. Dictionary comprehension provides a concise solution, while for loops offer better readability for complex conversions.

Updated on: 2026-03-15T17:57:31+05:30

1K+ Views

Kickstart Your Career

Get certified by completing the course

Get Started
Advertisements