1
我正在尋找將大CSV讀入數據框,並附加了一個我想失敗的約束條件如果缺少某些列(因爲輸入不像預期的那樣),我會提前,但是我確實需要全部列,而不僅僅是要包含在Dataframe中的所需列。在pandas.read_csv
中,如果我想指定要讀入的列的子集,我似乎可以使用usecols
參數,但是我可以看到檢查哪些列將在我要讀取的數據框中的唯一顯而易見的方式是實際上閱讀文件。在pandas中強加所需的列約束read_csv
我做了讀取數據幀作爲一個迭代工作第一通版本,獲取第一線,檢查該列是否存在,然後讀取與正常參數的文件:
import pandas as pd
from io import StringIO
class MissingColumnsError(ValueError):
pass
def cols_enforced_reader(*args, cols_must_exist=None, **kwargs):
if cols_must_exist is not None:
# Read the first line of the DataFrame and check the columns
new_kwargs = kwargs.copy()
new_kwargs['iterator'] = True
new_kwargs['chunksize'] = 1
if len(args):
filepath_or_buffer = args[0]
args = args[1:]
else:
filepath_or_buffer = new_kwargs.get('filepath_or_buffer', None)
df_iterator = pd.read_csv(filepath_or_buffer, *args, **new_kwargs)
c = next(df_iterator)
if not all(col in c.columns for col in cols_must_exist):
raise MissingColumnsError('Some required columns were missing!')
seek = getattr(filepath_or_buffer, 'seek', None)
if seek is not None:
if filepath_or_buffer.seekable():
filepath_or_buffer.seek(0)
return pd.read_csv(filepath_or_buffer, *args, **kwargs)
in_csv = """col1,col2,col3\n0,1,2\n3,4,5\n6,7,8"""
# Should succeed
df = cols_enforced_reader(StringIO(in_csv), cols_must_exist=['col1'])
print('First call succeeded as expected.')
# Should fail
try:
df = cols_enforced_reader(StringIO(in_csv), cols_must_exist=['col7'])
except MissingColumnsError:
print('Second call failed as expected.')
這對我來說感覺有點混亂,並沒有真正處理(例如不可搜索的流,或者我不應該從0開始的緩衝區)的所有可能的輸入。顯然,我可以調整我在這裏對我的具體用例的時刻,並完成它,但我想知道是否有一個更優雅的方式來做到這一點(最好只是使用標準的熊貓功能),在一般 。
這是多了還是少了什麼我在做我的問題,但它仍然需要兩次讀取該文件,這不一定適用於緩衝區而不是路徑的CSV。理想情況下,我會使用先讀取列的內容,檢查這些內容,然後引發錯誤或繼續按預期進行。 – Paul
我打算建議您使用['itertools.tee()'](https://docs.python.org/3.6/library/itertools.html?highlight=tee#itertools.tee)來複制它,但是我似乎記得大熊貓不會和那個玩球。 –
是的,我認爲這個答案實際上是「不,不可能優雅地做」。帶有csvreader的版本有缺點,它會忽略pandas.read_csv的所有參數。我認爲我的版本和你的第一個版本的一些組合,再加上更多的邊緣案例檢查可能是做出這個功能的通用函數的唯一方法。 – Paul