从总和等于给定数的数组中查找一对元素


122

给定n个整数数组并给定数字X,找到所有总和等于X的唯一元素对(a,b)。

以下是我的解决方案,它是O(nLog(n)+ n),但是我不确定它是否最佳。

int main(void)
{
    int arr [10] = {1,2,3,4,5,6,7,8,9,0};
    findpair(arr, 10, 7);
}
void findpair(int arr[], int len, int sum)
{
    std::sort(arr, arr+len);
    int i = 0;
    int j = len -1;
    while( i < j){
        while((arr[i] + arr[j]) <= sum && i < j)
        {
            if((arr[i] + arr[j]) == sum)
                cout << "(" << arr[i] << "," << arr[j] << ")" << endl;
            i++;
        }
        j--;
        while((arr[i] + arr[j]) >= sum && i < j)
        {
            if((arr[i] + arr[j]) == sum)
                cout << "(" << arr[i] << "," << arr[j] << ")" << endl;
            j--;
        }
    }
}

3
如果将所有内容都放入某种O(1)集而不是对数组进行排序,则O(n)解决方案是可能的。
Anon。

1
@Anon你能告诉更多细节,如何建立这样的集合吗?
杜松子酒

3
使用哈希。大多数语言在其标准库中的某个位置都会有摊销O(1)HashSet。
Anon。

15
次要元素-O(nLog(n)+ n)为O(nLog(n))。大O表示法仅保留主要术语,而删除所有低阶术语。
pjs 2013年

2
注意短路评估和一对一寻址:while((arr[i] + arr[j]) <= sum && i < j)应为while( i < J && arr[i] + arr[j] <= sum )。(与第二个子循环类似)
wildplasser,2013年

Answers:


135
# Let arr be the given array.
# And K be the give sum


for i=0 to arr.length - 1 do
  hash(arr[i]) = i  // key is the element and value is its index.
end-for

for i=0 to arr.length - 1 do
  if hash(K - arr[i]) != i  // if Kth element exists and it's different then we found a pair
    print "pair i , hash(K - arr[i]) has sum K"
  end-if
end-for

26
您甚至可以在数组的一个迭代中完成此操作,方法是将第二个循环中的if语句放在第一个循环中的哈希分配之后。
2011年

4
次要说明:这(以及亚历山大的建议)将使某些对成对打印,无论对的唯一性是由索引(可以从此答案中暗示)还是由值(在OP中看起来)确定的。按索引可能有很多(O(n ^ 2))个唯一对,例如arr=[1,2,1,2,1,2,1,...]。对于按值表示的唯一性,似乎另一个由值对键控的哈希表可以解决问题。仍然是一个不错的,紧凑的,优雅的答案。+1
威廉

2
@codaddict但是,如果数组很大怎么办?我的意思是其中的值范围很大吗?因此,哈希解决方案将不那么实用。是否有其他替代方法和最佳方法?
Prashant Singh

15
如果有重复该怎么办?
zad 2013年

2
是否hash(K - arr[i]) != i以某种方式检查比赛的存在与否?我希望有单独的检查状态。
约瑟夫·加文

185

此解决方案有3种方法:

令总和为T,n为数组的大小

方法1:
执行此操作的幼稚方法是检查所有组合(n选择2)。此穷举搜索为O(n 2)。

方法2: 
 更好的方法是对数组进行排序。这需要O(n log n),
然后对于数组A中的每个x,使用二进制搜索来查找Tx。这将花费O(nlogn)。
因此,整体搜索为O(n log n)。

方法3:
最好的方法是将每个元素插入哈希表(不进行排序)。这将O(n)作为固定时间插入。
然后对于每个x,我们只需查找其补码Tx,即O(1)。
总的来说,这种方法的运行时间为O(n)。


您可以在这里参考更多。谢谢。



您将如何为数组的元素创建哈希表?
Satish Patel 2013年

请参阅我共享的链接。我们可以有一个并行数组来将元素存储为索引,或者可以将元素添加到哈希表并在其中使用包含。很抱歉收到这么晚的回复。
kinshuk4 2014年

