6

我正在使用 SeleniumIWebDriver在 C# 中编写单元测试。

这是一个例子:

IWebDriver defaultDriver = new InternetExplorerDriver();
var ddl = driver.FindElements(By.TagName("select"));

最后一行检索select包装在IWebElement.

我需要一种方法来模拟对该列表中特定对象的选择optionselect,但我不知道该怎么做。


经过一些研究,我发现人们使用ISelenium DefaultSelenium该类来完成以下操作的示例,但我没有使用该类,因为我正在使用IWebDriverand INavigation(from defaultDriver.Navigate()) 做所有事情。

我还注意到它ISelenium DefaultSelenium包含大量其他方法,这些方法在IWebDriver.

那么有什么方法可以使用IWebDriverINavigation结合ISelenium DefaultSelenium吗?

4

2 回答 2

8

正如 ZloiAdun 提到的,OpenQA.Selenium.Support.UI 命名空间中有一个可爱的新 Select 类。这是访问选择元素及其选项的最佳方式之一,因为它的 api 非常简单。假设您有一个看起来像这样的网页

<!DOCTYPE html>
<head>
<title>Disposable Page</title>
</head>
    <body >
        <select id="select">
          <option value="volvo">Volvo</option>
          <option value="saab">Saab</option>
          <option value="mercedes">Mercedes</option>
          <option value="audi">Audi</option>
        </select>
    </body>
</html>

您访问选择的代码如下所示。请注意我如何通过将普通 IWebElement 传递给它的构造函数来创建 Select 对象。Select 对象上有很多方法。查看源以获得更多信息,直到它被正确记录。

using OpenQA.Selenium.Support.UI;
using OpenQA.Selenium;
using System.Collections.Generic;
using OpenQA.Selenium.IE;

namespace Selenium2
{
    class SelectExample
    {
        public static void Main(string[] args)
        {
            IWebDriver driver = new InternetExplorerDriver();
            driver.Navigate().GoToUrl("www.example.com");

            //note how here's i'm passing in a normal IWebElement to the Select
            // constructor
            Select select = new Select(driver.FindElement(By.Id("select")));
            IList<IWebElement> options = select.GetOptions();
            foreach (IWebElement option in options)
            {
                System.Console.WriteLine(option.Text);
            }
            select.SelectByValue("audi");

            //This is only here so you have time to read the output and 
            System.Console.ReadLine();
            driver.Quit();

        }
    }
}

然而,关于 Support 类有几点需要注意。即使您下载了最新的测试版,支持 DLL 也不存在。Support 包在 Java 库(PageObject 所在的地方)中有相当长的历史,但它在 .Net 驱动程序中仍然很新鲜。幸运的是,从源代码构建非常容易。我从 SVN 中提取,然后从 beta 下载中引用 WebDriver.Common.dll 并在 C# Express 2008 中构建。这个类没有像其他一些类那样经过很好的测试,但我的示例在 Internet Explorer 和 Firefox 中运行。

根据您上面的代码,我还应该指出其他一些事情。首先是您用来查找选择元素的行

driver.FindElements(By.TagName("select"));

将找到所有选择元素。您可能应该使用driver.FindElement, 没有 's'。

此外,您很少会直接使用 INavigation。您将完成大部分导航,例如driver.Navigate().GoToUrl("http://example.com");

最后,DefaultSelenium是访问旧版 Selenium 1.x api 的方法。Selenium 2 与 Selenium 1 有很大的不同,因此除非您尝试将旧测试迁移到新的 Selenium 2 api(通常称为 WebDriver api),否则您不会使用 DefaultSelenium。

于 2011-01-11T16:03:13.833 回答
2

您应该从using中获取所有option元素。然后您可以遍历返回的集合并使用selectddl.FindElements(By.TagName("option"));SetSelectedIWebElement

更新:似乎现在有一个Select在 WebDriver 中的 C# 实现 - 以前它只在 Java 中。请看一下它的代码,使用这个类更容易

于 2011-01-11T13:48:56.840 回答