Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How do I perform low level I/O on a Linux device file in Python?

I have a device which returns a string in response to commands written to the device file. I am able to write commands to the device and read the return string in C with code that looks like:

int dev = open("/dev/USBDev251", O_RDWR);
write(dev, data, sizeof(data));
read(dev, buff, 16);

I am trying to do the same in Python with:

dev = os.open("/dev/USBDev251", os.O_RDWR)
os.write(dev, data)
os.read(dev, 16)

The write is successful, but only an empty string is returned. What am I missing here?

like image 200
Anmol Sarma Avatar asked Jan 29 '14 07:01

Anmol Sarma


People also ask

How do I get the properties of a file in Python?

scandir() in Python 3. x. os. scandir() is the preferred method to use if you also want to get file and directory properties such as file size and modification date.

How do I point a directory in Python?

To find the current working directory in Python, use os. getcwd() , and to change the current working directory, use os. chdir(path) .


2 Answers

According to the os.write documentation:

Note: This function is intended for low-level I/O and must be applied to a file descriptor as returned by os.open() or pipe(). To write a “file object” returned by the built-in function open() or by popen() or fdopen(), or sys.stdout or sys.stderr, use its write() method.

You shouldn't be mixing and matching here. If you use the global function open() to open a file, then you must only use the file object's read() and write() methods. Conversely, if you use os.open() to open a file, then you must only use os.read() and os.write().

So, try replacing your call to open() with os.open(); or, keep the open() call, and replace os.write(dev, ...) with dev.write(...) and replace os.read(dev, ...) with dev.read(...).

like image 87
Adam Rosenfield Avatar answered Sep 23 '22 21:09

Adam Rosenfield


Add an os.lseek() to seek back to the beginning of the string you wrote. Currently you wrote 16 bytes which advanced the pointer. When you read, you start reading at the current pointer so you need to back it up to the start of what you wrote.

This worked for me:

#!/usr/bin/python
import os

data = "xxxxxxxxxxxxxxxx"
dev = os.open("/dev/sdp1", os.O_RDWR)
os.write(dev,data)
os.lseek(dev,0,os.SEEK_SET)
print os.read(dev,16)
like image 31
ttwalkertt Avatar answered Sep 25 '22 21:09

ttwalkertt