web-dev-qa-db-ja.com

アレイのミラーイメージを取得する方法(MATLAB)?

与えられた配列:

array1 = [1 2 3];

私はそれを次のように逆にしなければなりません:

array1MirrorImage = [3 2 1];

これまでのところ、私はこの醜い解決策を得ました:

array1MirrorImage = padarray(array1, [0 length(array1)], 'symmetric', 'pre');
array1MirrorImage = array1MirrorImage(1:length(array1));

これに対するより良い解決策はありますか?

21
Jader Dias

UPDATE:新しいバージョンのMATLAB(R2013b以降)では、関数 flip を使用することをお勧めします同じ呼び出し構文を持つ flipdim の代わりに:

a = flip(a, 1);  % Reverses elements in each column
a = flip(a, 2);  % Reverses elements in each row



トーマスは正しい答えを持っています。少しだけ追加するには、より一般的な flipdim を使用することもできます。

a = flipdim(a, 1);  % Flips the rows of a
a = flipdim(a, 2);  % Flips the columns of a

追加の小さなトリック...何らかの理由で2次元配列の両方の次元を反転する必要がある場合は、flipdimを2回呼び出すことができます。

a = flipdim(flipdim(a, 1), 2);

または rot90

a = rot90(a, 2);  % Rotates matrix by 180 degrees
31
gnovice

別の簡単な解決策は

b = a(end:-1:1);

これを特定の次元で使用することもできます。

b = a(:,end:-1:1); % Flip the columns of a
19
Scottie T

あなたは使うことができます

rowreverse = fliplr(row) %  for a row vector    (or each row of a 2D array)
colreverse = flipud(col) % for a column vector (or each column of a 2D array)

genreverse = x(end:-1:1) % for the general case of a 1D vector (either row or column)

http://www.eng-tips.com/viewthread.cfm?qid=149926&page=5

14
Tomas Aschan