2

我正在使用 ARC 并希望创建一个通过引用传入 indexPath 的方法,以便我可以更改其值:

-(void)configureIndexPaths:(__bridge NSIndexPath**)indexPath anotherIndexPath:(__bridge NSIndexPath**)anotherIndexPath
{
      indexPath = [NSIndexPath indexPathForRow:*indexPath.row + 1 inSection:0];
      anotherIndexPath = [NSIndexPath indexPathForRow:*anotherIndexPath.row + 1 inSection:0];
}

但这给了我一个未找到属性行的错误。我该如何解决这个问题。

还有另一个概念性问题:如果我的目标只是更改传递给方法的 indexPath 的值,难道不能通过指针传递吗?为什么我会选择通过引用传递而不是通过指针传递?

4

2 回答 2

2

如果我的目标只是改变indexPath传递给方法的值,难道不能通过指针传递吗?

不是真的,因为索引路径是不可变的。您必须构造一个新的索引路径对象并返回它。

为什么我会选择通过引用传递而不是通过指针传递?

在 ObjC 中这样做的唯一真正原因是有多个返回值。这种技术最常见的用途是拥有一个返回对象或成功/失败指示符的方法,并且在必要时还可以设置错误对象。

在这种情况下,您有两个要从方法中取回的对象;一种方法是使用传递引用技巧。像现在这样传入两个索引路径可能会让你的生活更简单,但返回一个NSArray新的路径:

 - (NSArray *)configureIndexPaths:(NSIndexPath*)indexPath anotherIndexPath:( NSIndexPath*)anotherIndexPath
{
    NSIndexPath * newPath = [NSIndexPath indexPathForRow:[indexPath row]+1 inSection:0];
    NSIndexPath * anotherNewPath = [NSIndexPath indexPathForRow:[anotherIndexPath row]+1 inSection:0];
    return [NSArray arrayWithObjects:newPath, anotherNewPath, nil];
}
于 2012-05-12T19:16:14.607 回答
1

这是你将如何做到这一点:

-(void) configureIndexPaths:(NSIndexPath*__autoreleasing *)indexPath anotherIndexPath:(__bridge NSIndexPath*__autoreleasing *)anotherIndexPath
{
    if (indexPath)
        *indexPath = [NSIndexPath indexPathForRow:[(*indexPath) row] + 1 inSection:0];
    if (anotherIndexPath)
        *anotherIndexPath = [NSIndexPath indexPathForRow:[(*indexPath) row] + 1 inSection:0];
}

您应该使用__autoreleasing, 以便在创建对象时正确自动释放对象,并检查NULL传入的指针。如果您想要 true pass-by-reference,请查看 objc++ 和NSIndexPath *&.

于 2012-05-12T16:11:55.853 回答