JUnit与EasyMock合作

开发人员始终需要注意所产生的代码。 在实施新功能或修复某些错误之后,应确保它们能够正常工作。 至少可以借助单元测试来实现。 由于此博客致力于Java编程语言,因此今天我将撰写有关JUnit 4.1和EasyMock 3. 1框架的文章。 这些框架的主要目的是简化单元测试的编写。

介绍

为了演示JUnit和EasyMock功能,我需要准备一些代码,这些代码将在测试中介绍。 因此,一开始我将向您介绍一个简单的
我为本教程开发的应用程序。 Java开发人员应该非常熟悉它,因为它可以模拟咖啡机的工作。 现在,我将用几句话描述应用程序的功能。 咖啡机有两个容器:用于盛水和用于咖啡。 您可以根据份量(小,中,大)制作三种咖啡。

  • 积极的情况:您使一部分咖啡和容器中有足够的水和咖啡豆。
  • 负面的情况:您煮了一部分咖啡,容器中没有足够的水或咖啡豆。

如果没有足够的容器,您可以重新装满。 在简要描述了应用程序的功能之后,您可以轻松地想象它应该如何工作。 现在该提供类的代码示例了。

申请代码

现在尝试变得更加耐心和细心。 您将在下面看到很多类,我将在下一段中对其进行测试。 如上所述,咖啡机可以生产三种类型的咖啡,具体取决于要获取的份量。 应用程序中的部分将表示为枚举。

public enum Portion {SMALL(1), MEDIUM(2), LARGE(3);private int size;private Portion(int size) {this.size = size;}public int size() {return size;}
}

我们的咖啡机有两个容器,这意味着我们需要为它们构建逻辑体系结构。 让我们坚持基于接口的智能编码方法。

public interface IContainer {public boolean getPortion(Portion portion) throws NotEnoughException;public int getCurrentVolume();public int getTotalVolume();public void refillContainer();}

为了避免代码重复,我需要为容器开发一个抽象类。 在这种编程方法的上下文中,我想考虑一下我的一篇有关Abstract类VS接口的文章 。

