有人可以告诉我如何在完成帧切换后继续引用iframe中的元素吗?我已经查看How to switch iframes InternJS中提供的解决方案无效,intern Functional Testing with Frames中的信息暂不适用(还有。)以下脚本返回错误Cannot read property 'apply' of undefined type: TypeError
:
return Remote
.findAllByTagName('iframe')
.then(function (frames) {
return new Remote.constructor(Remote.session)
.switchToFrame(frames[0])
.getProperty('title')
.then(function (result) {
expect(result).to.equal('Rich text editor, rtDescAttach');
});
});
我可以看到脚本失败的唯一原因是框架位置不正确。页面上有两个,我需要第一个。完成此操作后,我真的想将引用放在页面对象中(这是我觉得它属于的地方),但我必须能够成功找到它,所以不要把它放在马。建议和帮助非常感谢。
答案 0 :(得分:6)
你的例子实际上非常接近。主要问题是getProperty('title')
不会以它的使用方式工作。 getProperty
是一个元素方法,在您调用它时,您在上下文堆栈中没有有效元素。假设您尝试获取iframe页面的标题,则需要使用execute
回调,例如:
.switchToFrame(frames[0])
.execute(function () {
return document.title;
})
.then(function (title) {
// assert
})
Leadfoot有一个getPageTitle
回调,但它总是会返回顶级文档的标题(标题位于浏览器标题栏或标签中的那个)。
另一个小问题是,在回调中访问遥控器的更规范的方法是通过parent
属性,例如:
.then(function (frames) {
return this.parent
.switchToFrame(frames[0])
// ...
})
如果要访问iframe中的元素,则需要切换帧,重置搜索上下文,然后找到元素,如:
.findAllByTagName('iframe')
.then(function (frames) {
return this.parent
// clear the search context in this callback
.end(Infinity)
// switch to the first frame
.switchToFrame(frames[0])
// find an element in the frame, examine its text content
.findById('foo')
.getVisibleText()
.then(function (text) {
assert.equal(text, 'expected content');
})
// switch back to the parent frame when finished
.switchToParentFrame()
})
// continue testing in parent frame
有几点需要注意:
this.parent
的命令链上的更改不会在父命令链上保留。基本上,没有必要在回调中的命令链末尾调用.end()
。this.parent
的链上的框架,如果要返回,则需要重置它回调后到父框架。