将工作表添加到带有Pandas的现有Excel文件

2024-06-06 12:45:04 发布

您现在位置:Python中文网/ 问答频道 /正文

# Set the working folder to the same folder as the script
os.chdir(os.path.dirname(os.path.abspath(__file__)))

test = send_request().content
df = pd.read_csv(io.StringIO(test.decode('utf-8')))
writer = pd.ExcelWriter('NHL_STATS_JSB_final.xlsx', \
                        engine = 'xlsxwriter')
df.to_excel(writer, 'Player statistics', index=False)
writer.save()

我不明白为什么,但我正试图将工作表Player statistics添加到当前的NHL_STATS_JSB_final.xlsx文件中,但它不起作用。我的代码没有将工作表添加到文件中,而是使用当前文件并删除所有以前的工作表来添加新的工作表。

如何在删除所有其他工作表的情况下将Player statistics添加到当前的Excel文件中?


Tags: 文件thetopathtestdfosstats
2条回答

正如OP所提到的,xlsxwriter将覆盖现有工作簿。Xlsxwriter用于编写原始的.xlsx文件。另一方面,Openpyxl可以修改现有的.xlsx文件。

@Brad Campbell使用openpyxl回答是最好的方法。由于OP使用的是xlsxwriter引擎,我想演示一下,可以读取现有的.xlsx文件,然后创建一个新工作簿(同名),其中包含来自原始工作表和要添加的新工作表的数据。

import pandas as pd
import os

xl = pd.ExcelFile('NHL_STATS_JSB_final.xlsx')
sheet_names = xl.sheet_names  # a list of existing sheet names

#the next three lines are OPs original code 
os.chdir(os.path.dirname(os.path.abspath(__file__)))

test = send_request().content
df = pd.read_csv(io.StringIO(test.decode('utf-8')))

#beginning the process of creating new workbook with the same name
writer = pd.ExcelWriter('NHL_STATS_JSB_final.xlsx', engine = 'xlsxwriter')

d = {} #creating an empty dictionary 
for i in range (0, len(sheet_names)):
    current_sheet_name = sheet_names[i]
    d[current_sheet_name] = pd.read_excel('NHL_STATS_JSB_final.xlsx', sheetname = i)
    d[current_sheet_name].to_excel(writer, '%s' % (current_sheet_name), index=False)

# adding in the new worksheet
df.to_excel(writer, 'Player statistics', index=False)
writer.save()

这是我的一个项目的代码片段。这应该完全符合你的要求。您需要使用openpyxl而不是xlsxwriter来更新现有文件。

writer = pd.ExcelWriter(file_name, engine='openpyxl')

if os.path.exists(file_name):
    book = openpyxl.load_workbook(file_name)
    writer.book = book

df.to_excel(writer, sheet_name=key)
writer.save()
writer.close()

相关问题 更多 >