如何用循环处理 NSOutlineViewDataSource

How to handle NSOutlineViewDataSource with loops

我有一个 NSOutlineViewNSOutlineViewDataSource 填充,它是对提供的对象模型的薄包装,包含数组、字典和基本类型的混合。

但是对象模型在其层次结构中有循环。我认为这应该不是问题,因为用户不会扩展该节点(或一段时间后感到无聊),但两个不同的路径引用同一个对象实例,一个发生的事情发生在另一个,如果父项被展开(就像它本来的那样)然后子项也被展开导致无限循环。

我已经尝试将条件逻辑放入我的数据源中,而不是 return 如果文档字典键为“父”时的对象。但是我在 isItemExpandable 中看到的只是对对象的引用,我不知道键是否是“Parent”。

我已经尝试使用它们的键将对象缓存在 NSDictionary 中,以查看我之前是否遇到过它们,这使我能够确定键名和 return NO for isItemExpandable 这部分工作但因为它们是同一个对象,父对象键被“父”覆盖,更改了 NSOutlineView 中显示的名称并防止“父”键被展开或折叠。

数据源是通过回调填充的,我没有太多上下文来确定对象是父节点还是子节点,更不用说它是否被多次引用了。

我看到一个类似的问题是指 NSPathIndex 但这似乎是针对数组索引而不是字典键,NSTreeNode 有类似的问题而且似乎没有NSKeyPath class.

有谁知道如何处理这种情况?

大纲视图中的每一项都必须是唯一的。将每个节点包装在 NSTreeNode 或类似的自定义 class 中。重复的节点再次包装。例如:

MyObjectNSObject subclass 与 属性 childrenrepresentedObject 可以是任何东西。

@property NSTreeNode *rootNode;

// setup
self.rootNode = [[NSTreeNode alloc] initWithRepresentedObject:rootObject];
[self.outlineView reloadData];

- (NSInteger)outlineView:(NSOutlineView *)outlineView numberOfChildrenOfItem:(NSTreeNode *)item {
    if (!item)
        item = self.rootNode;
    MyObject *object = item.representedObject;
    return object.children.count;
}

- (BOOL)outlineView:(NSOutlineView *)outlineView isItemExpandable:(NSTreeNode *)item {
    if (!item)
        item = self.rootNode;
    MyObject *object = item.representedObject;
    /*
    // show repeated nodes as leaves
    NSTreeNode *parentItem = item.parentNode;
    while (parentItem) {
        if (parentItem.representedObject == object)
            return NO;
        parentItem = parentItem.parentNode;
    }
    */
    return object.children.count > 0;
}

- (id)outlineView:(NSOutlineView *)outlineView child:(NSInteger)index ofItem:(NSTreeNode *)item {
    if (!item)
        item = self.rootNode;
    if (index >= item.childNodes.count) {
        // create child nodes
        NSMutableArray *childrenArray = item.mutableChildNodes;
        [childrenArray removeAllObjects];
        MyObject *object = item.representedObject;
        for (MyObject *childObject in object.children)
            [childrenArray addObject:[[NSTreeNode alloc] initWithRepresentedObject:childObject]];
    }
    return item.childNodes[index];
}