summaryrefslogtreecommitdiff
path: root/test/gtest
diff options
context:
space:
mode:
authorThomas Lively <tlively@google.com>2024-08-29 15:07:35 -0700
committerGitHub <noreply@github.com>2024-08-29 15:07:35 -0700
commitb63aeadb09a4450f55041dfb3fb7260807e91dfc (patch)
tree9fc437ddf4dfe13bcecff5785bacdd3cc764f568 /test/gtest
parentaa7569809f37ae3fea83385b0acb2513b4a2f6ce (diff)
downloadbinaryen-b63aeadb09a4450f55041dfb3fb7260807e91dfc.tar.gz
binaryen-b63aeadb09a4450f55041dfb3fb7260807e91dfc.tar.bz2
binaryen-b63aeadb09a4450f55041dfb3fb7260807e91dfc.zip
Add a utility for finding minimal topological sorts (#6884)
Reuse the code implementing Kahn's topological sort algorithm with a new configuration that uses a min-heap to always choose the best available element. Also add wrapper utilities that can find topological sorts of graphs with arbitrary element types, not just indices.
Diffstat (limited to 'test/gtest')
-rw-r--r--test/gtest/topological-orders.cpp55
1 files changed, 55 insertions, 0 deletions
diff --git a/test/gtest/topological-orders.cpp b/test/gtest/topological-orders.cpp
index 7eeb8fdc2..ba370123d 100644
--- a/test/gtest/topological-orders.cpp
+++ b/test/gtest/topological-orders.cpp
@@ -99,3 +99,58 @@ TEST(TopologicalOrdersTest, Diamond) {
};
EXPECT_EQ(results, expected);
}
+
+TEST(MinTopologicalSortTest, Empty) {
+ Graph graph(0);
+ EXPECT_EQ(*MinTopologicalSort(graph), std::vector<size_t>{});
+}
+
+TEST(MinTopologicalSortTest, Unconstrained) {
+ Graph graph(3);
+ MinTopologicalSort order(graph);
+ std::vector<size_t> expected{0, 1, 2};
+ EXPECT_EQ(*MinTopologicalSort(graph), expected);
+}
+
+TEST(MinTopologicalSortTest, Reversed) {
+ Graph graph(3);
+ graph[2].push_back(1);
+ graph[1].push_back(0);
+ std::vector<size_t> expected{2, 1, 0};
+ EXPECT_EQ(*MinTopologicalSort(graph), expected);
+}
+
+TEST(MinTopologicalSortTest, OneBeforeZero) {
+ Graph graph(3);
+ graph[1].push_back(0);
+ // 2 last because it is greater than 1 and 0
+ std::vector<size_t> expected{1, 0, 2};
+ EXPECT_EQ(*MinTopologicalSort(graph), expected);
+}
+
+TEST(MinTopologicalSortTest, TwoBeforeOne) {
+ Graph graph(3);
+ graph[2].push_back(1);
+ // 0 first because it is less than 2 and 1
+ std::vector<size_t> expected{0, 2, 1};
+ EXPECT_EQ(*MinTopologicalSort(graph), expected);
+}
+
+TEST(MinTopologicalSortTest, TwoBeforeZero) {
+ Graph graph(3);
+ graph[2].push_back(0);
+ // 1 first because it is less than 2 and zero is not eligible.
+ std::vector<size_t> expected{1, 2, 0};
+ EXPECT_EQ(*MinTopologicalSort(graph), expected);
+}
+
+TEST(MinTopologicalSortTest, Strings) {
+ std::map<std::string, std::vector<std::string>> graph{
+ {"animal", {"mammal"}},
+ {"cat", {}},
+ {"dog", {}},
+ {"mammal", {"cat", "dog"}}};
+ std::vector<std::string> expected{"animal", "mammal", "cat", "dog"};
+ EXPECT_EQ(*MinTopologicalSortOf<std::string>(graph.begin(), graph.end()),
+ expected);
+}