2

我有一个io.BytesIO对象,iostream它是从磁盘读取的 be2 文件,我将在 table/ 中附加列标题iostream

f = io.BytesIO()
f.write(b'A,B,C,D\n')
f.write(iostream.getvalue())

pd.read_table(f, sep=',', index_col=False, error_bad_lines=False, encoding='utf-8', dtype=type_map)

但它给了我一个错误,

pandas.errors.EmptyDataError: No columns to parse from file

我想知道如何解决这个问题。

也试过

f = io.StringIO()
f.write('A,B,C,D\n')    
f.write(iostream.getvalue().decode())

pd.read_table(f, sep=',', index_col=False, error_bad_lines=False, encoding='utf-8', dtype=type_map)

出错了

pandas.errors.ParserError: Error tokenizing data. C error: Calling read(nbytes) on source failed. Try engine='python'.
4

1 回答 1

5

我设法重现了您的错误。第一次尝试时遇到的问题是,在调用“pd.read_table”时,您处于流“f”的末尾,因为您刚刚编写了所有内容。'pd.read_table' 在内部调用 read(),它从您当前的位置读取。所以它返回一个空字符串。这是错误的原因:

 pandas.errors.EmptyDataError: No columns to parse from file

解决方案很简单。您只需使用“seek”再次移动到流的开头。这段代码对我有用:

f = io.BytesIO()
f.write(b'A,B,C,D\n')
f.write(iostream.getvalue())
f.seek(0)

pd.read_table(f, sep=',', index_col=False, error_bad_lines=False, encoding='utf-8')
于 2018-03-27T20:58:46.877 回答