Sam*_*mal 4 indexing matlab intersection matrix vectorization
鉴于这两个矩阵:
m1 = [ 1 1;
       2 2;
       3 3;
       4 4;
       5 5 ];
m2 = [ 4 2;
       1 1;
       4 4;
       7 5 ];
Run Code Online (Sandbox Code Playgroud)
我正在寻找一个功能,例如:
indices = GetIntersectionIndecies (m1,m2);
Run Code Online (Sandbox Code Playgroud)
其输出将是
indices = 
          1
          0
          0
          1
          0
Run Code Online (Sandbox Code Playgroud)
如何在不使用循环的情况下找到这两个矩阵之间的行的交集索引?
一种可能的方案:
function [Index] = GetIntersectionIndicies(m1, m2)
[~, I1] = intersect(m1, m2, 'rows');
Index = zeros(size(m1, 1), 1);
Index(I1) = 1;
Run Code Online (Sandbox Code Playgroud)
顺便说一句,我喜欢@Shai的创造性解决方案,如果你的矩阵很小,它比我的解决方案快得多.但如果你的矩阵很大,那么我的解决方案将占主导地位.这是因为如果我们设置T = size(m1, 1),那么tmp@Shai的答案中的变量将是T*T,即如果T很大则是非常大的矩阵.这是一些快速测试的代码:
%# Set parameters
T = 1000;
M = 10;
%# Build test matrices
m1 = randi(5, T, 2);
m2 = randi(5, T, 2);
%# My solution
tic
for m = 1:M
[~, I1] = intersect(m1, m2, 'rows');
Index = zeros(size(m1, 1), 1);
Index(I1) = 1;
end
toc
%# @Shai solution
tic
for m = 1:M
tmp = bsxfun( @eq, permute( m1, [ 1 3 2 ] ), permute( m2, [ 3 1 2 ] ) );
tmp = all( tmp, 3 ); % tmp(i,j) is true iff m1(i,:) == m2(j,:)
imdices = any( tmp, 2 );
end
toc
Run Code Online (Sandbox Code Playgroud)
设置T = 10和M = 1000,我们得到:
Elapsed time is 0.404726 seconds. %# My solution
Elapsed time is 0.017669 seconds. %# @Shai solution
Run Code Online (Sandbox Code Playgroud)
但设置T = 1000和M = 100,我们得到:
Elapsed time is 0.068831 seconds. %# My solution
Elapsed time is 0.508370 seconds. %# @Shai solution
Run Code Online (Sandbox Code Playgroud)