11
如果某个元素恰好是目标总和的一半,您可能会得到误报。
Florian F

2
@Florian_F您不能仅在特殊情况下使用的元素正好是一半吗?
Joseph Garvin

1
@jazzz我的意思是HashMap,尽管HashSet也可以。这是实现-github.com/kinshuk4/AlgorithmUtil/blob/master/src/com/vaani/…。希望能帮助到你。
kinshuk4 '18 / 10/6

64

Java实施:使用codaddict的算法(可能略有不同)

import java.util.HashMap;

public class ArrayPairSum {


public static void main(String[] args) {        

    int []a = {2,45,7,3,5,1,8,9};
    printSumPairs(a,10);        

}


public static void printSumPairs(int []input, int k){
    Map<Integer, Integer> pairs = new HashMap<Integer, Integer>();

    for(int i=0;i<input.length;i++){

        if(pairs.containsKey(input[i]))
            System.out.println(input[i] +", "+ pairs.get(input[i]));
        else
            pairs.put(k-input[i], input[i]);
    }

}
}

对于输入= {2,45,7,3,5,1,8,9},如果Sum为10

输出对:

3,7 
8,2
9,1

有关解决方案的一些注意事项:

  • 我们只遍历数组一次-> O(n)时间
  • 哈希中的插入和查找时间为O(1)。
  • 总时间为O(n),尽管它在散列方面占用了额外的空间。

1
仅当输入数组没有重复时,这才是好方法。
Naren'3

2
@Naren:它使即使有给定的阵列中重复没有差别
abhishek08aug

