我正在为NodeJS编写selenium测试套件。这是一个示例测试文件:
var Sails = require('sails');
// create a variable to hold the instantiated sails server
var app;
var client;
// Global before hook
before(function(done) {
// Lift Sails and start the server
Sails.lift({
log: {
level: 'error'
},
environment: 'test',
port: 1338
}, function(err, sails) {
app = sails;
done(err, sails);
});
});
// Global after hook
after(function(done) {
app.lower(done);
});
beforeEach(function(done) {
client = require('webdriverjs').remote({desiredCapabilities:{browserName:'chrome'}});
client.init(done);
});
afterEach(function(done) {
client.end(done);
});
describe("Go to home page", function() {
it('should work', function(done) {
client
.url('http://localhost:1338/')
.pause(5000)
.call(done);
});
});
目前:
因此,如果我有10个selenium测试文件,它将启动/关闭Sails服务器10次。有没有办法只启动Sails服务器一次,运行所有测试文件,然后关闭它?
我使用Sails + Mocha + webdriverjs堆栈。这是我的Makefile配置
test:
@./node_modules/.bin/mocha -u bdd -R spec --recursive --timeout 15000
.PHONY: test
答案 0 :(得分:5)
一种可能的解决方案是切换到使用npm test
,将测试执行行存储在package.json
文件中,然后利用pretest
和posttest
脚本阶段。在这些命令中,您可以执行一个脚本,该脚本将启动您的服务器(startSailsServer.js
),并分别关闭您的服务器。然后,您可以在每个测试文件中取出服务器的启动和停止。
所以你的package.json
会有这样的东西(你必须将启动/停止sails服务器逻辑移动到这些startSailsServer.js
和stopSailsServer.js
文件):
"scripts": {
"pretest": "node startSailsServer.js",
"test": "./node_modules/.bin/mocha -u bdd -R spec --recursive --timeout 15000",
"posttest": "node stopSailsServer.js"
}
然后要运行测试,您将执行npm test
答案 1 :(得分:1)
感谢dylants建议,我编辑了Makefile以利用“前/后测试”脚本阶段:
## Makefile
test:
/bin/bash test/script/startServer.sh
@./node_modules/.bin/mocha -u bdd -R spec --recursive --timeout 15000
/bin/bash test/script/stopServer.sh
## test/script/startServer.sh
# Start Selenium
start-selenium &
echo $! > tmp/selenium.pid
sleep 1
# Start Node server
NODE_ENV=test PORT=1338 node app.js &
echo $! > tmp/test.pid
## test/script/stopServer.sh
kill -SIGINT $(cat tmp/selenium.pid)
kill -SIGINT $(cat tmp/test.pid)