public abstract class AbstractContainer implements IContainer {private int containerTotalVolume;private int currentVolume;public AbstractContainer(int volume) {if (volume < 1)throw new IllegalArgumentException('Container's value must be greater then 0.');containerTotalVolume = volume;currentVolume = volume;}@Overridepublic boolean getPortion(Portion portion) throws NotEnoughException {int delta = currentVolume - portion.size();if (delta > -1) {currentVolume -= portion.size();return true;} elsethrow new NotEnoughException('Refill the '+ this.getClass().getName());}@Overridepublic int getCurrentVolume() {return currentVolume;}@Overridepublic int getTotalVolume() {return containerTotalVolume;}@Overridepublic void refillContainer() {currentVolume = containerTotalVolume;}}

抽象容器中的方法是自我解释的,因此无需在其上停止更多细节。 您可能已经注意到NotEnoughException,不用担心,这没什么特别的,只是针对应用程序定制的异常。

public class NotEnoughException extends Exception {public NotEnoughException(String text) {super(text);}}

容器接口和抽象类的开发完成后,我们可以继续进行具体的容器实现。

public class CoffeeContainer extends AbstractContainer {public CoffeeContainer(int volume) {super(volume);}}

同一类用于水容器:

public class WaterContainer extends AbstractContainer {public WaterContainer(int volume) {super(volume);}}

现在,我们拥有开发与咖啡机相关的代码所需的所有内容。 和以前一样,我将从界面开发开始。

public interface ICoffeeMachine {public boolean makeCoffee(Portion portion) throws NotEnoughException;public IContainer getCoffeeContainer();public IContainer getWaterContainer();}

最后是咖啡机的实现:

public class CoffeeMachine implements ICoffeeMachine {private IContainer coffeeContainer;private IContainer waterContainer;public CoffeeMachine(IContainer cContainer, IContainer wContainer) {coffeeContainer = cContainer;waterContainer = wContainer;}@Overridepublic boolean makeCoffee(Portion portion) throws NotEnoughException {boolean isEnoughCoffee = coffeeContainer.getPortion(portion);boolean isEnoughWater = waterContainer.getPortion(portion);if (isEnoughCoffee && isEnoughWater) {return true;} else {return false;}}@Overridepublic IContainer getWaterContainer() {return waterContainer;}@Overridepublic IContainer getCoffeeContainer() {return coffeeContainer;}}

就是这样,与要在单元测试的帮助下测试的程序有关。

JUnit测试

在开始JUnit测试开发之前,我想重复单元测试的规范目标。 单元测试检查功能的最小部分-方法或类。 这种情况对开发施加了一定的逻辑限制。 这意味着您不需要在方法中添加一些额外的逻辑,因为在此之后,测试变得更加困难。 还有一件更重要的事情–单元测试意味着功能与应用程序其他部分的隔离。 在使用方法“ B”时,我们不需要检查方法“ A”的功能。 因此,让我们为咖啡机应用程序编写JUnit测试。 为此,我们需要向pom.xml添加一些依赖项

...<dependency><groupid>org.easymock</groupid><artifactid>easymock</artifactid><version>3.1</version></dependency><dependency><groupid>junit</groupid><artifactid>junit</artifactid><version>4.11</version></dependency>
...

我选择了AbstractContainer类来演示JUnit测试。 因为在应用程序上下文中,我们有该类的两种实现,并且如果要为其编写测试,则自动地,我们将测试WaterContainer类和CoffeeContainer类。

import static org.junit.Assert.assertEquals;import org.junit.After;
import org.junit.Before;
import org.junit.Test;import com.app.data.Portion;
import com.app.exceptions.NotEnoughException;
import com.app.mechanism.WaterContainer;
import com.app.mechanism.interfaces.IContainer;public class AbstractContainerTest {IContainer waterContainer;private final static int VOLUME = 10;@Beforepublic void beforeTest() {waterContainer = new WaterContainer(VOLUME);}@Afterpublic void afterTest() {waterContainer = null;}@Test(expected = IllegalArgumentException.class)public void testAbstractContainer() {waterContainer = new WaterContainer(0);}@Testpublic void testGetPortion() throws NotEnoughException {int expCurVolume = VOLUME;waterContainer.getPortion(Portion.SMALL);expCurVolume -= Portion.SMALL.size();assertEquals('Calculation for the SMALL portion is incorrect',expCurVolume, waterContainer.getCurrentVolume());waterContainer.getPortion(Portion.MEDIUM);expCurVolume -= Portion.MEDIUM.size();assertEquals('Calculation for the MEDIUM portion is incorrect',expCurVolume, waterContainer.getCurrentVolume());waterContainer.getPortion(Portion.LARGE);expCurVolume -= Portion.LARGE.size();assertEquals('Calculation for the LARGE portion is incorrect',expCurVolume, waterContainer.getCurrentVolume());}@Test(expected = NotEnoughException.class)public void testNotEnoughException() throws NotEnoughException {waterContainer.getPortion(Portion.LARGE);waterContainer.getPortion(Portion.LARGE);waterContainer.getPortion(Portion.LARGE);waterContainer.getPortion(Portion.LARGE);}@Testpublic void testGetCurrentVolume() {assertEquals('Current volume has incorrect value.', VOLUME,waterContainer.getCurrentVolume());}@Testpublic void testGetTotalVolume() {assertEquals('Total volume has incorrect value.', VOLUME,waterContainer.getTotalVolume());}@Testpublic void testRefillContainer() throws NotEnoughException {waterContainer.getPortion(Portion.SMALL);waterContainer.refillContainer();assertEquals('Refill functionality works incorectly.', VOLUME,waterContainer.getCurrentVolume());}}

我需要解释所有使用的注释。 但是我对此很懒,我只给您一个指向JUnit API的链接。 在这里,您可以阅读最正确的说明。 注意所有测试的共同点–它们都标记有@Test批注,它表示以下方法是测试,并且每个测试都以某些“ assert ”方法结尾。 断言对于每个测试都是必不可少的部分,因为应该在测试的最后检查所有操作。

具有EasyMock测试的JUnit

好的,在上一段中,我向您展示了几个简单的JUnit测试示例。 在该示例中,测试不与任何其他类协作。 如果我们需要在JUnit测试中包含一些额外的类怎么办? 我在上面提到,单元测试应该与其余应用程序的功能隔离。 为此,您可以使用EasyMock测试框架 。 借助EasyMock,您可以创建模拟游戏。 嘲笑是模拟真实具体对象行为的对象,但是有了一个大的加号,您可以为模拟指定状态,这样,您就可以在特定的单元测试时刻为假对象获得该状态。

import static org.junit.Assert.*;import org.easymock.EasyMock;
import org.junit.After;
import org.junit.Before;
import org.junit.Test;public class CoffeeMachineTest {ICoffeeMachine coffeeMachine;IContainer coffeeContainer;IContainer waterContainer;@Beforepublic void setUp() {coffeeContainer = EasyMock.createMock(CoffeeContainer.class);waterContainer = EasyMock.createMock(WaterContainer.class);coffeeMachine = new CoffeeMachine(coffeeContainer, waterContainer);}@Afterpublic void tearDown() {coffeeContainer = null;waterContainer = null;coffeeMachine = null;		}@Testpublic void testMakeCoffe() throws NotEnoughException {EasyMock.expect(coffeeContainer.getPortion(Portion.LARGE)).andReturn(true);EasyMock.replay(coffeeContainer);EasyMock.expect(waterContainer.getPortion(Portion.LARGE)).andReturn(true);EasyMock.replay(waterContainer);assertTrue(coffeeMachine.makeCoffee(Portion.LARGE));}@Testpublic void testNotEnoughException() throws NotEnoughException {EasyMock.expect(coffeeContainer.getPortion(Portion.LARGE)).andReturn(false);EasyMock.replay(coffeeContainer);EasyMock.expect(waterContainer.getPortion(Portion.LARGE)).andReturn(true);EasyMock.replay(waterContainer);assertFalse(coffeeMachine.makeCoffee(Portion.LARGE));}}

在前面的代码片段中,您可以看到JUnit和EasyMock的合作。 我可以强调EasyMock使用中的一些基本知识。

  1. 如果测试需要与某个外部对象进行交互,则应对其进行模拟。
    coffeeContainer = EasyMock.createMock(CoffeeContainer.class);
  2. 设置模拟或具体方法的行为,这是测试被测对象所必需的。
    EasyMock.expect(coffeeContainer.getPortion(Portion.LARGE)).andReturn(true);
  3. 将模拟切换到回复模式。
    EasyMock.replay(coffeeContainer);

    EasyMock的API有很多不同的方法,因此我建议在官方网站上内容。

JUnit测试套件

当您有一个小型应用程序时,可以单独启动JUnit测试,但是如果您在大型复杂的应用程序上工作该怎么办? 在这种情况下,可以通过某些功能将单元测试汇总到测试服中。 JUnit为此提供了便捷的方法。

@RunWith(Suite.class)
@SuiteClasses({ AbstractContainerTest.class, CoffeeMachineTest.class })
public class AllTests {}

摘要

单元测试是软件开发中非常重要的一部分,它具有许多方法,方法和工具。 在这篇文章中,我对JUnit和EasyMock进行了概述,但是我忽略了许多有趣的时刻和技术,打算在以下教程中进行介绍。 您可以从我的DropBox下载该教程的源代码 。

参考:在Fruzenshtein的注释博客中,我们的JCG合作伙伴 Alex Fruzenshtein的JUnit和EasyMock合作 。

翻译自: https://www.javacodegeeks.com/2013/03/junit-and-easymock-cooperation.html

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/369459.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

nodejs获取当前url和url参数值

//需要使用的模块 http url 当前url http://localhost:8888/select?aa001&bb002 var http require(http); var URL require(url); http.createServer(function(req, res){var arg url.parse(req.url).query; //方法一arg > aa001&bb002var arg url.parse(…

以A表中的值快速更新B表中记录的方法

1、问题描述 有两张表&#xff0c;A表记录了某些实体的新属性&#xff0c;B表记录了每个实体的旧属性&#xff0c;现在打算用A中的属性值去更新B中相同实体的旧属性&#xff0c;如下图所示&#xff1a; 类似这样的需求&#xff0c;怎样做比较高效呢&#xff1f; 2、制作模拟数…

linux日志文件备份,LINUX 自动备份程序日志(shell)

定期备份脚本案列用tar压缩7天前日志删除7天压缩完日志删除压缩完356天前日志#&#xff01;/bin/bash#delete expire log#script name drop_log#script default remove 7 day log and remove remove archived a year ago#make date 2015/06/15result_clientfind /orafile/app/s…

HTML 网页创建

最简单的方式就是创建一个文本文档&#xff0c;然后将.txt后缀改为.html或者htm。 完成上面的步骤会创建一个完全空白的网页&#xff0c;下面填充一点内容&#xff0c;代码实例如下: <!DOCTYPE html> <html> <head> <meta charset" utf-8">…

Hadoop赠品–综述

各位极客&#xff0c; Packt Publishing关于Apache Hadoop 的书籍赠品已经结束。 您可以在此处找到比赛的原始帖子。 获奖者 将会获得这本书奖的6位幸运获奖者是&#xff08;姓名出现在他们的电子邮件中&#xff09;&#xff1a; Hadoop真实世界解决方案手册 Sellamuthu&…

企业级应用与互联网应用的区别

企业级应用&#xff1a;商业组织、大型企业而创建并部署的解决方案及应用。涉及的外部资源众多、事务密集、数据量大、用户众多、同时必须有较强的安全性考虑。 企业应用和互联网应用从根本来说是相同的&#xff0c;都是基于因特网、HTTP、浏览器的一种应用&#xff0c;但面向的…

hdu-2602 Bone Collector

题目 http://acm.hdu.edu.cn/showproblem.php?pid2602 分析 基础背包问题,有一个容量为V的背包,各种骨头有大小和价值两种属性,求背包能装的骨头的最大价值. AC代码 #include "bits/stdc.h" using namespace std; int val[1010], vol[1010], dp[1010]; int main(int…

linux vfs open函数,Linux VFS中open系统调用实现原理

用户空间的函数在内核里面的入口函数是sys_open通过grep open /usr/include/asm/unistd_64.h查找到的#define __NR_open2__SYSCALL(__NR_open, sys_open)观察unistd_64.h&#xff0c;我们可以猜测用户空间open函数最终调用的系统调用号是2来发起的sys_open系统调用(毕竟glibc一…

从如何停掉 Promise 链说起

在使用Promise处理一些复杂逻辑的过程中&#xff0c;我们有时候会想要在发生某种错误后就停止执行Promise链后面所有的代码。 然而Promise本身并没有提供这样的功能&#xff0c;一个操作&#xff0c;要么成功&#xff0c;要么失败&#xff0c;要么跳转到then里&#xff0c;要么…

JAXB教程–入门

注意&#xff1a;请查看我们的Java XML绑定JAXB教程– ULTIMATE指南 什么是JAXB&#xff1f; JAXB代表用于XML绑定的Java体系结构。它用于将XML转换为java对象&#xff0c;并将java对象转换为XML。JAXB定义了一个用于在XML文档中读写Java对象的API。与SAX和DOM不同&#xff0c…

《Kubernetes权威指南第2版》学习(二)一个简单的例子

1&#xff1a; 安装VirtualBox, 并下载CentOS-7-x86_64-DVD-1708.iso&#xff0c; 安装centOS7,具体过程可以百度。 2&#xff1a;开启centOS的SSH&#xff0c; 步骤如下&#xff1a; &#xff08;1&#xff09; yum list installed | grep openssh-server查看是否已经安装了SS…

create_volume.go

package apiimport ("net/http""io/ioutil""errors""fmt")//创建存储空间func CreateVolume(host string, port int, vid uint64) error {url : fmt.Sprintf("http://%s:%d/%d/", host, port, vid)resp, err : http.Post(ur…

linux 安装ftp下载,LINUX FTP安装与配置

转载了一篇配置vsftpd服务器的文章&#xff0c;经过自己的配置&#xff0c;终于搞定了&#xff01;1.安装vsftpdXml代码 yum install vsftpd2.启动/重启/关闭vsftpd服务器Xml代码 [rootlocalhost ftp]# /sbin/service vsftpd restartShutting down vsftpd: [ OK ]Starting vs…

使用Hibernate批量获取

如果需要从Java处理大型数据库结果集&#xff0c;则可以选择JDBC&#xff0c;以提供所需的低级控制。 另一方面&#xff0c;如果您已在应用程序中使用ORM&#xff0c;则回退到JDBC可能意味着额外的麻烦。 在域模型中导航时&#xff0c;您将失去乐观锁定&#xff0c;缓存&#x…

c语言 static的用法

static在c里面可以用来修饰变量&#xff0c;也可以用来修饰函数。先看用来修饰变量的时候。变量在c里面可分为存在全局数据区、栈和堆里。其实我们平时所说的堆栈是栈而不是堆&#xff0c;不要弄混。int a ;int main(){ int b ; int c* (int *)malloc(sizeof(int));}a是…

前端经典面试题 不经典不要star!

前言 (以下内容为一个朋友所述)今天我想跟大家分享几个前端经典的面试题,为什么我突然想写这么一篇文章呢?今天我应公司要求去面试了下几位招聘者,然后又现场整不出几个难题,就搜了一下前端变态面试题! HAHA&#xff0c;前提我并不是一个变态,欺负人的面试官.只是我希望看看对…

CSS的常见问题

1.css的编码风格 多行式&#xff1a;可读性越强&#xff0c;但是CSS文件的行数过多&#xff0c;影响开发速度&#xff0c;增大CSS文件的大小 一行式&#xff1a;可读性稍差&#xff0c;有效减少CSS文件的行数&#xff0c;有利于提高开发速度&#xff0c;减小CSS文件的大小 2.id…

linux 磁盘科隆,Linux中ln命令用法详解(硬链接)

硬连接指向的是节点(inode),是已存在文件的另一个名字,修改其中一个,与其连接的文件同时被修改;对硬链接文件进行读写和删除操作时候&#xff0c;效果和符号链接相同。但如果我们删除硬链接文件的源文件&#xff0c;硬链接文件仍然存在&#xff0c;而且保留了原有的内容。这时&…

Web前端开发学习误区,你掉进去了没?

从接触网站开发以来到现在&#xff0c;已经有五个年头了吧&#xff0c;今天偶然整理电脑资料看到当时为参加系里面一个比赛而做的第一个网站时&#xff0c;勾起了在这网站开发道路上的一串串回忆&#xff0c;成功与喜悦、烦恼与纠结都历历在目&#xff0c;感慨颇多。 先从大家学…

Oracle Database 11g DBA手册pdf

下载地址&#xff1a;网盘下载内容简介编辑《Oracle Database 11g DBA手册》所提供的专业知识可以帮助读者管理灵活的、高可用性的Oracle数据库。《Oracle Database 11g DBA手册》对上一版本进行了全面的修订&#xff0c;涵盖了每个新特性和实用工具&#xff0c;展示了如何实施…