I am using Python 3.2.1 and I can\'t import the StringIO
module. I use
io.StringIO
and it works, but I can\'t use it with numpy
\'s
In my case I have used:
from io import StringIO
In order to make examples from here work with Python 3.5.2, you can rewrite as follows :
import io
data =io.BytesIO(b"1, 2, 3\n4, 5, 6")
import numpy
numpy.genfromtxt(data, delimiter=",")
The reason for the change may be that the content of a file is in data (bytes) which do not make text until being decoded somehow. genfrombytes
may be a better name than genfromtxt
.
try this
from StringIO import StringIO
x="1 3\n 4.5 8"
numpy.genfromtxt(StringIO(x))
when i write import StringIO it says there is no such module.
From What’s New In Python 3.0:
The
StringIO
andcStringIO
modules are gone. Instead, import theio
module and useio.StringIO
orio.BytesIO
for text and data respectively.
.
A possibly useful method of fixing some Python 2 code to also work in Python 3 (caveat emptor):
try:
from StringIO import StringIO ## for Python 2
except ImportError:
from io import StringIO ## for Python 3
Note: This example may be tangential to the main issue of the question and is included only as something to consider when generically addressing the missing
StringIO
module. For a more direct solution the messageTypeError: Can't convert 'bytes' object to str implicitly
, see this answer.
You can use the StringIO from the six module:
import six
import numpy
x = "1 3\n 4.5 8"
numpy.genfromtxt(six.StringIO(x))
On Python 3 numpy.genfromtxt
expects a bytes stream. Use the following:
numpy.genfromtxt(io.BytesIO(x.encode()))