有效单元测试之可读性

断言

断言的基本原理和意图隐藏在无意义的单词和数字背后,难以理解,难以验证断言的正确性。

Bad eg.

@Test
public void outputHasLineNumbers() {String content = "1st match on #1\nand\n2nd match on #3";String out = grep.grep("match", "test.txt", content);assertTrue(out.indexOf("test.txt:1 1st match") != -1);assertTrue(out.indexOf("test.txt:3 2nd match") != -1);	
}

Good eg.

@Test
public void outputHasLineNumbers() {String content = "1st match on #1\nand\n2nd match on #3";String out = grep.grep("match", "test.txt", content);assertThat(out, containsString("test.txt:1 1st match"));assertThat(out, containsString("test.txt:3 2nd match"));
}

 一个测试应该只有一个失败的原因

按位

Bad eg.

@Test
public void platformBitLength() {assertTrue(Platform.IS_32_BIT ^ Platform.IS_64_BIT);
}

Good eg.

@Test
public void platformBitLength() {assertTrue("Not 32 or 64-bit platform?", Platform.IS_32_BIT || Platform.IS_64_BIT);assertFalse("Cant't be 32 and 64-bit at the same time." Platform.IS_32_BIT && Platform.IS_64_BIT);
}

附加细节

        数据初始化+断言细节--混在一起

Bad eg.

public class TestObjectSpace {private Ruby runtime;private ObjectSpace objectSpace;@Beforepublic void setUp() {runtime = Ruby.newInstance();objectSpace = new ObjectSpace();}@Testpublic void testObjectSpace() {IRubyObject o1 = runtime.newFixnum(10);IRubyObject o2 = runtime.newFixnum(20);IRubyObject o3 = runtime.newFixnum(30);IRubyObject o4 = runtime.newString(&quot;hello&quot;);objectSpace.add(o1);objectSpace.add(o2);objectSpace.add(o3);objectSpace.add(o4);List storedFixnums = new ArrayList(3);storedFixnums.add(o1);storedFixnums.add(o2);storedFixnums.add(o3);Iterator strings = objectSpace.iterator(runtime.getString());assertSame(o4, strings.text());assertNull(strings.next());Iterator numerics = objectSpace.iterator(runtime.getNumeric());for(int i=0; i<3; i++) {Object item = numerics.next();assertTrue(storedFixnums.contains(item));}assertNull(numerics.next());}
}

Good eg.

public class TestObjectSpace {private Ruby runtime;private ObjectSpace objectSpace;private IRubyObject string;private List<IRubyObject> fixnums;@Beforepublic void setUp() {runtime = Ruby.newInstance();objectSpace = new ObjectSpace();string = runtime.newString("hello");fixnums = new ArrayList<IRubyObject>() {{add(runtime.newFixnum(10));add(runtime.newFixnum(20));add(runtime.newFixnum(30));}};}@Testpublic void testObjectSpace() {//填充ObjectSpaceaddTo(space, string);addTo(space, fixnums)//检查ObjectSpace的内容Iterator strings = space.iterator(runtime.getString());assertContainsExactly(strings, string);Iterator numerics = space.iterator(runtime.getNumeric());assertContainsExactly(numerics, fixnums);}private void addTo(ObjectSpace space, Object... values) {}private void addTo(ObjectSpace space, List values) {}private void assertContainsExactly(Iterator i, Object... values) {}private void assertContainsExactly(Iterator i, List values){}
}

方法粒度

