0

我正在尝试从使用 Jasmine 框架 ( wdio-jasmine-framework) 编写的回归套件中提取一个烟雾套件。

是否可以在 Jasmine 中的特定测试用例上添加标签?

4

1 回答 1

2

如果我从 Jasmine/Mocha 的日子里没记错的话,有几种方法可以实现这一点。我会详细介绍一些,但我相信可能还有其他一些。使用最适合您的那个。

1.使用条件运算符表达式it.skip()中的语句来定义测试用例的状态(例如:在 a 的情况下,使用: 跳过非冒烟测试)。smokeRun(smokeRun ? it.skip : it)('not a smoke test', () => { // > do smth here < });

这是一个扩展示例:

// Reading the smokeRun state from a system variable:
const smokeRun = (process.env.SMOKE ? true : false);

describe('checkboxes testsuite', function () {

    // > this IS a smoke test! < //
    it('#smoketest: checkboxes page should open successfully', () => {
        CheckboxPage.open();
        // I am a mock test... 
        // I do absolutely nothing!
    });

    // > this IS NOT a smoke test! < //
    (smokeRun ? it.skip : it)('checkbox 2 should be enabled', () => {
        CheckboxPage.open();
        expect(CheckboxPage.firstCheckbox.isSelected()).toEqual(false);
        expect(CheckboxPage.lastCheckbox.isSelected()).toEqual(true);
    });

    // > this IS NOT a smoke test! < //
    (smokeRun ? it.skip : it)('checkbox 1 should be enabled after clicking on it', () => {
        CheckboxPage.open();
        expect(CheckboxPage.firstCheckbox.isSelected()).toEqual(false);
        CheckboxPage.firstCheckbox.click();
        expect(CheckboxPage.firstCheckbox.isSelected()).toEqual(true);
    });
});

2.使用主要it.only()达到相同的效果,不同的是测试用例重构工作量。我将这些想法总结为:

  • 如果您的烟雾测试多于非烟雾测试,请使用该 it.skip()方法;
  • 如果您的非冒烟测试多于冒烟测试,请使用该it.only()方法;

pending-tests 您可以在此处阅读更多信息。


3.运行时skip ( .skip()) 与一些嵌套describe语句结合使用。

它应该看起来像这样:

// Reading the smokeRun state from a system variable:
const smokeRun = (process.env.SMOKE ? true : false);

describe('checkboxes testsuite', function () {

    // > this IS a smoke test! < //
    it('#smoketest: checkboxes page should open successfully', function () {
        CheckboxPage.open();
        // I am a mock test... 
        // I do absolutely nothing!
    });

    describe('non-smoke tests go here', function () {
        before(function() {
            if (smokeRun) {
                this.skip();
            }
        });
        // > this IS NOT a smoke test! < //
        it('checkbox 2 should be enabled', function () {
            CheckboxPage.open();
            expect(CheckboxPage.firstCheckbox.isSelected()).toEqual(false);
            expect(CheckboxPage.lastCheckbox.isSelected()).toEqual(true);
        });
        // > this IS NOT a smoke test! < //
        it('checkbox 1 should be enabled after clicking on it', function () {
            CheckboxPage.open();
            expect(CheckboxPage.firstCheckbox.isSelected()).toEqual(false);
            CheckboxPage.firstCheckbox.click();
            expect(CheckboxPage.firstCheckbox.isSelected()).toEqual(true);
        });
    });
});

!注意:这些是工作示例!我使用 WebdriverIO 推荐的Jasmine Boilerplace项目对它们进行了测试。

!Obs:有多种过滤 Jasmine 测试的方法,不幸的是仅在测试文件( testsuite)级别(例如:使用grep管道语句或内置 WDIOspecsexclude属性)。

于 2019-01-24T16:29:11.793 回答