冈瑟已经走在正确的轨道上。你想选择一个元素,如果
- 非零的行 cumsum 为 1 AND
- 非零的列 cumsum 为 1 AND
- 元素本身不为零。
下面的代码解决了这个问题:
A = [0, 0, 3, 4;
4, 3, 2, 0;
2, 0, 2, 0];
batches = cell(0);
while any(A(:)~=0)
selector = cumsum(A~=0, 1) .* cumsum(A~=0, 2) .* (A~=0) == 1;
batches{end+1} = A .* selector;
A(selector) = 0;
end
但是请注意,返回的解决方案不是最优的,因为它的第二批是
0 0 0 4
0 3 0 0
2 0 0 0
这意味着剩余的矩阵元素来自同一列:
0 0 0 0
0 0 2 0
0 0 2 0
不幸的是,您不能在同一批次中绘制它们。所以你最终得到了四批而不是三批。
编辑:可能,首先选择那些出现在行/列中且有很多非零的元素是个好主意。例如,可以使用这些权重
weight = repmat(sum(A~=0, 1), size(A, 1), 1) ...
.* repmat(sum(A~=0, 2), 1, size(A, 2)) .* (A~=0)
weight =
0 0 6 2
6 3 9 0
4 0 6 0
以下算法
batches = cell(0);
while any(A(:)~=0)
batch = zeros(size(A));
weight = repmat(sum(A~=0, 1), size(A, 1), 1) ...
.* repmat(sum(A~=0, 2), 1, size(A, 2)) .* (A~=0);
while any(weight(:)~=0)
[r,c] = find(weight == max(weight(:)), 1);
batch(r,c) = A(r,c);
A(r,c) = 0;
weight(r,:) = 0;
weight(:,c) = 0;
end
batches{end+1} = batch;
end
返回这些批次。
batches{:}
ans =
0 0 0 4
0 0 2 0
2 0 0 0
ans =
0 0 3 0
4 0 0 0
0 0 0 0
ans =
0 0 0 0
0 3 0 0
0 0 2 0
所以它至少适用于这个小测试用例。