我编写了一个Python脚本,它从Excel工作表中读取值并遍历行。
但是,如果满足某个条件,我希望程序跳过一行。
我有一个xml文件,其中包含一个确定运行类型的值。在python代码中,我编写了一个If / Else块来将值转换为数字(见下文)
# If / Else to convert test_run_type text to a value
if test_run_type == "Regression":
test_run_type_value = '1'
elif test_run_type == "Smoke":
test_run_type_value = '2'
elif test_run_type == "Sanity":
test_run_type_value = '3'
接下来,我有for循环遍历行(参见下面的代码)
# Open Test Scenario Workbook; Instantiate worksheet object
wb = xlrd.open_workbook(os.path.join(test_case_directory, Product + '.xlsx'))
sh = wb.sheet_by_index(0)
## Begin For Loop to iterate through Test Scenarios
i = 1
rows = sh.nrows
empty_cell = False
for x in range(1, sh.nrows):
cell_val = sh.cell(i, 0).value
if cell_val == '':
# If Cell Value is empty, set empty_cell to True
empty_cell = True
else:
# If Cell Value is NOT empty, set empty_cell to False
empty_cell = False
regression_check = sh.cell_value(i, 3)
smoke_check = sh.cell_value(i, 4)
sanity_check = sh.cell_value(i, 5)
# If / Else Section to check if a test needs to be run
#### Program is running ALL rows & NOT skipping rows
if test_run_type_value == 3 and sanity_check == "False":
continue
else:
pass
if test_run_type_value == 2 and smoke_check == "False":
continue
else:
pass
if test_run_type_value == 1 and regression_check == "False":
continue
else:
pass
问题:我的期望是,如果连续出现以下某种情况,程序将跳过一行。
但是,程序不会跳过任何行。
我拍了一张Excel表格的截图。
基于工作表(参见附图),当test_run_type_value为“3”时,程序应该跳过第一行但不是。程序遍历所有行(即使test_run_type_value为1,2或3)
先谢谢
肯
答案 0 :(得分:-1)
test_run_type_value = '1'
这会将test_run_type_value
设置为字符串值'1'
。
if test_run_type_value == 1 …
将test_run_type_value
与整数值1
进行比较。
所以你基本上在这里比较字符串和整数,那些永远不相等:
>>> '1' == 1
False
因此决定是要使用字符串还是整数。例如。如果您指定1
,它应该可以正常工作:
test_run_type_value = 1 # no quotes => int!
顺便说一下。你不需要这样做:
else:
pass
根本不包含其他内容,如果条件不成立则不会执行任何操作:
if test_run_type_value == 3 and sanity_check == "False":
continue
if test_run_type_value == 2 and smoke_check == "False":
continue
if test_run_type_value == 1 and regression_check == "False":
continue