2017-12-05 35 views
1
@Transactional 
    public Boolean save(final StudentLogEntry studentLogEntry) throws SQLException,DaoException{ 
     boolean returnFlag = true; 
     String sqlInsert = "insert into STUDENT_DETAILS (INSERT_DATE,STUDENT_NAME,STUDENT_ID) values(SYSDATE,?,?)"; 
     returnFlag = jdbcTemplate.execute(
      sqlInsert, 
      new PreparedStatementCallback<Boolean>() { 
       Boolean b=false; 
       @Override 
       public Boolean doInPreparedStatement(PreparedStatement pst) { 
        try { 
         pst.setString(2, studentLogEntry.getStuName()); 
         pst.setString(3, studentLogEntry.getStuId()); 
         b=pst.execute(); 
        } catch (SQLException e) { 
         clicklogger.info("SQLException has occurred while inserting studentlog ",e); 
        } catch (DataAccessException e) { 
         clicklogger.info("DataAccessException has occurred while inserting studentlog ",e); 
        } 
        return b; 
       } 
      } 
     ); 
     return returnFlag; 
    } 

私のプロジェクトにはSpringフレームワークを使用していますが、私は上記のコードに対してJunitテストケースを書いています。しかし、私はPreparedStatementCallbackをカバーすることができません。私のテストケースは以下の通りです:PreparedStatementCallbackカバレッジのJunitテストケース

@Test 
public void testSave() throws DaoException, SQLException { 
    studentDao.setJdbcTemplate(jdbcTemplate); 
    studentDao.setTransactionManager(transactionManager); 
    StudentLogEntry studentLogEntry = new StudentLogEntry(); 
    studentLogEntry.getStuName("ABC"); 
    studentLogEntry.getStuId("1234"); 
    assertEquals("true",studentDao.save(studentLogEntry)); 
} 
+0

テストの実行中に 'save'メソッドをデバッグしようとしましたか?特に 'jdbcTemplate.execute(...)'を呼び出します。 –

+1

はいテスト中にsaveメソッドをデバッグしましたが、doInPreparedStatementの内部に入ると制御が失敗します。 –

答えて

0

このメソッドは、簡単に、そしてはっきりとテストできるようにしています。

1)私は専門のクラスに新しいPreparedStatementCallbackを移動します:

public class MyPreparedStatementCallback implements PreparedStatementCallback<Boolean>{ 

    @Override 
    public Boolean doInPreparedStatement(PreparedStatement pst) { 
    .... 
} 

私はここの分離にdoInPreparedStatement方法をテストします。以前のテストとは全く関係がありません。

2)

は元のメソッドで新しいクラスを使用して、適切なインスタンスが渡されたかどうかをテスト(あなたは)Mockito hereが必要になります

returnFlag = jdbcTemplate.execute(sqlInsert,new MyPreparedStatementCallback()); 

とテスト:

@InjectMocks 
StudentDao studentDao; 

@Mock 
JdbcTemplate jdbcTemplateMock; 

@Captor 
ArgumentCaptor argCaptor; 

@Before 
public void init(){ 
    MockitoAnnotations.initMocks(this); 
} 

@Test 
public void shouldSaveWithCallback(){ 
    // Act 
    // set up 
    studentDao.save(studentLogEntry); 
    myClass.userPressedButton(); 

    Mockito.verify(jdbcTemplateMock).execute(Mockito.anyString(), argCaptor.capture()); 

    // Assert 
    assertTrue(argCaptor.getValue() instance of MyPreparedStatementCallback); 
} 

最終行は、元のテストメソッドでそのコールバックの実装をテストすべきでないということです。それはあまりにも多く、あなたのテストは粗くて維持するのが難しいでしょう。

関連する問題