Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Using `bsxfun` for non-numeric data

Tags:

matlab

bsxfun

Is there an equivalent to bsxfun for non-numeric data?

For example, I want to compare all pairs of strings stored in two cell-arrays:

>> a = {'aa', 'bb', 'cc'};
>> b = {'dd', 'aa'};
>> bsxfun( @strcmp, a, b' ); % not working for cells :-(
like image 789
Shai Avatar asked Jun 13 '13 14:06

Shai


2 Answers

I like Rody's solution, but you could also do a workaround like this:

ia=(1:length(a)).'; ib=1:length(b);
a=a(:);
bsxfun(@(ii,jj) strcmp(  a(ii),b(jj) )  ,ia, ib);
like image 121
Stewie Griffin Avatar answered Oct 21 '22 06:10

Stewie Griffin


I'm afraid there's no such equivalent for cell-arrays :-(

As far as I can see, you can either:

  1. Follow Oleg's suggestion and use loops
  2. Use existing implementations such as mAryCellFcn or csxfun from the File Exchange.
  3. Roll your own function. For example, here's a variant of Robert's idea that works for inputs of any dimensions (under the restrictions of bsxfun, of course) and an arbitrary binary function func:

    function C = mybsxfun(func, A, B)
        idx_A = reshape(1:numel(A), size(A));
        idx_B = reshape(1:numel(B), size(B));
        C = bsxfun(@(ii, jj)func(A(ii), B(jj)), idx_A, idx_B);
    

    If your function can operate on entire cell arrays element-wise, you could perform a singleton expansion on your cell arrays first, and then feed them directly to the function func:

    mask = bsxfun(@or, true(size(A)), true(size(B)));
    idx_A = bsxfun(@times, mask, reshape(1:numel(A), size(A)));
    idx_B = bsxfun(@times, mask, reshape(1:numel(B), size(B)));
    C = func(A(idx_A), B(idx_B));
    

    The latter method might be faster if func is optimized for vectorized operations on cell arrays.

like image 30
Eitan T Avatar answered Oct 21 '22 06:10

Eitan T