2

我想运行并行硒测试(使用 webriver 和 Spring JUnit 运行器)。Webdriver 是一个带有自定义线程作用域的 spring bean。但我收到以下警告SimpleThreadScope does not support descruction callbacks所以浏览器没有关闭。知道如何关闭它们(更准确地说是调用 quit 方法)?

弹簧配置

<bean id="threadScope" class="org.springframework.context.support.SimpleThreadScope" />

<bean class="org.springframework.beans.factory.config.CustomScopeConfigurer">
    <property name="scopes">
           <map>
               <entry key="thread" value-ref="threadScope" />
           </map>
       </property>
</bean>

<bean id="webDriver" class="org.openqa.selenium.remote.RemoteWebDriver" scope="thread" destroy-method="quit">
    <constructor-arg name="remoteAddress" value="http://localhost:4444/wd/hub" />
    <constructor-arg name="desiredCapabilities" ref="browserAgent" />
</bean>

行家配置

<plugin>
    <groupId>org.apache.maven.plugins</groupId>
    <artifactId>maven-failsafe-plugin</artifactId>
    <version>2.12</version>
    <configuration>
        <includes>
            <include>**/*Test.class</include>
        </includes>
        <reportsDirectory>${basedir}/target/surefire-reports</reportsDirectory>
        <parallel>classes</parallel>
        <threadCount>2</threadCount>
        <perCoreThreadCount>false</perCoreThreadCount>
    </configuration>
</plugin>

这篇文章http://www.springbyexample.org/examples/custom-thread-scope-module-code-example.html建议自定义线程实现。但是使用任何 JUnit 运行器的 Runnable 扩展点类型在哪里?

public class ThreadScopeRunnable implements Runnable {

    protected Runnable target = null;

    /**
     * Constructor
     */
    public ThreadScopeRunnable(Runnable target) {
        this.target = target;
    }

    /**
     * Runs <code>Runnable</code> target and 
     * then afterword processes thread scope 
     * destruction callbacks.
     */
    public final void run() {
        try {
            target.run();
        } finally {
            ThreadScopeContextHolder.currentThreadScopeAttributes().clear();
        }
    }

}
4

1 回答 1

1

这里有一个解决方法,不是完美的解决方案,因为它会阻止浏览器直到所有测试结束。

您必须创建一个线程范围 bean 的寄存器来处理它们的销毁。

public class BeanRegister {

    private Set<CustomWebDriver> beans= new HashSet<CustomWebDriver>();

    public void register(CustomWebDriver bean) {
        beans.add(bean);
    }

    @PreDestroy
    public void clean() {
        for (CustomWebDriver bean : beans) {
            bean.quit();
        }
    }

}

将其配置为单例。

<bean class="BeanRegister" />

您必须编写一个扩展 RemoteWebDriver 的类。

public class CustomWebDriver extends RemoteWebDriver {

    @Autowired
    private BeanRegister beanRegister;

    @PreConstruct
    public void init() {
        beanRegister.register(this);
    }

}

就是这样。

于 2012-10-23T11:38:51.270 回答