mirror of
https://github.com/oarkflow/mq.git
synced 2025-10-28 22:51:43 +08:00
feat: add example
This commit is contained in:
113
dag/dag.go
113
dag/dag.go
@@ -6,6 +6,7 @@ import (
|
|||||||
"fmt"
|
"fmt"
|
||||||
"log"
|
"log"
|
||||||
"net/http"
|
"net/http"
|
||||||
|
"strings"
|
||||||
"sync"
|
"sync"
|
||||||
"time"
|
"time"
|
||||||
|
|
||||||
@@ -24,11 +25,11 @@ func NewTask(id string, payload json.RawMessage, nodeKey string) *mq.Task {
|
|||||||
|
|
||||||
type EdgeType int
|
type EdgeType int
|
||||||
|
|
||||||
func (c EdgeType) IsValid() bool { return c >= SimpleEdge && c <= LoopEdge }
|
func (c EdgeType) IsValid() bool { return c >= Simple && c <= Iterator }
|
||||||
|
|
||||||
const (
|
const (
|
||||||
SimpleEdge EdgeType = iota
|
Simple EdgeType = iota
|
||||||
LoopEdge
|
Iterator
|
||||||
)
|
)
|
||||||
|
|
||||||
type Node struct {
|
type Node struct {
|
||||||
@@ -50,6 +51,7 @@ type Edge struct {
|
|||||||
}
|
}
|
||||||
|
|
||||||
type (
|
type (
|
||||||
|
FromNode string
|
||||||
When string
|
When string
|
||||||
Then string
|
Then string
|
||||||
)
|
)
|
||||||
@@ -59,7 +61,7 @@ type DAG struct {
|
|||||||
nodes map[string]*Node
|
nodes map[string]*Node
|
||||||
server *mq.Broker
|
server *mq.Broker
|
||||||
taskContext map[string]*TaskManager
|
taskContext map[string]*TaskManager
|
||||||
conditions map[string]map[When]Then
|
conditions map[FromNode]map[When]Then
|
||||||
mu sync.RWMutex
|
mu sync.RWMutex
|
||||||
paused bool
|
paused bool
|
||||||
opts []mq.Option
|
opts []mq.Option
|
||||||
@@ -69,7 +71,7 @@ func NewDAG(opts ...mq.Option) *DAG {
|
|||||||
d := &DAG{
|
d := &DAG{
|
||||||
nodes: make(map[string]*Node),
|
nodes: make(map[string]*Node),
|
||||||
taskContext: make(map[string]*TaskManager),
|
taskContext: make(map[string]*TaskManager),
|
||||||
conditions: make(map[string]map[When]Then),
|
conditions: make(map[FromNode]map[When]Then),
|
||||||
}
|
}
|
||||||
opts = append(opts, mq.WithCallback(d.onTaskCallback), mq.WithConsumerOnSubscribe(d.onConsumerJoin), mq.WithConsumerOnClose(d.onConsumerClose))
|
opts = append(opts, mq.WithCallback(d.onTaskCallback), mq.WithConsumerOnSubscribe(d.onConsumerJoin), mq.WithConsumerOnClose(d.onConsumerClose))
|
||||||
d.server = mq.NewBroker(opts...)
|
d.server = mq.NewBroker(opts...)
|
||||||
@@ -77,6 +79,99 @@ func NewDAG(opts ...mq.Option) *DAG {
|
|||||||
return d
|
return d
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// PrintGraph prints the DAG's adjacency list
|
||||||
|
func (tm *DAG) PrintGraph() {
|
||||||
|
tm.mu.RLock()
|
||||||
|
defer tm.mu.RUnlock()
|
||||||
|
|
||||||
|
fmt.Println("DAG Graph structure:")
|
||||||
|
for _, node := range tm.nodes {
|
||||||
|
fmt.Printf("Node: %s (%s) -> ", node.Name, node.Key)
|
||||||
|
if conditions, ok := tm.conditions[FromNode(node.Key)]; ok {
|
||||||
|
var c []string
|
||||||
|
for when, then := range conditions {
|
||||||
|
if target, ok := tm.nodes[string(then)]; ok {
|
||||||
|
c = append(c, fmt.Sprintf("If [%s] Then %s (%s)", when, target.Name, target.Key))
|
||||||
|
}
|
||||||
|
}
|
||||||
|
fmt.Println(strings.Join(c, ", "))
|
||||||
|
}
|
||||||
|
var c []string
|
||||||
|
for _, edge := range node.Edges {
|
||||||
|
for _, target := range edge.To {
|
||||||
|
c = append(c, fmt.Sprintf("%s (%s)", target.Name, target.Key))
|
||||||
|
}
|
||||||
|
}
|
||||||
|
fmt.Println(strings.Join(c, ", "))
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
func (tm *DAG) ClassifyEdges(startNodes ...string) {
|
||||||
|
startNode := tm.GetStartNode()
|
||||||
|
tm.mu.RLock()
|
||||||
|
defer tm.mu.RUnlock()
|
||||||
|
if len(startNodes) > 0 && startNodes[0] != "" {
|
||||||
|
startNode = startNodes[0]
|
||||||
|
}
|
||||||
|
visited := make(map[string]bool)
|
||||||
|
discoveryTime := make(map[string]int)
|
||||||
|
finishedTime := make(map[string]int)
|
||||||
|
timeVal := 0
|
||||||
|
if startNode == "" {
|
||||||
|
firstNode := tm.findStartNode()
|
||||||
|
if firstNode != nil {
|
||||||
|
startNode = firstNode.Key
|
||||||
|
}
|
||||||
|
}
|
||||||
|
if startNode != "" {
|
||||||
|
tm.dfs(startNode, visited, discoveryTime, finishedTime, &timeVal)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
func (tm *DAG) dfs(v string, visited map[string]bool, discoveryTime, finishedTime map[string]int, timeVal *int) {
|
||||||
|
visited[v] = true
|
||||||
|
*timeVal++
|
||||||
|
discoveryTime[v] = *timeVal
|
||||||
|
node := tm.nodes[v]
|
||||||
|
for _, edge := range node.Edges {
|
||||||
|
for _, adj := range edge.To {
|
||||||
|
switch edge.Type {
|
||||||
|
case Simple:
|
||||||
|
if !visited[adj.Key] {
|
||||||
|
fmt.Printf("Simple Edge: %s -> %s\n", v, adj.Key)
|
||||||
|
tm.dfs(adj.Key, visited, discoveryTime, finishedTime, timeVal)
|
||||||
|
}
|
||||||
|
case Iterator:
|
||||||
|
if !visited[adj.Key] {
|
||||||
|
fmt.Printf("Iterator Edge: %s -> %s\n", v, adj.Key)
|
||||||
|
tm.dfs(adj.Key, visited, discoveryTime, finishedTime, timeVal)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
||||||
|
}
|
||||||
|
tm.handleConditionalEdges(v, visited, discoveryTime, finishedTime, timeVal)
|
||||||
|
*timeVal++
|
||||||
|
finishedTime[v] = *timeVal
|
||||||
|
}
|
||||||
|
|
||||||
|
// handleConditionalEdges processes the conditional edges based on the task result
|
||||||
|
func (tm *DAG) handleConditionalEdges(v string, visited map[string]bool, discoveryTime, finishedTime map[string]int, time *int) {
|
||||||
|
node := tm.nodes[v]
|
||||||
|
for when, then := range tm.conditions[FromNode(node.Key)] {
|
||||||
|
if targetNodeKey, ok := tm.nodes[string(then)]; ok {
|
||||||
|
if !visited[targetNodeKey.Key] {
|
||||||
|
fmt.Printf("Conditional Edge [%s]: %s -> %s\n", when, v, targetNodeKey.Key)
|
||||||
|
tm.dfs(targetNodeKey.Key, visited, discoveryTime, finishedTime, time)
|
||||||
|
} else {
|
||||||
|
if discoveryTime[v] > discoveryTime[targetNodeKey.Key] {
|
||||||
|
fmt.Printf("Conditional Loop Edge [%s]: %s -> %s\n", when, v, targetNodeKey.Key)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
func (tm *DAG) onTaskCallback(ctx context.Context, result mq.Result) mq.Result {
|
func (tm *DAG) onTaskCallback(ctx context.Context, result mq.Result) mq.Result {
|
||||||
if taskContext, ok := tm.taskContext[result.TaskID]; ok && result.Topic != "" {
|
if taskContext, ok := tm.taskContext[result.TaskID]; ok && result.Topic != "" {
|
||||||
return taskContext.handleCallback(ctx, result)
|
return taskContext.handleCallback(ctx, result)
|
||||||
@@ -178,18 +273,18 @@ func (tm *DAG) IsReady() bool {
|
|||||||
return true
|
return true
|
||||||
}
|
}
|
||||||
|
|
||||||
func (tm *DAG) AddCondition(fromNode string, conditions map[When]Then) {
|
func (tm *DAG) AddCondition(fromNode FromNode, conditions map[When]Then) {
|
||||||
tm.mu.Lock()
|
tm.mu.Lock()
|
||||||
defer tm.mu.Unlock()
|
defer tm.mu.Unlock()
|
||||||
tm.conditions[fromNode] = conditions
|
tm.conditions[fromNode] = conditions
|
||||||
}
|
}
|
||||||
|
|
||||||
func (tm *DAG) AddLoop(from string, targets ...string) {
|
func (tm *DAG) AddLoop(from string, targets ...string) {
|
||||||
tm.addEdge(LoopEdge, from, targets...)
|
tm.addEdge(Iterator, from, targets...)
|
||||||
}
|
}
|
||||||
|
|
||||||
func (tm *DAG) AddEdge(from string, targets ...string) {
|
func (tm *DAG) AddEdge(from string, targets ...string) {
|
||||||
tm.addEdge(SimpleEdge, from, targets...)
|
tm.addEdge(Simple, from, targets...)
|
||||||
}
|
}
|
||||||
|
|
||||||
func (tm *DAG) addEdge(edgeType EdgeType, from string, targets ...string) {
|
func (tm *DAG) addEdge(edgeType EdgeType, from string, targets ...string) {
|
||||||
@@ -257,7 +352,7 @@ func (tm *DAG) findStartNode() *Node {
|
|||||||
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
if cond, ok := tm.conditions[node.Key]; ok {
|
if cond, ok := tm.conditions[FromNode(node.Key)]; ok {
|
||||||
for _, target := range cond {
|
for _, target := range cond {
|
||||||
connectedNodes[string(target)] = true
|
connectedNodes[string(target)] = true
|
||||||
incomingEdges[string(target)] = true
|
incomingEdges[string(target)] = true
|
||||||
|
|||||||
@@ -82,7 +82,7 @@ func (tm *TaskManager) getConditionalEdges(node *Node, result mq.Result) []Edge
|
|||||||
edges := make([]Edge, len(node.Edges))
|
edges := make([]Edge, len(node.Edges))
|
||||||
copy(edges, node.Edges)
|
copy(edges, node.Edges)
|
||||||
if result.Status != "" {
|
if result.Status != "" {
|
||||||
if conditions, ok := tm.dag.conditions[result.Topic]; ok {
|
if conditions, ok := tm.dag.conditions[FromNode(result.Topic)]; ok {
|
||||||
if targetNodeKey, ok := conditions[When(result.Status)]; ok {
|
if targetNodeKey, ok := conditions[When(result.Status)]; ok {
|
||||||
if targetNode, ok := tm.dag.nodes[string(targetNodeKey)]; ok {
|
if targetNode, ok := tm.dag.nodes[string(targetNodeKey)]; ok {
|
||||||
edges = append(edges, Edge{From: node, To: []*Node{targetNode}})
|
edges = append(edges, Edge{From: node, To: []*Node{targetNode}})
|
||||||
@@ -113,7 +113,7 @@ func (tm *TaskManager) handleCallback(ctx context.Context, result mq.Result) mq.
|
|||||||
}
|
}
|
||||||
for _, edge := range edges {
|
for _, edge := range edges {
|
||||||
switch edge.Type {
|
switch edge.Type {
|
||||||
case LoopEdge:
|
case Iterator:
|
||||||
var items []json.RawMessage
|
var items []json.RawMessage
|
||||||
err := json.Unmarshal(result.Payload, &items)
|
err := json.Unmarshal(result.Payload, &items)
|
||||||
if err != nil {
|
if err != nil {
|
||||||
@@ -126,7 +126,7 @@ func (tm *TaskManager) handleCallback(ctx context.Context, result mq.Result) mq.
|
|||||||
go tm.processNode(ctx, target, item)
|
go tm.processNode(ctx, target, item)
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
case SimpleEdge:
|
case Simple:
|
||||||
for _, target := range edge.To {
|
for _, target := range edge.To {
|
||||||
ctx = mq.SetHeaders(ctx, map[string]string{consts.QueueKey: target.Key})
|
ctx = mq.SetHeaders(ctx, map[string]string{consts.QueueKey: target.Key})
|
||||||
go tm.processNode(ctx, target, result.Payload)
|
go tm.processNode(ctx, target, result.Payload)
|
||||||
|
|||||||
206
examples/dag.go
206
examples/dag.go
@@ -1,126 +1,104 @@
|
|||||||
package main
|
package main
|
||||||
|
|
||||||
import (
|
import (
|
||||||
|
"context"
|
||||||
|
"encoding/json"
|
||||||
"fmt"
|
"fmt"
|
||||||
"sort"
|
"io"
|
||||||
|
"net/http"
|
||||||
|
|
||||||
|
"github.com/oarkflow/mq/consts"
|
||||||
|
"github.com/oarkflow/mq/examples/tasks"
|
||||||
|
|
||||||
|
"github.com/oarkflow/mq"
|
||||||
|
"github.com/oarkflow/mq/dag"
|
||||||
)
|
)
|
||||||
|
|
||||||
// DAG represents a Directed Acyclic Graph
|
var (
|
||||||
type DAG struct {
|
d = dag.NewDAG(
|
||||||
vertices int
|
// mq.WithSyncMode(true),
|
||||||
adjList map[int][]int // adjacency list to represent edges
|
mq.WithNotifyResponse(tasks.NotifyResponse),
|
||||||
}
|
mq.WithSecretKey([]byte("wKWa6GKdBd0njDKNQoInBbh6P0KTjmob")),
|
||||||
|
)
|
||||||
|
// d = dag.NewDAG(mq.WithSyncMode(true), mq.WithTLS(true, "./certs/server.crt", "./certs/server.key"), mq.WithCAPath("./certs/ca.cert"))
|
||||||
|
)
|
||||||
|
|
||||||
// NewDAG creates a new DAG with a given number of vertices
|
|
||||||
func NewDAG(vertices int) *DAG {
|
|
||||||
return &DAG{
|
|
||||||
vertices: vertices,
|
|
||||||
adjList: make(map[int][]int),
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
// AddEdge adds a directed edge from u to v
|
|
||||||
func (d *DAG) AddEdge(u, v int) {
|
|
||||||
d.adjList[u] = append(d.adjList[u], v)
|
|
||||||
}
|
|
||||||
|
|
||||||
// PrintGraph prints the graph's adjacency list
|
|
||||||
func (d *DAG) PrintGraph() {
|
|
||||||
for vertex, edges := range d.adjList {
|
|
||||||
fmt.Printf("Vertex %d -> %v\n", vertex, edges)
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
// DFS traversal function to classify edges as tree, forward, or cross
|
|
||||||
func (d *DAG) ClassifyEdges() {
|
|
||||||
visited := make([]bool, d.vertices)
|
|
||||||
discoveryTime := make([]int, d.vertices)
|
|
||||||
finishedTime := make([]int, d.vertices)
|
|
||||||
time := 0
|
|
||||||
|
|
||||||
for i := 0; i < d.vertices; i++ {
|
|
||||||
if !visited[i] {
|
|
||||||
d.dfs(i, visited, discoveryTime, finishedTime, &time)
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
// dfs performs a DFS and classifies the edges
|
|
||||||
func (d *DAG) dfs(v int, visited []bool, discoveryTime []int, finishedTime []int, time *int) {
|
|
||||||
visited[v] = true
|
|
||||||
*time++
|
|
||||||
discoveryTime[v] = *time
|
|
||||||
|
|
||||||
for _, adj := range d.adjList[v] {
|
|
||||||
if !visited[adj] {
|
|
||||||
// Tree Edge: adj not visited, and it's being discovered
|
|
||||||
fmt.Printf("Tree Edge: %d -> %d\n", v, adj)
|
|
||||||
d.dfs(adj, visited, discoveryTime, finishedTime, time)
|
|
||||||
} else {
|
|
||||||
if discoveryTime[v] < discoveryTime[adj] {
|
|
||||||
// Forward Edge: adj is a descendant but already discovered
|
|
||||||
fmt.Printf("Forward Edge: %d -> %d\n", v, adj)
|
|
||||||
} else if finishedTime[adj] == 0 {
|
|
||||||
// Cross Edge: adj is in a different branch (adj was visited, but not fully processed)
|
|
||||||
fmt.Printf("Cross Edge: %d -> %d\n", v, adj)
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
*time++
|
|
||||||
finishedTime[v] = *time
|
|
||||||
}
|
|
||||||
|
|
||||||
// TopologicalSort returns a topologically sorted order of the DAG vertices
|
|
||||||
func (d *DAG) TopologicalSort() []int {
|
|
||||||
visited := make([]bool, d.vertices)
|
|
||||||
stack := []int{}
|
|
||||||
|
|
||||||
for i := 0; i < d.vertices; i++ {
|
|
||||||
if !visited[i] {
|
|
||||||
d.topologicalSortUtil(i, visited, &stack)
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
// Reverse the stack to get the topological order
|
|
||||||
sort.Slice(stack, func(i, j int) bool { return stack[i] > stack[j] })
|
|
||||||
return stack
|
|
||||||
}
|
|
||||||
|
|
||||||
// Helper function for topological sorting using DFS
|
|
||||||
func (d *DAG) topologicalSortUtil(v int, visited []bool, stack *[]int) {
|
|
||||||
visited[v] = true
|
|
||||||
|
|
||||||
for _, adj := range d.adjList[v] {
|
|
||||||
if !visited[adj] {
|
|
||||||
d.topologicalSortUtil(adj, visited, stack)
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
*stack = append(*stack, v)
|
|
||||||
}
|
|
||||||
|
|
||||||
// Main function to demonstrate DAG edge classification
|
|
||||||
func main() {
|
func main() {
|
||||||
// Create a new DAG
|
d.AddNode("A", "A", tasks.Node1, true)
|
||||||
dag := NewDAG(6)
|
d.AddNode("B", "B", tasks.Node2)
|
||||||
|
d.AddNode("C", "C", tasks.Node3)
|
||||||
|
d.AddNode("D", "D", tasks.Node4)
|
||||||
|
d.AddNode("E", "E", tasks.Node5)
|
||||||
|
d.AddNode("F", "F", tasks.Node6)
|
||||||
|
d.AddNode("G", "G", tasks.Node7)
|
||||||
|
d.AddNode("H", "H", tasks.Node8)
|
||||||
|
|
||||||
// Add edges (vertices start from 0)
|
d.AddLoop("A", "B")
|
||||||
dag.AddEdge(0, 1)
|
d.AddCondition("C", map[dag.When]dag.Then{"PASS": "D", "FAIL": "E"})
|
||||||
dag.AddEdge(0, 2)
|
d.AddEdge("B", "C")
|
||||||
dag.AddEdge(1, 3)
|
d.AddEdge("D", "F")
|
||||||
dag.AddEdge(2, 3)
|
d.AddEdge("E", "F")
|
||||||
dag.AddEdge(3, 4)
|
d.AddEdge("F", "G", "H")
|
||||||
dag.AddEdge(4, 5)
|
|
||||||
|
|
||||||
fmt.Println("Graph adjacency list:")
|
// Classify edges
|
||||||
dag.PrintGraph()
|
d.ClassifyEdges()
|
||||||
|
|
||||||
fmt.Println("\nClassifying edges:")
|
http.HandleFunc("POST /publish", requestHandler("publish"))
|
||||||
dag.ClassifyEdges()
|
http.HandleFunc("POST /request", requestHandler("request"))
|
||||||
|
http.HandleFunc("/pause-consumer/{id}", func(writer http.ResponseWriter, request *http.Request) {
|
||||||
// Perform topological sorting
|
id := request.PathValue("id")
|
||||||
fmt.Println("\nTopologically sorted order:")
|
if id != "" {
|
||||||
order := dag.TopologicalSort()
|
d.PauseConsumer(request.Context(), id)
|
||||||
fmt.Println(order)
|
}
|
||||||
|
})
|
||||||
|
http.HandleFunc("/resume-consumer/{id}", func(writer http.ResponseWriter, request *http.Request) {
|
||||||
|
id := request.PathValue("id")
|
||||||
|
if id != "" {
|
||||||
|
d.ResumeConsumer(request.Context(), id)
|
||||||
|
}
|
||||||
|
})
|
||||||
|
http.HandleFunc("/pause", func(writer http.ResponseWriter, request *http.Request) {
|
||||||
|
d.Pause(true)
|
||||||
|
})
|
||||||
|
http.HandleFunc("/resume", func(writer http.ResponseWriter, request *http.Request) {
|
||||||
|
d.Pause(false)
|
||||||
|
})
|
||||||
|
err := d.Start(context.TODO(), ":8083")
|
||||||
|
if err != nil {
|
||||||
|
panic(err)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
func requestHandler(requestType string) func(w http.ResponseWriter, r *http.Request) {
|
||||||
|
return func(w http.ResponseWriter, r *http.Request) {
|
||||||
|
if r.Method != http.MethodPost {
|
||||||
|
http.Error(w, "Invalid request method", http.StatusMethodNotAllowed)
|
||||||
|
return
|
||||||
|
}
|
||||||
|
var payload []byte
|
||||||
|
if r.Body != nil {
|
||||||
|
defer r.Body.Close()
|
||||||
|
var err error
|
||||||
|
payload, err = io.ReadAll(r.Body)
|
||||||
|
if err != nil {
|
||||||
|
http.Error(w, "Failed to read request body", http.StatusBadRequest)
|
||||||
|
return
|
||||||
|
}
|
||||||
|
} else {
|
||||||
|
http.Error(w, "Empty request body", http.StatusBadRequest)
|
||||||
|
return
|
||||||
|
}
|
||||||
|
ctx := r.Context()
|
||||||
|
if requestType == "request" {
|
||||||
|
ctx = mq.SetHeaders(ctx, map[string]string{consts.AwaitResponseKey: "true"})
|
||||||
|
}
|
||||||
|
// ctx = context.WithValue(ctx, "initial_node", "E")
|
||||||
|
rs := d.ProcessTask(ctx, payload)
|
||||||
|
if rs.Error != nil {
|
||||||
|
http.Error(w, fmt.Sprintf("[DAG Error] - %v", rs.Error), http.StatusInternalServerError)
|
||||||
|
return
|
||||||
|
}
|
||||||
|
w.Header().Set("Content-Type", "application/json")
|
||||||
|
json.NewEncoder(w).Encode(rs)
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
Reference in New Issue
Block a user