我从Java和testng测试用例开始。
我需要编写一个类,它从文件中读取数据并生成内存中的数据结构,并使用此数据结构进行进一步处理。如果正确填充此DS,我想测试一下。这将调用将DS转储到文件中,然后将输入文件与转储文件进行比较。是否有任何testNG断言可用于文件匹配?这是一种常见做法吗?
答案 0 :(得分:3)
我认为比较数据本身而不是写出来的数据会更好。
所以我会在类中编写一个方法来返回这个数据结构(让我们称之为getDataStructure()
),然后编写一个单元测试来与正确的数据进行比较。
这只需要在数据结构类中使用正确的equals()
方法并执行:
Assert.assertEquals(yourClass.getDataStructure(), correctData);
当然,如果您需要将数据结构写出来,那么您可以单独测试序列化和反序列化。
答案 1 :(得分:1)
文件比较/匹配可以提取到实用方法或类似的东西。 如果你只需要测试它就有jUnit的插件 http://junit-addons.sourceforge.net/junitx/framework/FileAssert.html
如果您需要在测试环境之外进行文件比较,您可以使用这个简单的功能
public static boolean fileContentEquals(String filePathA, String filePathB) throws Exception {
if (!compareFilesLength(filePathA, filePathB)) return false;
BufferedInputStream streamA = null;
BufferedInputStream streamB = null;
try {
File fileA = new File(filePathA);
File fileB = new File(filePathB);
streamA = new BufferedInputStream(new FileInputStream(fileA));
streamB = new BufferedInputStream(new FileInputStream(fileB));
int chunkSizeInBytes = 16384;
byte[] bufferA = new byte[chunkSizeInBytes];
byte[] bufferB = new byte[chunkSizeInBytes];
int totalReadBytes = 0;
while (totalReadBytes < fileA.length()) {
int readBytes = streamA.read(bufferA);
streamB.read(bufferB);
if (readBytes == 0) break;
MessageDigest digestA = MessageDigest.getInstance(CHECKSUM_ALGORITHM);
MessageDigest digestB = MessageDigest.getInstance(CHECKSUM_ALGORITHM);
digestA.update(bufferA, 0, readBytes);
digestB.update(bufferB, 0, readBytes);
if (!MessageDigest.isEqual(digestA.digest(), digestB.digest()))
{
closeStreams(streamA, streamB);
return false;
}
totalReadBytes += readBytes;
}
closeStreams(streamA, streamB);
return true;
} finally {
closeStreams(streamA, streamB);
}
}
public static void closeStreams(Closeable ...streams) {
for (int i = 0; i < streams.length; i++) {
Closeable stream = streams[i];
closeStream(stream);
}
}
public static boolean compareFilesLength(String filePathA, String filePathB) {
File fileA = new File(filePathA);
File fileB = new File(filePathB);
return fileA.length() == fileB.length();
}
private static void closeStream(Closeable stream) {
try {
stream.close();
} catch (IOException e) {
// ignore exception
}
}
您的选择,但拥有一个具有可重复使用的功能的实用程序类是更好的imho。
祝你好运,玩得开心。
答案 2 :(得分:0)
我个人会反其道而行之。当然,您需要一种方法来比较Java世界中的这两种数据结构 - 因此测试将从文件读取,构建DS,进行处理,然后断言它等于您在自己设置的“预期”DS测试
(使用JUnit4)
@Test
public void testProcessingDoesWhatItShould() {
final DataStructure original = readFromFile(filename);
final DataStructure actual = doTheProcessingYouNeedToDo(original);
final DataStructure expected = generateMyExpectedResult();
Assert.assertEquals("data structure", expected, actual);
}
答案 3 :(得分:0)
如果此DS是一个简单的Java Bean。然后你可以使用Apache Commons的EqualsBuilder来比较2个对象。
答案 4 :(得分:0)
比较从文件系统加载的字节和要写入文件系统的字节
伪代码
byte[] loadedBytes = loadFileContentFromFile(file) // maybe apache commons IOUtils.toByteArray(InputStream input)
byte[] writeBytes = constructBytesFromDataStructure(dataStructure)
Assert.assertTrue(java.util.Arrays.equals(writeBytes ,loadedBytes));