我正在使用pyexcelerator
Python 模块生成 Excel 文件。我想将粗体样式应用于部分单元格文本,而不是整个单元格。怎么做?
问问题
7018 次
3 回答
2
在此处找到示例:在 Python 中生成 Excel 格式的文件
请注意,您创建了一个字体对象,然后将其提供给样式对象,然后在写入工作表时提供该样式对象:
import pyExcelerator as xl
def save_in_excel(headers,values):
#Open new workbook
mydoc=xl.Workbook()
#Add a worksheet
mysheet=mydoc.add_sheet("test")
#write headers
header_font=xl.Font() #make a font object
header_font.bold=True
header_font.underline=True
#font needs to be style actually
header_style = xl.XFStyle(); header_style.font = header_font
for col,value in enumerate(headers):
mysheet.write(0,col,value,header_style)
#write values and highlight those that match my criteria
highlighted_row_font=xl.Font() #no real highlighting available?
highlighted_row_font.bold=True
highlighted_row_font.colour_index=2 #2 is red,
highlighted_row_style = xl.XFStyle(); highlighted_row_style.font = highlighted_row_font
for row_num,row_values in enumerate(values):
row_num+=1 #start at row 1
if row_values[1]=='Manatee':
for col,value in enumerate(row_values):
#make Manatee's (sp) red
mysheet.write(row_num,col,value,highlighted_row_style)
else:
for col,value in enumerate(row_values):
#normal row
mysheet.write(row_num,col,value)
#save file
mydoc.save(r'C:testpyexel.xlt')
headers=['Date','Name','Localatity']
data=[
['June 11, 2006','Greg','San Jose'],
['June 11, 2006','Greg','San Jose'],
['June 11, 2006','Greg','San Jose'],
['June 11, 2006','Greg','San Jose'],
['June 11, 2006','Manatee','San Jose'],
['June 11, 2006','Greg','San Jose'],
['June 11, 2006','Manatee','San Jose'],
]
save_in_excel(headers,data)
于 2008-09-20T23:10:13.863 回答
2
这是 Excel 文档中的一个示例:
With Worksheets("Sheet1").Range("B1")
.Value = "New Title"
.Characters(5, 5).Font.Bold = True
End With
因此,您要操作的单元格的 Characters 属性就是您问题的答案。它用作字符(开始,长度)。
PS:我从未使用过有问题的模块,但我在 python 脚本中使用了 Excel COM 自动化。Characters 属性可使用 win32com 使用。
于 2008-09-20T13:54:04.827 回答
1
这是我用于相同问题的一种解决方案。
import xlsxwriter
workbook = xlsxwriter.Workbook(r'C:\workspace\NMSAutomation_001\FMGGUIAutomation\Libraries\Frontend\new_STICKERS_Final.xlsx')
####### two different formats
bold = workbook.add_format({'font_name':'Tahoma', 'bold': True, 'font_size':14})
normal = workbook.add_format({'font_name':'Tahoma', 'font_size':11})
######## value is my string, bold and normal are my two different formats
segments = [bold, value[:9], normal, value[9:]]
worksheet.write_rich_string('A1', *segments) # 'A1' is cell position
workbook.close()
于 2021-02-17T16:36:40.270 回答