change test abs path to rel path

This commit is contained in:
aceld 2024-03-20 18:09:08 +08:00
commit a884b9dae4
18 changed files with 413 additions and 32 deletions

View File

@ -17,7 +17,7 @@ Gitee(China)
Git: https://gitee.com/Aceld/kis-flow
## 开发及教程文档(持续更新中...)
## 开发及教程文档
KisFlow 采用开发教程同步执行
@ -233,21 +233,18 @@ func FuncDemo1Handler(ctx context.Context, flow kis.Flow) error {
// ... FuncDemo3Handler
```
### 开发者
* 刘丹冰([@aceld](https://github.com/aceld))
* 胡辰豪([@ChenHaoHu](https://github.com/ChenHaoHu))
---
### About the author
Thanks to all the developers who contributed to KisFlow!
`name``Aceld(刘丹冰)`
<a href="https://github.com/aceld/kis-flow/graphs/contributors">
<img src="https://contrib.rocks/image?repo=aceld/kis-flow" />
</a>
`mail`:
[danbing.at@gmail.com](mailto:danbing.at@gmail.com)
`github`:
[https://github.com/aceld](https://github.com/aceld)
`original work`:
[https://www.yuque.com/aceld](https://www.yuque.com/aceld)
### 加入KisFlow 社区

81
kis/faas.go Normal file
View File

@ -0,0 +1,81 @@
package kis
import (
"errors"
"fmt"
"reflect"
"runtime"
)
// FaaS Function as a Service
// type FaaS func(context.Context, *kisflow, ...interface{}) error
// 这是一个方法类型,会在注入时在方法内判断
type FaaS interface{}
type FaaSDesc struct {
FnName string
f interface{}
fName string
ArgsType []reflect.Type
ArgNum int
FuncType reflect.Type
FuncValue reflect.Value
FaasSerialize
}
var globalFaaSSerialize = &DefaultFaasSerialize{}
func NewFaaSDesc(fnName string, f FaaS) (*FaaSDesc, error) {
funcValue := reflect.ValueOf(f)
funcType := funcValue.Type()
if err := validateFuncType(funcType, funcValue); err != nil {
return nil, err
}
argsType := make([]reflect.Type, funcType.NumIn())
fullName := runtime.FuncForPC(funcValue.Pointer()).Name()
containsKisflowCtx := false
for i := 0; i < funcType.NumIn(); i++ {
paramType := funcType.In(i)
if isFlowType(paramType) {
containsKisflowCtx = true
}
argsType[i] = paramType
}
if !containsKisflowCtx {
return nil, errors.New("function parameters must have Kisflow context")
}
if funcType.NumOut() != 1 || funcType.Out(0) != reflect.TypeOf((*error)(nil)).Elem() {
return nil, errors.New("function must have exactly one return value of type error")
}
// Check if f implements FaasSerialize interface
var serializeImpl FaasSerialize
if ser, ok := f.(FaasSerialize); ok {
serializeImpl = ser
} else {
serializeImpl = globalFaaSSerialize // Use global default implementation
}
return &FaaSDesc{
FnName: fnName,
f: f,
fName: fullName,
ArgsType: argsType,
ArgNum: len(argsType),
FuncType: funcType,
FuncValue: funcValue,
FaasSerialize: serializeImpl,
}, nil
}
func validateFuncType(funcType reflect.Type, funcValue reflect.Value) error {
if funcType.Kind() != reflect.Func {
return fmt.Errorf("provided FaaS type is %s, not a function", funcType.Name())
}
return nil
}

View File

@ -4,6 +4,7 @@ import (
"context"
"kis-flow/common"
"kis-flow/config"
"reflect"
"time"
)
@ -49,3 +50,9 @@ type Flow interface {
// Fork 得到Flow的一个副本(深拷贝)
Fork(ctx context.Context) Flow
}
var flowInterfaceType = reflect.TypeOf((*Flow)(nil)).Elem()
func isFlowType(paramType reflect.Type) bool {
return paramType.Implements(flowInterfaceType)
}

View File

@ -6,12 +6,13 @@ import (
"fmt"
"kis-flow/common"
"kis-flow/log"
"reflect"
"sync"
)
var _poolOnce sync.Once
// kisPool 用于管理全部的Function和Flow配置的池子
// kisPool 用于管理全部的Function和Flow配置的池子
type kisPool struct {
fnRouter funcRouter // 全部的Function管理路由
fnLock sync.RWMutex // fnRouter 锁
@ -76,11 +77,17 @@ func (pool *kisPool) GetFlow(name string) Flow {
// FaaS 注册 Function 计算业务逻辑, 通过Function Name 索引及注册
func (pool *kisPool) FaaS(fnName string, f FaaS) {
faaSDesc, err := NewFaaSDesc(fnName, f)
if err != nil {
panic(err)
}
pool.fnLock.Lock() // 写锁
defer pool.fnLock.Unlock()
if _, ok := pool.fnRouter[fnName]; !ok {
pool.fnRouter[fnName] = f
pool.fnRouter[fnName] = faaSDesc
} else {
errString := fmt.Sprintf("KisPoll FaaS Repeat FuncName=%s", fnName)
panic(errString)
@ -91,11 +98,38 @@ func (pool *kisPool) FaaS(fnName string, f FaaS) {
// CallFunction 调度 Function
func (pool *kisPool) CallFunction(ctx context.Context, fnName string, flow Flow) error {
if funcDesc, ok := pool.fnRouter[fnName]; ok {
params := make([]reflect.Value, 0, funcDesc.ArgNum)
for _, argType := range funcDesc.ArgsType {
if isFlowType(argType) {
params = append(params, reflect.ValueOf(flow))
continue
}
if isContextType(argType) {
params = append(params, reflect.ValueOf(ctx))
continue
}
if argType.Kind() == reflect.Slice {
value, err := funcDesc.FaasSerialize.DecodeParam(flow.Input(), argType)
if err != nil {
log.Logger().ErrorFX(ctx, "funcDesc.FaasSerialize.DecodeParam err=%v", err)
} else {
params = append(params, value)
continue
}
}
params = append(params, reflect.Zero(argType))
}
retValues := funcDesc.FuncValue.Call(params)
ret := retValues[0].Interface()
if ret == nil {
return nil
}
return retValues[0].Interface().(error)
if f, ok := pool.fnRouter[fnName]; ok {
return f(ctx, flow)
}
log.Logger().ErrorFX(ctx, "FuncName: %s Can not find in KisPool, Not Added.\n", fnName)
return errors.New("FuncName: " + fnName + " Can not find in NsPool, Not Added.")

View File

@ -8,13 +8,10 @@ import (
/*
Function Call
*/
// FaaS Function as a Service
type FaaS func(context.Context, Flow) error
// funcRouter
// key: Function Name
// value: Function 回调自定义业务
type funcRouter map[string]FaaS
// value: FaaSDesc 回调自定义业务的描述
type funcRouter map[string]*FaaSDesc
// flowRouter
// key: Flow Name
@ -28,7 +25,7 @@ type flowRouter map[string]Flow
type ConnInit func(conn Connector) error
// connInitRouter
//key:
// key:
type connInitRouter map[string]ConnInit
/*

11
kis/serialize.go Normal file
View File

@ -0,0 +1,11 @@
package kis
import (
"kis-flow/common"
"reflect"
)
type FaasSerialize interface {
DecodeParam(common.KisRowArr, reflect.Type) (reflect.Value, error)
EncodeParam(interface{}) (common.KisRowArr, error)
}

107
kis/serialize_json.go Normal file
View File

@ -0,0 +1,107 @@
package kis
import (
"encoding/json"
"fmt"
"kis-flow/common"
"reflect"
)
type DefaultFaasSerialize struct {
}
func (f DefaultFaasSerialize) DecodeParam(arr common.KisRowArr, r reflect.Type) (reflect.Value, error) {
// 确保传入的类型是一个切片
if r.Kind() != reflect.Slice {
return reflect.Value{}, fmt.Errorf("r must be a slice")
}
slice := reflect.MakeSlice(r, 0, len(arr))
for _, row := range arr {
var elem reflect.Value
var err error
// 先尝试断言为结构体或指针
elem, err = decodeStruct(row, r.Elem())
if err != nil {
// 如果失败,则尝试直接反序列化为字符串
elem, err = decodeString(row)
if err != nil {
// 如果还失败,则尝试先序列化为 JSON 再反序列化
elem, err = decodeJSON(row, r.Elem())
if err != nil {
return reflect.Value{}, fmt.Errorf("failed to decode row: %v ", err)
}
}
}
slice = reflect.Append(slice, elem)
}
return slice, nil
}
// 尝试断言为结构体或指针
func decodeStruct(row common.KisRow, elemType reflect.Type) (reflect.Value, error) {
elem := reflect.New(elemType).Elem()
// 如果元素是一个结构体或指针类型,则尝试断言
if structElem, ok := row.(reflect.Value); ok && structElem.Type().AssignableTo(elemType) {
elem.Set(structElem)
return elem, nil
}
return reflect.Value{}, fmt.Errorf("not a struct or pointer")
}
// 尝试直接反序列化字符串
func decodeString(row common.KisRow) (reflect.Value, error) {
if str, ok := row.(string); ok {
var intValue int
if _, err := fmt.Sscanf(str, "%d", &intValue); err == nil {
return reflect.ValueOf(intValue), nil
}
}
return reflect.Value{}, fmt.Errorf("not a string ")
}
// 尝试先序列化为 JSON 再反序列化
func decodeJSON(row common.KisRow, elemType reflect.Type) (reflect.Value, error) {
jsonBytes, err := json.Marshal(row)
if err != nil {
return reflect.Value{}, fmt.Errorf("failed to marshal row to JSON: %v ", err)
}
elem := reflect.New(elemType).Interface()
if err := json.Unmarshal(jsonBytes, elem); err != nil {
return reflect.Value{}, fmt.Errorf("failed to unmarshal JSON to element: %v ", err)
}
return reflect.ValueOf(elem).Elem(), nil
}
func (f DefaultFaasSerialize) EncodeParam(i interface{}) (common.KisRowArr, error) {
var arr common.KisRowArr
switch reflect.TypeOf(i).Kind() {
case reflect.Slice, reflect.Array:
slice := reflect.ValueOf(i)
for i := 0; i < slice.Len(); i++ {
// 序列化每个元素为 JSON 字符串,并将其添加到切片中。
jsonBytes, err := json.Marshal(slice.Index(i).Interface())
if err != nil {
return nil, fmt.Errorf("failed to marshal element to JSON: %v ", err)
}
arr = append(arr, string(jsonBytes))
}
default:
// 如果不是切片或数组类型,则直接序列化整个结构体为 JSON 字符串。
jsonBytes, err := json.Marshal(i)
if err != nil {
return nil, fmt.Errorf("failed to marshal element to JSON: %v ", err)
}
arr = append(arr, string(jsonBytes))
}
return arr, nil
}

11
kis/utils.go Normal file
View File

@ -0,0 +1,11 @@
package kis
import (
"reflect"
"strings"
)
func isContextType(paramType reflect.Type) bool {
typeName := paramType.Name()
return strings.Contains(typeName, "Context")
}

View File

@ -0,0 +1,28 @@
package faas
import (
"context"
"kis-flow/kis"
"kis-flow/test/proto"
)
type AvgStuScoreIn struct {
proto.StuScores
}
type AvgStuScoreOut struct {
proto.StuAvgScore
}
func AvgStuScore(ctx context.Context, flow kis.Flow, rows []*AvgStuScoreIn) error {
for _, row := range rows {
avgScore := proto.StuAvgScore{
StuId: row.StuId,
AvgScore: float64(row.Score1+row.Score2+row.Score3) / 3,
}
// 提交结果数据
_ = flow.CommitRow(AvgStuScoreOut{StuAvgScore: avgScore})
}
return nil
}

View File

@ -0,0 +1,24 @@
package faas
import (
"context"
"fmt"
"kis-flow/kis"
"kis-flow/test/proto"
)
type PrintStuAvgScoreIn struct {
proto.StuAvgScore
}
type PrintStuAvgScoreOut struct {
}
func PrintStuAvgScore(ctx context.Context, flow kis.Flow, rows []*PrintStuAvgScoreIn) error {
for _, row := range rows {
fmt.Printf("stuid: [%+v], avg score: [%+v]\n", row.StuId, row.AvgScore)
}
return nil
}

View File

@ -12,7 +12,7 @@ func TestActionAbort(t *testing.T) {
ctx := context.Background()
// 1. 加载配置文件并构建Flow
if err := file.ConfigImportYaml("/Users/Aceld/go/src/kis-flow/test/load_conf/"); err != nil {
if err := file.ConfigImportYaml("load_conf/"); err != nil {
fmt.Println("Wrong Config Yaml Path!")
panic(err)
}
@ -35,7 +35,7 @@ func TestActionDataReuse(t *testing.T) {
ctx := context.Background()
// 1. 加载配置文件并构建Flow
if err := file.ConfigImportYaml("/Users/Aceld/go/src/kis-flow/test/load_conf/"); err != nil {
if err := file.ConfigImportYaml("load_conf/"); err != nil {
fmt.Println("Wrong Config Yaml Path!")
panic(err)
}
@ -58,7 +58,7 @@ func TestActionForceEntry(t *testing.T) {
ctx := context.Background()
// 1. 加载配置文件并构建Flow
if err := file.ConfigImportYaml("/Users/Aceld/go/src/kis-flow/test/load_conf/"); err != nil {
if err := file.ConfigImportYaml("load_conf/"); err != nil {
fmt.Println("Wrong Config Yaml Path!")
panic(err)
}
@ -81,7 +81,7 @@ func TestActionJumpFunc(t *testing.T) {
ctx := context.Background()
// 1. 加载配置文件并构建Flow
if err := file.ConfigImportYaml("/Users/Aceld/go/src/kis-flow/test/load_conf/"); err != nil {
if err := file.ConfigImportYaml("load_conf/"); err != nil {
fmt.Println("Wrong Config Yaml Path!")
panic(err)
}

View File

@ -0,0 +1,71 @@
package test
import (
"context"
"kis-flow/common"
"kis-flow/config"
"kis-flow/flow"
"kis-flow/kis"
"kis-flow/test/faas"
"kis-flow/test/proto"
"testing"
)
func TestAutoInjectParam(t *testing.T) {
ctx := context.Background()
kis.Pool().FaaS("AvgStuScore", faas.AvgStuScore)
kis.Pool().FaaS("PrintStuAvgScore", faas.PrintStuAvgScore)
source1 := config.KisSource{
Name: "Test",
Must: []string{},
}
avgStuScoreConfig := config.NewFuncConfig("AvgStuScore", common.C, &source1, nil)
if avgStuScoreConfig == nil {
panic("AvgStuScore is nil")
}
printStuAvgScoreConfig := config.NewFuncConfig("PrintStuAvgScore", common.C, &source1, nil)
if printStuAvgScoreConfig == nil {
panic("printStuAvgScoreConfig is nil")
}
myFlowConfig1 := config.NewFlowConfig("cal_stu_avg_score", common.FlowEnable)
flow1 := flow.NewKisFlow(myFlowConfig1)
// 4. 拼接Functioin 到 Flow 上
if err := flow1.Link(avgStuScoreConfig, nil); err != nil {
panic(err)
}
if err := flow1.Link(printStuAvgScoreConfig, nil); err != nil {
panic(err)
}
// 3. 提交原始数据
_ = flow1.CommitRow(proto.StuScores{
StuId: 100,
Score1: 1,
Score2: 2,
Score3: 3,
})
_ = flow1.CommitRow(proto.StuScores{
StuId: 101,
Score1: 11,
Score2: 22,
Score3: 33,
})
_ = flow1.CommitRow(proto.StuScores{
StuId: 102,
Score1: 111,
Score2: 222,
Score3: 333,
})
// 4. 执行flow1
if err := flow1.Run(ctx); err != nil {
panic(err)
}
}

View File

@ -10,7 +10,7 @@ import (
func TestConfigExportYmal(t *testing.T) {
// 1. 加载配置文件并构建Flow
if err := file.ConfigImportYaml("/Users/Aceld/go/src/kis-flow/test/load_conf/"); err != nil {
if err := file.ConfigImportYaml("load_conf/"); err != nil {
fmt.Println("Wrong Config Yaml Path!")
panic(err)
}

View File

@ -11,7 +11,7 @@ func TestConfigImportYaml(t *testing.T) {
ctx := context.Background()
// 1. 加载配置文件并构建Flow
if err := file.ConfigImportYaml("/Users/Aceld/go/src/kis-flow/test/load_conf/"); err != nil {
if err := file.ConfigImportYaml("load_conf/"); err != nil {
panic(err)
}

View File

@ -11,7 +11,7 @@ func TestForkFlow(t *testing.T) {
ctx := context.Background()
// 1. 加载配置文件并构建Flow
if err := file.ConfigImportYaml("/Users/Aceld/go/src/kis-flow/test/load_conf/"); err != nil {
if err := file.ConfigImportYaml("load_conf/"); err != nil {
panic(err)
}

View File

@ -13,7 +13,7 @@ func TestMetricsDataTotal(t *testing.T) {
ctx := context.Background()
// 1. 加载配置文件并构建Flow
if err := file.ConfigImportYaml("/Users/Aceld/go/src/kis-flow/test/load_conf/"); err != nil {
if err := file.ConfigImportYaml("load_conf/"); err != nil {
fmt.Println("Wrong Config Yaml Path!")
panic(err)
}

View File

@ -11,7 +11,7 @@ func TestParams(t *testing.T) {
ctx := context.Background()
// 1. 加载配置文件并构建Flow
if err := file.ConfigImportYaml("/Users/Aceld/go/src/kis-flow/test/load_conf/"); err != nil {
if err := file.ConfigImportYaml("load_conf/"); err != nil {
panic(err)
}

13
test/proto/stu_score.go Normal file
View File

@ -0,0 +1,13 @@
package proto
type StuScores struct {
StuId int `json:"stu_id"`
Score1 int `json:"score_1"`
Score2 int `json:"score_2"`
Score3 int `json:"score_3"`
}
type StuAvgScore struct {
StuId int `json:"stu_id"`
AvgScore float64 `json:"avg_score"`
}