Reputation: 591
I am writing a Python script where I want to do bulk photo upload. I want to read an Image and convert it into a byte array. Any suggestions would be greatly appreciated.
#!/usr/bin/python
import xmlrpclib
import SOAPpy, getpass, datetime
import urllib, cStringIO
from PIL import Image
from urllib import urlopen
import os
import io
from array import array
""" create a proxy object with methods that can be used to invoke
corresponding RPC calls on the remote server """
soapy = SOAPpy.WSDL.Proxy('localhost:8090/rpc/soap-axis/confluenceservice-v2?wsdl')
auth = soapy.login('admin', 'Cs$corp@123')
Upvotes: 59
Views: 232014
Reputation: 491
#!/usr/bin/env python
#__usage__ = "To Convert Image pixel data to readable bytes"
import numpy as np
import cv2
from cv2 import *
class Image2ByteConverter(object):
def loadImage(self):
# Load image as string from file/database
file = open('Aiming_ECU_Image.png', "rb")
return file
def convertImage2Byte(self):
file = self.loadImage()
pixel_data = np.fromfile(file, dtype=np.uint8)
return pixel_data
def printData(self):
final_data = self.convertImage2Byte()
pixel_count = 0
for data in final_data:
pixel_count += 1
print("Byte ", pixel_count,": ", int(data))
def run(self):
# self.loadImage()
# self.convertImage2Byte()
self.printData()
if __name__ == "__main__":
Image2ByteConverter().run()
This Worked for me.
Pre-requisites:
python -m pip install opencv-python
python -m pip install numpy
Upvotes: 0
Reputation: 2626
This works for me
# Convert image to bytes
import PIL.Image as Image
pil_im = Image.fromarray(image)
b = io.BytesIO()
pil_im.save(b, 'jpeg')
im_bytes = b.getvalue()
Upvotes: 21
Reputation: 7507
Use bytearray
:
with open("img.png", "rb") as image:
f = image.read()
b = bytearray(f)
print b[0]
You can also have a look at struct which can do many conversions of that kind.
Upvotes: 93
Reputation: 119
with BytesIO() as output:
from PIL import Image
with Image.open(filename) as img:
img.convert('RGB').save(output, 'BMP')
data = output.getvalue()[14:]
I just use this for add a image to clipboard in windows.
Upvotes: 6