我想模拟一个扩展InputStream,模拟读取,验证关闭的专有类

时间:2015-03-20 22:16:36

标签: java unit-testing inputstream mockito

我想使用Mockito来模拟AmazonS3并测试从中打开一个流 然后在我的代码读取后验证流是否已关闭。我还想从流中读取字节。像这样:

    AmazonS3 client = mock(AmazonS3.class);
        when(tm.getAmazonS3Client()).thenReturn(client);
        S3Object response = mock(S3Object.class); 
        when(client.getObject(any(GetObjectRequest.class))).thenReturn(response);
        S3ObjectInputStream stream = mock(S3ObjectInputStream.class); 
        when(response.getObjectContent()).thenReturn(stream);

somehow mock the read method

MyObject me = new MyObject(client);
byte[] bra me.getBytes(File f, offset, length);
assertEquals(length, bra.length);
verify(stream).close();

2 个答案:

答案 0 :(得分:4)

您可以使用Mockito的答案来模拟流。

    String expectedContents = "Some contents";
    InputStream testInputStream = new StringInputStream(expectedContents);
    S3ObjectInputStream s3ObjectInputStream = mock(S3ObjectInputStream.class);
    S3Object s3Object = mock(S3Object.class);
    AmazonS3Client amazonS3Client = mock(AmazonS3Client.class);
    S3AttachmentsService service = new S3AttachmentsService(amazonS3Client);

    when(s3ObjectInputStream.read(any(byte[].class))).thenAnswer(invocation -> {
        return testInputStream.read(invocation.getArgument(0));
    });

我有一个更广泛的示例here。希望有帮助。

答案 1 :(得分:2)

你可能会以一种简单的方式使用它:

when(stream.read()).thenReturn(0, 1, 2, 3 /* ... */);

那就是说,现在,你正在嘲笑亚马逊的实施。这意味着如果任何方法变成最终,那么你将处于糟糕的状态,因为Mockito不支持由于编译器约束而模拟最终方法。你不拥有的模拟类型很诱人,但可能导致破损。

如果您的目标是测试getBytes返回正确的值并关闭其流,则更稳定的方法可能是重构使用任意InputStream:

class MyObject {
  public byte[] getBytes(File f, int offset, int length) {
    /* ... */

    // Delegate the actual call to a getBytes method.
    return getBytes(s3ObjectInputStream, f, offset, length);
  }

  /** Call this package-private delegate in tests with any arbitrary stream. */
  static byte[] getBytes(InputStream s, File f, int offset, int length) {
    /* ... */
  }
}

此时,您可以使用spy(new ByteArrayInputStream(YOUR_BYTE_ARRAY))对其进行测试,并通过调用verify(stream).close()获得非常引人注目的测试结果。

沿着这些方向,另一个解决方案是添加一个你可以控制的接缝,有效地从远处包裹getBytes

class MyObject {
  public byte[] getBytes(File f, int offset, int length) {
    /* ... */
    InputStream inputStream = getStream(response.getObjectContent());
    /* ... */
  }

  /** By default, just pass in the stream you already have. */
  InputStream getStream(S3ObjectInputStream s3Stream) {
    return s3Stream;
  }
}

class MyObjectTest {
  @Test public void yourTest() {
    /* ... */
    MyObject myObject = new MyObject(client) {
      /** Instead of returning the S3 stream, insert your own. */
      @Override InputStream getStream() { return yourMockStream; }
    }
    /* ... */
  }
}

但请记住,您测试您认为Amazon S3应该如何工作的方式,而不是是否继续在实践中工作。如果您的目标是“测试从[S3]打开流”,那么针对实际S3实例运行的集成测试可能是一个好主意,以实现S3 mock和S3之间的差距。