XhCode Online Converter Tools

Base64 To Image Converter


Base64 To Image

Converting Base64 to an image involves decoding the Base64-encoded string into its binary form and saving it as an image file. Base64 encoding is a way to represent binary data (like images) as ASCII text, which can easily be embedded in web pages or transmitted over text-based protocols like email.

Here's how you can convert a Base64 string back to an image:

Steps to Convert Base64 to Image:
Obtain the Base64 string — The Base64 string usually starts with a header like data:image/png;base64,.
Decode the Base64 string — The string is decoded to binary data.
Write the binary data to an image file — Save the decoded data as an image (e.g., PNG, JPG).
Example of Base64 String:
Here's a simplified example of a Base64-encoded image (this is just a sample string, and won't display an actual image):

bash

data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAA... (truncated for brevity)
How to Convert Base64 to Image Using Python:
You can use Python to decode the Base64 string and save it as an image.

Install the necessary library (if you don't have it):

bash

pip install pillow
Python Code Example:

python

import base64

# Example of a Base64 string (this is just a sample, replace with your actual string)
base64_string = "iVBORw0KGgoAAAANSUhEUgAA... (truncated for brevity)"

# Decode the Base64 string
image_data = base64.b64decode(base64_string)

# Write the decoded data to an image file (e.g., 'output_image.png')
with open("output_image.png", "wb") as file:
file.write(image_data)

print("Image has been saved successfully!")
Explanation:
base64.b64decode(): This function decodes the Base64 string into binary data.
Writing to a file: The decoded data is written to a file (e.g., output_image.png).
Result:
After running the Python script, the image will be saved as output_image.png on your local system.

Alternative Methods:
Online Tools: There are online Base64-to-image converters where you paste the Base64 string, and the tool generates and lets you download the image.
JavaScript: If you're working with a web-based application, you can decode Base64 in JavaScript and render it directly in the browser using the atob() function.

TOP