1
0
Fork 0
mirror of https://gitlab.com/mfocko/LeetCode.git synced 2024-09-19 17:56:55 +02:00

problems: add unique paths

Signed-off-by: Matej Focko <mfocko@redhat.com>
This commit is contained in:
Matej Focko 2022-08-02 11:40:31 +02:00
parent 917aecb33f
commit 05c1800c4d
Signed by: mfocko
GPG key ID: 7C47D46246790496

27
problems/unique-paths.cpp Normal file
View file

@ -0,0 +1,27 @@
class Solution {
int right(const std::vector<int>& row, int size, int idx) const
{
if (idx >= size) {
return 0;
}
return row[idx];
}
public:
int uniquePaths(int m, int n)
{
std::vector<int> bottom(n, 1);
for (int y = m - 2; y >= 0; y--) {
std::vector<int> above(n, 0);
for (int x = n - 1; x >= 0; x--) {
above[x] = right(above, n, x + 1) + bottom[x];
}
bottom = std::move(above);
}
return bottom[0];
}
};