Это то, что я сейчас использую для тестирования рендеринга JSP и проверки форм и перенаправлений.
Первые зависимости Maven
<!-- Testing JSP -->
<dependency>
<groupId>net.sourceforge.openutils</groupId>
<artifactId>openutils-testing4web</artifactId>
<version>1.2.1</version>
<scope>test</scope>
<exclusions>
<exclusion>
<artifactId>slf4j-log4j12</artifactId>
<groupId>org.slf4j</groupId>
</exclusion>
<exclusion>
<artifactId>spring-core</artifactId>
<groupId>org.springframework</groupId>
</exclusion>
<exclusion>
<artifactId>spring-context</artifactId>
<groupId>org.springframework</groupId>
</exclusion>
<exclusion>
<artifactId>slf4j-api</artifactId>
<groupId>org.slf4j</groupId>
</exclusion>
<exclusion>
<artifactId>jcl-over-slf4j</artifactId>
<groupId>org.slf4j</groupId>
</exclusion>
<exclusion>
<artifactId>jsp-api</artifactId>
<groupId>javax.servlet</groupId>
</exclusion>
<exclusion>
<artifactId>jasper-runtime</artifactId>
<groupId>tomcat</groupId>
</exclusion>
<exclusion>
<artifactId>jasper-compiler</artifactId>
<groupId>tomcat</groupId>
</exclusion>
<exclusion>
<artifactId>jasper-compiler-jdt</artifactId>
<groupId>tomcat</groupId>
</exclusion>
</exclusions>
</dependency>
<dependency>
<groupId>org.apache.tomcat</groupId>
<artifactId>catalina</artifactId>
<version>${tomcat.version}</version>
<scope>test</scope>
</dependency>
<dependency>
<groupId>org.apache.tomcat</groupId>
<artifactId>servlet-api</artifactId>
<version>${tomcat.version}</version>
<scope>test</scope>
</dependency>
<dependency>
<groupId>org.apache.tomcat</groupId>
<artifactId>jasper</artifactId>
<version>${tomcat.version}</version>
<scope>test</scope>
</dependency>
<dependency>
<groupId>org.apache.tomcat</groupId>
<artifactId>jasper-el</artifactId>
<version>${tomcat.version}</version>
<scope>test</scope>
</dependency>
<dependency>
<groupId>org.apache.tomcat</groupId>
<artifactId>jsp-api</artifactId>
<version>${tomcat.version}</version>
<scope>provided</scope>
</dependency>
<dependency>
<groupId>javax.servlet</groupId>
<artifactId>javax.servlet-api</artifactId>
<version>${javax.servlet.version}</version>
<scope>test</scope>
</dependency>
<dependency>
<groupId>org.apache.tomcat</groupId>
<artifactId>jasper-jdt</artifactId>
<version>6.0.29</version>
<scope>test</scope>
</dependency>
<!-- log configuration -->
tomcat.version - это 6.0.39, вы можете попробовать современную версию tomcat, 7 или 8, но заботиться о зависимостях иногда становится немного нечетко.
javax.servlet.version - 3.0.1
Далее я определил общий класс тестирования, который распространяется на все мои тесты. У меня есть класс тестирования на контроллер.
import it.openutils.testing.junit.AbstractDbUnitJunitSpringContextTests;
import org.junit.After;
import org.junit.Before;
import org.junit.runner.RunWith;
import org.springframework.core.io.Resource;
import org.springframework.test.context.ContextConfiguration;
import org.springframework.test.context.TestExecutionListeners;
import org.springframework.test.context.junit4.SpringJUnit4ClassRunner;
import org.springframework.test.context.support.DependencyInjectionTestExecutionListener;
import org.springframework.test.context.support.DirtiesContextTestExecutionListener;
import org.springframework.test.context.transaction.TransactionalTestExecutionListener;
import org.springframework.transaction.annotation.Transactional;
import com.meterware.servletunit.ServletRunner;
@RunWith(SpringJUnit4ClassRunner.class)
@ContextConfiguration(locations = { "/integration/application-database-test.xml", "/integration/mvc-dispatcher-servlet-test.xml" })
@TestExecutionListeners({ DependencyInjectionTestExecutionListener.class, DirtiesContextTestExecutionListener.class, TransactionalTestExecutionListener.class })
public abstract class ControllerIntegrationCommonTest extends AbstractDbUnitJunitSpringContextTests
{
/**
* The Web CLient for JSP rendeting Test
*/
protected ServletRunner servletRunner;
/**
* @throws java.lang.Exception
*/
@Before
public void setUp() throws Exception
{
Resource web = this.applicationContext.getResource("/WEB-INF/web.xml");
if (servletRunner == null)
{
servletRunner = new ServletRunner(web.getFile(),null);
}
}
@After
public void setDown() throws Exception
{
servletRunner.shutDown();
}
}
@ContextConfiguration, @TestExecutionListeners необходимы, если вы хотите запустить все это из контекста Spring Junit, при удалении вы получите хорошее java.lang.IllegalStateException: не удалось загрузить ApplicationConext.
Обратите внимание, что я создаю экземпляр ServletRunner с помощью Web.xml. Это, конечно, обязательно и очень похоже на мою продукцию. Второй параметр contextPath имеет значение Null. Для моего тестирования я не нуждался. Я отсылаю вас к API для более полной информации.
После того, как вы это настроите, сделать тест легко. Добавляю в примеры:
PostMethodWebRequest webRequest = new PostMethodWebRequest("http://myserver/setup/checkXML",true);
webRequest.setParameter("param1", "11112");
File file = new File("src/test/resources/datasets/myxml.xml");
webRequest.selectFile("fileData",file,"multipart/form-data");
WebResponse webResponse = servletRunner.getResponse(webRequest);
assertNotNull(webResponse);
assertTrue(webResponse.getURL().getPath().contains("checkXML"));
assertNotNull(webResponse.getElementsByTagName("resultCheck"));
log.debug(" ----------------- ");
log.debug(webResponse.getText());
log.debug(" ----------------- ");
webResponse.getFormWithID("resultsForm").getSubmitButtons()[0].click();
В этом примере я сделаю пост загрузки файла. Вам необходимо создать PostMethodWebRequest с параметром mimeencoded, установленным как true. Если нет, вы получите несколько забавных сообщений об ошибках.
Для добавления файла просто используются только методы. Вы можете увидеть в API вы можете загрузить один файл или набор.
Этот последний пример только для запроса make Get
GetMethodWebRequest webRequest = new GetMethodWebRequest("http://myserver/setup/addarea");
webRequest.setParameter("param", "11");
WebResponse webResponse = servletRunner.getResponse(webRequest);
assertNotNull(webResponse);
assertTrue(webResponse.getURL().getPath().contains("addsomething"));
assertNotNull(webResponse.getElementsByTagName("listofsomething"));
assertNotNull(webResponse.getElementsByTagName("someelement"));
log.debug(" ----------------- ");
log.debug(webResponse.getText());
log.debug(" ----------------- ");
В этом примере я делаю запрос Get на мой контроллер. Как и в предыдущем, я отправляю некоторые параметры, а затем получаю ответ. Там я проверяю, соответствует ли URL тому, что я ожидал, и проверяю, что JSP отображает некоторые элементы.
Обратите внимание, что для построения WebRequest я должен использовать URL-адрес в хорошем формате, но нет проблем с именем сервера, Servlet Unit не использует его вообще, его не нужно ни в каком месте определять.
Надеюсь, это поможет вам. Веселитесь !!