-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathmatrix_col_max.cpp
55 lines (50 loc) · 1.43 KB
/
matrix_col_max.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
/*
给你一个下标从 0 开始、大小为 m x n 的整数矩阵 matrix ,新建一个下标从 0
开始、名为 answer 的矩阵。使 answer 与 matrix 相等,接着将其中每个值为 -1
的元素替换为所在列的 最大 元素。 返回矩阵 answer 。 */
#include <algorithm>
#include <cmath>
#include <iostream>
#include <numeric>
#include <utility>
#include <vector>
using namespace std;
vector< vector< int > > modifiedMatrix(vector< vector< int > > &matrix)
{
std::vector< vector< int > > transpose(matrix[0].size(),
vector< int >(matrix.size()));
for (int row{}; row < transpose.size(); row++)
{
for (int col{}; col < transpose[0].size(); col++)
{
transpose[row][col] = matrix[col][row];
}
}
std::vector< vector< int > > ans = std::move(matrix);
for (auto &vec : ans)
{
for (int i = 0; i < vec.size(); i++)
{
if (vec[i] == -1)
{
vec[i] =
*std::max_element(transpose[i].begin(), transpose[i].end());
}
}
}
return ans;
}
int main()
{
std::vector< vector< int > > test = {{1, 2, -1}, {4, -1, 6}, {7, 8, 9}};
vector< vector< int > > ans = modifiedMatrix(test);
for (const auto &vec : ans)
{
for (auto val : vec)
{
cout << val << ' ';
}
cout << '\n';
}
return 0;
}