Go: Append if unique

后端 未结 4 1609
深忆病人
深忆病人 2021-01-30 06:28

Is there a way to check slices/maps for the presence of a value?

I would like to add a value to a slice only if it does not

4条回答
  •  长发绾君心
    2021-01-30 06:53

    Most efficient is likely to be iterating over the slice and appending if you don't find it.

    func AppendIfMissing(slice []int, i int) []int {
        for _, ele := range slice {
            if ele == i {
                return slice
            }
        }
        return append(slice, i)
    }
    

    It's simple and obvious and will be fast for small lists.

    Further, it will always be faster than your current map-based solution. The map-based solution iterates over the whole slice no matter what; this solution returns immediately when it finds that the new value is already present. Both solutions compare elements as they iterate. (Each map assignment statement certainly does at least one map key comparison internally.) A map would only be useful if you could maintain it across many insertions. If you rebuild it on every insertion, then all advantage is lost.

    If you truly need to efficiently handle large lists, consider maintaining the lists in sorted order. (I suspect the order doesn't matter to you because your first solution appended at the beginning of the list and your latest solution appends at the end.) If you always keep the lists sorted then you you can use the sort.Search function to do efficient binary insertions.

提交回复
热议问题