3

我想访问电子表格的工作表。我已使用 xlutils.copy() 将主工作簿复制到另一个工作簿。但不知道使用 xlwt 模块访问工作表的正确方法。我的示例代码:

import xlrd
import xlwt
from xlutils.copy import copy

wb1 = xlrd.open_workbook('workbook1.xls', formatting_info=True)
wb2 = copy(master_wb)

worksheet_name = 'XYZ' (worksheet_name is a iterative parameter)

worksheet = wb2.get_sheet(worksheet_name)

有人可以告诉我使用 xlwt 模块访问工作簿中现有工作表的正确命令行是什么?我知道我们可以使用 'add_sheet' 方法使用 xlwt 模块在现有工作簿中添加工作表。

任何帮助,不胜感激。

4

3 回答 3

3

您可以sheets = wb1.sheets()获取工作表对象的列表,然后调用.name每个对象以获取它们的名称。要查找工作表的索引,请使用

[s.name for s in sheets].index(sheetname)
于 2013-02-22T17:52:25.927 回答
3

sheets()方法奇怪地不在xlwt.Workbook课堂上,因此使用该方法的其他答案将不起作用 - 只有xlrd.book(用于读取 XLS 文件)有一个sheets()方法。因为所有的类属性都是私有的,所以你必须这样做:

def get_sheet_by_name(book, name):
    """Get a sheet by name from xlwt.Workbook, a strangely missing method.
    Returns None if no sheet with the given name is present.
    """
    # Note, we have to use exceptions for flow control because the
    # xlwt API is broken and gives us no other choice.
    try:
        for idx in itertools.count():
            sheet = book.get_sheet(idx)
            if sheet.name == name:
                return sheet
    except IndexError:
        return None

如果您不需要它为不存在的工作表返回 None ,那么只需删除 try/except 块。如果您想按名称重复访问多个工作表,则将它们放入字典中会更有效,如下所示:

sheets = {}
try:
    for idx in itertools.count():
        sheet = book.get_sheet(idx)
        sheets[sheet.name] = sheet
except IndexError:
        pass
于 2013-06-19T16:19:18.873 回答
2

好吧,这是我的答案。让我一步一步来。考虑到以前的答案,xlrd 是获取工作表的正确模块。

  1. xlrd.Book 对象由 open_workbook 返回。

    rb = open_workbook('sampleXLS.xls',formatting_info=True)

  2. nsheets是一个属性整数,它返回工作簿中的工作表总数。

    numberOfSheets=rb.nsheets

  3. 由于您已将其复制到新工作簿wb-> 基本上是为了写东西,wb 来修改excel wb = copy(rb)

  4. 有两种方法可以获取工作表信息,

    一个。如果您只想阅读表格,请使用sheet=rb.sheet_by_index(sheetNumber)

    湾。如果要编辑工作表,请使用ws = wb.get_sheet(sheetNumber)(在此上下文中,对于所问的问题,这是必需的)

您现在知道 excel 工作簿中有多少张工作表以及如何单独获取它们,将它们放在一起,

示例代码:

参考:http ://www.simplistix.co.uk/presentations/python-excel.pdf

from xlrd import open_workbook
from xlutils.copy import copy
from xlwt import Workbook

rb = open_workbook('sampleXLS.xls',formatting_info=True)
numberOfSheets=rb.nsheets
wb = copy(rb)

for each in range(sheetsCount):
    sheet=rb.sheet_by_index(each)
    ws = wb.get_sheet(each)
    ## both prints will give you the same thing
    print sheet.name
    print ws.name
于 2014-12-30T06:53:39.183 回答