        人格分裂:一个测试方法内有多个测试。

Bad eg.

@Test
public void testParsingCommandLineArguments() {String[] args = {"-f", "hello.txt", "-v", "--version"};Configuration config = new Configuration();config.processArguments(args);assertEquals("hello.txt", config.getFileName());assertFalse(config.isDebuggingEnabled());assertFalse(config.isWarningsEnabled());assertTrue(config.isVerbose());assertTrue(config.shouldShowVersion());config = new Configuration();try {config.processArguments(new String[] {"-f"});fail("Should've faild");} catch (InvalidArgumentException e) {// this is okay and expected}
}

Good eg.

public class TestConfiguration {private Configuration config;@Beforepublic void before() {config = new Configuration();}@Testpublic void validArgumentsProvided() {String[] args = {"-f", "hello.txt", "-v", "--version"};config.processArguments(args);assertEquals("hello.txt", config.getFileName());assertFalse(config.isDebuggingEnabled());assertFalse(config.isWarningsEnabled());assertTrue(config.isVerbose());assertTrue(config.shouldShowVersion());}@Test(expected = InvalidArgumentException.class)public void missingArgument() {config.processArguments(new String[] {"-f"});}
}

逻辑分割

        过度分散,增加认知负担。

Bad eg.

public class TestRuby {private Ruby runtime;@Beforepublic void before() {runtime = Ruby.newInstance();}@Testpublic void testVarAndMet() {runtime.getLoadService().init(new ArrayList());eval("load 'test/testVariableAndMethod.rb'");assertEquals("Hello World", eval("puts($a)"));assertEquals("dlroW olleH", eval("puts($b)"));assertEquals("Hello World", eval("puts $d.reverse, $c, $e.reverse"));assertEquals("135 20 3", eval("put $f, \" \", $g, \" \", $h"));}
}代码与文件分离testVariableAndMethod.rb
a = String.new("Hello World");
b = a.reverse
c = " "
d = "Hello".reverse
e = a[6, 5].reverse
f = 100 + 35
g = 2 * 10
h = 13 % 5
$a = a
$b = b
$c = c
$d = d
$e = e
$f = f
$g = g
$h = h

Good eg.

public class TestRuby {private Ruby runtime;private AppendableFile script;@Beforepublic void before() {runtime = Ruby.newInstance();script = withTempFile();}@Testpublic void variableAssignment() {script.line("a = String.new('Hello')");script.line("b = 'World'");script.line("$c = 1 + 2");afterEvaluating(script);assertEquals("Hello", eval("puts(a)"));assertEquals("World", eval("puts b"));assertEquals("3", eval("puts $c"));}@Testpublic void methodInvocation() {script.line("a = 'Hello'.reverse");script.line("b = 'Hello'.length()");script.line("c = ' abc '.trim(' ', '_')");afterEvaluating(script);assertEquals("olleH", eval("puts a"));assertEquals("3", eval("puts b"));assertEquals("_abc_", eval("puts c"));}private void afterEvaluating(AppendableFile sourceFile) {eval("load '" + sourceFile.getAbsolutePath() + "'");}
}

魔法数字

Bad eg.

public class BowlingGameTest {@Testpublic void perfectGame() {roll(10, 12);assertThat(game.score(), is(equalTo(300)));}}

Good eg.


public class BowlingGameTest {@Testpublic void perfectGame() {roll(pins(10), times(12));assertThat(game.score(), is(equalTo(300)));}private int pins(int n) {return n;}private int times(int n) {return n;}
}

冗长安装

Bad eg.

public class PackageFetcherTest {private PackageFetcher fetcher;private Map downloads;private File tempDir;@Beforepublic void before() {String systemTempDir = System.getProperty("java.io.tmpdir");tempDir = new File(systemTempDir, "downloads");tempDir.mkDirs();String filename = "/manifest.xml";InputStream xml = getClass().getResourceAsStream(filename);Document manifest = XOM.parse(IO.streamAsString(xml));PresentationList presentations = new PresentationList();presentations.parse(manifest.getRootElement());PresentationStorage db = new PresentationStorage();List list = presentations.getResourcesMissingFrom(null, db);fetcher = new PackageFetcher();downloads = fetcher.extractDownloads(list);}@Afterpublic void after() {IO.delete(tempDir);}@Testpublic void downloadsAllResources() {fetcher.download(downloads, tempDir, new MockConnector());assertEquals(4, tempDir.list().length);}
}

Good eg.

public class PackageFetcherTest {private PackageFetcher fetcher;private Map downloads;private File tempDir;@Beforepublic void before() {fetcher = new PackageFetcher();tempDir = new File(systemTempDir, "downloads");downloads = extractMissingDownloadsFrom("/manifest.xml");}@Afterpublic void after() {IO.delete(tempDir);}@Testpublic void downloadsAllResources() {fetcher.download(downloads, tempDir, new MockConnector());assertEquals(4, tempDir.list().length);}private File createTempDir(String name) {String systemTempDir = System.getProperty("java.io.tmpdir");File dir = new File(systemTempDir, name);dir.mkDirs();return dir;}private Map extractMissingDownloadsFrom(String path) {PresentationStorage db = new PresentationStorage();List list = presentations.createPresentationListFrom(path);List downloads = list.getResourcesMissingFrom(null, db);return fetcher.extractDownloads(downloads);}private PresentationList createPresentationListFrom(String path) {PresentationList presentations = new PresentationList();presentations.parse(readManifestFrom(path).getRootElement());}private Document readManifestFrom(String path) {InputStream xml = getClass().getResourceAsStream(path);Document manifest = XOM.parse(IO.streamAsString(xml));}
}

过度保护

Bad eg.

@Test
public void count() {Data data = project.getData();assertNotNull(data);//过度保护,没必要assertEquals(4, data.count());
}

Good eg.

@Test
public void count() {Data data = project.getData();assertEquals(4, data.count());
}

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

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

相关文章

mysql 异步复制建立过程_mysql生产环境高可用---基于GTID异步复制项目实施

客户需求&#xff1a;客户需要上线一个门户网站&#xff0c;初期业务量非常小&#xff0c;数据量10个G&#xff0c;后台需要使用msyql 数据库&#xff0c;需要建设一个数据库环境项目技术&#xff1a;操作系统&#xff1a;两台linux系统 红帽6.5数据库版本&#xff1a;msyql 5.…

物联网定位技术超全解析!定位正在从室外走向室内~

来源&#xff1a;物联网智库概要&#xff1a;GPS和基站定位技术基本满足了用户在室外场景中对位置服务的需求。GPS和基站定位技术基本满足了用户在室外场景中对位置服务的需求。然而&#xff0c;人的一生当中有80%的时间是在室内度过的&#xff0c;个人用户、服务机器人、新型物…

有效的单元测试--总结

思维导图&#xff1a;https://www.processon.com/view/link/60d3072d0791297edd63290a

java原生的ajax怎么写_原生Ajax代码实现

AjaxAsynchronous JavaScript And XML异步&#xff1a;指一段程序执行时不会阻塞其他程序执行&#xff0c;其表现形式为程序的执行顺序不依赖程序本身的书写顺序 &#xff0c;相反的则为同步&#xff0c;自己理解的就是类似百度的搜索框输入内容时的提示相关的内容功能&#xf…

人工智能阅读理解是如何打破人类记录? 解读阿里iDST SLQA 技术

来源&#xff1a;网络大数据概要&#xff1a;微软和阿里巴巴开发的人工智能在斯坦福阅读理解测试中并列第一&#xff0c;在答案的精确匹配度上比人类高出几个基点。微软和阿里巴巴开发的人工智能在斯坦福阅读理解测试中并列第一&#xff0c;在答案的精确匹配度上比人类高出几个…

Java测试驱动开发--总结

思维导图&#xff1a;https://www.processon.com/view/link/60d307415653bb049a437111

java发送邮件354_基于SMTP的JAVA邮件发送程序

这个程序没有使用JavaMail API&#xff0c;而是根据SMTP协议的要求直接处理协议的细节发送邮件&#xff0c;虽然比较麻烦了一些&#xff0c;但是对了解邮件协议的细节很有帮助的。本文分两部分&#xff0c;第一部分是SMTP命令介绍(这个从别的地方抄的&#xff0c;嘿嘿)&#xf…

看到记忆的印迹:神经科学家们如何定位、唤醒甚至偷换记忆

来源&#xff1a;澎湃新闻概要&#xff1a;借助新兴的脑部成像技术&#xff0c;神经科学家们得以“看到”与特定记忆相关的特定神经细胞&#xff0c;了解记忆形成和唤起的规律&#xff0c;并成功地重新激活记忆通路。《神探夏洛克》中福尔摩斯在停尸间的初次登场&#xff0c;给…

卓有成效的管理者--总结

思维导图&#xff1a;https://www.processon.com/view/link/60d6f723e401fd50b99628ad

oci连接mysql_OCILIB 连接Oracle数据库——插入数据

二、进阶教程参看官方文档实例&#xff0c;有详细的说明&#xff0c;包括&#xff1a;查询获取数据、绑定向量、数据库连接池、12c隐式结果集、使用Oracle对象和数据库通知等例子。这里只做一个最简单的插入数据演示。1、简单的封装void COciUtil::Init(){CString strAppPath …

人工合成生命的最新进展比AI还快

合成酵母的科学杂志当期封面来源&#xff1a;通信和互联网的扫地僧2016年以来&#xff0c;以AlphaGo为标志的人工智能技术进入了发展的快车道&#xff0c;成为了民众热议的话题。2017年12月27日&#xff0c;华大基因董事长汪建在深商大会上表示&#xff0c;未来的5-10年&#x…

加利福尼亚大学提出从「因果革命」的七大成就中为「机器学习」寻求良好的模型指导

原文来源&#xff1a;arxiv作者&#xff1a;Judea Pearl「雷克世界」编译&#xff1a;嗯~是阿童木呀可以这样说&#xff0c;目前的机器学习系统几乎完全是以统计模式或无模型模式运行的&#xff0c;这对于其功率和性能来说存在着严格的理论限制。这样的系统不能引发干预和反思&…

被讨厌的勇气--总结

思维导图&#xff1a;https://www.processon.com/view/link/60d6fc2c7d9c087f54753b90

创建一个动物类 java_使用java面向对象创建动物类并输出动物信息

题目&#xff1a;使用java面向对象创建动物类并输出动物信息gitup下载地址&#xff1a;https://github.com/benxiaohai8888/Javase/blob/master/Animal.java代码&#xff1a;import java.util.Scanner;public class Animal{private double weight;//体重private int leg;//腿的…

java执行字节码的语句_Java字节码指令

Java虚拟机的指令由一个字节长度的、代表着某种特定操作含义的数字(操作码&#xff0c;Opcode)以及跟随其后的零至多个代表此操作所需的参数(操作数&#xff0c;Operands)构成。即&#xff1a;Java指令 操作码 操作数。由于Java虚拟机采用面向操作数栈而不是寄存器的架构&…

3分钟了解今日头条推荐算法原理(附视频+PPT)

来源&#xff1a;大数据文摘概要&#xff1a;2018年1月&#xff0c;今日头条资深算法架构师曹欢欢博士&#xff0c;终于首次公开今日头条的算法原理&#xff0c;以期推动整个行业问诊算法、建言算法&#xff0c;希望消除各界对算法的误解。今日头条的内容分发算法一直颇神秘低调…

高效休息法--总结

思维导图&#xff1a;https://www.processon.com/view/link/60d6fcaf1e08532a43bea653

java 停止kettle转换_通过java运行Kettle转换

我创建了一个Java应用程序(试点)来运行水壶转换。这很简单&#xff0c;我只有主要的方法&#xff0c;得到一个.ktr文件并执行它。public static void main( String[] args ){try {KettleEnvironment.init();TransMeta transMeta new TransMeta("C:\\user\\car.ktr")…

执行-技术人的管理之路--总结

思维导图&#xff1a;https://www.processon.com/view/link/5f0a6983e401fd0c8fffa75b

java进度条动画_Android自定义控件之圆形进度条动画

本文实例为大家分享了Android实现圆形进度条动画的具体代码&#xff0c;供大家参考&#xff0c;具体内容如下首先贴上图片&#xff1a;额&#xff0c;感觉还行吧&#xff0c;就是进度条的颜色丑了点&#xff0c;不过咱是程序员&#xff0c;不是美工&#xff0c;配色这种问题当然…