1

我们使用 spectron 和 WebdriverIO 对电子应用程序进行了一些简单的“这是否真的有效”的 chai 测试。我们开始的示例代码来自

https://github.com/jwood803/ElectronSpectronDemohttps://github.com/jwood803/ElectronSpectronDemo/issues/2中所述,chai-as-promised 测试没有发现不匹配,所以我想我会添加一些额外的测试找出为什么 Chai 没有失败的测试,其中电子应用程序的文本与预期的单元测试文本不匹配。

让我们从非常简单的事情开始,其余代码位于https://github.com/drjasonharrison/ElectronSpectronDemo

describe('Test Example', function () {
    beforeEach(function (done) {
        app.start().then(function() { done(); } );
    });

    afterEach(function (done) {
        app.stop().then(function() { done(); });
    });

    it('yes == no should fail', function () {
        chai.expect("yes").to.equal("no");
    });

    it('yes == yes should succeed', function () {
        chai.expect("yes").to.equal("yes");
    });

第一个单元测试失败,第二个成功。

当我们将断言放入一个函数中时,它仍然会检测到失败:

it('should fail, but succeeds!?', function () {
    function fn() {
        var yes = 'yes';
        yes.should.equal('no');
    };
    fn();
});

所以现在进入 electron、webdriverio 和 spectron 的世界,应用程序标题应该是“Hello World!”,所以这应该失败,但它通过了:

it('tests the page title', function () {
    page.getApplicationTitle().should.eventually.equal("NO WAY");
});

嗯,让我们尝试一个更熟悉的测试:

it('should fail, waitUntilWindowLoaded, yes != no', function () {
    app.client.waitUntilWindowLoaded().getTitle().then(
        function (txt) {
            console.log('txt = ' + txt);
            var yes = 'yes';
            yes.should.equal('no');
        }
    );
});

输出:

    ✓ should fail, waitUntilWindowLoaded, yes != no
txt = Hello World!

成功了吗?什么?为什么?如何?

4

1 回答 1

3

找到了!如果您查看https://github.com/webdriverio/webdriverio/blob/master/examples/standalone/webdriverio.with.mocha.and.chai.js

你会看到你需要从每个测试中返回承诺。这对于异步 chai/mocha 测试很典型:

it('tests the page title', function () {
    return page.getApplicationTitle().should.eventually.equal("NO WAY");
});

如果你这样做,那么 chai 测试实际上是正确评估的。

于 2017-04-20T20:57:48.510 回答