我们如何在Python openpyxl包中使用iter_rows()?

我正在使用openpyxl打包程序Python(Canopy)来使用excel文件。我们在此链接中有本教程:LINK

you can also use the openpyxl.worksheet.Worksheet.iter_rows() method:

>>> tuple(ws.iter_rows('A1:C2'))

((<Cell Sheet1.A1>, <Cell Sheet1.B1>, <Cell Sheet1.C1>),

(<Cell Sheet1.A2>, <Cell Sheet1.B2>, <Cell Sheet1.C2>))

>>> for row in ws.iter_rows('A1:C2'):

... for cell in row:

... print cell

<Cell Sheet1.A1>

<Cell Sheet1.B1>

<Cell Sheet1.C1>

<Cell Sheet1.A2>

<Cell Sheet1.B2>

<Cell Sheet1.C2>

我们如何openpyxl.worksheet.Worksheet.iter_rows()在python中导入方法?我使用以下代码:

import openpyxl as op

ms = op.load_workbook('mtest.xlsx')

ws = ms.active

op.worksheet.Worksheet.iter_rows()

此代码返回:

type object 'Worksheet' has no attribute 'iter_rows'

问题是什么?

回答:

如本教程中所示,您需要iter_rows在工作表实例上调用该方法,例如(对于openpyxl

2.5.14或更早版本):

>>> for row in ws.iter_rows('A1:C2'):

... for cell in row:

... print cell

要么

>>> for row in ws.iter_rows(min_row=1, max_col=3, max_row=2):

... for cell in row:

... print(cell)

<Cell Sheet1.A1>

<Cell Sheet1.B1>

<Cell Sheet1.C1>

<Cell Sheet1.A2>

<Cell Sheet1.B2>

<Cell Sheet1.C2>

如错误消息所述,您正在对Worksheet类型 调用它,这是行不通的。需要在一个 对象 上调用它:

op.worksheet.Worksheet.iter_rows()  # wrong

另请参见此示例中的另一个答案。

对于openpyxl的旧版本,您可能需要确保在加载工作簿时启用迭代器-

请参见此线程。最新版本不需要此功能。

这是我刚刚在Python REPL(使用openpyxl 1.8.3)中测试的完整示例:

>>> import openpyxl as op

>>> wb = op.load_workbook('/tmp/test.xlsx', use_iterators=True)

>>> ws = wb.active

>>> for row in ws.iter_rows():

... for cell in row:

... print cell

...

RawCell(row=1, column='A', coordinate='A1', internal_value=1.0, data_type='n', style_id='0', number_format='general')

RawCell(row=1, column='B', coordinate='B1', internal_value=10.0, data_type='n', style_id='0', number_format='general')

...

以上是 我们如何在Python openpyxl包中使用iter_rows()? 的全部内容, 来源链接: utcz.com/qa/399720.html

回到顶部