简体   繁体   中英

find all sets of matches in two numpy arrays

I have 2 numpy arrays as following:

#[ 3  5  6  8  8  9  9  9 10 10 10 11 11 12 13 14] #rows
#[11  7 11  4  7  2  4  7  2  4  7  4  7  7 11 11] #cols

I want to find all sets of matches eg:

3 6 13 14 from rows match 11 in cols

5 8 9 10 11 12 from rows match 2 4 7 in cols

Is there a direct numpy way to do this? There are no blank values and row and col size will be same.

What I have tried (loops and not most efficient):

#first get array of indices, sorted by unique element
idx_sort = np.argsort(cols)

# sorts records array so all unique elements are together 
sorted_records_array = cols[idx_sort]

# returns the unique values, the index of the first occurrence of a value, and the count for each element
vals, idx_start, count = np.unique(sorted_records_array, return_counts=True, return_index=True)

# splits the indices into separate arrays
res = np.split(idx_sort, idx_start[1:])

#Using looping I use intersections and concatenate to group sets:
for cntr,itm in enumerate(res):
    idx = rows[itm]
    for cntr2,itm2 in enumerate(res):
        if cntr != cntr2:
            intersectItems = np.intersect1d(rows[itm], rows[itm2])
            if intersectItems.size > 0:
                #print('intersectItems',intersectItems)
                res[cntr] = np.unique(np.concatenate((res[cntr], res[cntr2]), axis=0))

I will further need to find and remove duplicates as my output here is [ 3 6 13 14],[11 11 11 11] ...

IIUC, you could do something like this:

import numpy as np

rows = np.array([3, 5, 6, 8, 8, 9, 9, 9, 10, 10, 10, 11, 11, 12, 13, 14])  # rows
cols = np.array([11, 7, 11, 4, 7, 2, 4, 7, 2, 4, 7, 4, 7, 7, 11, 11])  # cols

matches = {row: col for col, row in zip(cols[::-1], rows[::-1])}
print(matches)

Output

{14: 11, 13: 11, 12: 7, 11: 4, 10: 2, 9: 2, 8: 4, 6: 11, 5: 7, 3: 11}

Perhaps it easier to understand by looking at the reverse dictionary:

from collections import defaultdict
d = defaultdict(list)
for key, value in matches.items():
    d[value].append(key)
d = dict(d)
print(d)

Output reverse dictionary

{11: [14, 13, 6, 3], 7: [12, 5], 4: [11, 8], 2: [10, 9]}

As you can see from the above 14,13,6,3 match to 11 and 12,5,11,8,10,9 match to 7,4,2

You could use a dictionary comprehension (with an embedded list comprehension):

rows = [3, 5, 6, 8, 8, 9, 9, 9, 10, 10, 10, 11, 11, 12, 13, 14] 
cols = [11, 7, 11, 4, 7, 2, 4, 7, 2, 4, 7, 4, 7, 7, 11, 11]

>>> {c: [r for i, r in enumerate(rows) if cols[i]==c] for c in cols}
{11: [3, 6, 13, 14], 7: [5, 8, 9, 10, 11, 12], 4: [8, 9, 10, 11], 2: [9, 10]}

The technical post webpages of this site follow the CC BY-SA 4.0 protocol. If you need to reprint, please indicate the site URL or the original address.Any question please contact:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM