python读取excel测试用例时引发list index out of range错误
在使用python处理excel文件时,经常会遇到各种问题。本文将针对一个常见的错误——list index out of range——进行分析和解答,该错误发生在读取excel测试用例的过程中。
问题描述:程序员使用xlrd库读取excel文件中的测试用例,代码旨在根据用例名称找到对应的请求数据和返回数据,并将它们存储在一个列表中。然而,在运行过程中,程序抛出了list index out of range异常。
出错代码片段如下:
import xlrd def get_excel(info,sheetname,casename): testcase_excel = xlrd.open_workbook(info,formatting_info=true) testcase = testcase_excel.sheet_by_name(sheetname) response_list = [] indx = 0 for one in testcase.col_values(0): if casename in one: requests_body = testcase.cell_value(indx, 4) # 获取sheet表中的请求数据 response_data = testcase.cell_value(indx, 5) # 获取sheet表中的返回数据 response_list.append((requests_body,response_data)) indx += 1 return response_list if __name__ == '__main__': res = get_excel('../data/python测试用例.xls','登录','login') print(res)
错误原因分析:list index out of range错误通常表示尝试访问列表或数组中不存在的索引。在这个例子中,问题可能出现在testcase.cell_value(indx, 4)和testcase.cell_value(indx, 5)这两行代码。如果excel表格的某一行数据不足6列(索引从0开始,第5列索引为5),那么访问索引为4或5的单元格就会导致该错误。 indx变量虽然随着循环递增,但并没有根据实际行数据的列数进行限制,当casename出现在最后一行的第一列时,如果该行的数据少于6列,则会发生索引越界。
解决方法:需要添加检查机制,确保在访问单元格之前,验证该行是否存在足够的列数。 可以修改代码如下:
import xlrd def get_excel(info,sheetname,casename): # ... (代码其余部分不变) ... for indx, one in enumerate(testCase.col_values(0)): # 使用enumerate获取索引和值 if casename in one: if testCase.nrows > indx and testCase.row_len(indx) > 5: # 检查行是否存在且列数足够 requests_body = testCase.cell_value(indx, 4) response_data = testCase.cell_value(indx, 5) response_list.append((requests_body,response_data)) return response_list # ... (代码其余部分不变) ...
通过增加if testcase.nrows > indx and testcase.row_len(indx) > 5:判断,可以有效避免访问不存在的索引,从而解决list index out of range错误。 enumerate函数的使用也使得代码更加简洁易读。