我想为打印到标准输出的方法编写单元测试。
我已经更改了代码,因此它默认打印到传入的File
实例,而不是stdout
。我唯一缺少的是一些我可以传入的内存File
实例。有这样的事吗?有什么建议?我希望这样的事情有效:
import std.stdio;
void greet(File f = stdout) {
f.writeln("hello!");
}
unittest {
greet(inmemory);
assert(inmemory.content == "hello!\n")
}
void main() {
greet();
}
用于打印到stdout
的单元测试代码的任何其他方法?
答案 0 :(得分:1)
不是依赖于File
这个非常低级别的类型,而是通过接口传递对象。
正如你在评论中所说的那样OutputStreamWriter
在Java中是许多接口的包装器,这些接口被设计成对字节流等的抽象。我也是这样做的:
interface OutputWriter {
public void writeln(string line);
public string @property content();
// etc.
}
class YourFile : OutputWriter {
// handle a File.
}
void greet(ref OutputWriter output) {
output.writeln("hello!");
}
unittest {
class FakeFile : OutputWriter {
// mock the file using an array.
}
auto mock = new FakeFile();
greet(inmemory);
assert(inmemory.content == "hello!\n")
}