iterating over a range of rows using ws.iter_rows in the optimised reader of openpyxl

后端 未结 2 1144
鱼传尺愫
鱼传尺愫 2020-12-03 15:06

I need to read an xlsx file of 10x5324 cells

This is the gist of what i was trying to do:

from openpyxl import load_workbook
filename = \'file_path\         


        
相关标签:
2条回答
  • 2020-12-03 16:05

    From the documentation:

    Note: When a worksheet is created in memory, it contains no cells. They are created when first accessed. This way we don’t create objects that would never be accessed, thus reducing the memory footprint.

    Warning: Because of this feature, scrolling through cells instead of accessing them directly will create them all in memory, even if you don’t assign them a value. Something like

    >>> for i in xrange(0,100):
    ...             for j in xrange(0,100):
    ...                     ws.cell(row = i, column = j)
    

    will create 100x100 cells in memory, for nothing.

    However, there is a way to clean all those unwanted cells, we’ll see that later.

    I think accessing the columns or rows properties will cause many cells to have to be loaded into memory. I would suggest only trying to directly access the cells you need.

    eg.

    col_name = 'A'
    start_row = 1
    end_row = 99
    
    range_expr = "{col}{start_row}:{col}{end_row}".format(
        col=col_name, start_row=start_row, end_row=end_row)
    
    for (time_cell,) in ws.iter_rows(range_string=range_expr):
        print time_cell.value.hour
    
    0 讨论(0)
  • 2020-12-03 16:10

    The simplest solution with a lower bound would be something like this:

    # Your code:
    from openpyxl import load_workbook
    filename = 'file_path'
    wb = load_workbook(filename, use_iterators=True)
    ws = wb.get_sheet_by_name('LOG')
    
    # Solution 1:
    for row in ws.iter_rows(row_offset=1):
        # code to execute per row...
    

    Here another way to execute what you describe, with the enumerate function:

    # Solution 2:
    start, stop = 1, 100    # This will allow you to set a lower and upper limit
    for index, row in enumerate(ws.iter_rows()):
        if start < index < stop:
            # code to execute per row...
    

    The index variable keeps count of what row you are on, so it can be used in place of range or xrange. This method is pretty straightforward and works with iterators unlike range or slicing, and can be used with just the lower bound too, if desired. Cheers!

    0 讨论(0)
提交回复
热议问题