EN
TypeScript - transpose matrix
0 points
In this short article, we would like to show how to transpose a matrix in TypeScript.
Quick solution:
xxxxxxxxxx
1
const transposeMatrix = (matrix: number[][]): number[][] => {
2
const result = new Array(matrix.length);
3
for (let i = 0; i < matrix.length; ++i) {
4
result[i] = new Array(matrix[0].length);
5
}
6
for (let i = 0; i < matrix.length; ++i) {
7
for (let j = 0; j < matrix[0].length; ++j) {
8
result[j][i] = matrix[i][j];
9
}
10
}
11
return result;
12
};
13
14
// Helper methods:
15
16
const printMatrix = (matrix: number[][]): void => {
17
let text = '';
18
for (let i = 0; i < matrix.length; ++i) {
19
const row = matrix[i];
20
for (let j = 0; j < row.length; ++j) {
21
text += row[j] + ' ';
22
}
23
text += '\n';
24
}
25
console.log(text);
26
};
27
28
29
// Usage example:
30
31
const matrix: number[][] = [
32
[1, 2, 3],
33
[4, 5, 6],
34
[7, 8, 9],
35
];
36
const transposedMatrix: number[][] = transposeMatrix(matrix);
37
38
printMatrix(transposedMatrix); // 1 4 7
39
// 2 5 8
40
// 3 6 9
Note: above example do not check sizes of arrays.
The solution presented in this section checks each row size and informs if transposition can not be done.
xxxxxxxxxx
1
const createMatrix = (width: number, height: number): number[][] => {
2
const result = new Array(height);
3
for (let i = 0; i < height; ++i) {
4
result[i] = new Array(width);
5
}
6
return result;
7
};
8
9
const transposeMatrix = (matrix: number[][]): number[][] => {
10
if (matrix.length == 0) {
11
return [];
12
}
13
const matrixRow = matrix[0];
14
if (matrixRow == null) {
15
throw new Error('Undefined matrix row 1.');
16
}
17
const matrixWidth = matrixRow.length;
18
const matrixHeight = matrix.length;
19
const result = createMatrix(matrixWidth, matrixHeight);
20
for (let i = 0; i < matrixHeight; ++i) {
21
const matrixRow = matrix[i];
22
if (matrixRow == null) {
23
throw new Error('Undefined matrix row ' + (i + 1) + '.');
24
}
25
if (matrixWidth != matrixRow.length) {
26
throw new Error('Matrix row ' + (i + 1) + ' has different width than row 1.');
27
}
28
for (let j = 0; j < matrixWidth; ++j) {
29
result[j][i] = matrixRow[j];
30
}
31
}
32
return result;
33
};
34
35
// Helper methods:
36
37
const printMatrix = (matrix: number[][]): void => {
38
let text = '';
39
for (let i = 0; i < matrix.length; ++i) {
40
const row = matrix[i];
41
for (let j = 0; j < row.length; ++j) {
42
text += row[j] + ' ';
43
}
44
text += '\n';
45
}
46
console.log(text);
47
};
48
49
50
// Usage example:
51
52
const matrix = [
53
[1, 2, 3],
54
[4, 5, 6],
55
[7, 8, 9],
56
];
57
const transposedMatrix = transposeMatrix(matrix);
58
59
printMatrix(transposedMatrix); // 1 4 7
60
// 2 5 8
61
// 3 6 9
Output:
xxxxxxxxxx
1
1 4 7
2
2 5 8
3
3 6 9