0
votes

I have two matrix A and B. Suppose I would like to find in each row of matrix A the smallest number, and for the same cell that this number is in Matrix A, do find the corresponding number of the same cell in matrix B. For example the number in matrix A will be in the position A(1,3), A(2,9)...and I want the corresponding number in B(1,3), B(2,9)... Is it possible to do it, or I am asking something hard for matlab. Hope someone will help me.

2
Can you provide example what you want to do?Marcin

2 Answers

2
votes

What you can do is use min and find the minimum across all of the rows for each column. You would actually use the second output in order to find the location of each column per row that you want to find. Once you locate these, simply use sub2ind to access the corresponding values in B. As such, try something like this:

[~,ind] = min(A,[],2);
val = B(sub2ind(size(A), (1:size(A,1)).', ind));

val would contain the output values in the matrix B which correspond to the same positions as the minimum values of each row in A. This is also assuming that A and B are the same size. As an illustration, here's an example. Let's set A and B to be a random 4 x 4 array of integers each.

rng(123);
A = randi(10, 4, 4)
B = randi(10, 4, 4)

A =

     7     8     5     5
     3     5     4     1
     3    10     4     4
     6     7     8     8


B =

     2     7     8     3
     2     9     4     7
     6     8     4     1
     6     7     3     5

By running the first line of code, we get this:

[~,ind] = min(A,[],2)

ind =

     3
     4
     1
     1

This tells us that the minimum value of the first row is the third column, the minimum value of the next row is the 4th column, and so on and so forth. Once we have these column numbers, let's access what the corresponding values are in B, so we would want row and columns (1,3), (2,4), etc. Therefore, after running the second statement, we get:

val = B(sub2ind(size(A), (1:size(A,1)).', ind))

val =

     8
     7
     6
     6

If you quickly double check the accessed positions in B in comparison to A, we have found exactly those spots in B that correspond to A.

1
votes
A = randi(9,[5 5]);
B = randi(9,[5 5]);
[C,I] = min(A');
B.*(A == repmat(C',1,size(A,2)))

example,

A =

 2     1     6     9     1
 2     4     4     4     2
 5     6     5     5     5
 9     3     9     3     6
 4     5     6     8     3


B =

 3     5     6     8     1
 9     2     9     7     1
 5     6     6     5     6
 4     6     1     4     5
 5     3     7     1     9

ans =

 0     5     0     0     1
 9     0     0     0     1
 5     0     6     5     6
 0     6     0     4     0
 0     0     0     0     9

You can use it like,

B(A == repmat(C',1,5))

ans =

 9
 5
 5
 6
 6
 5
 4
 1
 1
 6
 9