graph_test.go 2.0 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091
  1. package grok
  2. import "testing"
  3. func TestReverseList(t *testing.T) {
  4. var array = []string{"A", "B", "C", "D"}
  5. var expectedArray = []string{"D", "C", "B", "A"}
  6. arrayReversed := reverseList(array)
  7. if !sliceEquals(arrayReversed, expectedArray) {
  8. t.Fatalf("reversedList is %+v, expected : %+v", arrayReversed, expectedArray)
  9. }
  10. }
  11. func TestSortGraph(t *testing.T) {
  12. var g = graph{}
  13. g["7"] = []string{"11", "8"}
  14. g["5"] = []string{"11"}
  15. g["3"] = []string{"8", "10"}
  16. g["11"] = []string{"2", "9", "10"}
  17. g["8"] = []string{"9", "10"}
  18. g["2"] = []string{}
  19. g["9"] = []string{}
  20. g["10"] = []string{}
  21. validOrders := [][]string{
  22. {"3", "5", "7", "8", "11", "10", "9", "2"},
  23. {"3", "5", "7", "8", "11", "2", "10", "9"},
  24. {"3", "5", "7", "8", "11", "9", "2", "10"},
  25. {"7", "3", "8", "5", "11", "10", "9", "2"},
  26. {"3", "5", "7", "11", "2", "8", "10", "9"},
  27. {"5", "7", "11", "2", "3", "8", "10", "9"},
  28. }
  29. order, cycle := sortGraph(g)
  30. if cycle != nil {
  31. t.Fatal("cycle detected while not expected")
  32. }
  33. for _, expectedOrder := range validOrders {
  34. if sliceEquals(order, expectedOrder) {
  35. return
  36. }
  37. }
  38. t.Fatalf("sorted graph is %+v, expected a order like: %+v", order, validOrders[0])
  39. }
  40. func TestSortGraphWithCycle(t *testing.T) {
  41. var g = graph{}
  42. g["7"] = []string{"11", "8"}
  43. g["5"] = []string{"11"}
  44. g["3"] = []string{"8", "10"}
  45. g["11"] = []string{"2", "9", "10"}
  46. g["8"] = []string{"9", "10"}
  47. g["2"] = []string{}
  48. g["9"] = []string{"3"}
  49. g["10"] = []string{}
  50. validCycles := [][]string{
  51. {"3", "9", "8"},
  52. {"8", "3", "9"},
  53. {"9", "8", "3"},
  54. }
  55. _, cycle := sortGraph(g)
  56. if cycle == nil {
  57. t.Fatal("cycle not detected while sorting graph")
  58. }
  59. for _, expectedCycle := range validCycles {
  60. if sliceEquals(cycle, expectedCycle) {
  61. return
  62. }
  63. }
  64. t.Fatalf("cycle have %+v, expected %+v", cycle, validCycles[0])
  65. }
  66. func sliceEquals(a, b []string) bool {
  67. if len(a) != len(b) {
  68. return false
  69. }
  70. for i := range a {
  71. if a[i] != b[i] {
  72. return false
  73. }
  74. }
  75. return true
  76. }