0

我正在使用此查询来查找用户,它有效,但它只显示了第一个用户。我希望它向用户显示 UITextField 的文本。我怎样才能做到这一点 ?(我有一个文本字段,在那里我输入了一个名称,然后它应该显示已解析的用户名称)

PFQuery *query = [PFUser query];

NSArray *users = [query findObjects];

userQuerys.text = users[0][@"username"];

非常感谢

4

1 回答 1

0

此代码将为您获取所有等于参数的PFUsers :usernamename

- (void)searchUsersNamed:(NSString *)name withCompletion:(void (^)(NSArray *users))completionBlock {
    PFQuery *query = [PFUser query];
    [query whereKey:@"username" equalTo:name];
    [query findObjectsInBackgroundWithBlock:^(NSArray *users, NSError *error) {
         if (!error) {
             // we found users with that username
             // run the completion block with the users.
             // making sure the completion block exists
             if (completionBlock) {
                 completionBlock(users);
             }
         } else {
             // log details of the failure
             NSLog(@"Error: %@ %@", error, [error description]);
         }
     }];
}

例如,如果您需要使用结果更新 UI,例如表格:

- (void)someMethod {
    // we will grab a weak reference of self to perform
    // work inside the completion block
    __weak ThisViewController *weakSelf = self; 
    //replace ThisViewController with the correct self class

    [self searchUsersNamed:@"Phillipp" withCompletion:^(NSArray *users) {
        //perform non-UI related logic here.
        //set the found users inside the array used by the
        //tableView datasource. again, just an example.
        weakSelf.users = users;
        [[NSOperationQueue mainQueue] addOperationWithBlock:^{
            //pefrorm any UI updates only
            //for example, update a table
            [weakSelf.tableView reloadData];
        }];
    }];
}

一个小提示:这里的completionBlock如果有错误是不会运行的,但是即使没有找到用户它也会运行,所以你必须处理它(如果需要。在这个例子中,它是不需要的)。

避免在该 mainQueue 方法上运行与 UI 无关的逻辑,您可能会锁定主线程,这是糟糕的用户体验。

于 2015-06-11T18:29:22.643 回答