5

我有一个数组:

a = [109, 894, 566, 453, 342, 25]

以及 的子索引的另一个元胞数组a,表示为:

subs = { [1,3,4], [2,5,6], [1,3], [3,4], [2,3,4], [6] };    

我想避免 for 循环通过 MATLAB 计算以下总和:

for i=1:6
    sums_a(i) = sum(a(subs{i}));
end

有没有什么快速的方法arrayfun来实现这个?谢谢。

4

2 回答 2

8

利用cellfun

sums_a = cellfun( @(sx) sum( a(sx) ), subs );

PS,
最好不要在 Matlab中使用iandj作为变量名。

于 2013-05-26T08:17:44.357 回答
2

如果您正在寻找速度,arrayfun可能会相当慢。正如Andrew Horchler所评论的,在最新版本的 MATLAB 中,由于JIT 加速,for 循环可以非常快。如果您仍然坚持避免循环,这里有一个不使用 for 循环的棘手解决方案accumarray

idx = cumsum(cellfun('length', subs));
x = diff(bsxfun(@ge, [0; idx(:)], 1:max(idx)));
x = sum(bsxfun(@times, x', 1:numel(subs)), 2);  %'// Produce subscripts
y = a([subs{:}]);                               % // Obtain values
sums_a = accumarray(x, y);                      % // Accumulate values

这实际上可以写成(相当长的)单行,但为了清楚起见,它被分成几行。

解释

要累积的值是这样获得的:

y = a([subs{:}]);

在您的示例中,它们对应的索引应该是:

1    1    1    2    2    2    3    3    4    4    5    5    5    6

那是:

  1. 前 3 个值y被累加,结果存储为输出中的第一个元素。
  2. 接下来的 3 个值被累加,结果存储为输出中的第二个元素。
  3. 接下来的 2 个值被累加,结果存储为输出中的第三个元素。

等等...

以下几行神奇地产生了这样一个索引向量x

idx = cumsum(cellfun('length', subs));
x = diff(bsxfun(@ge, [0; idx(:)], 1:max(idx)));
x = sum(bsxfun(@times, x', 1:numel(subs)), 2);

最后,x并被y送入accumarray

sums_a = accumarray(x, y);

瞧。

基准

这是基准测试代码:

a = [109,894,566,453,342,25];
subs = {[1,3,4], [2,5,6], [1,3], [3,4], [2,3,4], 6};

% // Solution with arrayfun
tic
for k = 1:1000
    clear sums_a1
    sums_a1 = cellfun( @(subs) sum( a(subs) ), subs );
end
toc

% // Solution with accumarray
tic
for k = 1:1000
    clear sums_a2
    idx = cumsum(cellfun('length', subs));
    x = diff(bsxfun(@ge, [0; idx(:)], 1:max(idx)));
    x = sum(bsxfun(@times, x', 1:numel(subs)), 2);
    sums_a2 = accumarray(x, a([subs{:}]));
end
toc

%'// Solution with for loop
tic
for k = 1:1000
    clear sums_a3
    for n = 1:6
        sums_a3(n) = sum(a(subs{n}));
    end
end
toc

我机器上的结果是:

Elapsed time is 0.027746 seconds.
Elapsed time is 0.004228 seconds.
Elapsed time is 0.001959 seconds.

accumarrayvs.的速度几乎提高了十倍 arrayfun,但请注意 for 循环仍然胜过两者。

于 2013-05-26T12:10:20.483 回答