void 關鍵字
本節說明如何宣告和呼叫一個void方法。
下面的範例聲明了一個名為printGrade的方法,並且呼叫它來列印給定的分數。
範例
public class TestVoidMethod { public static void main(String[] args) { printGrade(78.5); } public static void printGrade(double score) { if (score >= 90.0) { System.out.println('A'); } else if (score >= 80.0) { System.out.println('B'); } else if (score >= 70.0) { System.out.println('C'); } else if (score >= 60.0) { System.out.println('D'); } else { System.out.println('F'); } } }
以上實例編譯運行結果如下:
C
這裡printGrade方法是void型別方法,它不會回傳值。
一個void方法的呼叫一定是一個語句。 所以,它被在main方法第三行以語句形式呼叫。就像任何以分號結束的語句一樣。
單測void類型的方法
Java的Sevice層會有很多void類型的方法,例如save*、update*,這類方法只是做一些更新,不會有回傳值,其單測不能根據方法的返回值來寫,只能用特殊方法;
本方法環境:Mockito、testng
被測試的方法:
想要測試的VOID方法
@Override public void updateRuleName(Long ruleId, String newRuleName, Long ucId) { Assert.notNull(ruleId, "规则ID不能为Null"); Assert.notNull(newRuleName, "规则名称不能为Null"); Assert.notNull(ucId, "操作人的UCID不能为Null"); String cleanNewRuleName = StringUtils.trim(newRuleName); if (StringUtils.isBlank(cleanNewRuleName)) { throw new IllegalArgumentException("新的规则名称不能为空"); } // 查询规则对象 Rule rule = queryRuleById(ruleId); if (null == rule) { throw new IllegalDataException("没有查到该规则"); } rule.setRuleId(ruleId); rule.setRuleName(cleanNewRuleName); rule.setUpdateUcid(ucId); rule.setUpdateTime(new Date()); ruleDao.updateSelective(rule); }
測試的方法:
@Test public void testUpdateRuleName() { Long ruleId = 1L; String newRuleName = "newRuleName"; Long ucId = 123L; List<Rule> rules = new ArrayList<Rule>(); Rule rule = new Rule(); rule.setRuleStatus((byte) DBValueSetting.RULE_STATUS_TAKE_EFFECT); rules.add(rule); // 查询规则对象 Map<String, Object> params = new HashMap<String, Object>(); params.put("ruleId", ruleId); Mockito.when(ruleDao.queryRulesByCondition(params)).thenReturn(rules); Mockito.doAnswer(new Answer<Object>() { public Object answer(InvocationOnMock invocation) { // 断点2:这里随后执行 Rule rule = (Rule) invocation.getArguments()[0]; Assert.assertTrue(rule.getRuleName().equals("newRuleName")); return null; } }).when(ruleDao).updateSelective(Mockito.any(Rule.class)); // 断点1:先执行到这里 ruleService.updateRuleName(ruleId, newRuleName, ucId); }
public interface Answer<T> { /** * @param invocation the invocation on the mock. * * @return the value to be returned * * @throws Throwable the throwable to be thrown */ T answer(InvocationOnMock invocation) throws Throwable; }
測試的方法:
rrreee
測試的方法:測試
rrreee🎜如註釋所示,如果加了兩個斷點的話,執行的過程中,會先執行最後的調用行,端點1執行的過程中,會執行到端點2的stub,這時候在斷點2可以取得到方法執行的入參,對入參進行Assert校驗,即可實現目的;🎜🎜new Anwer是個接口,其中只有一個方法,用於設置方法調用的代理執行入口🎜🎜doAnswer的實作🎜rrreee🎜🎜🎜當程式碼執行到「ruleDao.updateSelective(rule);」的時候,會觸發針對mock物件呼叫的攔截器,在攔截器中,會建立一個動態代理,動態代理的invocation就是new Answer中覆蓋的方法;🎜🎜使用攔截、代理兩種方法,實現了對mock物件方法的入參、出參的設定和獲取,使用這種方式,就可以校驗VOID方法內部的執行類別調用的情況。 🎜🎜更多Java程式設計中void方法的學習教學相關文章請關注PHP中文網! 🎜