我有helper.js
具有功能
async function getLink() {
try {
const message = await authorize(content);
const link = message.match(/href=\"(.*?)\"/i);
return link[1];
}
catch(error) {
console.log('Error loading:',+error);
throw(error);
}
}
module.exports.getLink = getLink;
执行测试后,我想在testcafe脚本中使用此功能
在test.spec.js中
import { Selector } from 'testcafe';
let link = '';
fixture My fixture
.page `https://devexpress.github.io/testcafe/example/`;
test('test1', async t => {
// do something with clientWidth
});
test('test2', async t => {
// use the getLink function here from the helper.js to get the string value
mailer.getLink().then(res=>{
link = res;
})
t.navigateTo(link)
});
如何解决这个问题?
我尝试使用clientFunction但由于
_ref is not defined
出现错误,代码如下const validationLink = ClientFunction(() => {
return getLink();
}, { dependencies: { getLink } });
let link = await validationLink();
最佳答案
如果getLink
方法必须读取DOM中的某些内容(超出Selector
的范围)或必须在浏览器中计算出一些特殊的内容,则必须创建一个类似于以下内容的clientFunction
(在clientFunction内部创建所有代码(没有导入的代码)) ):
const getLink = ClientFunction((selector) => {
return new Promise( (resolve) => {
const element = selector();
// check, in developper tools, what are the available properties in element
console.log("element:", element);
// code omitted for brevity that reads data from element and does special computation from it
// build the result to be returned
const result = 'the computed link';
resolve(result);
});
});
test('test2', async t => {
const linkSelector = Selector('css selector');
const link = await getLink(inputSelector);
await t.navigateTo(link);
});
如果
getLink
方法不需要从DOM中读取特殊内容,则无需创建clientFunction
。您只需要创建一个辅助方法并将其导入(如@AlexSkorkin所建议):test('test2', async t => {
const link = await mailer.getLink();
await t.navigateTo(link)
});
注意,必须等待t.navigate()和mailer.getLink()。