1
0
Fork 0
mirror of https://gitlab.com/mfocko/LeetCode.git synced 2024-09-19 01:36:57 +02:00

cpp: add «1971. Find if Path Exists in Graph»

Signed-off-by: Matej Focko <me@mfocko.xyz>
This commit is contained in:
Matej Focko 2024-04-21 21:55:04 +02:00
parent 48cdf36d0f
commit f3631deaca
Signed by: mfocko
GPG key ID: 7C47D46246790496

View file

@ -0,0 +1,35 @@
#include <vector>
struct Solution {
using edges_t = std::vector<std::vector<int>>;
bool validPath(int n, const edges_t &edges, int source, int destination) {
std::vector<bool> visited(n);
visited[source] = true;
bool changed;
do {
changed = iterate(edges, visited);
} while (changed && !visited[destination]);
return visited[destination];
}
private:
bool iterate(const edges_t &edges, std::vector<bool> &visited) {
bool changed = false;
for (const auto &edge : edges) {
auto [u, v] = std::tie(edge[0], edge[1]);
if (visited[u] == visited[v]) {
continue;
}
visited[u] = true;
visited[v] = true;
changed = true;
}
return changed;
}
};