1
它没有实现编码者编写的内容,尽管您可以执行,但您所做的却很复杂。这是没有意义的put(k-input[i], input[i])(codaddicts将索引作为有用的值。)您编写的内容可以简化为for (i:input){ if (intSet.contains(sum-i) { print(i + "," + (sum-i) ); } else {intSet.add(i)}
Adrian Shum 2015年

1
好的谢谢。出于其他参考目的,我刚刚创建了另一个线程,以便在分析此解决方案的工作方式方面遇到困难的人可以正确理解它。这是链接:stackoverflow.com/questions/33274952/…–
约翰

2
@ abhishek08aug,这不适用于{
1,1,1

8

Java解决方案。您可以将所有String元素添加到字符串的ArrayList中,然后返回列表。在这里,我只是打印出来。

void numberPairsForSum(int[] array, int sum) {
    HashSet<Integer> set = new HashSet<Integer>();
    for (int num : array) {
        if (set.contains(sum - num)) {
            String s = num + ", " + (sum - num) + " add up to " + sum;
            System.out.println(s);
        }
        set.add(num);
    }
}

4

Python实现:

import itertools
list = [1, 1, 2, 3, 4, 5,]
uniquelist = set(list)
targetsum = 5
for n in itertools.combinations(uniquelist, 2):
    if n[0] + n[1] == targetsum:
        print str(n[0]) + " + " + str(n[1])

输出:

1 + 4
2 + 3

2
查找...将是搜索元素的开销
Nikhil Rupanawar 2014年

4

C ++ 11,运行时复杂度O(n):

#include <vector>
#include <unordered_map>
#include <utility>

std::vector<std::pair<int, int>> FindPairsForSum(
        const std::vector<int>& data, const int& sum)
{
    std::unordered_map<int, size_t> umap;
    std::vector<std::pair<int, int>> result;
    for (size_t i = 0; i < data.size(); ++i)
    {
        if (0 < umap.count(sum - data[i]))
        {
            size_t j = umap[sum - data[i]];
            result.push_back({data[i], data[j]});
        }
        else
        {
            umap[data[i]] = i;
        }
    }

    return result;
}

3

这是女巫考虑重复条目的解决方案。它是用javascript编写的,并假定数组已排序。该解决方案的运行时间为O(n),除变量外不使用任何额外的内存。

var count_pairs = function(_arr,x) {
  if(!x) x = 0;
  var pairs = 0;
  var i = 0;
  var k = _arr.length-1;
  if((k+1)<2) return pairs;
  var halfX = x/2; 
  while(i<k) {
    var curK = _arr[k];
    var curI = _arr[i];
    var pairsThisLoop = 0;
    if(curK+curI==x) {
      // if midpoint and equal find combinations
      if(curK==curI) {
        var comb = 1;
        while(--k>=i) pairs+=(comb++);
        break;
      }
      // count pair and k duplicates
      pairsThisLoop++;
      while(_arr[--k]==curK) pairsThisLoop++;
      // add k side pairs to running total for every i side pair found
      pairs+=pairsThisLoop;
      while(_arr[++i]==curI) pairs+=pairsThisLoop;
    } else {
      // if we are at a mid point
      if(curK==curI) break;
      var distK = Math.abs(halfX-curK);
      var distI = Math.abs(halfX-curI);
      if(distI > distK) while(_arr[++i]==curI);
      else while(_arr[--k]==curK);
    }
  }
  return pairs;
}

我在一家大公司的一次采访中解决了这个问题。他们接受了,但我没有。所以这里适合所有人。

从数组的两侧开始,然后慢慢向内移动,以确保计算重复项(如果存在)。

它只计算成对,但可以重做

  • 找到对
  • 查找对<x
  • 查找对> x

请享用!


这些行是做什么的?: if(distI > distK) while(_arr[++i]==curI); else while(_arr[--k]==curK);
Yuriy Chernyshov 2014年

这些行从任一侧跳过重复的值,如果它们是对总和的一部分,则将它们视为对
Drone Brain 2014年

3

上)

def find_pairs(L,sum):
    s = set(L)
    edgeCase = sum/2
    if L.count(edgeCase) ==2:
        print edgeCase, edgeCase
    s.remove(edgeCase)      
    for i in s:
        diff = sum-i
        if diff in s: 
            print i, diff


L = [2,45,7,3,5,1,8,9]
sum = 10          
find_pairs(L,sum)

方法:a + b = c,所以我们寻找a = c-b而不是寻找(a,b)


如果输入中有重复项,则不会生效,例如:[
3、4、3、2、5

更正了所有边缘情况,现在尝试
garg10may

2

Java实现:使用codaddict算法:

import java.util.Hashtable;
public class Range {

public static void main(String[] args) {
    // TODO Auto-generated method stub
    Hashtable mapping = new Hashtable();
    int a[]= {80,79,82,81,84,83,85};
    int k = 160;

    for (int i=0; i < a.length; i++){
        mapping.put(a[i], i);
    }

    for (int i=0; i < a.length; i++){
        if (mapping.containsKey(k - a[i]) && (Integer)mapping.get(k-a[i]) != i){
            System.out.println(k-a[i]+", "+ a[i]);
        }
    }      

}

}

输出:

81, 79
79, 81

如果您想要重复的对(例如:80,80),那么只需从if条件中删除&&(Integer)mapping.get(ka [i])!= i,您就可以了。


对于C#,这可能是可行的-int k = 16; int count = 0; int [] intArray = {5,7,11,23,8,9,15,1,10,6}; for(int i = 0; i <intArray.Length; i ++){for(int j = i; j <intArray.Length; j ++){if(((k-intArray [i])== intArray [j]){计数++; } Console.WriteLine(count);
MukulSharma

2

刚刚在HackerRank上回答了这个问题,这是我的“ Objective C”解决方案

-(NSNumber*)sum:(NSArray*) a andK:(NSNumber*)k {
    NSMutableDictionary *dict = [NSMutableDictionary dictionary];
    long long count = 0;
    for(long i=0;i<a.count;i++){

        if(dict[a[i]]) {
            count++;
            NSLog(@"a[i]: %@, dict[array[i]]: %@", a[i], dict[a[i]]);
        }
        else{
            NSNumber *calcNum = @(k.longLongValue-((NSNumber*)a[i]).longLongValue);
            dict[calcNum] = a[i];
        }

    }
    return @(count);
}

希望它可以帮助某人。


代码语法比算法本身更难理解!:)
Rajendra Uppal

1

这是在循环内使用二进制搜索实现O(n * lg n)的实现。

#include <iostream>

using namespace std;

bool *inMemory;


int pairSum(int arr[], int n, int k)
{
    int count = 0;

    if(n==0)
        return count;
    for (int i = 0; i < n; ++i)
    {
        int start = 0;
        int end = n-1;      
        while(start <= end)
        {
            int mid = start + (end-start)/2;
            if(i == mid)
                break;
            else if((arr[i] + arr[mid]) == k && !inMemory[i] && !inMemory[mid])
            {
                count++;
                inMemory[i] = true;
                inMemory[mid] = true;
            }
            else if(arr[i] + arr[mid] >= k)
            {
                end = mid-1;
            }
            else
                start = mid+1;
        }
    }
    return count;
}


int main()
{
    int arr[] = {1, 2, 3, 4, 5, 6, 7, 8, 9, 10};
    inMemory = new bool[10];
    for (int i = 0; i < 10; ++i)
    {
        inMemory[i] = false;
    }
    cout << pairSum(arr, 10, 11) << endl;
    return 0;
}

1

在python中

arr = [1, 2, 4, 6, 10]
diff_hash = {}
expected_sum = 3
for i in arr:
    if diff_hash.has_key(i):
        print i, diff_hash[i]
    key = expected_sum - i
    diff_hash[key] = i

1

Codeaddict的不错解决方案。我自由地在Ruby中实现了它的一个版本:

def find_sum(arr,sum)
 result ={}
 h = Hash[arr.map {|i| [i,i]}]
 arr.each { |l| result[l] = sum-l  if h[sum-l] && !result[sum-l]  }
 result
end

要允许重复的对(1,5),(5,1),我们只需要删除 && !result[sum-l]指令


1

这是三种方法的Java代码:
1.使用Map O(n),也可以在这里使用HashSet。
2.排序数组,然后使用BinarySearch查找补码O(nLog(n))
3.传统的BruteForce两个循环O(n ^ 2)

public class PairsEqualToSum {

public static void main(String[] args) {
    int a[] = {1,10,5,8,2,12,6,4};
    findPairs1(a,10);
    findPairs2(a,10);
    findPairs3(a,10);

}


//Method1 - O(N) use a Map to insert values as keys & check for number's complement in map
    static void findPairs1(int[]a, int sum){
        Map<Integer, Integer> pairs = new HashMap<Integer, Integer>();
        for(int i=0; i<a.length; i++){
            if(pairs.containsKey(sum-a[i]))
                System.out.println("("+a[i]+","+(sum-a[i])+")");
            else
               pairs.put(a[i], 0);
        }
    }



//Method2 - O(nlog(n)) using Sort
static void findPairs2(int[]a, int sum){
        Arrays.sort(a);
        for(int i=0; i<a.length/2; i++){
            int complement = sum - a[i];
            int foundAtIndex = Arrays.binarySearch(a,complement);
            if(foundAtIndex >0 && foundAtIndex != i) //to avoid situation where binarySearch would find the original and not the complement like "5"
                System.out.println("("+a[i]+","+(sum-a[i])+")");
        }
 }

//Method 3 - Brute Force O(n^2)
static void findPairs3(int[]a, int sum){

    for(int i=0; i<a.length; i++){
        for(int j=i; j<a.length;j++){
            if(a[i]+a[j] == sum)
                System.out.println("("+a[i]+","+a[j]+")");
        }
    }
}

}

1

Java中的一个简单程序,用于具有唯一元素的数组:

import java.util.*;
public class ArrayPairSum {
    public static void main(String[] args) { 
        int []a = {2,4,7,3,5,1,8,9,5};
        sumPairs(a,10);  
    }

    public static void sumPairs(int []input, int k){
      Set<Integer> set = new HashSet<Integer>();    
      for(int i=0;i<input.length;i++){

        if(set.contains(input[i]))
            System.out.println(input[i] +", "+(k-input[i]));
        else
            set.add(k-input[i]);
       }
    }
}

1

一个简单的Java代码段,用于打印以下对:

    public static void count_all_pairs_with_given_sum(int arr[], int S){
        if(arr.length < 2){
        return;
    }        
    HashSet values = new HashSet(arr.length);
    for(int value : arr)values.add(value);
    for(int value : arr){
        int difference = S - value;
    if(values.contains(difference) && value<difference){
        System.out.printf("(%d, %d) %n", value, difference);
        }
    }
    }

1

Swift中的另一个解决方案:这个想法是创建一个散列来存储(sum-currentValue)的值,并将其与循环的当前值进行比较。复杂度为O(n)。

func findPair(list: [Int], _ sum: Int) -> [(Int, Int)]? {
    var hash = Set<Int>() //save list of value of sum - item.
    var dictCount = [Int: Int]() //to avoid the case A*2 = sum where we have only one A in the array
    var foundKeys  = Set<Int>() //to avoid duplicated pair in the result.

    var result = [(Int, Int)]() //this is for the result.
    for item in list {

        //keep track of count of each element to avoid problem: [2, 3, 5], 10 -> result = (5,5)
        if (!dictCount.keys.contains(item)) {
            dictCount[item] = 1
        } else {
            dictCount[item] = dictCount[item]! + 1
        }

        //if my hash does not contain the (sum - item) value -> insert to hash.
        if !hash.contains(sum-item) {
            hash.insert(sum-item)
        }

        //check if current item is the same as another hash value or not, if yes, return the tuple.
        if hash.contains(item) &&
            (dictCount[item] > 1 || sum != item*2) // check if we have item*2 = sum or not.
        {
            if !foundKeys.contains(item) && !foundKeys.contains(sum-item) {
                foundKeys.insert(item) //add to found items in order to not to add duplicated pair.
                result.append((item, sum-item))
            }
        }
    }
    return result
}

//test:
let a = findPair([2,3,5,4,1,7,6,8,9,5,3,3,3,3,3,3,3,3,3], 14) //will return (8,6) and (9,5)

1

我的解决方案-Java-无重复

    public static void printAllPairSum(int[] a, int x){
    System.out.printf("printAllPairSum(%s,%d)\n", Arrays.toString(a),x);
    if(a==null||a.length==0){
        return;
    }
    int length = a.length;
    Map<Integer,Integer> reverseMapOfArray = new HashMap<>(length,1.0f);
    for (int i = 0; i < length; i++) {
        reverseMapOfArray.put(a[i], i);
    }

    for (int i = 0; i < length; i++) {
        Integer j = reverseMapOfArray.get(x - a[i]);
        if(j!=null && i<j){
            System.out.printf("a[%d] + a[%d] = %d + %d = %d\n",i,j,a[i],a[j],x);
        }
    }
    System.out.println("------------------------------");
}

0

这将打印对,并使用按位操作避免重复。

public static void findSumHashMap(int[] arr, int key) {
    Map<Integer, Integer> valMap = new HashMap<Integer, Integer>();
    for(int i=0;i<arr.length;i++)
        valMap.put(arr[i], i);

    int indicesVisited = 0; 
    for(int i=0;i<arr.length;i++) {
        if(valMap.containsKey(key - arr[i]) && valMap.get(key - arr[i]) != i) {
            if(!((indicesVisited & ((1<<i) | (1<<valMap.get(key - arr[i])))) > 0)) {
                int diff = key-arr[i];
                System.out.println(arr[i] + " " +diff);
                indicesVisited = indicesVisited | (1<<i) | (1<<valMap.get(key - arr[i]));
            }
        }
    }
}

0

我绕过了位操作,只是比较了索引值。这小于循环迭代值(在这种情况下为i)。这将不会同时打印重复对和重复数组元素。

public static void findSumHashMap(int[] arr, int key) {
    Map<Integer, Integer> valMap = new HashMap<Integer, Integer>();
    for (int i = 0; i < arr.length; i++) {
        valMap.put(arr[i], i);
    }
    for (int i = 0; i < arr.length; i++) {
        if (valMap.containsKey(key - arr[i])
                && valMap.get(key - arr[i]) != i) {
            if (valMap.get(key - arr[i]) < i) {
                int diff = key - arr[i];
                System.out.println(arr[i] + " " + diff);
            }
        }
    }
}

0

在C#中:

        int[] array = new int[] { 1, 5, 7, 2, 9, 8, 4, 3, 6 }; // given array
        int sum = 10; // given sum
        for (int i = 0; i <= array.Count() - 1; i++)
            if (array.Contains(sum - array[i]))
                Console.WriteLine("{0}, {1}", array[i], sum - array[i]);

如果您描述解决方案的增长顺序,那么此答案将更为有用
Thomas

0

一个解决方案可以是这样,但不是最优的(此代码的复杂度为O(n ^ 2)):

public class FindPairsEqualToSum {

private static int inputSum = 0;

public static List<String> findPairsForSum(int[] inputArray, int sum) {
    List<String> list = new ArrayList<String>();
    List<Integer> inputList = new ArrayList<Integer>();
    for (int i : inputArray) {
        inputList.add(i);
    }
    for (int i : inputArray) {
        int tempInt = sum - i;
        if (inputList.contains(tempInt)) {
            String pair = String.valueOf(i + ", " + tempInt);
            list.add(pair);
        }
    }
    return list;
   }
}

0

该代码的简单python版本可以找到一对零和,并且可以修改以找到k:

def sumToK(lst):
    k = 0  # <- define the k here
    d = {} # build a dictionary 

# build the hashmap key = val of lst, value = i
for index, val in enumerate(lst):
    d[val] = index

# find the key; if a key is in the dict, and not the same index as the current key
for i, val in enumerate(lst):
    if (k-val) in d and d[k-val] != i:
        return True

return False

该函数的运行时复杂度为O(n)和Space:O(n)。


0
 public static int[] f (final int[] nums, int target) {
    int[] r = new int[2];
    r[0] = -1;
    r[1] = -1;
    int[] vIndex = new int[0Xfff];
    for (int i = 0; i < nums.length; i++) {
        int delta = 0Xff;
        int gapIndex = target - nums[i] + delta;
        if (vIndex[gapIndex] != 0) {
            r[0] = vIndex[gapIndex];
            r[1] = i + 1;
            return r;
        } else {
            vIndex[nums[i] + delta] = i + 1;
        }
    }
    return r;
}

0

小于o(n)的解将是=>

function(array,k)
          var map = {};
          for element in array
             map(element) = true;
             if(map(k-element)) 
                 return {k,element}

对于某些输入将失败。另外,你被要求返回一笔不巴黎
阿维亚德

0

使用列表理解的Python解决方案

f= [[i,j] for i in list for j in list if j+i==X];

O(N 2

还给出了两个有序对-(a,b)和(b,a)


您可能会提到一种语言,(a,b)和(b,a)对是否唯一,以及这将回答什么问题(该问题不包含显式的- I am not sure … Thanks for comments)。您可能会指出复杂度接近O(n²)的情况。
greybeard

0

我可以在O(n)中做到。当您需要答案时让我知道。请注意,它只涉及遍历一次数组而不进行排序等。我也应该提到它利用加法的可交换性,并且不使用哈希,但是浪费了内存。


使用系统;使用System.Collections.Generic;

/ *通过使用查找表,存在O(n)方法。该方法是将值存储在“ bin”中,如果该值是适当总和的候选者,则可以轻松地查找该值(例如O(1))。

例如,

对于数组中的每个a [k],我们只需将其放在x-a [k]位置的另一个数组中。

假设我们有[0,1,5,3,6,9,8,7]并且x = 9

我们创建一个新的数组,

指标值

9 - 0 = 9     0
9 - 1 = 8     1
9 - 5 = 4     5
9 - 3 = 6     3
9 - 6 = 3     6
9 - 9 = 0     9
9 - 8 = 1     8
9 - 7 = 2     7

然后,唯一重要的值就是在新表中具有索引的值。

因此,假设当我们达到9或等于9时,我们会看到新数组的索引是否为9-9 =0。因为它确实知道包含的所有值都将加到9。(请注意,因为这显然只有1个可能的值,但其中可能需要存储多个索引值)。

因此,我们最终要做的实际上是只需要在数组中移动一次。因为加法是可交换的,所以我们将得到所有可能的结果。

例如,当我们达到6时,我们将索引作为9-6 = 3进入新表。由于该表包含该索引值,因此我们知道这些值。

这实质上是在内存速度之间进行权衡。* /

namespace sum
{
    class Program
    {
        static void Main(string[] args)
        {
            int num = 25;
            int X = 10;
            var arr = new List<int>();
            for(int i = 0; i <= num; i++) arr.Add((new Random((int)(DateTime.Now.Ticks + i*num))).Next(0, num*2));
            Console.Write("["); for (int i = 0; i < num - 1; i++) Console.Write(arr[i] + ", "); Console.WriteLine(arr[arr.Count-1] + "] - " + X);
            var arrbrute = new List<Tuple<int,int>>();
            var arrfast = new List<Tuple<int,int>>();

            for(int i = 0; i < num; i++)
            for(int j = i+1; j < num; j++)
                if (arr[i] + arr[j] == X) 
                    arrbrute.Add(new Tuple<int, int>(arr[i], arr[j]));




            int M = 500;
            var lookup = new List<List<int>>();
            for(int i = 0; i < 1000; i++) lookup.Add(new List<int>());
            for(int i = 0; i < num; i++)        
            {
                // Check and see if we have any "matches"
                if (lookup[M + X - arr[i]].Count != 0)
                {
                    foreach(var j in lookup[M + X - arr[i]])
                    arrfast.Add(new Tuple<int, int>(arr[i], arr[j])); 
                }

                lookup[M + arr[i]].Add(i);

            }

            for(int i = 0; i < arrbrute.Count; i++)
                Console.WriteLine(arrbrute[i].Item1 + " + " + arrbrute[i].Item2 + " = " + X);
            Console.WriteLine("---------");
            for(int i = 0; i < arrfast.Count; i++)
                Console.WriteLine(arrfast[i].Item1 + " + " + arrfast[i].Item2 + " = " + X);

            Console.ReadKey();
        }
    }
}

基本上是为了避免散列,我们必须创建一个表,该表可以在任意索引处接受随机插入。因此,我将使用M来确保有足够的元素并预先分配一个连续集,即使大多数元素都不会使用。哈希集将直接处理此问题。
AbstractDissonance

那么,您正在使用具有简单哈希函数且其大小大于哈希函数最大值的哈希集吗?
克里斯·霍普曼

此时也可以将身份函数用于您的哈希函数。也就是说,将a [k]放在第a [k]个“ bin”处。
克里斯·霍普曼

因为a [k]和X-a [k]被用作索引,而我正在使用数组,这意味着最小索引不能为0。因此,我简单地添加一个非常大的数字即可将它们向上移位。如果可以制作一个适用于任意值的哈希函数,那么他们可以使用一个简单的列表,而不必进行这种转换。移位+预分配有助于避免创建哈希(或者可以认为它是非常简单(快速)的哈希)。
AbstractDissonance

-1

JavaScript解决方案:

var sample_input = [0, 1, 100, 99, 0, 10, 90, 30, 55, 33, 55, 75, 50, 51, 49, 50, 51, 49, 51];
var result = getNumbersOf(100, sample_input, true, []);

function getNumbersOf(targetNum, numbers, unique, res) {
    var number = numbers.shift();

    if (!numbers.length) {
        return res;
    }

    for (var i = 0; i < numbers.length; i++) {
        if ((number + numbers[i]) === targetNum) {
            var result = [number, numbers[i]];
            if (unique) {
              if (JSON.stringify(res).indexOf(JSON.stringify(result)) < 0) {
                res.push(result);                
              }
            } else {
              res.push(result);
            }
            numbers.splice(numbers.indexOf(numbers[i]), 1);
            break;
        }
    }
    return getNumbersOf(targetNum, numbers, unique, res);
}

非常enifficient ....你使用字符串化(O(n)的时间和空间)每次迭代..
阿维亚德


-4

int [] arr = {1,2,3,4,5,6,7,8,9,0};

var z =(从arr中的a到arr中的b,其中10-a == b选择new {a,b})。ToList;

By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.