iOS 单元测试-UITest
OCUnit:即XCTest,xcode自带的测试框架。
创建UITest,Files->new->target
导入:#import <XCTest/XCTest.h>
一个UITests:测试UI点击、输入事件,可以录制操作过程。
选择UITests类型的文件,将光标放在自定义的测试方法中,录制宏按钮变成红色,点击它,程序就会自动启动,这时候在程序中所有的操作都会生成相应的代码,并将代码放到所选的测试方法体内。
注意:录制的代码不一定正确,需要自己调整,
如:
app.tables.staticTexts[@"\U5bf9\U8c61”],需要将@"\U5bf9\U8c61”改成对应的中文,不然测试运行的时候会因匹配不了而报错。
1)app元素概念
XCUIApplication *app = [[XCUIApplication alloc] init];
这里的app获取的元素,都是当前界面的元素。app将界面的元素按类型存储,在集合中的元素,元素之间是平级关系的,按照界面顺序从上往下依次排序(这点很重要,有时很管用);元素有子集,即如一个大的view包含了多个子控件。
常见的元素有:staticTexts(label)、textFields(输入框)、buttons(按钮)等等,可以查看该类文件。
在给复杂的界面录制操作过程中,比如录制对tableView操作,往往会出现录制的代码不管用,这就需要我们对进行代码进行改写,上面的介绍,就是很重要的认知了。
例如:
对tableView某个cell中的textfield进行输入操作:
录制的代码:
[[[tablesQuery.cells containingType:XCUIElementTypeStaticText identifier:@"请输入姓名"] childrenMatchingType:XCUIElementTypeTextField].element typeText:@"张三”];
//通过cell中的叫做@“请输入姓名“的label找到这个cell的编辑框,但是往往不管用,进行测试时通过不了。
一种正确的做法:
XCUIApplication *app = [[XCUIApplication alloc] init];
for (NSInteger i = 0;i < app.textFields.count; i++) {
if ([[app.textFields elementBoundByIndex:i] exists]) {//判断是否存在
[[app.textFields elementBoundByIndex:i] tap];//输入框要获取焦点后才能给输入框自动赋值
if (i == 1 || i == 3) {
continue;
}
[[app.textFields elementBoundByIndex:i] typeText:@“张三"];
}
}
po输出所有的textfields
2)元素下面还是有元素集合
XCUIApplication* app = [[XCUIApplicationalloc] init];
//获得当前界面中的表视图
XCUIElement* tableView = [app.tableselementBoundByIndex:0];
XCUIElement* cell = [tableView.cells elementBoundByIndex:0];
//元素下面还是有元素集合,如cell.staticTexts
XCTAssert(cell.staticTexts[@"Welcome"].exists);
3)界面事件
自动化测试无非就是:输入框、label赋值,按钮的点击、双击,页面的滚动等事件
//点击事件tap
[app.buttons[@"确认"] tap];
//输入框的赋值
[[app.textFields elementBoundByIndex:i] typeText:@“张三"];
当测试方法执行结束后,模拟器的界面就进入后台了,为了不让它进入后台,可以在方法结尾处下一个断点。这时候的app正在运行中,只要这个测试方法没有结束,我们可以进行别的操作的(不一定就要按照代码来执行)。
给个例子:
- (void)testAction {
XCUIApplication *app = [[XCUIApplication alloc] init];
XCUIElementQuery *tablesQuery = app.tables;
for (NSInteger i = 0;i < app.textFields.count; i++) {
if ([[app.textFields elementBoundByIndex:i] exists]) {
[[app.textFields elementBoundByIndex:i] tap];
[[app.textFields elementBoundByIndex:i] typeText:@“123456"];
}
}
//延时5秒
XCUIElement *window = [app.windows elementBoundByIndex:0];
[window pressForDuration:5];
//staticText 是没有typeText事件的
//[[app.staticTexts elementBoundByIndex:0] typeText:@"123456"];
XCUIElement *textField = [[tablesQuery.cells containingType:XCUIElementTypeButton identifier:@"saoyisao"] childrenMatchingType:XCUIElementTypeTextField].element;
[textField tap];
[textField typeText:@"544"];
[app.buttons[@"下一步"] tap];
}