如何从元素的两个列表得到一个元组

问题描述 投票:0回答:3

我有UIViews的两份名单,一些UIViews有一个accessibilityIdentifier大部分都是nil。我在寻找一种方法来生成一个元组(或某事)与来自具有相同UIViews名单两个accessibilityIdentifier

该列表是没有排序或东西。

有没有办法不通过第二列表迭代多次找到每对?

for view in firstViewList {
   if view.accessibilityIdentifier != nil {
       for secondView in secondViewList {
           if secondView.accessibilityIdentifier != nil && secondView.accessibilityIdentifier == view.accessibilityIdentifier {
               viewPairs.append((firstView: view, secondView: secondView))
           }
       }
   }
}

我想,这是不是很有效。

arrays swift for-loop tuples
3个回答
1
投票

做一个字典是通过索引其ID同时查看列表,过滤掉的那些,其中ID是零,然后用这两个类型的字典常见的钥匙,创建一个新的字典是指数对同一ID的看法。

这里有一个粗略的例子(我还没有编译自己)。

func makeDictByAccessibilityID(_ views: [UIView]) -> [AccessibilityID: UIView] {
    return Dictionary(uniqueKeysWithValues:
        firstViewList
            .lazy
            .map { (id: $0.accessibilityIdentifier, view: $0) }
            .filter { $0.id != nil }
    )
}

viewsByAccessibilityID1 = makeDictByAccessibilityID(firstViewList)
viewsByAccessibilityID2 = makeDictByAccessibilityID(secondViewList)
commonIDs = Set(viewsByAccessibilityID1.keys).intersecting(
                Set(viewsByAccessibilityID2.keys)
            )

let viewPairsByAccessibilityID = Dictionary(uniqueKeysWithValues:
    commonIDs.lazy.map { id in
        // Justified force unwrap, because we specifically defined the keys as being available in both dicts.
        (key: id, viewPair: (viewsByAccessibilityID1[id]!, viewsByAccessibilityID2[id]!))
    }
}

这个运行在O(n)的时间,这是你能得到这个问题的最好的。


0
投票

我想你应该首先从零值过滤出的两个数组,那么你可以这样做

let tempfirstViewList = firstViewList.filter { (view) -> Bool in
view.accessibilityIdentifier != nil
}
var tempsecondViewList = secondViewList.filter { (view) -> Bool in
view.accessibilityIdentifier != nil
}
tempfirstViewList.forEach { (view) in
let filterdSecondViewList = tempsecondViewList.filter { (secondView) -> Bool in
     secondView.accessibilityIdentifier == view.accessibilityIdentifier
}
if let sView = filterdSecondViewList.first {
    viewPairs.append((firstView: view, secondView: sView))
//after add it to your tuple remove it from the temp array to not loop throw it again
    if let index = tempsecondViewList.firstIndex(of: sView) {
        tempsecondViewList.remove(at: index)
    }
}
}

0
投票

将该溶液分别创建的元组与来自第一和第二列表视图的阵列

var viewArray: [(UIView, UIView)]
firstViewList.forEach( { view in
    if let identifier = view.accessibilityIdentifier {
       let arr = secondViewList.filter( {$0.accessibilityIdentifier == identifier} )
        arr.forEach( { viewArray.append((view, $0))})
    }
})
© www.soinside.com 2019 - 2024. All rights reserved.