- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我搜索了 Google 和 SO 答案,并尝试了许多变体,但没有成功。在过去的几天里,我正在尝试为我的 Spring Boot 端点启用集成测试。详细信息如下:
错误是在 EnclosureController 类中发现 NullPointerException(我在注释中用 NULL 标记了该对象)
如果存在一种比 MockMvc 更有效的方法来执行集成测试,我非常愿意接受建议。
TestClass(在 root.package.test 中)
@RunWith(SpringRunner.class)
@WebMvcTest(EnclosureController.class)
public class EnclosureControllerTest {
@Autowired
private MockMvc mvc;
@MockBean
private EnclosureRepository enclosureRepository;
//static final strings for Enclosure initialization
@Test
public void createEnclosureAPI() throws Exception
{
mvc.perform( MockMvcRequestBuilders
.post("/enclosure")
.header("Authorization", "TEST")
.content(asJsonString(new Enclosure(ENCLOSURE_TITLE, ENCLOSURE_LOCATION, DIMENSIONAL_UNITS, ENCLOSURE_LENGTH, ENCLOSURE_WIDTH, ENCLOSURE_HEIGHT)))
.contentType(MediaType.APPLICATION_JSON)
.accept(MediaType.APPLICATION_JSON))
.andExpect(status().isCreated())
.andDo(print())
.andExpect(MockMvcResultMatchers.jsonPath("$.enclosureId").exists());
}
}
EnclosureController(我删除了身份验证检查,因为错误与存储库有关)
@RestController
public class EnclosureController {
final
private EnclosureRepository repository;
@Autowired
public EnclosureController(EnclosureRepository repository) {
this.repository = repository;
}
@RequestMapping(value = {"/enclosure"},
method = RequestMethod.POST,
consumes = "application/json",
produces = APPLICATION_JSON_VALUE)
@ResponseBody
@Async("asyncExecutor")
public CompletableFuture<Enclosure> createEnclosure(
@Valid @RequestBody Enclosure request,
@RequestHeader(value = "Authorization") String auth,
HttpServletResponse response
) {
//NULL on repository (Optional is never returned. NullPointerExcep thrown on repository.save)
int enclosureId = Optional.of(repository.save(request)).orElse(new Enclosure(0)).getEnclosureId();
if (enclosureId > 0)
response.setStatus(HttpServletResponse.SC_CREATED);
return CompletableFuture.completedFuture(repository.findByEnclosureId(enclosureId));
}
}
@RequestMapping(value = {"/enclosure/{id}"},
method = RequestMethod.GET)
@ResponseBody
@Async("asyncExecutor")
public CompletableFuture<Enclosure> getSingleEnclosure(
@PathVariable("id") int id,
@RequestHeader(value = "Authorization") String auth,
HttpServletResponse response
) {
return CompletableFuture.completedFuture(repository.findByEnclosureId(id));
}
存储库
@Repository
public interface EnclosureRepository extends CrudRepository<Enclosure, Integer> {
Enclosure findByEnclosureId(Integer enclosureId);
List<Enclosure> findAll();
}
RepositoryImpl(用于 bean decleration。注意删除了本文中不需要的方法)
public class EnclosureRepositoryImpl implements EnclosureRepository {
private static ConcurrentHashMap<Integer, Optional<Enclosure>> repo = new ConcurrentHashMap<>();
private static AtomicInteger maxId = new AtomicInteger();
@Override
public Enclosure findByEnclosureId(Integer enclosureId) {
return repo.get(enclosureId).orElse(new Enclosure());
}
@Override
public Enclosure save(Enclosure entity) {
repo.put(maxId.incrementAndGet(), Optional.of(entity));
return repo.get(maxId).orElse(new Enclosure());
}
@Override
public Optional<Enclosure> findById(Integer integer) {
return repo.get(integer);
}
@Override
public boolean existsById(Integer integer) {
return repo.containsKey(integer);
}
}
申请
@SpringBootApplication
public class Application {
public static void main(String[] args) {
SpringApplication.run(Application.class, args);
}
配置
@Configuration
@EnableJpaRepositories(basePackages = {
"root.package.model.repository"
})
@EnableTransactionManagement
@EnableAsync
public class BeanConfig {
@Override
@Bean(name = "asyncExecutor")
public Executor getAsyncExecutor() {
ThreadPoolTaskExecutor executor = new ThreadPoolTaskExecutor();
executor.setCorePoolSize(3);
executor.setMaxPoolSize(100);
executor.setQueueCapacity(100);
executor.setThreadNamePrefix("AGMSpringAsyncThread-");
executor.initialize();
return executor;
}
@Bean
JpaTransactionManager transactionManager(EntityManagerFactory entityManagerFactory) {
JpaTransactionManager transactionManager = new JpaTransactionManager();
transactionManager.setEntityManagerFactory(entityManagerFactory);
return transactionManager;
}
@Bean
LocalContainerEntityManagerFactoryBean entityManagerFactory(DataSource dataSource,
Environment env) {
LocalContainerEntityManagerFactoryBean entityManagerFactoryBean = new LocalContainerEntityManagerFactoryBean();
entityManagerFactoryBean.setDataSource(dataSource);
entityManagerFactoryBean.setJpaVendorAdapter(new HibernateJpaVendorAdapter());
entityManagerFactoryBean.setPackagesToScan("io.colby.model.repository");
Properties jpaProperties = new Properties();
//Configures the used database dialect. This allows Hibernate to create SQL
//that is optimized for the used database.
jpaProperties.put("hibernate.dialect", env.getRequiredProperty("hibernate.dialect"));
//Specifies the action that is invoked to the database when the Hibernate
//SessionFactory is created or closed.
jpaProperties.put("hibernate.hbm2ddl.auto",
env.getRequiredProperty("hibernate.hbm2ddl.auto")
);
//Configures the naming strategy that is used when Hibernate creates
//new database objects and schema elements
jpaProperties.put("hibernate.ejb.naming_strategy",
env.getRequiredProperty("hibernate.ejb.naming_strategy")
);
//If the value of this property is true, Hibernate writes all SQL
//statements to the console.
jpaProperties.put("hibernate.show_sql",
env.getRequiredProperty("hibernate.show_sql")
);
//If the value of this property is true, Hibernate will format the SQL
//that is written to the console.
jpaProperties.put("hibernate.format_sql",
env.getRequiredProperty("hibernate.format_sql")
);
entityManagerFactoryBean.setJpaProperties(jpaProperties);
return entityManagerFactoryBean;
}
@Bean(destroyMethod = "close")
DataSource dataSource(Environment env) {
HikariConfig dataSourceConfig = new HikariConfig();
dataSourceConfig.setDriverClassName(env.getRequiredProperty("db.driver"));
dataSourceConfig.setJdbcUrl(env.getRequiredProperty("db.url"));
dataSourceConfig.setUsername(env.getRequiredProperty("db.username"));
dataSourceConfig.setPassword(env.getRequiredProperty("db.password"));
return new HikariDataSource(dataSourceConfig);
}
@Bean
public EnclosureRepository enclosureRepository(){
return new EnclosureRepositoryImpl();
}
}
外壳
@Component
@Entity
@Table(name="enclosure")
public class Enclosure {
@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
@Column(name = "enclosure_id", nullable = false, updatable = false)
@JsonProperty("enclosure-id")
private Integer enclosureId;
@Column(name = "title")
@Size(max = 255)
@NotBlank
private String title;
@Column(name = "location")
@Size(max = 255)
private String location;
@Column(length = 25, name = "dimension_units")
@Size(max = 25)
@JsonProperty("dimension-units")
private String dimensionUnits;
@CreationTimestamp
@Column(nullable = false, name = "insert_timestamp")
@JsonProperty("created-date-time")
private LocalDateTime insertTimestamp;
@UpdateTimestamp
@Column(name = "update_timestamp")
@JsonProperty("last-updated-date-time")
private LocalDateTime updateTimestamp;
@Column(length = 5, precision = 2)
private double length;
@Column(length = 5, precision = 2)
private double width;
@Column(length = 5, precision = 2)
private double height;
public Enclosure(String title,
String location,
String dimensionUnits,
double length, double width, double height) {
this.title = title;
this.location = location;
this.dimensionUnits = dimensionUnits;
this.length = length;
this.width = width;
this.height = height;
}
public Enclosure(int enclosureId){
this.enclosureId = enclosureId;
}
public Enclosure(){
}
//Getters and setters...
目录树
.
└── main
├── java
│ └── root
│ └── package
│ ├── Application.java
│ ├── configuration
│ │ ├── BeanConfig.java
│ ├── model
│ │ ├── entity
│ │ │ ├── Enclosure.java
│ │ └── repository
│ │ ├── EnclosureRepository.java
│ │ ├── EnclosureRepositoryImpl.java
│ ├── routes
│ │ ├── enclosure
│ │ │ └── controller
│ │ │ └── EnclosureController.java
│ └── test
│ └── routes
│ └── enclosure
│ └── EnclosureControllerTest.java
├── resources
│ ├── application.properties
└── test
└── java
应用程序属性
#Database Configuration
db.driver=org.h2.Driver
db.url=jdbc:h2:mem:datajpa
db.username=sa
db.password=
spring.jackson.default-property-inclusion=non_null
# Details for our datasource
spring.datasource.url = jdbc:postgresql://host/db
spring.datasource.username = user
spring.datasource.password = pass
# Hibernate properties
spring.jpa.database-platform = org.hibernate.dialect.PostgreSQL94Dialect
spring.jpa.show-sql = true
spring.jpa.hibernate.ddl-auto = create-drop
spring.jpa.hibernate.naming.implicit-strategy = org.hibernate.boot.model.naming.ImplicitNamingStrategyJpaCompliantImpl
spring.jpa.properties.hibernate.format_sql=true
注意,我在 test.java 中有测试类,但是我想让测试在 root.package 子目录中工作,然后使用 @ComponentScan 指向要扫描的包树。
我正在查看以下教程来尝试进行测试:
http://www.springboottutorial.com/integration-testing-for-spring-boot-rest-services
https://www.baeldung.com/spring-boot-testing
最佳答案
当通过注解创建模拟时,即@Mock
,您需要初始化它们。最好的方法是调用:
MockitoAnnotations.initMocks(this);
在用@Before
注释的方法内,以便在调用测试之前创建模拟。
关于java - Spring Boot 存储库在测试期间不工作,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/55089558/
我有一个问题,但由于 this question 部分正在解决,但我想知道如何计算给定间隔之间的天数。 这是一个计算员工休假天数的查询。所以给定(或不给定)一个日期范围,我想计算给定间隔之间有多少假期
变量dateSubtract结果是 16,但我想找到这 2 天之间的总天数,应该是 165。没有 JODA TIME 我该如何做到这一点? String date = "06/17/2014"; Da
我想选择创建日期介于给定月份的第一天和最后一天之间的记录。我通过以下方式计算开始日期和结束日期的月份: 日期“月份”只是时间范围内的随机日期 Calendar cal = Calendar.getIn
我有一个对你们大多数人来说可能微不足道的问题。我尝试了很多,没有找到解决方案,所以如果有人能给我提示,我会很高兴。起点是每周 xts -时间序列。 月周值(value)目标 2011 年 12 月 W
我有一个 Facebook 应用程序,它将用户生日作为 varchar 存储在 mysql 数据库中。我正在尝试获取所有用户的生日 1周后推出,如果是在本周如果生日是上周。 在我的 php 中,我获取
我正在使用以下代码来获取年、月、日中的两个日期之间的差异 tenAppDTO.getTAP_PROPOSED_START_DATE()=2009-11-01 tenAppDTO.getTAP_PRO
我想检查当前时间(在 C++ 中)是否在一个时间范围内。 我想从元组 ("12:00", "17:30") 构造时间范围,即 (string, string) 并检查时间 now() 是否介于两者之间
gitlab 有一个功能,如果我在提交消息中放入票号,那么提交将与 gitlab.com 上的票相关联。 这在进行代码审查时非常方便。不幸的是,开发人员有时会忘记这样做。 我想指定 git hooks
我正在尝试制作使用SQLite数据库的简单注册/登录应用程序,到目前为止我得到了这段代码。这是我的“注册” Activity ,我猜它应该在按下注册按钮后将用户名和 pin(密码)实现到数据库,遗憾的
我正在尝试打开、关闭和写入文件。每当我尝试打开一个文件时,如果我提供的路径中不存在该文件,程序就会告诉我。如果存在,程序将读取其中的内容并显示它。如果用户不想查找文件,可以选择创建文件并用数据填充它。
我想要我的至slideToggle每当发生 react 性变化时,但到目前为止我还无法使其发生。我尝试在 rendered 中使用 JQuery和created模板的事件,但它没有触发。 触发此操作的
我们的 MySQL 遇到了神秘的网络问题。简单的更新查询(使用索引更新单行)通常会立即运行,然后有时(假设 1000 次中有 1 次)因超时而失败。与简单的插入查询相同。数据库没有过载。我们怀疑网络问
我正在使用 actionbarsherlock 的 ActionBar,第一次以横向或水平方向运行应用程序时,选项卡以 Tabs Mode 显示。将方向更改为纵向后,导航模式仍在 Tabs 中。第二次
每天晚上(太平洋标准时间晚上 8 点)我都会对生产数据库(innoDB 引擎)进行全局备份。 这是 mysqldump 命令: mysqldump -u$MYSQLUSER -p$MYSQLPWD -
当我的应用程序第一次启动时,它应该显示用户协议(protocol),这是一个 59kb 的 txt 文件。由于读取文件并将其附加到 TextView 需要一些时间,因此我决定在异步任务中执行此操作并在
如何只允许一个“.”在按键期间的javascript中? 我这里有一个代码: function allowOneDot(txt) { if ((txt.value.split(".")
我已经创建了像主页和用户这样的标题图标。在桌面 View 中,如果我单击用户图像,它会显示相应的重定向页面。如果我在选项卡或移动 View 中将其最小化, 它什么都不显示。此问题仅发生在用户图像上,而
下面的代码在 Release模式下工作,并且仅在 Debug模式下在 g_ItemList.push_back() 引发错误,我浏览了一些 SO 帖子和论坛。有人提到 "You can't itera
我遇到了一个我似乎无法解决的 mmap 问题。下面是设置:我使用 malloc 将一个巨大的多维数组分配到内存中,用我的值填充它,然后我想将它保存在一个文件中。该数组包含 3200000000 个字节
尝试加载共享库: handle = dlopen( "libaaa.so.2.5", RTLD_NOW ); if ( !handle ) { printf("Failed t
我是一名优秀的程序员,十分优秀!