将值与 Selenium 和 JXL 进行比较

Compare values with Selenium and JXL

以下代码用JXL插件读取电子表格单元格值,然后将这些值与页面上的值进行比较,并从组合框中选择匹配值。

我的代码有效,但区分大小写,值必须相同。 我想改进此代码以更快地搜索组合框和 select 最接近的值而不是相同的。目前它缓慢地遍历所有值。

String valDesejado = tipopromocao;
String valorComboBox = "";
Select verificaOpt = new Select(driver.findElement(By.name("tipoDePromocaoPromocao")));

int tamanhoBox = verificaOpt.getOptions().size();
int variavelVerificadora1 = 0;
System.out.println("Tamanho: " + tamanhoBox);

for (int i = 0; i < tamanhoBox; i++)
{
    verificaOpt.selectByIndex(i);
    valorComboBox = verificaOpt.getFirstSelectedOption().getText().toString();

    if (valDesejado.equalsIgnoreCase(valorComboBox))
    {
        i = tamanhoBox;
        variavelVerificadora1 = 1;
    }

}
if (variavelVerificadora1 == 0)
{
    System.out.println("ALERTA: The Option + valDesejado + "  no comboBox \"tipoDePromocaoPromocao\" not found.");
}

我在代码中添加了一些注释来解释我在做什么,并对一些地方进行了更正。

  1. 不要使用 int 并将其设置为 0/1,而是使用 boolean 并将其设置为 true/false。
  2. 这个循环应该更快,因为我在循环时没有select每个选项。您可以在不 select 的情况下检查每个选项的文本...然后一旦找到匹配项,select 匹配项。
  3. 使用break退出循环而不是将计数器设置为最大值。

试试这个代码。

String valDesejado = tipopromocao;
boolean variavelVerificadora1 = false; // use boolean instead of int set to 0/1
Select verificaOpt = new Select(driver.findElement(By.name("tipoDePromocaoPromocao")));
System.out.println("Tamanho: " + verificaOpt.getOptions().size());
// as this loops, the variable 'option' contains the current loops' OPTION element
// you don't need to select the option to get its text so this loop should be much faster
// it selects the OPTION once the correct one is found
for (WebElement option : verificaOpt.getOptions())
{
    if (valDesejado.equalsIgnoreCase(option.getText()))
    {
        verificaOpt.selectByVisibleText(option.getText()); // select the OPTION match
        variavelVerificadora1 = true; // set the boolean to true to indicate we found a match
        break; // exits the for loop
    }
}

if (!variavelVerificadora1) // this is the equivalent of variavelVerificadora1 == false, it's basically saying if not true
{
    System.out.println("ALERTA: The Option" + valDesejado + " no comboBox \"tipoDePromocaoPromocao\" not found.");
}