您可以通过将一行中的所有单元格值设置为"无"来使用 openpyxl 删除 Python 中的行吗?



我正在使用openpyxl尝试从电子表格中删除行。我知道有一个专门用于删除行的功能,但是,我在不了解该功能的情况下试图克服这个问题,我现在想知道为什么我的方法不起作用。

为了简化问题,我设置了一个电子表格,并在一些单元格中用字母填充它。在这种情况下,第一个print(sheet.max_row)打印"9"。将所有单元格值设置为None后,我预计行数为 0,但是,第二个打印语句再次打印"9"。

是否可以通过将一行中的所有单元格设置为 None 来减少行数?

import openpyxl
from openpyxl import load_workbook
from openpyxl.utils import get_column_letter, column_index_from_string
spreadsheet = load_workbook(filename = pathToSpreadsheet) #pathToSpreadsheet represents the absolute path I had to the spreadsheet that I created. 
sheet = spreadsheet.active
print(sheet.max_row) # Printed "9".
rowCount = sheet.max_row
columnCount = sheet.max_column
finalBoundary = get_column_letter(columnCount) + str(rowCount)
allCellObjects = sheet["A1":finalBoundary]
for rowOfCells in allCellObjects:
for cell in rowOfCells:
cell.value = None
print(sheet.max_row) # Also printed "9".

感谢您的时间和精力!

简答否。 但是,您可以从具有单元格坐标的工作表中访问单元格并将其删除。

for rowOfCells in allCellObjects:
for cell in rowOfCells:
del sheet[cell.coordinate]
print(sheet.max_row)

一个更详细的答案是,Openpyxl 中的工作表将其_cells存储为以坐标为键的dict。 定义max_row属性

@property
def max_row(self):
"""The maximum row index containing data (1-based)
:type: int
"""
max_row = 1
if self._cells:
rows = set(c[0] for c in self._cells)
max_row = max(rows)
return max_row

因此,如果单元格为 None,则键/坐标仍将占上风,例如:_cells = {(1,1):None, (1,2):None, (5,4): None}. 然后max_row仍然会给我们密钥的最大 y 分量。

最新更新