如何使这个testng测试动态但保持并行

qcuzuvrc  于 2021-07-08  发布在  Java
关注(0)|答案(1)|浏览(296)
public class FactoryTest {

    @Test  
    @Parameters("Row")
    public void run1(int row) throws MalformedURLException{           
        new Controller(row);
    }

}
<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE suite SYSTEM "https://testng.org/testng-1.0.dtd">
<suite name="Suite" parallel="methods">
  <test thread-count="2" name="factory test" parallel="methods">
    <classes>
      <class name="RealPackage.FactoryTest">
             <methods>
                    <include name="run1">
                        <parameter name="Row"  value="1"/>
                    </include>                
                </methods></class>
    </classes>
  </test> <!-- OfficialTestName -->
</suite> <!-- Suite -->

这是我需要运行的一个测试的示例。我需要它与其他测试并行运行。所以在测试中 run1() 我创造了一个 Controller(row) 它启动了测试,我给它传递了一个行号。我想跑 new Controller(1) 以及 new Controller(2) 以及 new Controller(3) ,等等。如果我将java文件更改为:

public class OfficialTest {

    @Test    
    public void run1() throws MalformedURLException{           
        new Controller(1);
    }

    @Test    
    public void run2() throws MalformedURLException{           
        new Controller(2);
    }

    @Test    
    public void run3() throws MalformedURLException{           
        new Controller(3);
    }

    @Test    
    public void run4() throws MalformedURLException{           
        new Controller(4);
    }

    @AfterMethod
    public void close() {
        System.out.println("closing");
    }
}

但这不是动态的。我需要能够运行这个使用任何范围的数字为 row . 所以我想也许我可以生成一个xml文件来处理这个问题,但是我仍然不确定它是否能够以这种方式并行运行。

ego6inou

ego6inou1#

我可以用这个来修复它:

public class ParallelTests 
{

    int row;

    @Parameters({"Row"})
    @BeforeMethod()
    public void setUp(int rowParam) throws MalformedURLException
    {           
       row = rowParam;
    }

    @Test
    public void RunTest() throws InterruptedException, MalformedURLException
    {
        new Controller(row);
    }

}
<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE suite SYSTEM "https://testng.org/testng-1.0.dtd">
<suite thread-count="5" name="BlogSuite" parallel="tests">
<test name="Test 1">
<parameter name="Row" value="1"/>
    <classes>
      <class name="RealPackage.ParallelTests"/>
    </classes>
  </test> 
  <test name="Test 2">
<parameter name="Row" value="2"/>
    <classes>
      <class name="RealPackage.ParallelTests"/>
    </classes>
  </test> 
    <test name="Test 3">
<parameter name="Row" value="3"/>
    <classes>
      <class name="RealPackage.ParallelTests"/>
    </classes>
  </test> 
    <test name="Test 4">
<parameter name="Row" value="4"/>
    <classes>
      <class name="RealPackage.ParallelTests"/>
    </classes>
  </test> 
      <test name="Test 5">
<parameter name="Row" value="5"/>
    <classes>
      <class name="RealPackage.ParallelTests"/>
    </classes>
  </test>
  </suite>

相关问题