4

我有一个大的二进制数数组,我想对数组的一维进行按位或:

X = [ 192, 96,  96,  2,  3
       12, 12, 128, 49, 14
       ....
    ];
union_of_bits_on_dim2 = [
       bitor(X(:,1), bitor(X(:,2), bitor(X(:,3), ... )))
    ];
ans = 
    [ 227
      191 
      ... ]

有没有一种简单的方法可以做到这一点?我实际上正在研究一个 n 维数组。我尝试过bi2de,但它使我的数组变平,因此下标变得复杂。

如果 matlab 有一个函数,我可以很容易地做到这一点,fold但我认为它没有。


好的@Divakar 要求提供可运行的代码,以便明确说明这里是一个可能适用于二维数组的冗长版本。

function U=union_of_bits_on_dim2(X)
U=zeros(size(X,1),1);
for i=1:size(X,2)
  U=bitor(U,X(:,i));
end

当然它可以在没有循环的情况下完成?我当然希望这bitor可以采用任意数量的参数。那么它可以用mat2cell.

4

2 回答 2

2

一种矢量化方法 -

[m,n] =  size(X)  %// Get size of input array
bd = dec2bin(X)-'0' %// Get binary digits

%// Get cumulative "OR-ed" version with ANY(..,1)
cum_or = reshape(any(permute(reshape(bd,m,n,[]),[2 3 1]),1),8,[]) 

%// Finally convert to decimals
U = 2.^(7: -1:0)*cum_or
于 2015-02-26T16:37:28.750 回答
1

我不知道任何可以自动执行此操作的功能。但是,您可以遍历您感兴趣的维度:

function result = bitor2d(A)
    result = A(1,:);
    for i=2:size(A,1)
        result = bitor(result,A(i,:));
    end
end

如果您的数组有超过 2 个维度,那么您需要将其准备为只有 2 个。

function result = bitornd(A,whichdimension)
    B = shiftdim(A,whichdimension-1); % change dimensions order
    s = size(B);
    B = reshape(B,s(1),[]);  % back to the original shape
    result = bitor2d(B);
    s(1) = 1;
    result = reshape(result,s); % back to the original shape
    result = shiftdim(result,1-whichdimension); % back to the original dimension order
end
于 2015-02-26T16:37:00.693 回答