repo
stringlengths
6
47
file_url
stringlengths
77
269
file_path
stringlengths
5
186
content
stringlengths
0
32.8k
language
stringclasses
1 value
license
stringclasses
7 values
commit_sha
stringlengths
40
40
retrieved_at
stringdate
2026-01-07 08:35:43
2026-01-07 08:55:24
truncated
bool
2 classes
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/stat/internal/cgroup_linux.go
core/stat/internal/cgroup_linux.go
package internal import ( "bufio" "errors" "fmt" "math" "os" "path" "strconv" "strings" "sync" "time" "github.com/zeromicro/go-zero/core/iox" "github.com/zeromicro/go-zero/core/lang" "golang.org/x/sys/unix" ) const ( cgroupDir = "/sys/fs/cgroup" cpuMaxFile = cgroupDir + "/cpu.max" cpuStatFile = cgroupDir + "/cpu.stat" cpusetFile = cgroupDir + "/cpuset.cpus.effective" ) var ( isUnifiedOnce sync.Once isUnified bool inUserNS bool nsOnce sync.Once ) type cgroup interface { cpuQuota() (float64, error) cpuUsage() (uint64, error) effectiveCpus() (int, error) } func currentCgroup() (cgroup, error) { if isCgroup2UnifiedMode() { return currentCgroupV2() } return currentCgroupV1() } type cgroupV1 struct { cgroups map[string]string } func (c *cgroupV1) cpuQuota() (float64, error) { quotaUs, err := c.cpuQuotaUs() if err != nil { return 0, err } if quotaUs == -1 { return -1, nil } periodUs, err := c.cpuPeriodUs() if err != nil { return 0, err } return float64(quotaUs) / float64(periodUs), nil } func (c *cgroupV1) cpuPeriodUs() (uint64, error) { data, err := iox.ReadText(path.Join(c.cgroups["cpu"], "cpu.cfs_period_us")) if err != nil { return 0, err } return parseUint(data) } func (c *cgroupV1) cpuQuotaUs() (int64, error) { data, err := iox.ReadText(path.Join(c.cgroups["cpu"], "cpu.cfs_quota_us")) if err != nil { return 0, err } return strconv.ParseInt(data, 10, 64) } func (c *cgroupV1) cpuUsage() (uint64, error) { data, err := iox.ReadText(path.Join(c.cgroups["cpuacct"], "cpuacct.usage")) if err != nil { return 0, err } return parseUint(data) } func (c *cgroupV1) effectiveCpus() (int, error) { data, err := iox.ReadText(path.Join(c.cgroups["cpuset"], "cpuset.cpus")) if err != nil { return 0, err } cpus, err := parseUints(data) if err != nil { return 0, err } return len(cpus), nil } type cgroupV2 struct { cgroups map[string]string } func (c *cgroupV2) cpuQuota() (float64, error) { data, err := iox.ReadText(cpuMaxFile) if err != nil { return 0, err } fields := strings.Fields(data) if len(fields) != 2 { return 0, fmt.Errorf("cgroup: bad /sys/fs/cgroup/cpu.max file: %s", data) } if fields[0] == "max" { return -1, nil } quotaUs, err := strconv.ParseInt(fields[0], 10, 64) if err != nil { return 0, err } periodUs, err := strconv.ParseUint(fields[1], 10, 64) if err != nil { return 0, err } return float64(quotaUs) / float64(periodUs), nil } func (c *cgroupV2) cpuUsage() (uint64, error) { usec, err := parseUint(c.cgroups["usage_usec"]) if err != nil { return 0, err } return usec * uint64(time.Microsecond), nil } func (c *cgroupV2) effectiveCpus() (int, error) { data, err := iox.ReadText(cpusetFile) if err != nil { return 0, err } cpus, err := parseUints(data) if err != nil { return 0, err } return len(cpus), nil } func currentCgroupV1() (cgroup, error) { cgroupFile := fmt.Sprintf("/proc/%d/cgroup", os.Getpid()) lines, err := iox.ReadTextLines(cgroupFile, iox.WithoutBlank()) if err != nil { return nil, err } cgroups := make(map[string]string) for _, line := range lines { cols := strings.Split(line, ":") if len(cols) != 3 { return nil, fmt.Errorf("invalid cgroup line: %s", line) } subsys := cols[1] // only read cpu staff if !strings.HasPrefix(subsys, "cpu") { continue } // https://man7.org/linux/man-pages/man7/cgroups.7.html // comma-separated list of controllers for cgroup version 1 fields := strings.Split(subsys, ",") for _, val := range fields { cgroups[val] = path.Join(cgroupDir, val) } } return &cgroupV1{ cgroups: cgroups, }, nil } func currentCgroupV2() (cgroup, error) { lines, err := iox.ReadTextLines(cpuStatFile, iox.WithoutBlank()) if err != nil { return nil, err } cgroups := make(map[string]string) for _, line := range lines { cols := strings.Fields(line) if len(cols) != 2 { return nil, fmt.Errorf("invalid cgroupV2 line: %s", line) } cgroups[cols[0]] = cols[1] } return &cgroupV2{ cgroups: cgroups, }, nil } // isCgroup2UnifiedMode returns whether we are running in cgroup v2 unified mode. func isCgroup2UnifiedMode() bool { isUnifiedOnce.Do(func() { var st unix.Statfs_t err := unix.Statfs(cgroupDir, &st) if err != nil { if os.IsNotExist(err) && runningInUserNS() { // ignore the "not found" error if running in userns isUnified = false return } panic(fmt.Sprintf("cannot statfs cgroup root: %s", err)) } isUnified = st.Type == unix.CGROUP2_SUPER_MAGIC }) return isUnified } func parseUint(s string) (uint64, error) { v, err := strconv.ParseInt(s, 10, 64) if err != nil { if errors.Is(err, strconv.ErrRange) { return 0, nil } return 0, fmt.Errorf("cgroup: bad int format: %s", s) } if v < 0 { return 0, nil } return uint64(v), nil } func parseUints(val string) ([]uint64, error) { if val == "" { return nil, nil } var sets []uint64 ints := make(map[uint64]lang.PlaceholderType) cols := strings.Split(val, ",") for _, r := range cols { if strings.Contains(r, "-") { fields := strings.SplitN(r, "-", 2) minimum, err := parseUint(fields[0]) if err != nil { return nil, fmt.Errorf("cgroup: bad int list format: %s", val) } maximum, err := parseUint(fields[1]) if err != nil { return nil, fmt.Errorf("cgroup: bad int list format: %s", val) } if maximum < minimum { return nil, fmt.Errorf("cgroup: bad int list format: %s", val) } for i := minimum; i <= maximum; i++ { if _, ok := ints[i]; !ok { ints[i] = lang.Placeholder sets = append(sets, i) } } } else { v, err := parseUint(r) if err != nil { return nil, err } if _, ok := ints[v]; !ok { ints[v] = lang.Placeholder sets = append(sets, v) } } } return sets, nil } // runningInUserNS detects whether we are currently running in a user namespace. func runningInUserNS() bool { nsOnce.Do(func() { file, err := os.Open("/proc/self/uid_map") if err != nil { // This kernel-provided file only exists if user namespaces are supported return } defer file.Close() buf := bufio.NewReader(file) l, _, err := buf.ReadLine() if err != nil { return } line := string(l) var a, b, c int64 fmt.Sscanf(line, "%d %d %d", &a, &b, &c) // We assume we are in the initial user namespace if we have a full // range - 4294967295 uids starting at uid 0. if a == 0 && b == 0 && c == math.MaxUint32 { return } inUserNS = true }) return inUserNS }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/configcenter/configurator.go
core/configcenter/configurator.go
package configurator import ( "errors" "fmt" "reflect" "strings" "sync" "sync/atomic" "github.com/zeromicro/go-zero/core/configcenter/subscriber" "github.com/zeromicro/go-zero/core/logx" "github.com/zeromicro/go-zero/core/mapping" "github.com/zeromicro/go-zero/core/threading" ) var ( errEmptyConfig = errors.New("empty config value") errMissingUnmarshalerType = errors.New("missing unmarshaler type") ) // Configurator is the interface for configuration center. type Configurator[T any] interface { // GetConfig returns the subscription value. GetConfig() (T, error) // AddListener adds a listener to the subscriber. AddListener(listener func()) } type ( // Config is the configuration for Configurator. Config struct { // Type is the value type, yaml, json or toml. Type string `json:",default=yaml,options=[yaml,json,toml]"` // Log is the flag to control logging. Log bool `json:",default=true"` } configCenter[T any] struct { conf Config unmarshaler LoaderFn subscriber subscriber.Subscriber listeners []func() lock sync.Mutex snapshot atomic.Value } value[T any] struct { data string marshalData T err error } ) // Configurator is the interface for configuration center. var _ Configurator[any] = (*configCenter[any])(nil) // MustNewConfigCenter returns a Configurator, exits on errors. func MustNewConfigCenter[T any](c Config, subscriber subscriber.Subscriber) Configurator[T] { cc, err := NewConfigCenter[T](c, subscriber) logx.Must(err) return cc } // NewConfigCenter returns a Configurator. func NewConfigCenter[T any](c Config, subscriber subscriber.Subscriber) (Configurator[T], error) { unmarshaler, ok := Unmarshaler(strings.ToLower(c.Type)) if !ok { return nil, fmt.Errorf("unknown format: %s", c.Type) } cc := &configCenter[T]{ conf: c, unmarshaler: unmarshaler, subscriber: subscriber, } if err := cc.loadConfig(); err != nil { return nil, err } if err := cc.subscriber.AddListener(cc.onChange); err != nil { return nil, err } if _, err := cc.GetConfig(); err != nil { return nil, err } return cc, nil } // AddListener adds listener to s. func (c *configCenter[T]) AddListener(listener func()) { c.lock.Lock() defer c.lock.Unlock() c.listeners = append(c.listeners, listener) } // GetConfig return structured config. func (c *configCenter[T]) GetConfig() (T, error) { v := c.value() if v == nil || len(v.data) == 0 { var empty T return empty, errEmptyConfig } return v.marshalData, v.err } // Value returns the subscription value. func (c *configCenter[T]) Value() string { v := c.value() if v == nil { return "" } return v.data } func (c *configCenter[T]) loadConfig() error { v, err := c.subscriber.Value() if err != nil { if c.conf.Log { logx.Errorf("ConfigCenter loads changed configuration, error: %v", err) } return err } if c.conf.Log { logx.Infof("ConfigCenter loads changed configuration, content [%s]", v) } c.snapshot.Store(c.genValue(v)) return nil } func (c *configCenter[T]) onChange() { if err := c.loadConfig(); err != nil { return } c.lock.Lock() listeners := make([]func(), len(c.listeners)) copy(listeners, c.listeners) c.lock.Unlock() for _, l := range listeners { threading.GoSafe(l) } } func (c *configCenter[T]) value() *value[T] { content := c.snapshot.Load() if content == nil { return nil } return content.(*value[T]) } func (c *configCenter[T]) genValue(data string) *value[T] { v := &value[T]{ data: data, } if len(data) == 0 { return v } t := reflect.TypeOf(v.marshalData) // if the type is nil, it means that the user has not set the type of the configuration. if t == nil { v.err = errMissingUnmarshalerType return v } t = mapping.Deref(t) switch t.Kind() { case reflect.Struct, reflect.Array, reflect.Slice: if err := c.unmarshaler([]byte(data), &v.marshalData); err != nil { v.err = err if c.conf.Log { logx.Errorf("ConfigCenter unmarshal configuration failed, err: %+v, content [%s]", err.Error(), data) } } case reflect.String: if str, ok := any(data).(T); ok { v.marshalData = str } else { v.err = errMissingUnmarshalerType } default: if c.conf.Log { logx.Errorf("ConfigCenter unmarshal configuration missing unmarshaler for type: %s, content [%s]", t.Kind(), data) } v.err = errMissingUnmarshalerType } return v }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/configcenter/configurator_test.go
core/configcenter/configurator_test.go
package configurator import ( "errors" "sync" "testing" "time" "github.com/stretchr/testify/assert" ) func TestNewConfigCenter(t *testing.T) { _, err := NewConfigCenter[any](Config{ Log: true, }, &mockSubscriber{}) assert.Error(t, err) _, err = NewConfigCenter[any](Config{ Type: "json", Log: true, }, &mockSubscriber{}) assert.Error(t, err) } func TestConfigCenter_GetConfig(t *testing.T) { mock := &mockSubscriber{} type Data struct { Name string `json:"name"` } mock.v = `{"name": "go-zero"}` c1, err := NewConfigCenter[Data](Config{ Type: "json", Log: true, }, mock) assert.NoError(t, err) data, err := c1.GetConfig() assert.NoError(t, err) assert.Equal(t, "go-zero", data.Name) mock.v = `{"name": "111"}` c2, err := NewConfigCenter[Data](Config{Type: "json"}, mock) assert.NoError(t, err) mock.v = `{}` c3, err := NewConfigCenter[string](Config{ Type: "json", Log: true, }, mock) assert.NoError(t, err) _, err = c3.GetConfig() assert.NoError(t, err) data, err = c2.GetConfig() assert.NoError(t, err) mock.lisErr = errors.New("mock error") _, err = NewConfigCenter[Data](Config{ Type: "json", Log: true, }, mock) assert.Error(t, err) } func TestConfigCenter_onChange(t *testing.T) { mock := &mockSubscriber{} type Data struct { Name string `json:"name"` } mock.v = `{"name": "go-zero"}` c1, err := NewConfigCenter[Data](Config{Type: "json", Log: true}, mock) assert.NoError(t, err) data, err := c1.GetConfig() assert.NoError(t, err) assert.Equal(t, "go-zero", data.Name) mock.v = `{"name": "go-zero2"}` mock.change() data, err = c1.GetConfig() assert.NoError(t, err) assert.Equal(t, "go-zero2", data.Name) mock.valErr = errors.New("mock error") _, err = NewConfigCenter[Data](Config{Type: "json", Log: false}, mock) assert.Error(t, err) } func TestConfigCenter_Value(t *testing.T) { mock := &mockSubscriber{} mock.v = "1234" c, err := NewConfigCenter[string](Config{ Type: "json", Log: true, }, mock) assert.NoError(t, err) cc := c.(*configCenter[string]) assert.Equal(t, cc.Value(), "1234") mock.valErr = errors.New("mock error") _, err = NewConfigCenter[any](Config{ Type: "json", Log: true, }, mock) assert.Error(t, err) } func TestConfigCenter_AddListener(t *testing.T) { mock := &mockSubscriber{} mock.v = "1234" c, err := NewConfigCenter[string](Config{ Type: "json", Log: true, }, mock) assert.NoError(t, err) cc := c.(*configCenter[string]) var a, b int var mutex sync.Mutex cc.AddListener(func() { mutex.Lock() a = 1 mutex.Unlock() }) cc.AddListener(func() { mutex.Lock() b = 2 mutex.Unlock() }) assert.Equal(t, 2, len(cc.listeners)) mock.change() time.Sleep(time.Millisecond * 100) mutex.Lock() assert.Equal(t, 1, a) assert.Equal(t, 2, b) mutex.Unlock() } func TestConfigCenter_genValue(t *testing.T) { t.Run("data is empty", func(t *testing.T) { c := &configCenter[string]{ unmarshaler: registry.unmarshalers["json"], conf: Config{Log: true}, } v := c.genValue("") assert.Equal(t, "", v.data) }) t.Run("invalid template type", func(t *testing.T) { c := &configCenter[any]{ unmarshaler: registry.unmarshalers["json"], conf: Config{Log: true}, } v := c.genValue("xxxx") assert.Equal(t, errMissingUnmarshalerType, v.err) }) t.Run("unsupported template type", func(t *testing.T) { c := &configCenter[int]{ unmarshaler: registry.unmarshalers["json"], conf: Config{Log: true}, } v := c.genValue("1") assert.Equal(t, errMissingUnmarshalerType, v.err) }) t.Run("supported template string type", func(t *testing.T) { c := &configCenter[string]{ unmarshaler: registry.unmarshalers["json"], conf: Config{Log: true}, } v := c.genValue("12345") assert.NoError(t, v.err) assert.Equal(t, "12345", v.data) }) t.Run("unmarshal fail", func(t *testing.T) { c := &configCenter[struct { Name string `json:"name"` }]{ unmarshaler: registry.unmarshalers["json"], conf: Config{Log: true}, } v := c.genValue(`{"name":"new name}`) assert.Equal(t, `{"name":"new name}`, v.data) assert.Error(t, v.err) }) t.Run("success", func(t *testing.T) { c := &configCenter[struct { Name string `json:"name"` }]{ unmarshaler: registry.unmarshalers["json"], conf: Config{Log: true}, } v := c.genValue(`{"name":"new name"}`) assert.Equal(t, `{"name":"new name"}`, v.data) assert.Equal(t, "new name", v.marshalData.Name) assert.NoError(t, v.err) }) } type mockSubscriber struct { v string lisErr, valErr error listener func() } func (m *mockSubscriber) AddListener(listener func()) error { m.listener = listener return m.lisErr } func (m *mockSubscriber) Value() (string, error) { return m.v, m.valErr } func (m *mockSubscriber) change() { if m.listener != nil { m.listener() } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/configcenter/unmarshaler_test.go
core/configcenter/unmarshaler_test.go
package configurator import ( "testing" "github.com/stretchr/testify/assert" ) func TestRegisterUnmarshaler(t *testing.T) { RegisterUnmarshaler("test", func(data []byte, v interface{}) error { return nil }) _, ok := Unmarshaler("test") assert.True(t, ok) _, ok = Unmarshaler("test2") assert.False(t, ok) _, ok = Unmarshaler("json") assert.True(t, ok) _, ok = Unmarshaler("toml") assert.True(t, ok) _, ok = Unmarshaler("yaml") assert.True(t, ok) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/configcenter/unmarshaler.go
core/configcenter/unmarshaler.go
package configurator import ( "sync" "github.com/zeromicro/go-zero/core/conf" ) var registry = &unmarshalerRegistry{ unmarshalers: map[string]LoaderFn{ "json": conf.LoadFromJsonBytes, "toml": conf.LoadFromTomlBytes, "yaml": conf.LoadFromYamlBytes, }, } type ( // LoaderFn is the function type for loading configuration. LoaderFn func([]byte, any) error // unmarshalerRegistry is the registry for unmarshalers. unmarshalerRegistry struct { unmarshalers map[string]LoaderFn mu sync.RWMutex } ) // RegisterUnmarshaler registers an unmarshaler. func RegisterUnmarshaler(name string, fn LoaderFn) { registry.mu.Lock() defer registry.mu.Unlock() registry.unmarshalers[name] = fn } // Unmarshaler returns the unmarshaler by name. func Unmarshaler(name string) (LoaderFn, bool) { registry.mu.RLock() defer registry.mu.RUnlock() fn, ok := registry.unmarshalers[name] return fn, ok }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/configcenter/subscriber/etcd.go
core/configcenter/subscriber/etcd.go
package subscriber import ( "sync" "sync/atomic" "github.com/zeromicro/go-zero/core/discov" "github.com/zeromicro/go-zero/core/logx" ) type ( // etcdSubscriber is a subscriber that subscribes to etcd. etcdSubscriber struct { *discov.Subscriber } // EtcdConf is the configuration for etcd. EtcdConf = discov.EtcdConf ) // MustNewEtcdSubscriber returns an etcd Subscriber, exits on errors. func MustNewEtcdSubscriber(conf EtcdConf) Subscriber { s, err := NewEtcdSubscriber(conf) logx.Must(err) return s } // NewEtcdSubscriber returns an etcd Subscriber. func NewEtcdSubscriber(conf EtcdConf) (Subscriber, error) { opts := buildSubOptions(conf) s, err := discov.NewSubscriber(conf.Hosts, conf.Key, opts...) if err != nil { return nil, err } return &etcdSubscriber{Subscriber: s}, nil } // buildSubOptions constructs the options for creating a new etcd subscriber. func buildSubOptions(conf EtcdConf) []discov.SubOption { opts := []discov.SubOption{ discov.WithExactMatch(), discov.WithContainer(newContainer()), } if len(conf.User) > 0 { opts = append(opts, discov.WithSubEtcdAccount(conf.User, conf.Pass)) } if len(conf.CertFile) > 0 || len(conf.CertKeyFile) > 0 || len(conf.CACertFile) > 0 { opts = append(opts, discov.WithSubEtcdTLS(conf.CertFile, conf.CertKeyFile, conf.CACertFile, conf.InsecureSkipVerify)) } return opts } // AddListener adds a listener to the subscriber. func (s *etcdSubscriber) AddListener(listener func()) error { s.Subscriber.AddListener(listener) return nil } // Value returns the value of the subscriber. func (s *etcdSubscriber) Value() (string, error) { vs := s.Subscriber.Values() if len(vs) > 0 { return vs[len(vs)-1], nil } return "", nil } type container struct { value atomic.Value listeners []func() lock sync.Mutex } func newContainer() *container { return &container{} } func (c *container) OnAdd(kv discov.KV) { c.value.Store([]string{kv.Val}) c.notifyChange() } func (c *container) OnDelete(_ discov.KV) { c.value.Store([]string(nil)) c.notifyChange() } func (c *container) AddListener(listener func()) { c.lock.Lock() c.listeners = append(c.listeners, listener) c.lock.Unlock() } func (c *container) GetValues() []string { if vals, ok := c.value.Load().([]string); ok { return vals } return []string(nil) } func (c *container) notifyChange() { c.lock.Lock() listeners := append(([]func())(nil), c.listeners...) c.lock.Unlock() for _, listener := range listeners { listener() } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/configcenter/subscriber/subscriber.go
core/configcenter/subscriber/subscriber.go
package subscriber // Subscriber is the interface for configcenter subscribers. type Subscriber interface { // AddListener adds a listener to the subscriber. AddListener(listener func()) error // Value returns the value of the subscriber. Value() (string, error) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/configcenter/subscriber/etcd_test.go
core/configcenter/subscriber/etcd_test.go
package subscriber import ( "testing" "github.com/stretchr/testify/assert" "github.com/zeromicro/go-zero/core/discov" ) const ( actionAdd = iota actionDel ) func TestConfigCenterContainer(t *testing.T) { type action struct { act int key string val string } tests := []struct { name string do []action expect []string }{ { name: "add one", do: []action{ { act: actionAdd, key: "first", val: "a", }, }, expect: []string{ "a", }, }, { name: "add two", do: []action{ { act: actionAdd, key: "first", val: "a", }, { act: actionAdd, key: "second", val: "b", }, }, expect: []string{ "b", }, }, { name: "add two, delete one", do: []action{ { act: actionAdd, key: "first", val: "a", }, { act: actionAdd, key: "second", val: "b", }, { act: actionDel, key: "first", }, }, expect: []string(nil), }, { name: "add two, delete two", do: []action{ { act: actionAdd, key: "first", val: "a", }, { act: actionAdd, key: "second", val: "b", }, { act: actionDel, key: "first", }, { act: actionDel, key: "second", }, }, expect: []string(nil), }, { name: "add two, dup values", do: []action{ { act: actionAdd, key: "first", val: "a", }, { act: actionAdd, key: "second", val: "b", }, { act: actionAdd, key: "third", val: "a", }, }, expect: []string{"a"}, }, { name: "add three, dup values, delete two, add one", do: []action{ { act: actionAdd, key: "first", val: "a", }, { act: actionAdd, key: "second", val: "b", }, { act: actionAdd, key: "third", val: "a", }, { act: actionDel, key: "first", }, { act: actionDel, key: "second", }, { act: actionAdd, key: "forth", val: "c", }, }, expect: []string{"c"}, }, } for _, test := range tests { t.Run(test.name, func(t *testing.T) { var changed bool c := newContainer() c.AddListener(func() { changed = true }) assert.Nil(t, c.GetValues()) assert.False(t, changed) for _, order := range test.do { if order.act == actionAdd { c.OnAdd(discov.KV{ Key: order.key, Val: order.val, }) } else { c.OnDelete(discov.KV{ Key: order.key, Val: order.val, }) } } assert.True(t, changed) assert.ElementsMatch(t, test.expect, c.GetValues()) }) } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/mr/mapreduce_fuzz_test.go
core/mr/mapreduce_fuzz_test.go
package mr import ( "fmt" "math/rand" "runtime" "strings" "testing" "time" "github.com/stretchr/testify/assert" "go.uber.org/goleak" ) func FuzzMapReduce(f *testing.F) { rand.NewSource(time.Now().UnixNano()) f.Add(int64(10), runtime.NumCPU()) f.Fuzz(func(t *testing.T, n int64, workers int) { n = n%5000 + 5000 genPanic := rand.Intn(100) == 0 mapperPanic := rand.Intn(100) == 0 reducerPanic := rand.Intn(100) == 0 genIdx := rand.Int63n(n) mapperIdx := rand.Int63n(n) reducerIdx := rand.Int63n(n) squareSum := (n - 1) * n * (2*n - 1) / 6 fn := func() (int64, error) { defer goleak.VerifyNone(t, goleak.IgnoreCurrent()) return MapReduce(func(source chan<- int64) { for i := int64(0); i < n; i++ { source <- i if genPanic && i == genIdx { panic("foo") } } }, func(v int64, writer Writer[int64], cancel func(error)) { if mapperPanic && v == mapperIdx { panic("bar") } writer.Write(v * v) }, func(pipe <-chan int64, writer Writer[int64], cancel func(error)) { var idx int64 var total int64 for v := range pipe { if reducerPanic && idx == reducerIdx { panic("baz") } total += v idx++ } writer.Write(total) }, WithWorkers(workers%50+runtime.NumCPU())) } if genPanic || mapperPanic || reducerPanic { var buf strings.Builder buf.WriteString(fmt.Sprintf("n: %d", n)) buf.WriteString(fmt.Sprintf(", genPanic: %t", genPanic)) buf.WriteString(fmt.Sprintf(", mapperPanic: %t", mapperPanic)) buf.WriteString(fmt.Sprintf(", reducerPanic: %t", reducerPanic)) buf.WriteString(fmt.Sprintf(", genIdx: %d", genIdx)) buf.WriteString(fmt.Sprintf(", mapperIdx: %d", mapperIdx)) buf.WriteString(fmt.Sprintf(", reducerIdx: %d", reducerIdx)) assert.Panicsf(t, func() { fn() }, buf.String()) } else { val, err := fn() assert.Nil(t, err) assert.Equal(t, squareSum, val) } }) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/mr/mapreduce_fuzzcase_test.go
core/mr/mapreduce_fuzzcase_test.go
//go:build fuzz package mr import ( "fmt" "math/rand" "runtime" "strconv" "strings" "sync" "testing" "time" "github.com/stretchr/testify/assert" "github.com/zeromicro/go-zero/core/threading" "gopkg.in/cheggaaa/pb.v1" ) // If Fuzz stuck, we don't know why, because it only returns hung or unexpected, // so we need to simulate the fuzz test in test mode. func TestMapReduceRandom(t *testing.T) { rand.NewSource(time.Now().UnixNano()) const ( times = 10000 nRange = 500 mega = 1024 * 1024 ) bar := pb.New(times).Start() runner := threading.NewTaskRunner(runtime.NumCPU()) var wg sync.WaitGroup wg.Add(times) for i := 0; i < times; i++ { runner.Schedule(func() { start := time.Now() defer func() { if time.Since(start) > time.Minute { t.Fatal("timeout") } wg.Done() }() t.Run(strconv.Itoa(i), func(t *testing.T) { n := rand.Int63n(nRange)%nRange + nRange workers := rand.Int()%50 + runtime.NumCPU()/2 genPanic := rand.Intn(100) == 0 mapperPanic := rand.Intn(100) == 0 reducerPanic := rand.Intn(100) == 0 genIdx := rand.Int63n(n) mapperIdx := rand.Int63n(n) reducerIdx := rand.Int63n(n) squareSum := (n - 1) * n * (2*n - 1) / 6 fn := func() (int64, error) { return MapReduce(func(source chan<- int64) { for i := int64(0); i < n; i++ { source <- i if genPanic && i == genIdx { panic("foo") } } }, func(v int64, writer Writer[int64], cancel func(error)) { if mapperPanic && v == mapperIdx { panic("bar") } writer.Write(v * v) }, func(pipe <-chan int64, writer Writer[int64], cancel func(error)) { var idx int64 var total int64 for v := range pipe { if reducerPanic && idx == reducerIdx { panic("baz") } total += v idx++ } writer.Write(total) }, WithWorkers(int(workers)%50+runtime.NumCPU()/2)) } if genPanic || mapperPanic || reducerPanic { var buf strings.Builder buf.WriteString(fmt.Sprintf("n: %d", n)) buf.WriteString(fmt.Sprintf(", genPanic: %t", genPanic)) buf.WriteString(fmt.Sprintf(", mapperPanic: %t", mapperPanic)) buf.WriteString(fmt.Sprintf(", reducerPanic: %t", reducerPanic)) buf.WriteString(fmt.Sprintf(", genIdx: %d", genIdx)) buf.WriteString(fmt.Sprintf(", mapperIdx: %d", mapperIdx)) buf.WriteString(fmt.Sprintf(", reducerIdx: %d", reducerIdx)) assert.Panicsf(t, func() { fn() }, buf.String()) } else { val, err := fn() assert.Nil(t, err) assert.Equal(t, squareSum, val) } bar.Increment() }) }) } wg.Wait() bar.Finish() }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/mr/mapreduce.go
core/mr/mapreduce.go
package mr import ( "context" "errors" "fmt" "runtime/debug" "strings" "sync" "sync/atomic" "github.com/zeromicro/go-zero/core/errorx" ) const ( defaultWorkers = 16 minWorkers = 1 ) var ( // ErrCancelWithNil is an error that mapreduce was cancelled with nil. ErrCancelWithNil = errors.New("mapreduce cancelled with nil") // ErrReduceNoOutput is an error that reduce did not output a value. ErrReduceNoOutput = errors.New("reduce not writing value") ) type ( // ForEachFunc is used to do element processing, but no output. ForEachFunc[T any] func(item T) // GenerateFunc is used to let callers send elements into source. GenerateFunc[T any] func(source chan<- T) // MapFunc is used to do element processing and write the output to writer. MapFunc[T, U any] func(item T, writer Writer[U]) // MapperFunc is used to do element processing and write the output to writer, // use cancel func to cancel the processing. MapperFunc[T, U any] func(item T, writer Writer[U], cancel func(error)) // ReducerFunc is used to reduce all the mapping output and write to writer, // use cancel func to cancel the processing. ReducerFunc[U, V any] func(pipe <-chan U, writer Writer[V], cancel func(error)) // VoidReducerFunc is used to reduce all the mapping output, but no output. // Use cancel func to cancel the processing. VoidReducerFunc[U any] func(pipe <-chan U, cancel func(error)) // Option defines the method to customize the mapreduce. Option func(opts *mapReduceOptions) mapperContext[T, U any] struct { ctx context.Context mapper MapFunc[T, U] source <-chan T panicChan *onceChan collector chan<- U doneChan <-chan struct{} workers int } mapReduceOptions struct { ctx context.Context workers int } // Writer interface wraps Write method. Writer[T any] interface { Write(v T) } ) // Finish runs fns parallelly, cancelled on any error. func Finish(fns ...func() error) error { if len(fns) == 0 { return nil } return MapReduceVoid(func(source chan<- func() error) { for _, fn := range fns { source <- fn } }, func(fn func() error, writer Writer[any], cancel func(error)) { if err := fn(); err != nil { cancel(err) } }, func(pipe <-chan any, cancel func(error)) { }, WithWorkers(len(fns))) } // FinishVoid runs fns parallelly. func FinishVoid(fns ...func()) { if len(fns) == 0 { return } ForEach(func(source chan<- func()) { for _, fn := range fns { source <- fn } }, func(fn func()) { fn() }, WithWorkers(len(fns))) } // ForEach maps all elements from given generate but no output. func ForEach[T any](generate GenerateFunc[T], mapper ForEachFunc[T], opts ...Option) { options := buildOptions(opts...) panicChan := &onceChan{channel: make(chan any)} source := buildSource(generate, panicChan) collector := make(chan any) done := make(chan struct{}) go executeMappers(mapperContext[T, any]{ ctx: options.ctx, mapper: func(item T, _ Writer[any]) { mapper(item) }, source: source, panicChan: panicChan, collector: collector, doneChan: done, workers: options.workers, }) for { select { case v := <-panicChan.channel: panic(v) case _, ok := <-collector: if !ok { return } } } } // MapReduce maps all elements generated from given generate func, // and reduces the output elements with given reducer. func MapReduce[T, U, V any](generate GenerateFunc[T], mapper MapperFunc[T, U], reducer ReducerFunc[U, V], opts ...Option) (V, error) { panicChan := &onceChan{channel: make(chan any)} source := buildSource(generate, panicChan) return mapReduceWithPanicChan(source, panicChan, mapper, reducer, opts...) } // MapReduceChan maps all elements from source, and reduce the output elements with given reducer. func MapReduceChan[T, U, V any](source <-chan T, mapper MapperFunc[T, U], reducer ReducerFunc[U, V], opts ...Option) (V, error) { panicChan := &onceChan{channel: make(chan any)} return mapReduceWithPanicChan(source, panicChan, mapper, reducer, opts...) } // MapReduceVoid maps all elements generated from given generate, // and reduce the output elements with given reducer. func MapReduceVoid[T, U any](generate GenerateFunc[T], mapper MapperFunc[T, U], reducer VoidReducerFunc[U], opts ...Option) error { _, err := MapReduce(generate, mapper, func(input <-chan U, writer Writer[any], cancel func(error)) { reducer(input, cancel) }, opts...) if errors.Is(err, ErrReduceNoOutput) { return nil } return err } // WithContext customizes a mapreduce processing accepts a given ctx. func WithContext(ctx context.Context) Option { return func(opts *mapReduceOptions) { opts.ctx = ctx } } // WithWorkers customizes a mapreduce processing with given workers. func WithWorkers(workers int) Option { return func(opts *mapReduceOptions) { if workers < minWorkers { opts.workers = minWorkers } else { opts.workers = workers } } } func buildOptions(opts ...Option) *mapReduceOptions { options := newOptions() for _, opt := range opts { opt(options) } return options } func buildPanicInfo(r any, stack []byte) string { return fmt.Sprintf("%+v\n\n%s", r, strings.TrimSpace(string(stack))) } func buildSource[T any](generate GenerateFunc[T], panicChan *onceChan) chan T { source := make(chan T) go func() { defer func() { if r := recover(); r != nil { panicChan.write(buildPanicInfo(r, debug.Stack())) } close(source) }() generate(source) }() return source } // drain drains the channel. func drain[T any](channel <-chan T) { // drain the channel for range channel { } } func executeMappers[T, U any](mCtx mapperContext[T, U]) { var wg sync.WaitGroup defer func() { wg.Wait() close(mCtx.collector) drain(mCtx.source) }() var failed int32 pool := make(chan struct{}, mCtx.workers) writer := newGuardedWriter(mCtx.ctx, mCtx.collector, mCtx.doneChan) for atomic.LoadInt32(&failed) == 0 { select { case <-mCtx.ctx.Done(): return case <-mCtx.doneChan: return case pool <- struct{}{}: item, ok := <-mCtx.source if !ok { <-pool return } wg.Add(1) go func() { defer func() { if r := recover(); r != nil { atomic.AddInt32(&failed, 1) mCtx.panicChan.write(buildPanicInfo(r, debug.Stack())) } wg.Done() <-pool }() mCtx.mapper(item, writer) }() } } } // mapReduceWithPanicChan maps all elements from source, and reduce the output elements with given reducer. func mapReduceWithPanicChan[T, U, V any](source <-chan T, panicChan *onceChan, mapper MapperFunc[T, U], reducer ReducerFunc[U, V], opts ...Option) (val V, err error) { options := buildOptions(opts...) // output is used to write the final result output := make(chan V) defer func() { // reducer can only write once, if more, panic for range output { panic("more than one element written in reducer") } }() // collector is used to collect data from mapper, and consume in reducer collector := make(chan U, options.workers) // if done is closed, all mappers and reducer should stop processing done := make(chan struct{}) writer := newGuardedWriter(options.ctx, output, done) var closeOnce sync.Once // use atomic type to avoid data race var retErr errorx.AtomicError finish := func() { closeOnce.Do(func() { close(done) close(output) }) } cancel := once(func(err error) { if err != nil { retErr.Set(err) } else { retErr.Set(ErrCancelWithNil) } drain(source) finish() }) go func() { defer func() { drain(collector) if r := recover(); r != nil { panicChan.write(buildPanicInfo(r, debug.Stack())) } finish() }() reducer(collector, writer, cancel) }() go executeMappers(mapperContext[T, U]{ ctx: options.ctx, mapper: func(item T, w Writer[U]) { mapper(item, w, cancel) }, source: source, panicChan: panicChan, collector: collector, doneChan: done, workers: options.workers, }) select { case <-options.ctx.Done(): cancel(context.DeadlineExceeded) err = context.DeadlineExceeded case v := <-panicChan.channel: // drain output here, otherwise for loop panic in defer drain(output) panic(v) case v, ok := <-output: if e := retErr.Load(); e != nil { err = e } else if ok { val = v } else { err = ErrReduceNoOutput } } return } func newOptions() *mapReduceOptions { return &mapReduceOptions{ ctx: context.Background(), workers: defaultWorkers, } } func once(fn func(error)) func(error) { once := new(sync.Once) return func(err error) { once.Do(func() { fn(err) }) } } type guardedWriter[T any] struct { ctx context.Context channel chan<- T done <-chan struct{} } func newGuardedWriter[T any](ctx context.Context, channel chan<- T, done <-chan struct{}) guardedWriter[T] { return guardedWriter[T]{ ctx: ctx, channel: channel, done: done, } } func (gw guardedWriter[T]) Write(v T) { select { case <-gw.ctx.Done(): case <-gw.done: default: gw.channel <- v } } type onceChan struct { channel chan any wrote int32 } func (oc *onceChan) write(val any) { if atomic.CompareAndSwapInt32(&oc.wrote, 0, 1) { oc.channel <- val } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/mr/mapreduce_test.go
core/mr/mapreduce_test.go
package mr import ( "context" "errors" "fmt" "runtime" "sync/atomic" "testing" "time" "github.com/stretchr/testify/assert" "go.uber.org/goleak" ) var errDummy = errors.New("dummy") func TestFinish(t *testing.T) { defer goleak.VerifyNone(t) var total uint32 err := Finish(func() error { atomic.AddUint32(&total, 2) return nil }, func() error { atomic.AddUint32(&total, 3) return nil }, func() error { atomic.AddUint32(&total, 5) return nil }) assert.Equal(t, uint32(10), atomic.LoadUint32(&total)) assert.Nil(t, err) } func TestFinishWithPartialErrors(t *testing.T) { defer goleak.VerifyNone(t) errDummy := errors.New("dummy") t.Run("one error", func(t *testing.T) { err := Finish(func() error { return errDummy }, func() error { return nil }, func() error { return nil }) assert.Equal(t, errDummy, err) }) t.Run("two errors", func(t *testing.T) { err := Finish(func() error { return errDummy }, func() error { return errDummy }, func() error { return nil }) assert.Equal(t, errDummy, err) }) } func TestFinishNone(t *testing.T) { defer goleak.VerifyNone(t) assert.Nil(t, Finish()) } func TestFinishVoidNone(t *testing.T) { defer goleak.VerifyNone(t) FinishVoid() } func TestFinishErr(t *testing.T) { defer goleak.VerifyNone(t) var total uint32 err := Finish(func() error { atomic.AddUint32(&total, 2) return nil }, func() error { atomic.AddUint32(&total, 3) return errDummy }, func() error { atomic.AddUint32(&total, 5) return nil }) assert.Equal(t, errDummy, err) } func TestFinishVoid(t *testing.T) { defer goleak.VerifyNone(t) var total uint32 FinishVoid(func() { atomic.AddUint32(&total, 2) }, func() { atomic.AddUint32(&total, 3) }, func() { atomic.AddUint32(&total, 5) }) assert.Equal(t, uint32(10), atomic.LoadUint32(&total)) } func TestForEach(t *testing.T) { const tasks = 1000 t.Run("all", func(t *testing.T) { defer goleak.VerifyNone(t) var count uint32 ForEach(func(source chan<- int) { for i := 0; i < tasks; i++ { source <- i } }, func(item int) { atomic.AddUint32(&count, 1) }, WithWorkers(-1)) assert.Equal(t, tasks, int(count)) }) t.Run("odd", func(t *testing.T) { defer goleak.VerifyNone(t) var count uint32 ForEach(func(source chan<- int) { for i := 0; i < tasks; i++ { source <- i } }, func(item int) { if item%2 == 0 { atomic.AddUint32(&count, 1) } }) assert.Equal(t, tasks/2, int(count)) }) } func TestPanics(t *testing.T) { defer goleak.VerifyNone(t) const tasks = 1000 verify := func(t *testing.T, r any) { panicStr := fmt.Sprintf("%v", r) assert.Contains(t, panicStr, "foo") assert.Contains(t, panicStr, "goroutine") assert.Contains(t, panicStr, "runtime/debug.Stack") panic(r) } t.Run("ForEach run panics", func(t *testing.T) { assert.Panics(t, func() { defer func() { if r := recover(); r != nil { verify(t, r) } }() ForEach(func(source chan<- int) { for i := 0; i < tasks; i++ { source <- i } }, func(item int) { panic("foo") }) }) }) t.Run("ForEach generate panics", func(t *testing.T) { assert.Panics(t, func() { defer func() { if r := recover(); r != nil { verify(t, r) } }() ForEach(func(source chan<- int) { panic("foo") }, func(item int) { }) }) }) var run int32 t.Run("Mapper panics", func(t *testing.T) { assert.Panics(t, func() { defer func() { if r := recover(); r != nil { verify(t, r) } }() _, _ = MapReduce(func(source chan<- int) { for i := 0; i < tasks; i++ { source <- i } }, func(item int, writer Writer[int], cancel func(error)) { atomic.AddInt32(&run, 1) panic("foo") }, func(pipe <-chan int, writer Writer[int], cancel func(error)) { }) }) assert.True(t, atomic.LoadInt32(&run) < tasks/2) }) } func TestMapReduce(t *testing.T) { defer goleak.VerifyNone(t) tests := []struct { name string mapper MapperFunc[int, int] reducer ReducerFunc[int, int] expectErr error expectValue int }{ { name: "simple", expectErr: nil, expectValue: 30, }, { name: "cancel with error", mapper: func(v int, writer Writer[int], cancel func(error)) { if v%3 == 0 { cancel(errDummy) } writer.Write(v * v) }, expectErr: errDummy, }, { name: "cancel with nil", mapper: func(v int, writer Writer[int], cancel func(error)) { if v%3 == 0 { cancel(nil) } writer.Write(v * v) }, expectErr: ErrCancelWithNil, }, { name: "cancel with more", reducer: func(pipe <-chan int, writer Writer[int], cancel func(error)) { var result int for item := range pipe { result += item if result > 10 { cancel(errDummy) } } writer.Write(result) }, expectErr: errDummy, }, } t.Run("MapReduce", func(t *testing.T) { for _, test := range tests { t.Run(test.name, func(t *testing.T) { if test.mapper == nil { test.mapper = func(v int, writer Writer[int], cancel func(error)) { writer.Write(v * v) } } if test.reducer == nil { test.reducer = func(pipe <-chan int, writer Writer[int], cancel func(error)) { var result int for item := range pipe { result += item } writer.Write(result) } } value, err := MapReduce(func(source chan<- int) { for i := 1; i < 5; i++ { source <- i } }, test.mapper, test.reducer, WithWorkers(runtime.NumCPU())) assert.Equal(t, test.expectErr, err) assert.Equal(t, test.expectValue, value) }) } }) t.Run("MapReduce", func(t *testing.T) { for _, test := range tests { t.Run(test.name, func(t *testing.T) { if test.mapper == nil { test.mapper = func(v int, writer Writer[int], cancel func(error)) { writer.Write(v * v) } } if test.reducer == nil { test.reducer = func(pipe <-chan int, writer Writer[int], cancel func(error)) { var result int for item := range pipe { result += item } writer.Write(result) } } source := make(chan int) go func() { for i := 1; i < 5; i++ { source <- i } close(source) }() value, err := MapReduceChan(source, test.mapper, test.reducer, WithWorkers(-1)) assert.Equal(t, test.expectErr, err) assert.Equal(t, test.expectValue, value) }) } }) } func TestMapReduceWithReduerWriteMoreThanOnce(t *testing.T) { defer goleak.VerifyNone(t) assert.Panics(t, func() { MapReduce(func(source chan<- int) { for i := 0; i < 10; i++ { source <- i } }, func(item int, writer Writer[int], cancel func(error)) { writer.Write(item) }, func(pipe <-chan int, writer Writer[string], cancel func(error)) { drain(pipe) writer.Write("one") writer.Write("two") }) }) } func TestMapReduceVoid(t *testing.T) { defer goleak.VerifyNone(t) var value uint32 tests := []struct { name string mapper MapperFunc[int, int] reducer VoidReducerFunc[int] expectValue uint32 expectErr error }{ { name: "simple", expectValue: 30, expectErr: nil, }, { name: "cancel with error", mapper: func(v int, writer Writer[int], cancel func(error)) { if v%3 == 0 { cancel(errDummy) } writer.Write(v * v) }, expectErr: errDummy, }, { name: "cancel with nil", mapper: func(v int, writer Writer[int], cancel func(error)) { if v%3 == 0 { cancel(nil) } writer.Write(v * v) }, expectErr: ErrCancelWithNil, }, { name: "cancel with more", reducer: func(pipe <-chan int, cancel func(error)) { for item := range pipe { result := atomic.AddUint32(&value, uint32(item)) if result > 10 { cancel(errDummy) } } }, expectErr: errDummy, }, } for _, test := range tests { t.Run(test.name, func(t *testing.T) { atomic.StoreUint32(&value, 0) if test.mapper == nil { test.mapper = func(v int, writer Writer[int], cancel func(error)) { writer.Write(v * v) } } if test.reducer == nil { test.reducer = func(pipe <-chan int, cancel func(error)) { for item := range pipe { atomic.AddUint32(&value, uint32(item)) } } } err := MapReduceVoid(func(source chan<- int) { for i := 1; i < 5; i++ { source <- i } }, test.mapper, test.reducer) assert.Equal(t, test.expectErr, err) if err == nil { assert.Equal(t, test.expectValue, atomic.LoadUint32(&value)) } }) } } func TestMapReduceVoidWithDelay(t *testing.T) { defer goleak.VerifyNone(t) var result []int err := MapReduceVoid(func(source chan<- int) { source <- 0 source <- 1 }, func(i int, writer Writer[int], cancel func(error)) { if i == 0 { time.Sleep(time.Millisecond * 50) } writer.Write(i) }, func(pipe <-chan int, cancel func(error)) { for item := range pipe { i := item result = append(result, i) } }) assert.Nil(t, err) assert.Equal(t, 2, len(result)) assert.Equal(t, 1, result[0]) assert.Equal(t, 0, result[1]) } func TestMapReducePanic(t *testing.T) { defer goleak.VerifyNone(t) assert.Panics(t, func() { _, _ = MapReduce(func(source chan<- int) { source <- 0 source <- 1 }, func(i int, writer Writer[int], cancel func(error)) { writer.Write(i) }, func(pipe <-chan int, writer Writer[int], cancel func(error)) { for range pipe { panic("panic") } }) }) } func TestMapReducePanicOnce(t *testing.T) { defer goleak.VerifyNone(t) assert.Panics(t, func() { _, _ = MapReduce(func(source chan<- int) { for i := 0; i < 100; i++ { source <- i } }, func(i int, writer Writer[int], cancel func(error)) { if i == 0 { panic("foo") } writer.Write(i) }, func(pipe <-chan int, writer Writer[int], cancel func(error)) { for range pipe { panic("bar") } }) }) } func TestMapReducePanicBothMapperAndReducer(t *testing.T) { defer goleak.VerifyNone(t) assert.Panics(t, func() { _, _ = MapReduce(func(source chan<- int) { source <- 0 source <- 1 }, func(item int, writer Writer[int], cancel func(error)) { panic("foo") }, func(pipe <-chan int, writer Writer[int], cancel func(error)) { panic("bar") }) }) } func TestMapReduceVoidCancel(t *testing.T) { defer goleak.VerifyNone(t) var result []int err := MapReduceVoid(func(source chan<- int) { source <- 0 source <- 1 }, func(i int, writer Writer[int], cancel func(error)) { if i == 1 { cancel(errors.New("anything")) } writer.Write(i) }, func(pipe <-chan int, cancel func(error)) { for item := range pipe { i := item result = append(result, i) } }) assert.NotNil(t, err) assert.Equal(t, "anything", err.Error()) } func TestMapReduceVoidCancelWithRemains(t *testing.T) { defer goleak.VerifyNone(t) var done int32 var result []int err := MapReduceVoid(func(source chan<- int) { for i := 0; i < defaultWorkers*2; i++ { source <- i } atomic.AddInt32(&done, 1) }, func(i int, writer Writer[int], cancel func(error)) { if i == defaultWorkers/2 { cancel(errors.New("anything")) } writer.Write(i) }, func(pipe <-chan int, cancel func(error)) { for item := range pipe { result = append(result, item) } }) assert.NotNil(t, err) assert.Equal(t, "anything", err.Error()) assert.Equal(t, int32(1), done) } func TestMapReduceWithoutReducerWrite(t *testing.T) { defer goleak.VerifyNone(t) uids := []int{1, 2, 3} res, err := MapReduce(func(source chan<- int) { for _, uid := range uids { source <- uid } }, func(item int, writer Writer[int], cancel func(error)) { writer.Write(item) }, func(pipe <-chan int, writer Writer[int], cancel func(error)) { drain(pipe) // not calling writer.Write(...), should not panic }) assert.Equal(t, ErrReduceNoOutput, err) assert.Equal(t, 0, res) } func TestMapReduceVoidPanicInReducer(t *testing.T) { defer goleak.VerifyNone(t) const message = "foo" assert.Panics(t, func() { var done int32 _ = MapReduceVoid(func(source chan<- int) { for i := 0; i < defaultWorkers*2; i++ { source <- i } atomic.AddInt32(&done, 1) }, func(i int, writer Writer[int], cancel func(error)) { writer.Write(i) }, func(pipe <-chan int, cancel func(error)) { panic(message) }, WithWorkers(1)) }) } func TestForEachWithContext(t *testing.T) { defer goleak.VerifyNone(t) var done int32 ctx, cancel := context.WithCancel(context.Background()) ForEach(func(source chan<- int) { for i := 0; i < defaultWorkers*2; i++ { source <- i } atomic.AddInt32(&done, 1) }, func(i int) { if i == defaultWorkers/2 { cancel() } }, WithContext(ctx)) } func TestMapReduceWithContext(t *testing.T) { defer goleak.VerifyNone(t) var done int32 var result []int ctx, cancel := context.WithCancel(context.Background()) err := MapReduceVoid(func(source chan<- int) { for i := 0; i < defaultWorkers*2; i++ { source <- i } atomic.AddInt32(&done, 1) }, func(i int, writer Writer[int], c func(error)) { if i == defaultWorkers/2 { cancel() } writer.Write(i) time.Sleep(time.Millisecond) }, func(pipe <-chan int, cancel func(error)) { for item := range pipe { i := item result = append(result, i) } }, WithContext(ctx)) assert.NotNil(t, err) assert.Equal(t, context.DeadlineExceeded, err) } func BenchmarkMapReduce(b *testing.B) { b.ReportAllocs() mapper := func(v int64, writer Writer[int64], cancel func(error)) { writer.Write(v * v) } reducer := func(input <-chan int64, writer Writer[int64], cancel func(error)) { var result int64 for v := range input { result += v } writer.Write(result) } for i := 0; i < b.N; i++ { MapReduce(func(input chan<- int64) { for j := 0; j < 2; j++ { input <- int64(j) } }, mapper, reducer) } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/contextx/valueonlycontext.go
core/contextx/valueonlycontext.go
package contextx import ( "context" "time" ) type valueOnlyContext struct { context.Context } func (valueOnlyContext) Deadline() (deadline time.Time, ok bool) { return } func (valueOnlyContext) Done() <-chan struct{} { return nil } func (valueOnlyContext) Err() error { return nil } // ValueOnlyFrom takes all values from the given ctx, without deadline and error control. func ValueOnlyFrom(ctx context.Context) context.Context { return valueOnlyContext{ Context: ctx, } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/contextx/unmarshaler_test.go
core/contextx/unmarshaler_test.go
package contextx import ( "context" "testing" "github.com/stretchr/testify/assert" ) func TestUnmarshalContext(t *testing.T) { type Person struct { Name string `ctx:"name"` Age int `ctx:"age"` } ctx := context.Background() ctx = context.WithValue(ctx, "name", "kevin") ctx = context.WithValue(ctx, "age", 20) var person Person err := For(ctx, &person) assert.Nil(t, err) assert.Equal(t, "kevin", person.Name) assert.Equal(t, 20, person.Age) } func TestUnmarshalContextWithOptional(t *testing.T) { type Person struct { Name string `ctx:"name"` Age int `ctx:"age,optional"` } ctx := context.Background() ctx = context.WithValue(ctx, "name", "kevin") var person Person err := For(ctx, &person) assert.Nil(t, err) assert.Equal(t, "kevin", person.Name) assert.Equal(t, 0, person.Age) } func TestUnmarshalContextWithMissing(t *testing.T) { type Person struct { Name string `ctx:"name"` Age int `ctx:"age"` } type name string const PersonNameKey name = "name" ctx := context.Background() ctx = context.WithValue(ctx, PersonNameKey, "kevin") var person Person err := For(ctx, &person) assert.NotNil(t, err) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/contextx/unmarshaler.go
core/contextx/unmarshaler.go
package contextx import ( "context" "github.com/zeromicro/go-zero/core/mapping" ) const contextTagKey = "ctx" var unmarshaler = mapping.NewUnmarshaler(contextTagKey) type contextValuer struct { context.Context } func (cv contextValuer) Value(key string) (any, bool) { v := cv.Context.Value(key) return v, v != nil } // For unmarshals ctx into v. func For(ctx context.Context, v any) error { return unmarshaler.UnmarshalValuer(contextValuer{ Context: ctx, }, v) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/contextx/valueonlycontext_test.go
core/contextx/valueonlycontext_test.go
package contextx import ( "context" "testing" "time" "github.com/stretchr/testify/assert" ) func TestContextCancel(t *testing.T) { type key string var nameKey key = "name" c := context.WithValue(context.Background(), nameKey, "value") c1, cancel := context.WithCancel(c) o := ValueOnlyFrom(c1) c2, cancel2 := context.WithCancel(o) defer cancel2() contexts := []context.Context{c1, c2} for _, c := range contexts { assert.NotNil(t, c.Done()) assert.Nil(t, c.Err()) select { case x := <-c.Done(): t.Errorf("<-c.Done() == %v want nothing (it should block)", x) default: } } cancel() <-c1.Done() assert.Nil(t, o.Err()) assert.Equal(t, context.Canceled, c1.Err()) assert.NotEqual(t, context.Canceled, c2.Err()) } func TestContextDeadline(t *testing.T) { c, cancel := context.WithDeadline(context.Background(), time.Now().Add(10*time.Millisecond)) cancel() o := ValueOnlyFrom(c) select { case <-time.After(100 * time.Millisecond): case <-o.Done(): t.Fatal("ValueOnlyContext: context should not have timed out") } c, cancel = context.WithDeadline(context.Background(), time.Now().Add(10*time.Millisecond)) cancel() o = ValueOnlyFrom(c) c, cancel = context.WithDeadline(o, time.Now().Add(20*time.Millisecond)) defer cancel() select { case <-time.After(100 * time.Millisecond): t.Fatal("ValueOnlyContext+Deadline: context should have timed out") case <-c.Done(): } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/search/tree.go
core/search/tree.go
package search import ( "errors" "fmt" ) const ( colon = ':' slash = '/' ) var ( // errDupItem means adding duplicated item. errDupItem = errors.New("duplicated item") // errDupSlash means item is started with more than one slash. errDupSlash = errors.New("duplicated slash") // errEmptyItem means adding empty item. errEmptyItem = errors.New("empty item") // errInvalidState means search tree is in an invalid state. errInvalidState = errors.New("search tree is in an invalid state") // errNotFromRoot means path is not starting with slash. errNotFromRoot = errors.New("path should start with /") // NotFound is used to hold the not found result. NotFound Result ) type ( innerResult struct { key string value string named bool found bool } node struct { item any children [2]map[string]*node } // A Tree is a search tree. Tree struct { root *node } // A Result is a search result from tree. Result struct { Item any Params map[string]string } ) // NewTree returns a Tree. func NewTree() *Tree { return &Tree{ root: newNode(nil), } } // Add adds item to associate with route. func (t *Tree) Add(route string, item any) error { if len(route) == 0 || route[0] != slash { return errNotFromRoot } if item == nil { return errEmptyItem } err := add(t.root, route[1:], item) switch { case errors.Is(err, errDupItem): return duplicatedItem(route) case errors.Is(err, errDupSlash): return duplicatedSlash(route) default: return err } } // Search searches item that associates with given route. func (t *Tree) Search(route string) (Result, bool) { if len(route) == 0 || route[0] != slash { return NotFound, false } var result Result ok := t.next(t.root, route[1:], &result) return result, ok } func (t *Tree) next(n *node, route string, result *Result) bool { if len(route) == 0 && n.item != nil { result.Item = n.item return true } for i := range route { if route[i] != slash { continue } token := route[:i] return n.forEach(func(k string, v *node) bool { r := match(k, token) if !r.found || !t.next(v, route[i+1:], result) { return false } if r.named { addParam(result, r.key, r.value) } return true }) } return n.forEach(func(k string, v *node) bool { if r := match(k, route); r.found && v.item != nil { result.Item = v.item if r.named { addParam(result, r.key, r.value) } return true } return false }) } func (nd *node) forEach(fn func(string, *node) bool) bool { for _, children := range nd.children { for k, v := range children { if fn(k, v) { return true } } } return false } func (nd *node) getChildren(route string) map[string]*node { if len(route) > 0 && route[0] == colon { return nd.children[1] } return nd.children[0] } func add(nd *node, route string, item any) error { if len(route) == 0 { if nd.item != nil { return errDupItem } nd.item = item return nil } if route[0] == slash { return errDupSlash } for i := range route { if route[i] != slash { continue } token := route[:i] children := nd.getChildren(token) if child, ok := children[token]; ok { if child == nil { return errInvalidState } return add(child, route[i+1:], item) } child := newNode(nil) children[token] = child return add(child, route[i+1:], item) } children := nd.getChildren(route) if child, ok := children[route]; ok { if child.item != nil { return errDupItem } child.item = item } else { children[route] = newNode(item) } return nil } func addParam(result *Result, k, v string) { if result.Params == nil { result.Params = make(map[string]string) } result.Params[k] = v } func duplicatedItem(item string) error { return fmt.Errorf("duplicated item for %s", item) } func duplicatedSlash(item string) error { return fmt.Errorf("duplicated slash for %s", item) } func match(pat, token string) innerResult { if pat[0] == colon { return innerResult{ key: pat[1:], value: token, named: true, found: true, } } return innerResult{ found: pat == token, } } func newNode(item any) *node { return &node{ item: item, children: [2]map[string]*node{ make(map[string]*node), make(map[string]*node), }, } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/search/tree_debug.go
core/search/tree_debug.go
//go:build debug package search import "fmt" func (t *Tree) Print() { if t.root.item == nil { fmt.Println("/") } else { fmt.Printf("/:%#v\n", t.root.item) } printNode(t.root, 1) } func printNode(n *node, depth int) { indent := make([]byte, depth) for i := 0; i < len(indent); i++ { indent[i] = '\t' } for _, children := range n.children { for k, v := range children { if v.item == nil { fmt.Printf("%s%s\n", string(indent), k) } else { fmt.Printf("%s%s:%#v\n", string(indent), k, v.item) } printNode(v, depth+1) } } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/search/tree_test.go
core/search/tree_test.go
package search import ( "math/rand" "strings" "testing" "github.com/stretchr/testify/assert" "github.com/zeromicro/go-zero/core/stringx" ) type mockedRoute struct { route string value any } func TestSearch(t *testing.T) { routes := []mockedRoute{ {"/", 1}, {"/api", 2}, {"/img", 3}, {"/:layer1", 4}, {"/api/users", 5}, {"/img/jpgs", 6}, {"/img/jpgs", 7}, {"/api/:layer2", 8}, {"/:layer1/:layer2", 9}, {"/:layer1/:layer2/users", 10}, } tests := []struct { query string expect int params map[string]string contains bool }{ { query: "", contains: false, }, { query: "/", expect: 1, contains: true, }, { query: "/wildcard", expect: 4, params: map[string]string{ "layer1": "wildcard", }, contains: true, }, { query: "/wildcard/", expect: 4, params: map[string]string{ "layer1": "wildcard", }, contains: true, }, { query: "/a/b/c", contains: false, }, { query: "/a/b", expect: 9, params: map[string]string{ "layer1": "a", "layer2": "b", }, contains: true, }, { query: "/a/b/", expect: 9, params: map[string]string{ "layer1": "a", "layer2": "b", }, contains: true, }, { query: "/a/b/users", expect: 10, params: map[string]string{ "layer1": "a", "layer2": "b", }, contains: true, }, } for _, test := range tests { t.Run(test.query, func(t *testing.T) { tree := NewTree() for _, r := range routes { tree.Add(r.route, r.value) } result, ok := tree.Search(test.query) assert.Equal(t, test.contains, ok) if ok { actual := result.Item.(int) assert.EqualValues(t, test.params, result.Params) assert.Equal(t, test.expect, actual) } }) } } func TestStrictSearch(t *testing.T) { routes := []mockedRoute{ {"/api/users", 1}, {"/api/:layer", 2}, } query := "/api/users" tree := NewTree() for _, r := range routes { tree.Add(r.route, r.value) } for i := 0; i < 1000; i++ { result, ok := tree.Search(query) assert.True(t, ok) assert.Equal(t, 1, result.Item.(int)) } } func TestStrictSearchSibling(t *testing.T) { routes := []mockedRoute{ {"/api/:user/profile/name", 1}, {"/api/:user/profile", 2}, {"/api/:user/name", 3}, {"/api/:layer", 4}, } query := "/api/123/name" tree := NewTree() for _, r := range routes { tree.Add(r.route, r.value) } result, ok := tree.Search(query) assert.True(t, ok) assert.Equal(t, 3, result.Item.(int)) } func TestAddDuplicate(t *testing.T) { tree := NewTree() err := tree.Add("/a/b", 1) assert.Nil(t, err) err = tree.Add("/a/b", 2) assert.Error(t, errDupItem, err) err = tree.Add("/a/b/", 2) assert.Error(t, errDupItem, err) } func TestPlain(t *testing.T) { tree := NewTree() err := tree.Add("/a/b", 1) assert.Nil(t, err) err = tree.Add("/a/c", 2) assert.Nil(t, err) _, ok := tree.Search("/a/d") assert.False(t, ok) } func TestSearchWithDoubleSlashes(t *testing.T) { tree := NewTree() err := tree.Add("//a", 1) assert.Error(t, errDupSlash, err) } func TestSearchInvalidRoute(t *testing.T) { tree := NewTree() err := tree.Add("", 1) assert.Equal(t, errNotFromRoot, err) err = tree.Add("bad", 1) assert.Equal(t, errNotFromRoot, err) } func TestSearchInvalidItem(t *testing.T) { tree := NewTree() err := tree.Add("/", nil) assert.Equal(t, errEmptyItem, err) } func TestSearchInvalidState(t *testing.T) { nd := newNode("0") nd.children[0]["1"] = nil assert.Error(t, add(nd, "1/2", "2")) } func BenchmarkSearchTree(b *testing.B) { const ( avgLen = 1000 entries = 10000 ) tree := NewTree() generate := func() string { var buf strings.Builder size := rand.Intn(avgLen) + avgLen/2 val := stringx.Randn(size) prev := 0 for j := rand.Intn(9) + 1; j < size; j += rand.Intn(9) + 1 { buf.WriteRune('/') buf.WriteString(val[prev:j]) prev = j } if prev < size { buf.WriteRune('/') buf.WriteString(val[prev:]) } return buf.String() } index := rand.Intn(entries) var query string for i := 0; i < entries; i++ { val := generate() if i == index { query = val } tree.Add(val, i) } for i := 0; i < b.N; i++ { tree.Search(query) } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/color/color_test.go
core/color/color_test.go
package color import ( "testing" "github.com/stretchr/testify/assert" ) func TestWithColor(t *testing.T) { output := WithColor("Hello", BgRed) assert.Equal(t, "Hello", output) } func TestWithColorPadding(t *testing.T) { output := WithColorPadding("Hello", BgRed) assert.Equal(t, " Hello ", output) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/color/color.go
core/color/color.go
package color import "github.com/fatih/color" const ( // NoColor is no color for both foreground and background. NoColor Color = iota // FgBlack is the foreground color black. FgBlack // FgRed is the foreground color red. FgRed // FgGreen is the foreground color green. FgGreen // FgYellow is the foreground color yellow. FgYellow // FgBlue is the foreground color blue. FgBlue // FgMagenta is the foreground color magenta. FgMagenta // FgCyan is the foreground color cyan. FgCyan // FgWhite is the foreground color white. FgWhite // BgBlack is the background color black. BgBlack // BgRed is the background color red. BgRed // BgGreen is the background color green. BgGreen // BgYellow is the background color yellow. BgYellow // BgBlue is the background color blue. BgBlue // BgMagenta is the background color magenta. BgMagenta // BgCyan is the background color cyan. BgCyan // BgWhite is the background color white. BgWhite ) var colors = map[Color][]color.Attribute{ FgBlack: {color.FgBlack, color.Bold}, FgRed: {color.FgRed, color.Bold}, FgGreen: {color.FgGreen, color.Bold}, FgYellow: {color.FgYellow, color.Bold}, FgBlue: {color.FgBlue, color.Bold}, FgMagenta: {color.FgMagenta, color.Bold}, FgCyan: {color.FgCyan, color.Bold}, FgWhite: {color.FgWhite, color.Bold}, BgBlack: {color.BgBlack, color.FgHiWhite, color.Bold}, BgRed: {color.BgRed, color.FgHiWhite, color.Bold}, BgGreen: {color.BgGreen, color.FgHiWhite, color.Bold}, BgYellow: {color.BgHiYellow, color.FgHiBlack, color.Bold}, BgBlue: {color.BgBlue, color.FgHiWhite, color.Bold}, BgMagenta: {color.BgMagenta, color.FgHiWhite, color.Bold}, BgCyan: {color.BgCyan, color.FgHiWhite, color.Bold}, BgWhite: {color.BgHiWhite, color.FgHiBlack, color.Bold}, } type Color uint32 // WithColor returns a string with the given color applied. func WithColor(text string, colour Color) string { c := color.New(colors[colour]...) return c.Sprint(text) } // WithColorPadding returns a string with the given color applied with leading and trailing spaces. func WithColorPadding(text string, colour Color) string { return WithColor(" "+text+" ", colour) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/prof/profilecenter_test.go
core/prof/profilecenter_test.go
package prof import ( "testing" "time" "github.com/stretchr/testify/assert" ) func TestReport(t *testing.T) { assert.NotContains(t, generateReport(), "foo") report("foo", time.Second) assert.Contains(t, generateReport(), "foo") report("foo", time.Second) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/prof/runtime_test.go
core/prof/runtime_test.go
package prof import ( "strings" "sync" "testing" "time" "github.com/stretchr/testify/assert" ) func TestDisplayStats(t *testing.T) { writer := &threadSafeBuffer{ buf: strings.Builder{}, } displayStatsWithWriter(writer, time.Millisecond*10) time.Sleep(time.Millisecond * 50) assert.Contains(t, writer.String(), "Goroutines: ") } type threadSafeBuffer struct { buf strings.Builder lock sync.Mutex } func (b *threadSafeBuffer) String() string { b.lock.Lock() defer b.lock.Unlock() return b.buf.String() } func (b *threadSafeBuffer) Write(p []byte) (n int, err error) { b.lock.Lock() defer b.lock.Unlock() return b.buf.Write(p) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/prof/profiler.go
core/prof/profiler.go
package prof import "github.com/zeromicro/go-zero/core/utils" type ( // A ProfilePoint is a profile time point. ProfilePoint struct { *utils.ElapsedTimer } // A Profiler interface represents a profiler that used to report profile points. Profiler interface { Start() ProfilePoint Report(name string, point ProfilePoint) } realProfiler struct{} nullProfiler struct{} ) var profiler = newNullProfiler() // EnableProfiling enables profiling. func EnableProfiling() { profiler = newRealProfiler() } // Start starts a Profiler, and returns a start profiling point. func Start() ProfilePoint { return profiler.Start() } // Report reports a ProfilePoint with given name. func Report(name string, point ProfilePoint) { profiler.Report(name, point) } func newRealProfiler() Profiler { return &realProfiler{} } func (rp *realProfiler) Start() ProfilePoint { return ProfilePoint{ ElapsedTimer: utils.NewElapsedTimer(), } } func (rp *realProfiler) Report(name string, point ProfilePoint) { duration := point.Duration() report(name, duration) } func newNullProfiler() Profiler { return &nullProfiler{} } func (np *nullProfiler) Start() ProfilePoint { return ProfilePoint{} } func (np *nullProfiler) Report(string, ProfilePoint) { }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/prof/profiler_test.go
core/prof/profiler_test.go
package prof import ( "testing" "github.com/zeromicro/go-zero/core/utils" ) func TestProfiler(t *testing.T) { EnableProfiling() Start() Report("foo", ProfilePoint{ ElapsedTimer: utils.NewElapsedTimer(), }) } func TestNullProfiler(t *testing.T) { p := newNullProfiler() p.Start() p.Report("foo", ProfilePoint{ ElapsedTimer: utils.NewElapsedTimer(), }) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/prof/runtime.go
core/prof/runtime.go
package prof import ( "fmt" "io" "os" "runtime" "runtime/debug" "runtime/metrics" "time" ) const ( defaultInterval = time.Second * 5 mega = 1024 * 1024 ) // DisplayStats prints the goroutine, memory, GC stats with given interval, default to 5 seconds. func DisplayStats(interval ...time.Duration) { displayStatsWithWriter(os.Stdout, interval...) } func displayStatsWithWriter(writer io.Writer, interval ...time.Duration) { duration := defaultInterval for _, val := range interval { duration = val } go func() { ticker := time.NewTicker(duration) defer ticker.Stop() for range ticker.C { var ( alloc, totalAlloc, sys uint64 samples = []metrics.Sample{ {Name: "/memory/classes/heap/objects:bytes"}, {Name: "/gc/heap/allocs:bytes"}, {Name: "/memory/classes/total:bytes"}, } ) metrics.Read(samples) if samples[0].Value.Kind() == metrics.KindUint64 { alloc = samples[0].Value.Uint64() } if samples[1].Value.Kind() == metrics.KindUint64 { totalAlloc = samples[1].Value.Uint64() } if samples[2].Value.Kind() == metrics.KindUint64 { sys = samples[2].Value.Uint64() } var stats debug.GCStats debug.ReadGCStats(&stats) fmt.Fprintf(writer, "Goroutines: %d, Alloc: %vm, TotalAlloc: %vm, Sys: %vm, NumGC: %v\n", runtime.NumGoroutine(), alloc/mega, totalAlloc/mega, sys/mega, stats.NumGC) } }() }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/prof/profilecenter.go
core/prof/profilecenter.go
package prof import ( "fmt" "strings" "sync" "sync/atomic" "time" "github.com/zeromicro/go-zero/core/logx" "github.com/zeromicro/go-zero/core/threading" ) type ( profileSlot struct { lifecount int64 lastcount int64 lifecycle int64 lastcycle int64 } profileCenter struct { lock sync.RWMutex slots map[string]*profileSlot } ) const flushInterval = 5 * time.Minute var pc = &profileCenter{ slots: make(map[string]*profileSlot), } func init() { flushRepeatedly() } func flushRepeatedly() { threading.GoSafe(func() { for { time.Sleep(flushInterval) logx.Stat(generateReport()) } }) } func report(name string, duration time.Duration) { slot := loadOrStoreSlot(name, duration) atomic.AddInt64(&slot.lifecount, 1) atomic.AddInt64(&slot.lastcount, 1) atomic.AddInt64(&slot.lifecycle, int64(duration)) atomic.AddInt64(&slot.lastcycle, int64(duration)) } func loadOrStoreSlot(name string, duration time.Duration) *profileSlot { pc.lock.RLock() slot, ok := pc.slots[name] pc.lock.RUnlock() if ok { return slot } pc.lock.Lock() defer pc.lock.Unlock() // double-check if slot, ok = pc.slots[name]; ok { return slot } slot = &profileSlot{} pc.slots[name] = slot return slot } func generateReport() string { var builder strings.Builder builder.WriteString("Profiling report\n") builder.WriteString("QUEUE,LIFECOUNT,LIFECYCLE,LASTCOUNT,LASTCYCLE\n") calcFn := func(total, count int64) string { if count == 0 { return "-" } return (time.Duration(total) / time.Duration(count)).String() } pc.lock.Lock() for key, slot := range pc.slots { builder.WriteString(fmt.Sprintf("%s,%d,%s,%d,%s\n", key, slot.lifecount, calcFn(slot.lifecycle, slot.lifecount), slot.lastcount, calcFn(slot.lastcycle, slot.lastcount), )) // reset last cycle stats atomic.StoreInt64(&slot.lastcount, 0) atomic.StoreInt64(&slot.lastcycle, 0) } pc.lock.Unlock() return builder.String() }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/prometheus/agent.go
core/prometheus/agent.go
package prometheus import ( "fmt" "net/http" "sync" "github.com/prometheus/client_golang/prometheus/promhttp" "github.com/zeromicro/go-zero/core/logx" "github.com/zeromicro/go-zero/core/syncx" "github.com/zeromicro/go-zero/core/threading" ) var ( once sync.Once enabled syncx.AtomicBool ) // Enabled returns if prometheus is enabled. func Enabled() bool { return enabled.True() } // Enable enables prometheus. func Enable() { enabled.Set(true) } // StartAgent starts a prometheus agent. func StartAgent(c Config) { if len(c.Host) == 0 { return } once.Do(func() { enabled.Set(true) threading.GoSafe(func() { http.Handle(c.Path, promhttp.Handler()) addr := fmt.Sprintf("%s:%d", c.Host, c.Port) logx.Infof("Starting prometheus agent at %s", addr) if err := http.ListenAndServe(addr, nil); err != nil { logx.Error(err) } }) }) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/prometheus/config.go
core/prometheus/config.go
package prometheus // A Config is a prometheus config. type Config struct { Host string `json:",optional"` Port int `json:",default=9101"` Path string `json:",default=/metrics"` }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/conf/validate.go
core/conf/validate.go
package conf import "github.com/zeromicro/go-zero/core/validation" // validate validates the value if it implements the Validator interface. func validate(v any) error { if val, ok := v.(validation.Validator); ok { return val.Validate() } return nil }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/conf/config.go
core/conf/config.go
package conf import ( "fmt" "log" "os" "path" "reflect" "strings" "github.com/zeromicro/go-zero/core/jsonx" "github.com/zeromicro/go-zero/core/mapping" "github.com/zeromicro/go-zero/internal/encoding" ) const ( jsonTagKey = "json" jsonTagSep = ',' ) var ( fillDefaultUnmarshaler = mapping.NewUnmarshaler(jsonTagKey, mapping.WithDefault()) loaders = map[string]func([]byte, any) error{ ".json": LoadFromJsonBytes, ".toml": LoadFromTomlBytes, ".yaml": LoadFromYamlBytes, ".yml": LoadFromYamlBytes, } ) // children and mapField should not be both filled. // named fields and map cannot be bound to the same field name. type fieldInfo struct { children map[string]*fieldInfo mapField *fieldInfo } // FillDefault fills the default values for the given v, // and the premise is that the value of v must be guaranteed to be empty. func FillDefault(v any) error { return fillDefaultUnmarshaler.Unmarshal(map[string]any{}, v) } // Load loads config into v from file, .json, .yaml and .yml are acceptable. func Load(file string, v any, opts ...Option) error { content, err := os.ReadFile(file) if err != nil { return err } loader, ok := loaders[strings.ToLower(path.Ext(file))] if !ok { return fmt.Errorf("unrecognized file type: %s", file) } var opt options for _, o := range opts { o(&opt) } if opt.env { return loader([]byte(os.ExpandEnv(string(content))), v) } if err = loader(content, v); err != nil { return err } return validate(v) } // LoadConfig loads config into v from file, .json, .yaml and .yml are acceptable. // Deprecated: use Load instead. func LoadConfig(file string, v any, opts ...Option) error { return Load(file, v, opts...) } // LoadFromJsonBytes loads config into v from content json bytes. func LoadFromJsonBytes(content []byte, v any) error { info, err := buildFieldsInfo(reflect.TypeOf(v), "") if err != nil { return err } var m map[string]any if err = jsonx.Unmarshal(content, &m); err != nil { return err } lowerCaseKeyMap := toLowerCaseKeyMap(m, info) if err = mapping.UnmarshalJsonMap(lowerCaseKeyMap, v, mapping.WithCanonicalKeyFunc(toLowerCase)); err != nil { return err } return validate(v) } // LoadConfigFromJsonBytes loads config into v from content json bytes. // Deprecated: use LoadFromJsonBytes instead. func LoadConfigFromJsonBytes(content []byte, v any) error { return LoadFromJsonBytes(content, v) } // LoadFromTomlBytes loads config into v from content toml bytes. func LoadFromTomlBytes(content []byte, v any) error { b, err := encoding.TomlToJson(content) if err != nil { return err } return LoadFromJsonBytes(b, v) } // LoadFromYamlBytes loads config into v from content yaml bytes. func LoadFromYamlBytes(content []byte, v any) error { b, err := encoding.YamlToJson(content) if err != nil { return err } return LoadFromJsonBytes(b, v) } // LoadConfigFromYamlBytes loads config into v from content yaml bytes. // Deprecated: use LoadFromYamlBytes instead. func LoadConfigFromYamlBytes(content []byte, v any) error { return LoadFromYamlBytes(content, v) } // MustLoad loads config into v from path, exits on error. func MustLoad(path string, v any, opts ...Option) { if err := Load(path, v, opts...); err != nil { log.Fatalf("error: config file %s, %s", path, err.Error()) } } func addOrMergeFields(info *fieldInfo, key string, child *fieldInfo, fullName string) error { if prev, ok := info.children[key]; ok { if child.mapField != nil { return newConflictKeyError(fullName) } if err := mergeFields(prev, child.children, fullName); err != nil { return err } } else { info.children[key] = child } return nil } func buildAnonymousFieldInfo(info *fieldInfo, lowerCaseName string, ft reflect.Type, fullName string) error { switch ft.Kind() { case reflect.Struct: fields, err := buildFieldsInfo(ft, fullName) if err != nil { return err } for k, v := range fields.children { if err = addOrMergeFields(info, k, v, fullName); err != nil { return err } } case reflect.Map: elemField, err := buildFieldsInfo(mapping.Deref(ft.Elem()), fullName) if err != nil { return err } if _, ok := info.children[lowerCaseName]; ok { return newConflictKeyError(fullName) } info.children[lowerCaseName] = &fieldInfo{ children: make(map[string]*fieldInfo), mapField: elemField, } default: if _, ok := info.children[lowerCaseName]; ok { return newConflictKeyError(fullName) } info.children[lowerCaseName] = &fieldInfo{ children: make(map[string]*fieldInfo), } } return nil } func buildFieldsInfo(tp reflect.Type, fullName string) (*fieldInfo, error) { tp = mapping.Deref(tp) switch tp.Kind() { case reflect.Struct: return buildStructFieldsInfo(tp, fullName) case reflect.Array, reflect.Slice, reflect.Map: return buildFieldsInfo(mapping.Deref(tp.Elem()), fullName) case reflect.Chan, reflect.Func: return nil, fmt.Errorf("unsupported type: %s, fullName: %s", tp.Kind(), fullName) default: return &fieldInfo{ children: make(map[string]*fieldInfo), }, nil } } func buildNamedFieldInfo(info *fieldInfo, lowerCaseName string, ft reflect.Type, fullName string) error { var finfo *fieldInfo var err error switch ft.Kind() { case reflect.Struct: finfo, err = buildFieldsInfo(ft, fullName) if err != nil { return err } case reflect.Array, reflect.Slice: finfo, err = buildFieldsInfo(ft.Elem(), fullName) if err != nil { return err } case reflect.Map: elemInfo, err := buildFieldsInfo(mapping.Deref(ft.Elem()), fullName) if err != nil { return err } finfo = &fieldInfo{ children: make(map[string]*fieldInfo), mapField: elemInfo, } default: finfo, err = buildFieldsInfo(ft, fullName) if err != nil { return err } } return addOrMergeFields(info, lowerCaseName, finfo, fullName) } func buildStructFieldsInfo(tp reflect.Type, fullName string) (*fieldInfo, error) { info := &fieldInfo{ children: make(map[string]*fieldInfo), } for i := 0; i < tp.NumField(); i++ { field := tp.Field(i) if !field.IsExported() { continue } name := getTagName(field) lowerCaseName := toLowerCase(name) ft := mapping.Deref(field.Type) // flatten anonymous fields if field.Anonymous { if err := buildAnonymousFieldInfo(info, lowerCaseName, ft, getFullName(fullName, lowerCaseName)); err != nil { return nil, err } } else if err := buildNamedFieldInfo(info, lowerCaseName, ft, getFullName(fullName, lowerCaseName)); err != nil { return nil, err } } return info, nil } // getTagName get the tag name of the given field, if no tag name, use file.Name. // field.Name is returned on tags like `json:""` and `json:",optional"`. func getTagName(field reflect.StructField) string { if tag, ok := field.Tag.Lookup(jsonTagKey); ok { if pos := strings.IndexByte(tag, jsonTagSep); pos >= 0 { tag = tag[:pos] } tag = strings.TrimSpace(tag) if len(tag) > 0 { return tag } } return field.Name } func mergeFields(prev *fieldInfo, children map[string]*fieldInfo, fullName string) error { if len(prev.children) == 0 || len(children) == 0 { return newConflictKeyError(fullName) } // merge fields for k, v := range children { if _, ok := prev.children[k]; ok { return newConflictKeyError(fullName) } prev.children[k] = v } return nil } func toLowerCase(s string) string { return strings.ToLower(s) } func toLowerCaseInterface(v any, info *fieldInfo) any { switch vv := v.(type) { case map[string]any: return toLowerCaseKeyMap(vv, info) case []any: arr := make([]any, 0, len(vv)) for _, vvv := range vv { arr = append(arr, toLowerCaseInterface(vvv, info)) } return arr default: return v } } func toLowerCaseKeyMap(m map[string]any, info *fieldInfo) map[string]any { res := make(map[string]any) for k, v := range m { ti, ok := info.children[k] if ok { res[k] = toLowerCaseInterface(v, ti) continue } lk := toLowerCase(k) if ti, ok = info.children[lk]; ok { res[lk] = toLowerCaseInterface(v, ti) } else if info.mapField != nil { res[k] = toLowerCaseInterface(v, info.mapField) } else if vv, ok := v.(map[string]any); ok { res[k] = toLowerCaseKeyMap(vv, info) } else { res[k] = v } } return res } type conflictKeyError struct { key string } func newConflictKeyError(key string) conflictKeyError { return conflictKeyError{key: key} } func (e conflictKeyError) Error() string { return fmt.Sprintf("conflict key %s, pay attention to anonymous fields", e.key) } func getFullName(parent, child string) string { if len(parent) == 0 { return child } return parent + "." + child }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/conf/properties_test.go
core/conf/properties_test.go
package conf import ( "os" "testing" "github.com/stretchr/testify/assert" "github.com/zeromicro/go-zero/core/fs" ) func TestProperties(t *testing.T) { text := `app.name = test app.program=app # this is comment app.threads = 5` tmpfile, err := fs.TempFilenameWithText(text) assert.Nil(t, err) defer os.Remove(tmpfile) props, err := LoadProperties(tmpfile) assert.Nil(t, err) assert.Equal(t, "test", props.GetString("app.name")) assert.Equal(t, "app", props.GetString("app.program")) assert.Equal(t, 5, props.GetInt("app.threads")) val := props.ToString() assert.Contains(t, val, "app.name") assert.Contains(t, val, "app.program") assert.Contains(t, val, "app.threads") } func TestPropertiesEnv(t *testing.T) { text := `app.name = test app.program=app app.env1 = ${FOO} app.env2 = $none # this is comment app.threads = 5` tmpfile, err := fs.TempFilenameWithText(text) assert.Nil(t, err) defer os.Remove(tmpfile) t.Setenv("FOO", "2") props, err := LoadProperties(tmpfile, UseEnv()) assert.Nil(t, err) assert.Equal(t, "test", props.GetString("app.name")) assert.Equal(t, "app", props.GetString("app.program")) assert.Equal(t, 5, props.GetInt("app.threads")) assert.Equal(t, "2", props.GetString("app.env1")) assert.Equal(t, "", props.GetString("app.env2")) val := props.ToString() assert.Contains(t, val, "app.name") assert.Contains(t, val, "app.program") assert.Contains(t, val, "app.threads") assert.Contains(t, val, "app.env1") assert.Contains(t, val, "app.env2") } func TestLoadProperties_badContent(t *testing.T) { filename, err := fs.TempFilenameWithText("hello") assert.Nil(t, err) defer os.Remove(filename) _, err = LoadProperties(filename) assert.NotNil(t, err) assert.True(t, len(err.Error()) > 0) } func TestSetString(t *testing.T) { key := "a" value := "the value of a" props := NewProperties() props.SetString(key, value) assert.Equal(t, value, props.GetString(key)) } func TestSetInt(t *testing.T) { key := "a" value := 101 props := NewProperties() props.SetInt(key, value) assert.Equal(t, value, props.GetInt(key)) } func TestLoadBadFile(t *testing.T) { _, err := LoadProperties("nosuchfile") assert.NotNil(t, err) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/conf/config_test.go
core/conf/config_test.go
package conf import ( "errors" "os" "reflect" "testing" "github.com/stretchr/testify/assert" "github.com/zeromicro/go-zero/core/fs" "github.com/zeromicro/go-zero/core/hash" ) var dupErr conflictKeyError func TestLoadConfig_notExists(t *testing.T) { assert.NotNil(t, Load("not_a_file", nil)) } func TestLoadConfig_notRecogFile(t *testing.T) { filename, err := fs.TempFilenameWithText("hello") assert.Nil(t, err) defer os.Remove(filename) assert.NotNil(t, LoadConfig(filename, nil)) } func TestConfigJson(t *testing.T) { tests := []string{ ".json", ".yaml", ".yml", } text := `{ "a": "foo", "b": 1, "c": "${FOO}", "d": "abcd!@#$112" }` t.Setenv("FOO", "2") for _, test := range tests { test := test t.Run(test, func(t *testing.T) { tmpfile, err := createTempFile(t, test, text) assert.Nil(t, err) var val struct { A string `json:"a"` B int `json:"b"` C string `json:"c"` D string `json:"d"` } MustLoad(tmpfile, &val) assert.Equal(t, "foo", val.A) assert.Equal(t, 1, val.B) assert.Equal(t, "${FOO}", val.C) assert.Equal(t, "abcd!@#$112", val.D) }) } } func TestLoadFromJsonBytesArray(t *testing.T) { input := []byte(`{"users": [{"name": "foo"}, {"Name": "bar"}]}`) var val struct { Users []struct { Name string } } assert.NoError(t, LoadConfigFromJsonBytes(input, &val)) var expect []string for _, user := range val.Users { expect = append(expect, user.Name) } assert.EqualValues(t, []string{"foo", "bar"}, expect) } func TestConfigToml(t *testing.T) { text := `a = "foo" b = 1 c = "${FOO}" d = "abcd!@#$112" ` t.Setenv("FOO", "2") tmpfile, err := createTempFile(t, ".toml", text) assert.Nil(t, err) var val struct { A string `json:"a"` B int `json:"b"` C string `json:"c"` D string `json:"d"` } MustLoad(tmpfile, &val) assert.Equal(t, "foo", val.A) assert.Equal(t, 1, val.B) assert.Equal(t, "${FOO}", val.C) assert.Equal(t, "abcd!@#$112", val.D) } func TestConfigOptional(t *testing.T) { text := `a = "foo" b = 1 c = "FOO" d = "abcd" ` tmpfile, err := createTempFile(t, ".toml", text) assert.Nil(t, err) var val struct { A string `json:"a"` B int `json:"b,optional"` C string `json:"c,optional=B"` D string `json:"d,optional=b"` } if assert.NoError(t, Load(tmpfile, &val)) { assert.Equal(t, "foo", val.A) assert.Equal(t, 1, val.B) assert.Equal(t, "FOO", val.C) assert.Equal(t, "abcd", val.D) } } func TestConfigWithLower(t *testing.T) { text := `a = "foo" b = 1 ` tmpfile, err := createTempFile(t, ".toml", text) assert.Nil(t, err) var val struct { A string `json:"a"` b int } if assert.NoError(t, Load(tmpfile, &val)) { assert.Equal(t, "foo", val.A) assert.Equal(t, 0, val.b) } } func TestConfigJsonCanonical(t *testing.T) { text := []byte(`{"a": "foo", "B": "bar"}`) var val1 struct { A string `json:"a"` B string `json:"b"` } var val2 struct { A string B string } assert.NoError(t, LoadFromJsonBytes(text, &val1)) assert.Equal(t, "foo", val1.A) assert.Equal(t, "bar", val1.B) assert.NoError(t, LoadFromJsonBytes(text, &val2)) assert.Equal(t, "foo", val2.A) assert.Equal(t, "bar", val2.B) } func TestConfigTomlCanonical(t *testing.T) { text := []byte(`a = "foo" B = "bar"`) var val1 struct { A string `json:"a"` B string `json:"b"` } var val2 struct { A string B string } assert.NoError(t, LoadFromTomlBytes(text, &val1)) assert.Equal(t, "foo", val1.A) assert.Equal(t, "bar", val1.B) assert.NoError(t, LoadFromTomlBytes(text, &val2)) assert.Equal(t, "foo", val2.A) assert.Equal(t, "bar", val2.B) } func TestConfigYamlCanonical(t *testing.T) { text := []byte(`a: foo B: bar`) var val1 struct { A string `json:"a"` B string `json:"b"` } var val2 struct { A string B string } assert.NoError(t, LoadConfigFromYamlBytes(text, &val1)) assert.Equal(t, "foo", val1.A) assert.Equal(t, "bar", val1.B) assert.NoError(t, LoadFromYamlBytes(text, &val2)) assert.Equal(t, "foo", val2.A) assert.Equal(t, "bar", val2.B) } func TestConfigTomlEnv(t *testing.T) { text := `a = "foo" b = 1 c = "${FOO}" d = "abcd!@#112" ` t.Setenv("FOO", "2") tmpfile, err := createTempFile(t, ".toml", text) assert.Nil(t, err) var val struct { A string `json:"a"` B int `json:"b"` C string `json:"c"` D string `json:"d"` } MustLoad(tmpfile, &val, UseEnv()) assert.Equal(t, "foo", val.A) assert.Equal(t, 1, val.B) assert.Equal(t, "2", val.C) assert.Equal(t, "abcd!@#112", val.D) } func TestConfigJsonEnv(t *testing.T) { tests := []string{ ".json", ".yaml", ".yml", } text := `{ "a": "foo", "b": 1, "c": "${FOO}", "d": "abcd!@#$a12 3" }` t.Setenv("FOO", "2") for _, test := range tests { test := test t.Run(test, func(t *testing.T) { tmpfile, err := createTempFile(t, test, text) assert.Nil(t, err) var val struct { A string `json:"a"` B int `json:"b"` C string `json:"c"` D string `json:"d"` } MustLoad(tmpfile, &val, UseEnv()) assert.Equal(t, "foo", val.A) assert.Equal(t, 1, val.B) assert.Equal(t, "2", val.C) assert.Equal(t, "abcd!@# 3", val.D) }) } } func TestToCamelCase(t *testing.T) { tests := []struct { input string expect string }{ { input: "", expect: "", }, { input: "A", expect: "a", }, { input: "a", expect: "a", }, { input: "hello_world", expect: "hello_world", }, { input: "Hello_world", expect: "hello_world", }, { input: "hello_World", expect: "hello_world", }, { input: "helloWorld", expect: "helloworld", }, { input: "HelloWorld", expect: "helloworld", }, { input: "hello World", expect: "hello world", }, { input: "Hello World", expect: "hello world", }, { input: "Hello World", expect: "hello world", }, { input: "Hello World foo_bar", expect: "hello world foo_bar", }, { input: "Hello World foo_Bar", expect: "hello world foo_bar", }, { input: "Hello World Foo_bar", expect: "hello world foo_bar", }, { input: "Hello World Foo_Bar", expect: "hello world foo_bar", }, { input: "Hello.World Foo_Bar", expect: "hello.world foo_bar", }, { input: "你好 World Foo_Bar", expect: "你好 world foo_bar", }, } for _, test := range tests { test := test t.Run(test.input, func(t *testing.T) { assert.Equal(t, test.expect, toLowerCase(test.input)) }) } } func TestLoadFromJsonBytesError(t *testing.T) { var val struct{} assert.Error(t, LoadFromJsonBytes([]byte(`hello`), &val)) } func TestLoadFromTomlBytesError(t *testing.T) { var val struct{} assert.Error(t, LoadFromTomlBytes([]byte(`hello`), &val)) } func TestLoadFromYamlBytesError(t *testing.T) { var val struct{} assert.Error(t, LoadFromYamlBytes([]byte(`':hello`), &val)) } func TestLoadFromYamlBytes(t *testing.T) { input := []byte(`layer1: layer2: layer3: foo`) var val struct { Layer1 struct { Layer2 struct { Layer3 string } } } assert.NoError(t, LoadFromYamlBytes(input, &val)) assert.Equal(t, "foo", val.Layer1.Layer2.Layer3) } func TestLoadFromYamlBytesTerm(t *testing.T) { input := []byte(`layer1: layer2: tls_conf: foo`) var val struct { Layer1 struct { Layer2 struct { Layer3 string `json:"tls_conf"` } } } assert.NoError(t, LoadFromYamlBytes(input, &val)) assert.Equal(t, "foo", val.Layer1.Layer2.Layer3) } func TestLoadFromYamlBytesLayers(t *testing.T) { input := []byte(`layer1: layer2: layer3: foo`) var val struct { Value string `json:"Layer1.Layer2.Layer3"` } assert.NoError(t, LoadFromYamlBytes(input, &val)) assert.Equal(t, "foo", val.Value) } func TestLoadFromYamlItemOverlay(t *testing.T) { type ( Redis struct { Host string Port int } RedisKey struct { Redis Key string } Server struct { Redis RedisKey } TestConfig struct { Server Redis Redis } ) input := []byte(`Redis: Host: localhost Port: 6379 Key: test `) var c TestConfig assert.ErrorAs(t, LoadFromYamlBytes(input, &c), &dupErr) } func TestLoadFromYamlItemOverlayReverse(t *testing.T) { type ( Redis struct { Host string Port int } RedisKey struct { Redis Key string } Server struct { Redis Redis } TestConfig struct { Redis RedisKey Server } ) input := []byte(`Redis: Host: localhost Port: 6379 Key: test `) var c TestConfig assert.ErrorAs(t, LoadFromYamlBytes(input, &c), &dupErr) } func TestLoadFromYamlItemOverlayWithMap(t *testing.T) { type ( Redis struct { Host string Port int } RedisKey struct { Redis Key string } Server struct { Redis RedisKey } TestConfig struct { Server Redis map[string]interface{} } ) input := []byte(`Redis: Host: localhost Port: 6379 Key: test `) var c TestConfig assert.ErrorAs(t, LoadFromYamlBytes(input, &c), &dupErr) } func TestUnmarshalJsonBytesMap(t *testing.T) { input := []byte(`{"foo":{"/mtproto.RPCTos": "bff.bff","bar":"baz"}}`) var val struct { Foo map[string]string } assert.NoError(t, LoadFromJsonBytes(input, &val)) assert.Equal(t, "bff.bff", val.Foo["/mtproto.RPCTos"]) assert.Equal(t, "baz", val.Foo["bar"]) } func TestUnmarshalJsonBytesMapWithSliceElements(t *testing.T) { input := []byte(`{"foo":{"/mtproto.RPCTos": ["bff.bff", "any"],"bar":["baz", "qux"]}}`) var val struct { Foo map[string][]string } assert.NoError(t, LoadFromJsonBytes(input, &val)) assert.EqualValues(t, []string{"bff.bff", "any"}, val.Foo["/mtproto.RPCTos"]) assert.EqualValues(t, []string{"baz", "qux"}, val.Foo["bar"]) } func TestUnmarshalJsonBytesMapWithSliceOfStructs(t *testing.T) { input := []byte(`{"foo":{ "/mtproto.RPCTos": [{"bar": "any"}], "bar":[{"bar": "qux"}, {"bar": "ever"}]}}`) var val struct { Foo map[string][]struct { Bar string } } assert.NoError(t, LoadFromJsonBytes(input, &val)) assert.Equal(t, 1, len(val.Foo["/mtproto.RPCTos"])) assert.Equal(t, "any", val.Foo["/mtproto.RPCTos"][0].Bar) assert.Equal(t, 2, len(val.Foo["bar"])) assert.Equal(t, "qux", val.Foo["bar"][0].Bar) assert.Equal(t, "ever", val.Foo["bar"][1].Bar) } func TestUnmarshalJsonBytesWithAnonymousField(t *testing.T) { type ( Int int InnerConf struct { Name string } Conf struct { Int InnerConf } ) var ( input = []byte(`{"Name": "hello", "int": 3}`) c Conf ) assert.NoError(t, LoadFromJsonBytes(input, &c)) assert.Equal(t, "hello", c.Name) assert.Equal(t, Int(3), c.Int) } func TestUnmarshalJsonBytesWithMapValueOfStruct(t *testing.T) { type ( Value struct { Name string } Config struct { Items map[string]Value } ) var inputs = [][]byte{ []byte(`{"Items": {"Key":{"Name": "foo"}}}`), []byte(`{"Items": {"Key":{"Name": "foo"}}}`), []byte(`{"items": {"key":{"name": "foo"}}}`), []byte(`{"items": {"key":{"name": "foo"}}}`), } for _, input := range inputs { var c Config if assert.NoError(t, LoadFromJsonBytes(input, &c)) { assert.Equal(t, 1, len(c.Items)) for _, v := range c.Items { assert.Equal(t, "foo", v.Name) } } } } func TestUnmarshalJsonBytesWithMapTypeValueOfStruct(t *testing.T) { type ( Value struct { Name string } Map map[string]Value Config struct { Map } ) var inputs = [][]byte{ []byte(`{"Map": {"Key":{"Name": "foo"}}}`), []byte(`{"Map": {"Key":{"Name": "foo"}}}`), []byte(`{"map": {"key":{"name": "foo"}}}`), []byte(`{"map": {"key":{"name": "foo"}}}`), } for _, input := range inputs { var c Config if assert.NoError(t, LoadFromJsonBytes(input, &c)) { assert.Equal(t, 1, len(c.Map)) for _, v := range c.Map { assert.Equal(t, "foo", v.Name) } } } } func Test_FieldOverwrite(t *testing.T) { t.Run("normal", func(t *testing.T) { type Base struct { Name string } type St1 struct { Base Name2 string } type St2 struct { Base Name2 string } type St3 struct { *Base Name2 string } type St4 struct { *Base Name2 *string } validate := func(val any) { input := []byte(`{"Name": "hello", "Name2": "world"}`) assert.NoError(t, LoadFromJsonBytes(input, val)) } validate(&St1{}) validate(&St2{}) validate(&St3{}) validate(&St4{}) }) t.Run("Inherit Override", func(t *testing.T) { type Base struct { Name string } type St1 struct { Base Name string } type St2 struct { Base Name int } type St3 struct { *Base Name int } type St4 struct { *Base Name *string } validate := func(val any) { input := []byte(`{"Name": "hello"}`) err := LoadFromJsonBytes(input, val) assert.ErrorAs(t, err, &dupErr) assert.Equal(t, newConflictKeyError("name").Error(), err.Error()) } validate(&St1{}) validate(&St2{}) validate(&St3{}) validate(&St4{}) }) t.Run("Inherit more", func(t *testing.T) { type Base1 struct { Name string } type St0 struct { Base1 Name string } type St1 struct { St0 Name string } type St2 struct { St0 Name int } type St3 struct { *St0 Name int } type St4 struct { *St0 Name *int } validate := func(val any) { input := []byte(`{"Name": "hello"}`) err := LoadFromJsonBytes(input, val) assert.ErrorAs(t, err, &dupErr) assert.Error(t, err) } validate(&St0{}) validate(&St1{}) validate(&St2{}) validate(&St3{}) validate(&St4{}) }) } func TestFieldOverwriteComplicated(t *testing.T) { t.Run("double maps", func(t *testing.T) { type ( Base1 struct { Values map[string]string } Base2 struct { Values map[string]string } Config struct { Base1 Base2 } ) var c Config input := []byte(`{"Values": {"Key": "Value"}}`) assert.ErrorAs(t, LoadFromJsonBytes(input, &c), &dupErr) }) t.Run("merge children", func(t *testing.T) { type ( Inner1 struct { Name string } Inner2 struct { Age int } Base1 struct { Inner Inner1 } Base2 struct { Inner Inner2 } Config struct { Base1 Base2 } ) var c Config input := []byte(`{"Inner": {"Name": "foo", "Age": 10}}`) if assert.NoError(t, LoadFromJsonBytes(input, &c)) { assert.Equal(t, "foo", c.Base1.Inner.Name) assert.Equal(t, 10, c.Base2.Inner.Age) } }) t.Run("overwritten maps", func(t *testing.T) { type ( Inner struct { Map map[string]string } Config struct { Map map[string]string Inner } ) var c Config input := []byte(`{"Inner": {"Map": {"Key": "Value"}}}`) assert.ErrorAs(t, LoadFromJsonBytes(input, &c), &dupErr) }) t.Run("overwritten nested maps", func(t *testing.T) { type ( Inner struct { Map map[string]string } Middle1 struct { Map map[string]string Inner } Middle2 struct { Map map[string]string Inner } Config struct { Middle1 Middle2 } ) var c Config input := []byte(`{"Middle1": {"Inner": {"Map": {"Key": "Value"}}}}`) assert.ErrorAs(t, LoadFromJsonBytes(input, &c), &dupErr) }) t.Run("overwritten outer/inner maps", func(t *testing.T) { type ( Inner struct { Map map[string]string } Middle struct { Inner Map map[string]string } Config struct { Middle } ) var c Config input := []byte(`{"Middle": {"Inner": {"Map": {"Key": "Value"}}}}`) assert.ErrorAs(t, LoadFromJsonBytes(input, &c), &dupErr) }) t.Run("overwritten anonymous maps", func(t *testing.T) { type ( Inner struct { Map map[string]string } Middle struct { Inner Map map[string]string } Elem map[string]Middle Config struct { Elem } ) var c Config input := []byte(`{"Elem": {"Key": {"Inner": {"Map": {"Key": "Value"}}}}}`) assert.ErrorAs(t, LoadFromJsonBytes(input, &c), &dupErr) }) t.Run("overwritten primitive and map", func(t *testing.T) { type ( Inner struct { Value string } Elem map[string]Inner Named struct { Elem string } Config struct { Named Elem } ) var c Config input := []byte(`{"Elem": {"Key": {"Value": "Value"}}}`) assert.ErrorAs(t, LoadFromJsonBytes(input, &c), &dupErr) }) t.Run("overwritten map and slice", func(t *testing.T) { type ( Inner struct { Value string } Elem []Inner Named struct { Elem string } Config struct { Named Elem } ) var c Config input := []byte(`{"Elem": {"Key": {"Value": "Value"}}}`) assert.ErrorAs(t, LoadFromJsonBytes(input, &c), &dupErr) }) t.Run("overwritten map and string", func(t *testing.T) { type ( Elem string Named struct { Elem string } Config struct { Named Elem } ) var c Config input := []byte(`{"Elem": {"Key": {"Value": "Value"}}}`) assert.ErrorAs(t, LoadFromJsonBytes(input, &c), &dupErr) }) } func TestLoadNamedFieldOverwritten(t *testing.T) { t.Run("overwritten named struct", func(t *testing.T) { type ( Elem string Named struct { Elem string } Base struct { Named Elem } Config struct { Val Base } ) var c Config input := []byte(`{"Val": {"Elem": {"Key": {"Value": "Value"}}}}`) assert.ErrorAs(t, LoadFromJsonBytes(input, &c), &dupErr) }) t.Run("overwritten named []struct", func(t *testing.T) { type ( Elem string Named struct { Elem string } Base struct { Named Elem } Config struct { Vals []Base } ) var c Config input := []byte(`{"Vals": [{"Elem": {"Key": {"Value": "Value"}}}]}`) assert.ErrorAs(t, LoadFromJsonBytes(input, &c), &dupErr) }) t.Run("overwritten named map[string]struct", func(t *testing.T) { type ( Elem string Named struct { Elem string } Base struct { Named Elem } Config struct { Vals map[string]Base } ) var c Config input := []byte(`{"Vals": {"Key": {"Elem": {"Key": {"Value": "Value"}}}}}`) assert.ErrorAs(t, LoadFromJsonBytes(input, &c), &dupErr) }) t.Run("overwritten named *struct", func(t *testing.T) { type ( Elem string Named struct { Elem string } Base struct { Named Elem } Config struct { Vals *Base } ) var c Config input := []byte(`{"Vals": [{"Elem": {"Key": {"Value": "Value"}}}]}`) assert.ErrorAs(t, LoadFromJsonBytes(input, &c), &dupErr) }) t.Run("overwritten named struct", func(t *testing.T) { type ( Named struct { Elem string } Base struct { Named Elem Named } Config struct { Val Base } ) var c Config input := []byte(`{"Val": {"Elem": "Value"}}`) assert.ErrorAs(t, LoadFromJsonBytes(input, &c), &dupErr) }) t.Run("overwritten named struct", func(t *testing.T) { type Config struct { Val chan int } var c Config input := []byte(`{"Val": 1}`) assert.Error(t, LoadFromJsonBytes(input, &c)) }) } func TestLoadLowerMemberShouldNotConflict(t *testing.T) { type ( Redis struct { db uint } Config struct { db uint Redis } ) var c Config assert.NoError(t, LoadFromJsonBytes([]byte(`{}`), &c)) assert.Zero(t, c.db) assert.Zero(t, c.Redis.db) } func TestFillDefaultUnmarshal(t *testing.T) { t.Run("nil", func(t *testing.T) { type St struct{} err := FillDefault(St{}) assert.Error(t, err) }) t.Run("not nil", func(t *testing.T) { type St struct{} err := FillDefault(&St{}) assert.NoError(t, err) }) t.Run("default", func(t *testing.T) { type St struct { A string `json:",default=a"` B string } var st St err := FillDefault(&st) assert.NoError(t, err) assert.Equal(t, st.A, "a") }) t.Run("env", func(t *testing.T) { type St struct { A string `json:",default=a"` B string C string `json:",env=TEST_C"` } t.Setenv("TEST_C", "c") var st St err := FillDefault(&st) assert.NoError(t, err) assert.Equal(t, st.A, "a") assert.Equal(t, st.C, "c") }) t.Run("has value", func(t *testing.T) { type St struct { A string `json:",default=a"` B string } var st = St{ A: "b", } err := FillDefault(&st) assert.Error(t, err) }) } func TestConfigWithJsonTag(t *testing.T) { t.Run("map with value", func(t *testing.T) { var input = []byte(`[Value] [Value.first] Email = "foo" [Value.second] Email = "bar"`) type Value struct { Email string } type Config struct { ValueMap map[string]Value `json:"Value"` } var c Config if assert.NoError(t, LoadFromTomlBytes(input, &c)) { assert.Len(t, c.ValueMap, 2) } }) t.Run("map with ptr value", func(t *testing.T) { var input = []byte(`[Value] [Value.first] Email = "foo" [Value.second] Email = "bar"`) type Value struct { Email string } type Config struct { ValueMap map[string]*Value `json:"Value"` } var c Config if assert.NoError(t, LoadFromTomlBytes(input, &c)) { assert.Len(t, c.ValueMap, 2) } }) t.Run("map with optional", func(t *testing.T) { var input = []byte(`[Value] [Value.first] Email = "foo" [Value.second] Email = "bar"`) type Value struct { Email string } type Config struct { Value map[string]Value `json:",optional"` } var c Config if assert.NoError(t, LoadFromTomlBytes(input, &c)) { assert.Len(t, c.Value, 2) } }) t.Run("map with empty tag", func(t *testing.T) { var input = []byte(`[Value] [Value.first] Email = "foo" [Value.second] Email = "bar"`) type Value struct { Email string } type Config struct { Value map[string]Value `json:" "` } var c Config if assert.NoError(t, LoadFromTomlBytes(input, &c)) { assert.Len(t, c.Value, 2) } }) t.Run("multi layer map", func(t *testing.T) { type Value struct { User struct { Name string } } type Config struct { Value map[string]map[string]Value } var input = []byte(` [Value.first.User1.User] Name = "foo" [Value.second.User2.User] Name = "bar" `) var c Config if assert.NoError(t, LoadFromTomlBytes(input, &c)) { assert.Len(t, c.Value, 2) } }) } func Test_LoadBadConfig(t *testing.T) { type Config struct { Name string `json:"name,options=foo|bar"` } file, err := createTempFile(t, ".json", `{"name": "baz"}`) assert.NoError(t, err) var c Config err = Load(file, &c) assert.Error(t, err) } func Test_getFullName(t *testing.T) { assert.Equal(t, "a.b", getFullName("a", "b")) assert.Equal(t, "a", getFullName("", "a")) } func TestValidate(t *testing.T) { t.Run("normal config", func(t *testing.T) { var c mockConfig err := LoadFromJsonBytes([]byte(`{"val": "hello", "number": 8}`), &c) assert.NoError(t, err) }) t.Run("error no int", func(t *testing.T) { var c mockConfig err := LoadFromJsonBytes([]byte(`{"val": "hello"}`), &c) assert.Error(t, err) }) t.Run("error no string", func(t *testing.T) { var c mockConfig err := LoadFromJsonBytes([]byte(`{"number": 8}`), &c) assert.Error(t, err) }) } func Test_buildFieldsInfo(t *testing.T) { type ParentSt struct { Name string M map[string]int } tests := []struct { name string t reflect.Type ok bool containsKey string }{ { name: "normal", t: reflect.TypeOf(struct{ A string }{}), ok: true, }, { name: "struct anonymous", t: reflect.TypeOf(struct { ParentSt Name string }{}), ok: false, containsKey: newConflictKeyError("name").Error(), }, { name: "struct ptr anonymous", t: reflect.TypeOf(struct { *ParentSt Name string }{}), ok: false, containsKey: newConflictKeyError("name").Error(), }, { name: "more struct anonymous", t: reflect.TypeOf(struct { Value struct { ParentSt Name string } }{}), ok: false, containsKey: newConflictKeyError("value.name").Error(), }, { name: "map anonymous", t: reflect.TypeOf(struct { ParentSt M string }{}), ok: false, containsKey: newConflictKeyError("m").Error(), }, { name: "map more anonymous", t: reflect.TypeOf(struct { Value struct { ParentSt M string } }{}), ok: false, containsKey: newConflictKeyError("value.m").Error(), }, { name: "struct slice anonymous", t: reflect.TypeOf([]struct { ParentSt Name string }{}), ok: false, containsKey: newConflictKeyError("name").Error(), }, } for _, tt := range tests { t.Run(tt.name, func(t *testing.T) { _, err := buildFieldsInfo(tt.t, "") if tt.ok { assert.NoError(t, err) } else { assert.Error(t, err) assert.Equal(t, err.Error(), tt.containsKey) } }) } } func createTempFile(t *testing.T, ext, text string) (string, error) { tmpFile, err := os.CreateTemp(os.TempDir(), hash.Md5Hex([]byte(text))+"*"+ext) if err != nil { return "", err } if err = os.WriteFile(tmpFile.Name(), []byte(text), os.ModeTemporary); err != nil { return "", err } filename := tmpFile.Name() if err = tmpFile.Close(); err != nil { return "", err } t.Cleanup(func() { _ = os.Remove(filename) }) return filename, nil } type mockConfig struct { Val string Number int } func (m mockConfig) Validate() error { if len(m.Val) == 0 { return errors.New("val is empty") } if m.Number == 0 { return errors.New("number is zero") } return nil } func TestGetFullName(t *testing.T) { tests := []struct { parent string child string want string }{ {"", "child", "child"}, {"parent", "child", "parent.child"}, {"a.b", "c", "a.b.c"}, {"root", "nested.field", "root.nested.field"}, } for _, tt := range tests { t.Run(tt.parent+"."+tt.child, func(t *testing.T) { got := getFullName(tt.parent, tt.child) assert.Equal(t, tt.want, got) }) } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/conf/properties.go
core/conf/properties.go
package conf import ( "fmt" "os" "strconv" "strings" "sync" "github.com/zeromicro/go-zero/core/iox" ) // PropertyError represents a configuration error message. type PropertyError struct { message string } // Properties interface provides the means to access configuration. type Properties interface { GetString(key string) string SetString(key, value string) GetInt(key string) int SetInt(key string, value int) ToString() string } // Properties config is a key/value pair based configuration structure. type mapBasedProperties struct { properties map[string]string lock sync.RWMutex } // LoadProperties loads the properties into a properties configuration instance. // Returns an error that indicates if there was a problem loading the configuration. func LoadProperties(filename string, opts ...Option) (Properties, error) { lines, err := iox.ReadTextLines(filename, iox.WithoutBlank(), iox.OmitWithPrefix("#")) if err != nil { return nil, err } var opt options for _, o := range opts { o(&opt) } raw := make(map[string]string) for i := range lines { pair := strings.Split(lines[i], "=") if len(pair) != 2 { // invalid property format return nil, &PropertyError{ message: fmt.Sprintf("invalid property format: %s", pair), } } key := strings.TrimSpace(pair[0]) value := strings.TrimSpace(pair[1]) if opt.env { raw[key] = os.ExpandEnv(value) } else { raw[key] = value } } return &mapBasedProperties{ properties: raw, }, nil } func (config *mapBasedProperties) GetString(key string) string { config.lock.RLock() ret := config.properties[key] config.lock.RUnlock() return ret } func (config *mapBasedProperties) SetString(key, value string) { config.lock.Lock() config.properties[key] = value config.lock.Unlock() } func (config *mapBasedProperties) GetInt(key string) int { config.lock.RLock() // default 0 value, _ := strconv.Atoi(config.properties[key]) config.lock.RUnlock() return value } func (config *mapBasedProperties) SetInt(key string, value int) { config.lock.Lock() config.properties[key] = strconv.Itoa(value) config.lock.Unlock() } // ToString dumps the configuration internal map into a string. func (config *mapBasedProperties) ToString() string { config.lock.RLock() ret := fmt.Sprintf("%s", config.properties) config.lock.RUnlock() return ret } // Error returns the error message. func (configError *PropertyError) Error() string { return configError.message } // NewProperties builds a new properties configuration structure. func NewProperties() Properties { return &mapBasedProperties{ properties: make(map[string]string), } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/conf/options.go
core/conf/options.go
package conf type ( // Option defines the method to customize the config options. Option func(opt *options) options struct { env bool } ) // UseEnv customizes the config to use environment variables. func UseEnv() Option { return func(opt *options) { opt.env = true } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/conf/validate_test.go
core/conf/validate_test.go
package conf import ( "errors" "testing" "github.com/stretchr/testify/assert" ) type mockType int func (m mockType) Validate() error { if m < 10 { return errors.New("invalid value") } return nil } type anotherMockType int func Test_validate(t *testing.T) { tests := []struct { name string v any wantErr bool }{ { name: "invalid", v: mockType(5), wantErr: true, }, { name: "valid", v: mockType(10), wantErr: false, }, { name: "not validator", v: anotherMockType(5), wantErr: false, }, } for _, tt := range tests { t.Run(tt.name, func(t *testing.T) { err := validate(tt.v) assert.Equal(t, tt.wantErr, err != nil) }) } } type mockVal struct { } func (m mockVal) Validate() error { return errors.New("invalid value") } func Test_validateValPtr(t *testing.T) { tests := []struct { name string v any wantErr bool }{ { name: "invalid", v: mockVal{}, }, { name: "invalid value", v: &mockVal{}, }, } for _, tt := range tests { t.Run(tt.name, func(t *testing.T) { assert.Error(t, validate(tt.v)) }) } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/load/sheddingstat.go
core/load/sheddingstat.go
package load import ( "sync/atomic" "time" "github.com/zeromicro/go-zero/core/logx" "github.com/zeromicro/go-zero/core/stat" ) type ( // A SheddingStat is used to store the statistics for load shedding. SheddingStat struct { name string total int64 pass int64 drop int64 } snapshot struct { Total int64 Pass int64 Drop int64 } ) // NewSheddingStat returns a SheddingStat. func NewSheddingStat(name string) *SheddingStat { st := &SheddingStat{ name: name, } go st.run() return st } // IncrementTotal increments the total requests. func (s *SheddingStat) IncrementTotal() { atomic.AddInt64(&s.total, 1) } // IncrementPass increments the passed requests. func (s *SheddingStat) IncrementPass() { atomic.AddInt64(&s.pass, 1) } // IncrementDrop increments the dropped requests. func (s *SheddingStat) IncrementDrop() { atomic.AddInt64(&s.drop, 1) } func (s *SheddingStat) loop(c <-chan time.Time) { for range c { st := s.reset() if !logEnabled.True() { continue } c := stat.CpuUsage() if st.Drop == 0 { logx.Statf("(%s) shedding_stat [1m], cpu: %d, total: %d, pass: %d, drop: %d", s.name, c, st.Total, st.Pass, st.Drop) } else { logx.Statf("(%s) shedding_stat_drop [1m], cpu: %d, total: %d, pass: %d, drop: %d", s.name, c, st.Total, st.Pass, st.Drop) } } } func (s *SheddingStat) reset() snapshot { return snapshot{ Total: atomic.SwapInt64(&s.total, 0), Pass: atomic.SwapInt64(&s.pass, 0), Drop: atomic.SwapInt64(&s.drop, 0), } } func (s *SheddingStat) run() { ticker := time.NewTicker(time.Minute) defer ticker.Stop() s.loop(ticker.C) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/load/adaptiveshedder_test.go
core/load/adaptiveshedder_test.go
package load import ( "math/rand" "sync" "sync/atomic" "testing" "time" "github.com/stretchr/testify/assert" "github.com/zeromicro/go-zero/core/collection" "github.com/zeromicro/go-zero/core/logx" "github.com/zeromicro/go-zero/core/mathx" "github.com/zeromicro/go-zero/core/stat" "github.com/zeromicro/go-zero/core/syncx" "github.com/zeromicro/go-zero/core/timex" ) const ( buckets = 10 bucketDuration = time.Millisecond * 50 windowFactor = 0.01 ) func init() { stat.SetReporter(nil) } func TestAdaptiveShedder(t *testing.T) { DisableLog() shedder := NewAdaptiveShedder(WithWindow(bucketDuration), WithBuckets(buckets), WithCpuThreshold(100)) var wg sync.WaitGroup var drop int64 proba := mathx.NewProba() for i := 0; i < 100; i++ { wg.Add(1) go func() { defer wg.Done() for i := 0; i < 30; i++ { promise, err := shedder.Allow() if err != nil { atomic.AddInt64(&drop, 1) } else { count := rand.Intn(5) time.Sleep(time.Millisecond * time.Duration(count)) if proba.TrueOnProba(0.01) { promise.Fail() } else { promise.Pass() } } } }() } wg.Wait() } func TestAdaptiveShedderMaxPass(t *testing.T) { passCounter := newRollingWindow() for i := 1; i <= 10; i++ { passCounter.Add(int64(i * 100)) time.Sleep(bucketDuration) } shedder := &adaptiveShedder{ passCounter: passCounter, droppedRecently: syncx.NewAtomicBool(), } assert.Equal(t, int64(1000), shedder.maxPass()) // default max pass is equal to 1. passCounter = newRollingWindow() shedder = &adaptiveShedder{ passCounter: passCounter, droppedRecently: syncx.NewAtomicBool(), } assert.Equal(t, int64(1), shedder.maxPass()) } func TestAdaptiveShedderMinRt(t *testing.T) { rtCounter := newRollingWindow() for i := 0; i < 10; i++ { if i > 0 { time.Sleep(bucketDuration) } for j := i*10 + 1; j <= i*10+10; j++ { rtCounter.Add(int64(j)) } } shedder := &adaptiveShedder{ rtCounter: rtCounter, } assert.Equal(t, float64(6), shedder.minRt()) // default max min rt is equal to maxFloat64. rtCounter = newRollingWindow() shedder = &adaptiveShedder{ rtCounter: rtCounter, droppedRecently: syncx.NewAtomicBool(), } assert.Equal(t, defaultMinRt, shedder.minRt()) } func TestAdaptiveShedderMaxFlight(t *testing.T) { passCounter := newRollingWindow() rtCounter := newRollingWindow() for i := 0; i < 10; i++ { if i > 0 { time.Sleep(bucketDuration) } passCounter.Add(int64((i + 1) * 100)) for j := i*10 + 1; j <= i*10+10; j++ { rtCounter.Add(int64(j)) } } shedder := &adaptiveShedder{ passCounter: passCounter, rtCounter: rtCounter, windowScale: windowFactor, droppedRecently: syncx.NewAtomicBool(), } assert.Equal(t, float64(54), shedder.maxFlight()) } func TestAdaptiveShedderShouldDrop(t *testing.T) { logx.Disable() passCounter := newRollingWindow() rtCounter := newRollingWindow() for i := 0; i < 10; i++ { if i > 0 { time.Sleep(bucketDuration) } passCounter.Add(int64((i + 1) * 100)) for j := i*10 + 1; j <= i*10+10; j++ { rtCounter.Add(int64(j)) } } shedder := &adaptiveShedder{ passCounter: passCounter, rtCounter: rtCounter, windowScale: windowFactor, overloadTime: syncx.NewAtomicDuration(), droppedRecently: syncx.NewAtomicBool(), } // cpu >= 800, inflight < maxPass systemOverloadChecker = func(int64) bool { return true } shedder.avgFlying = 50 assert.False(t, shedder.shouldDrop()) // cpu >= 800, inflight > maxPass shedder.avgFlying = 80 // because of the overloadFactor, so we need to make sure maxFlight is greater than flying shedder.flying = int64(shedder.maxFlight()*shedder.overloadFactor()) - 5 assert.False(t, shedder.shouldDrop()) // cpu >= 800, inflight > maxPass shedder.avgFlying = 80 shedder.flying = 80 assert.True(t, shedder.shouldDrop()) // cpu < 800, inflight > maxPass systemOverloadChecker = func(int64) bool { return false } shedder.avgFlying = 80 assert.False(t, shedder.shouldDrop()) // cpu >= 800, inflight < maxPass systemOverloadChecker = func(int64) bool { return true } shedder.avgFlying = 80 shedder.flying = 80 _, err := shedder.Allow() assert.NotNil(t, err) } func TestAdaptiveShedderStillHot(t *testing.T) { logx.Disable() passCounter := newRollingWindow() rtCounter := newRollingWindow() for i := 0; i < 10; i++ { if i > 0 { time.Sleep(bucketDuration) } passCounter.Add(int64((i + 1) * 100)) for j := i*10 + 1; j <= i*10+10; j++ { rtCounter.Add(int64(j)) } } shedder := &adaptiveShedder{ passCounter: passCounter, rtCounter: rtCounter, windowScale: windowFactor, overloadTime: syncx.NewAtomicDuration(), droppedRecently: syncx.ForAtomicBool(true), } assert.False(t, shedder.stillHot()) shedder.overloadTime.Set(-coolOffDuration * 2) assert.False(t, shedder.stillHot()) shedder.droppedRecently.Set(true) shedder.overloadTime.Set(timex.Now()) assert.True(t, shedder.stillHot()) } func BenchmarkAdaptiveShedder_Allow(b *testing.B) { logx.Disable() bench := func(b *testing.B) { shedder := NewAdaptiveShedder() proba := mathx.NewProba() for i := 0; i < 6000; i++ { p, err := shedder.Allow() if err == nil { time.Sleep(time.Millisecond) if proba.TrueOnProba(0.01) { p.Fail() } else { p.Pass() } } } b.ResetTimer() for i := 0; i < b.N; i++ { p, err := shedder.Allow() if err == nil { p.Pass() } } } systemOverloadChecker = func(int64) bool { return true } b.Run("high load", bench) systemOverloadChecker = func(int64) bool { return false } b.Run("low load", bench) } func BenchmarkMaxFlight(b *testing.B) { passCounter := newRollingWindow() rtCounter := newRollingWindow() for i := 0; i < 10; i++ { if i > 0 { time.Sleep(bucketDuration) } passCounter.Add(int64((i + 1) * 100)) for j := i*10 + 1; j <= i*10+10; j++ { rtCounter.Add(int64(j)) } } shedder := &adaptiveShedder{ passCounter: passCounter, rtCounter: rtCounter, windowScale: windowFactor, droppedRecently: syncx.NewAtomicBool(), } for i := 0; i < b.N; i++ { _ = shedder.maxFlight() } } func newRollingWindow() *collection.RollingWindow[int64, *collection.Bucket[int64]] { return collection.NewRollingWindow[int64, *collection.Bucket[int64]](func() *collection.Bucket[int64] { return new(collection.Bucket[int64]) }, buckets, bucketDuration, collection.IgnoreCurrentBucket[int64, *collection.Bucket[int64]]()) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/load/sheddergroup.go
core/load/sheddergroup.go
package load import ( "io" "github.com/zeromicro/go-zero/core/syncx" ) // A ShedderGroup is a manager to manage key-based shedders. type ShedderGroup struct { options []ShedderOption manager *syncx.ResourceManager } // NewShedderGroup returns a ShedderGroup. func NewShedderGroup(opts ...ShedderOption) *ShedderGroup { return &ShedderGroup{ options: opts, manager: syncx.NewResourceManager(), } } // GetShedder gets the Shedder for the given key. func (g *ShedderGroup) GetShedder(key string) Shedder { shedder, _ := g.manager.GetResource(key, func() (closer io.Closer, e error) { return nopCloser{ Shedder: NewAdaptiveShedder(g.options...), }, nil }) return shedder.(Shedder) } type nopCloser struct { Shedder } func (c nopCloser) Close() error { return nil }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/load/sheddingstat_test.go
core/load/sheddingstat_test.go
package load import ( "testing" "time" "github.com/stretchr/testify/assert" ) func TestSheddingStat(t *testing.T) { st := NewSheddingStat("any") for i := 0; i < 3; i++ { st.IncrementTotal() } for i := 0; i < 5; i++ { st.IncrementPass() } for i := 0; i < 7; i++ { st.IncrementDrop() } result := st.reset() assert.Equal(t, int64(3), result.Total) assert.Equal(t, int64(5), result.Pass) assert.Equal(t, int64(7), result.Drop) } func TestLoopTrue(t *testing.T) { ch := make(chan time.Time, 1) ch <- time.Now() close(ch) st := new(SheddingStat) logEnabled.Set(true) st.loop(ch) } func TestLoopTrueAndDrop(t *testing.T) { ch := make(chan time.Time, 1) ch <- time.Now() close(ch) st := new(SheddingStat) st.IncrementDrop() logEnabled.Set(true) st.loop(ch) } func TestLoopFalseAndDrop(t *testing.T) { ch := make(chan time.Time, 1) ch <- time.Now() close(ch) st := new(SheddingStat) st.IncrementDrop() logEnabled.Set(false) st.loop(ch) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/load/nopshedder.go
core/load/nopshedder.go
package load type nopShedder struct{} func newNopShedder() Shedder { return nopShedder{} } func (s nopShedder) Allow() (Promise, error) { return nopPromise{}, nil } type nopPromise struct{} func (p nopPromise) Pass() { } func (p nopPromise) Fail() { }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/load/sheddergroup_test.go
core/load/sheddergroup_test.go
package load import ( "testing" "github.com/stretchr/testify/assert" ) func TestGroup(t *testing.T) { group := NewShedderGroup() t.Run("get", func(t *testing.T) { limiter := group.GetShedder("test") assert.NotNil(t, limiter) }) } func TestShedderClose(t *testing.T) { var nop nopCloser assert.Nil(t, nop.Close()) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/load/nopshedder_test.go
core/load/nopshedder_test.go
package load import ( "testing" "github.com/stretchr/testify/assert" ) func TestNopShedder(t *testing.T) { Disable() shedder := NewAdaptiveShedder() for i := 0; i < 1000; i++ { p, err := shedder.Allow() assert.Nil(t, err) p.Fail() } p, err := shedder.Allow() assert.Nil(t, err) p.Pass() }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/load/adaptiveshedder.go
core/load/adaptiveshedder.go
package load import ( "errors" "fmt" "math" "sync/atomic" "time" "github.com/zeromicro/go-zero/core/collection" "github.com/zeromicro/go-zero/core/logx" "github.com/zeromicro/go-zero/core/mathx" "github.com/zeromicro/go-zero/core/stat" "github.com/zeromicro/go-zero/core/syncx" "github.com/zeromicro/go-zero/core/timex" ) const ( defaultBuckets = 50 defaultWindow = time.Second * 5 // using 1000m notation, 900m is like 90%, keep it as var for unit test defaultCpuThreshold = 900 defaultMinRt = float64(time.Second / time.Millisecond) // moving average hyperparameter beta for calculating requests on the fly flyingBeta = 0.9 coolOffDuration = time.Second cpuMax = 1000 // millicpu millisecondsPerSecond = 1000 overloadFactorLowerBound = 0.1 ) var ( // ErrServiceOverloaded is returned by Shedder.Allow when the service is overloaded. ErrServiceOverloaded = errors.New("service overloaded") // default to be enabled enabled = syncx.ForAtomicBool(true) // default to be enabled logEnabled = syncx.ForAtomicBool(true) // make it a variable for unit test systemOverloadChecker = func(cpuThreshold int64) bool { return stat.CpuUsage() >= cpuThreshold } ) type ( // A Promise interface is returned by Shedder.Allow to let callers tell // whether the processing request is successful or not. Promise interface { // Pass lets the caller tell that the call is successful. Pass() // Fail lets the caller tell that the call is failed. Fail() } // Shedder is the interface that wraps the Allow method. Shedder interface { // Allow returns the Promise if allowed, otherwise ErrServiceOverloaded. Allow() (Promise, error) } // ShedderOption lets caller customize the Shedder. ShedderOption func(opts *shedderOptions) shedderOptions struct { window time.Duration buckets int cpuThreshold int64 } adaptiveShedder struct { cpuThreshold int64 windowScale float64 flying int64 avgFlying float64 avgFlyingLock syncx.SpinLock overloadTime *syncx.AtomicDuration droppedRecently *syncx.AtomicBool passCounter *collection.RollingWindow[int64, *collection.Bucket[int64]] rtCounter *collection.RollingWindow[int64, *collection.Bucket[int64]] } ) // Disable lets callers disable load shedding. func Disable() { enabled.Set(false) } // DisableLog disables the stat logs for load shedding. func DisableLog() { logEnabled.Set(false) } // NewAdaptiveShedder returns an adaptive shedder. // opts can be used to customize the Shedder. func NewAdaptiveShedder(opts ...ShedderOption) Shedder { if !enabled.True() { return newNopShedder() } options := shedderOptions{ window: defaultWindow, buckets: defaultBuckets, cpuThreshold: defaultCpuThreshold, } for _, opt := range opts { opt(&options) } bucketDuration := options.window / time.Duration(options.buckets) newBucket := func() *collection.Bucket[int64] { return new(collection.Bucket[int64]) } return &adaptiveShedder{ cpuThreshold: options.cpuThreshold, windowScale: float64(time.Second) / float64(bucketDuration) / millisecondsPerSecond, overloadTime: syncx.NewAtomicDuration(), droppedRecently: syncx.NewAtomicBool(), passCounter: collection.NewRollingWindow[int64, *collection.Bucket[int64]](newBucket, options.buckets, bucketDuration, collection.IgnoreCurrentBucket[int64, *collection.Bucket[int64]]()), rtCounter: collection.NewRollingWindow[int64, *collection.Bucket[int64]](newBucket, options.buckets, bucketDuration, collection.IgnoreCurrentBucket[int64, *collection.Bucket[int64]]()), } } // Allow implements Shedder.Allow. func (as *adaptiveShedder) Allow() (Promise, error) { if as.shouldDrop() { as.droppedRecently.Set(true) return nil, ErrServiceOverloaded } as.addFlying(1) return &promise{ start: timex.Now(), shedder: as, }, nil } func (as *adaptiveShedder) addFlying(delta int64) { flying := atomic.AddInt64(&as.flying, delta) // update avgFlying when the request is finished. // this strategy makes avgFlying have a little bit of lag against flying, and smoother. // when the flying requests increase rapidly, avgFlying increase slower, accept more requests. // when the flying requests drop rapidly, avgFlying drop slower, accept fewer requests. // it makes the service to serve as many requests as possible. if delta < 0 { as.avgFlyingLock.Lock() as.avgFlying = as.avgFlying*flyingBeta + float64(flying)*(1-flyingBeta) as.avgFlyingLock.Unlock() } } func (as *adaptiveShedder) highThru() bool { as.avgFlyingLock.Lock() avgFlying := as.avgFlying as.avgFlyingLock.Unlock() maxFlight := as.maxFlight() * as.overloadFactor() return avgFlying > maxFlight && float64(atomic.LoadInt64(&as.flying)) > maxFlight } func (as *adaptiveShedder) maxFlight() float64 { // windows = buckets per second // maxQPS = maxPASS * windows // minRT = min average response time in milliseconds // allowedFlying = maxQPS * minRT / milliseconds_per_second maxFlight := float64(as.maxPass()) * as.minRt() * as.windowScale return mathx.AtLeast(maxFlight, 1) } func (as *adaptiveShedder) maxPass() int64 { var result int64 = 1 as.passCounter.Reduce(func(b *collection.Bucket[int64]) { if b.Sum > result { result = b.Sum } }) return result } func (as *adaptiveShedder) minRt() float64 { // if no requests in previous windows, return defaultMinRt, // its a reasonable large value to avoid dropping requests. result := defaultMinRt as.rtCounter.Reduce(func(b *collection.Bucket[int64]) { if b.Count <= 0 { return } avg := math.Round(float64(b.Sum) / float64(b.Count)) if avg < result { result = avg } }) return result } func (as *adaptiveShedder) overloadFactor() float64 { // as.cpuThreshold must be less than cpuMax factor := (cpuMax - float64(stat.CpuUsage())) / (cpuMax - float64(as.cpuThreshold)) // at least accept 10% of acceptable requests, even cpu is highly overloaded. return mathx.Between(factor, overloadFactorLowerBound, 1) } func (as *adaptiveShedder) shouldDrop() bool { if as.systemOverloaded() || as.stillHot() { if as.highThru() { flying := atomic.LoadInt64(&as.flying) as.avgFlyingLock.Lock() avgFlying := as.avgFlying as.avgFlyingLock.Unlock() msg := fmt.Sprintf( "dropreq, cpu: %d, maxPass: %d, minRt: %.2f, hot: %t, flying: %d, avgFlying: %.2f", stat.CpuUsage(), as.maxPass(), as.minRt(), as.stillHot(), flying, avgFlying) logx.Error(msg) stat.Report(msg) return true } } return false } func (as *adaptiveShedder) stillHot() bool { if !as.droppedRecently.True() { return false } overloadTime := as.overloadTime.Load() if overloadTime == 0 { return false } if timex.Since(overloadTime) < coolOffDuration { return true } as.droppedRecently.Set(false) return false } func (as *adaptiveShedder) systemOverloaded() bool { if !systemOverloadChecker(as.cpuThreshold) { return false } as.overloadTime.Set(timex.Now()) return true } // WithBuckets customizes the Shedder with the given number of buckets. func WithBuckets(buckets int) ShedderOption { return func(opts *shedderOptions) { opts.buckets = buckets } } // WithCpuThreshold customizes the Shedder with the given cpu threshold. func WithCpuThreshold(threshold int64) ShedderOption { return func(opts *shedderOptions) { opts.cpuThreshold = threshold } } // WithWindow customizes the Shedder with given func WithWindow(window time.Duration) ShedderOption { return func(opts *shedderOptions) { opts.window = window } } type promise struct { start time.Duration shedder *adaptiveShedder } func (p *promise) Fail() { p.shedder.addFlying(-1) } func (p *promise) Pass() { rt := float64(timex.Since(p.start)) / float64(time.Millisecond) p.shedder.addFlying(-1) p.shedder.rtCounter.Add(int64(math.Ceil(rt))) p.shedder.passCounter.Add(1) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/threading/stablerunner_test.go
core/threading/stablerunner_test.go
package threading import ( "math/rand" "sort" "sync" "testing" "time" "github.com/stretchr/testify/assert" ) func TestStableRunner(t *testing.T) { size := bufSize * 2 rand.NewSource(time.Now().UnixNano()) runner := NewStableRunner(func(v int) float64 { if v == 0 { time.Sleep(time.Millisecond * 100) } else { time.Sleep(time.Millisecond * time.Duration(rand.Intn(10))) } return float64(v) + 0.5 }) var waitGroup sync.WaitGroup waitGroup.Add(1) go func() { for i := 0; i < size; i++ { assert.NoError(t, runner.Push(i)) } runner.Wait() waitGroup.Done() }() values := make([]float64, size) for i := 0; i < size; i++ { var err error values[i], err = runner.Get() assert.NoError(t, err) time.Sleep(time.Millisecond) } assert.True(t, sort.Float64sAreSorted(values)) waitGroup.Wait() assert.Equal(t, ErrRunnerClosed, runner.Push(1)) _, err := runner.Get() assert.Equal(t, ErrRunnerClosed, err) } func FuzzStableRunner(f *testing.F) { rand.NewSource(time.Now().UnixNano()) f.Add(uint64(bufSize)) f.Fuzz(func(t *testing.T, n uint64) { runner := NewStableRunner(func(v int) float64 { if v == 0 { time.Sleep(time.Millisecond * 100) } else { time.Sleep(time.Millisecond * time.Duration(rand.Intn(10))) } return float64(v) + 0.5 }) go func() { for i := 0; i < int(n); i++ { assert.NoError(t, runner.Push(i)) } }() values := make([]float64, n) for i := 0; i < int(n); i++ { var err error values[i], err = runner.Get() assert.NoError(t, err) } runner.Wait() assert.True(t, sort.Float64sAreSorted(values)) // make sure returning errors after runner is closed assert.Equal(t, ErrRunnerClosed, runner.Push(1)) _, err := runner.Get() assert.Equal(t, ErrRunnerClosed, err) }) } func BenchmarkStableRunner(b *testing.B) { runner := NewStableRunner(func(v int) float64 { time.Sleep(time.Millisecond * time.Duration(rand.Intn(10))) return float64(v) + 0.5 }) for i := 0; i < b.N; i++ { _ = runner.Push(i) _, _ = runner.Get() } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/threading/routinegroup_test.go
core/threading/routinegroup_test.go
package threading import ( "sync" "sync/atomic" "testing" "github.com/stretchr/testify/assert" "github.com/zeromicro/go-zero/core/logx/logtest" ) func TestRoutineGroupRun(t *testing.T) { var count int32 group := NewRoutineGroup() for i := 0; i < 3; i++ { group.Run(func() { atomic.AddInt32(&count, 1) }) } group.Wait() assert.Equal(t, int32(3), count) } func TestRoutingGroupRunSafe(t *testing.T) { logtest.Discard(t) var count int32 group := NewRoutineGroup() var once sync.Once for i := 0; i < 3; i++ { group.RunSafe(func() { once.Do(func() { panic("") }) atomic.AddInt32(&count, 1) }) } group.Wait() assert.Equal(t, int32(2), count) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/threading/workergroup.go
core/threading/workergroup.go
package threading // A WorkerGroup is used to run given number of workers to process jobs. type WorkerGroup struct { job func() workers int } // NewWorkerGroup returns a WorkerGroup with given job and workers. func NewWorkerGroup(job func(), workers int) WorkerGroup { return WorkerGroup{ job: job, workers: workers, } } // Start starts a WorkerGroup. func (wg WorkerGroup) Start() { group := NewRoutineGroup() for i := 0; i < wg.workers; i++ { group.RunSafe(wg.job) } group.Wait() }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/threading/routinegroup.go
core/threading/routinegroup.go
package threading import "sync" // A RoutineGroup is used to group goroutines together and all wait all goroutines to be done. type RoutineGroup struct { waitGroup sync.WaitGroup } // NewRoutineGroup returns a RoutineGroup. func NewRoutineGroup() *RoutineGroup { return new(RoutineGroup) } // Run runs the given fn in RoutineGroup. // Don't reference the variables from outside, // because outside variables can be changed by other goroutines func (g *RoutineGroup) Run(fn func()) { g.waitGroup.Add(1) go func() { defer g.waitGroup.Done() fn() }() } // RunSafe runs the given fn in RoutineGroup, and avoid panics. // Don't reference the variables from outside, // because outside variables can be changed by other goroutines func (g *RoutineGroup) RunSafe(fn func()) { g.waitGroup.Add(1) GoSafe(func() { defer g.waitGroup.Done() fn() }) } // Wait waits all running functions to be done. func (g *RoutineGroup) Wait() { g.waitGroup.Wait() }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/threading/taskrunner.go
core/threading/taskrunner.go
package threading import ( "errors" "sync" "github.com/zeromicro/go-zero/core/lang" "github.com/zeromicro/go-zero/core/rescue" ) // ErrTaskRunnerBusy is the error that indicates the runner is busy. var ErrTaskRunnerBusy = errors.New("task runner is busy") // A TaskRunner is used to control the concurrency of goroutines. type TaskRunner struct { limitChan chan lang.PlaceholderType waitGroup sync.WaitGroup } // NewTaskRunner returns a TaskRunner. func NewTaskRunner(concurrency int) *TaskRunner { return &TaskRunner{ limitChan: make(chan lang.PlaceholderType, concurrency), } } // Schedule schedules a task to run under concurrency control. func (rp *TaskRunner) Schedule(task func()) { // Why we add waitGroup first, in case of race condition on starting a task and wait returns. // For example, limitChan is full, and the task is scheduled to run, but the waitGroup is not added, // then the wait returns, and the task is then scheduled to run, but caller thinks all tasks are done. // the same reason for ScheduleImmediately. rp.waitGroup.Add(1) rp.limitChan <- lang.Placeholder go func() { defer rescue.Recover(func() { <-rp.limitChan rp.waitGroup.Done() }) task() }() } // ScheduleImmediately schedules a task to run immediately under concurrency control. // It returns ErrTaskRunnerBusy if the runner is busy. func (rp *TaskRunner) ScheduleImmediately(task func()) error { // Why we add waitGroup first, check the comment in Schedule. rp.waitGroup.Add(1) select { case rp.limitChan <- lang.Placeholder: default: rp.waitGroup.Done() return ErrTaskRunnerBusy } go func() { defer rescue.Recover(func() { <-rp.limitChan rp.waitGroup.Done() }) task() }() return nil } // Wait waits all running tasks to be done. func (rp *TaskRunner) Wait() { rp.waitGroup.Wait() }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/threading/taskrunner_test.go
core/threading/taskrunner_test.go
package threading import ( "runtime" "sync/atomic" "testing" "time" "github.com/stretchr/testify/assert" ) func TestTaskRunner_Schedule(t *testing.T) { times := 100 pool := NewTaskRunner(runtime.NumCPU()) var counter int32 for i := 0; i < times; i++ { pool.Schedule(func() { atomic.AddInt32(&counter, 1) }) } pool.Wait() assert.Equal(t, times, int(counter)) } func TestTaskRunner_ScheduleImmediately(t *testing.T) { cpus := runtime.NumCPU() times := cpus * 2 pool := NewTaskRunner(cpus) var counter int32 for i := 0; i < times; i++ { err := pool.ScheduleImmediately(func() { atomic.AddInt32(&counter, 1) time.Sleep(time.Millisecond * 100) }) if i < cpus { assert.Nil(t, err) } else { assert.ErrorIs(t, err, ErrTaskRunnerBusy) } } pool.Wait() assert.Equal(t, cpus, int(counter)) } func BenchmarkRoutinePool(b *testing.B) { queue := NewTaskRunner(runtime.NumCPU()) for i := 0; i < b.N; i++ { queue.Schedule(func() { }) } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/threading/workergroup_test.go
core/threading/workergroup_test.go
package threading import ( "fmt" "runtime" "sync" "testing" "github.com/stretchr/testify/assert" "github.com/zeromicro/go-zero/core/lang" ) func TestWorkerGroup(t *testing.T) { m := make(map[string]lang.PlaceholderType) var lock sync.Mutex var wg sync.WaitGroup wg.Add(runtime.NumCPU()) group := NewWorkerGroup(func() { lock.Lock() m[fmt.Sprint(RoutineId())] = lang.Placeholder lock.Unlock() wg.Done() }, runtime.NumCPU()) go group.Start() wg.Wait() assert.Equal(t, runtime.NumCPU(), len(m)) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/threading/routines_test.go
core/threading/routines_test.go
package threading import ( "bytes" "context" "testing" "github.com/stretchr/testify/assert" "github.com/zeromicro/go-zero/core/lang" "github.com/zeromicro/go-zero/core/logx" "github.com/zeromicro/go-zero/core/logx/logtest" ) func TestRoutineId(t *testing.T) { assert.True(t, RoutineId() > 0) } func TestRunSafe(t *testing.T) { logtest.Discard(t) i := 0 defer func() { assert.Equal(t, 1, i) }() ch := make(chan lang.PlaceholderType) go RunSafe(func() { defer func() { ch <- lang.Placeholder }() panic("panic") }) <-ch i++ } func TestRunSafeCtx(t *testing.T) { var buf bytes.Buffer logx.SetWriter(logx.NewWriter(&buf)) ctx := context.Background() ch := make(chan lang.PlaceholderType) i := 0 defer func() { assert.Equal(t, 1, i) }() go RunSafeCtx(ctx, func() { defer func() { ch <- lang.Placeholder }() panic("panic") }) <-ch i++ } func TestGoSafeCtx(t *testing.T) { var buf bytes.Buffer logx.SetWriter(logx.NewWriter(&buf)) ctx := context.Background() ch := make(chan lang.PlaceholderType) i := 0 defer func() { assert.Equal(t, 1, i) }() GoSafeCtx(ctx, func() { defer func() { ch <- lang.Placeholder }() panic("panic") }) <-ch i++ }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/threading/stablerunner.go
core/threading/stablerunner.go
package threading import ( "errors" "runtime" "sync" "sync/atomic" "time" ) const factor = 10 var ( ErrRunnerClosed = errors.New("runner closed") bufSize = runtime.NumCPU() * factor ) // StableRunner is a runner that guarantees messages are taken out with the pushed order. // This runner is typically useful for Kafka consumers with parallel processing. type StableRunner[I, O any] struct { handle func(I) O consumedIndex uint64 writtenIndex uint64 ring []*struct { value chan O lock sync.Mutex } runner *TaskRunner done chan struct{} } // NewStableRunner returns a new StableRunner with given message processor fn. func NewStableRunner[I, O any](fn func(I) O) *StableRunner[I, O] { ring := make([]*struct { value chan O lock sync.Mutex }, bufSize) for i := 0; i < bufSize; i++ { ring[i] = &struct { value chan O lock sync.Mutex }{ value: make(chan O, 1), } } return &StableRunner[I, O]{ handle: fn, ring: ring, runner: NewTaskRunner(runtime.NumCPU()), done: make(chan struct{}), } } // Get returns the next processed message in order. // This method should be called in one goroutine. func (r *StableRunner[I, O]) Get() (O, error) { defer atomic.AddUint64(&r.consumedIndex, 1) index := atomic.LoadUint64(&r.consumedIndex) offset := index % uint64(bufSize) holder := r.ring[offset] select { case o := <-holder.value: return o, nil case <-r.done: if atomic.LoadUint64(&r.consumedIndex) < atomic.LoadUint64(&r.writtenIndex) { return <-holder.value, nil } var o O return o, ErrRunnerClosed } } // Push pushes the message v into the runner and to be processed concurrently, // after processed, it will be cached to let caller take it in pushing order. func (r *StableRunner[I, O]) Push(v I) error { select { case <-r.done: return ErrRunnerClosed default: index := atomic.AddUint64(&r.writtenIndex, 1) offset := (index - 1) % uint64(bufSize) holder := r.ring[offset] holder.lock.Lock() r.runner.Schedule(func() { defer holder.lock.Unlock() o := r.handle(v) holder.value <- o }) return nil } } // Wait waits all the messages to be processed and taken from inner buffer. func (r *StableRunner[I, O]) Wait() { close(r.done) r.runner.Wait() for atomic.LoadUint64(&r.consumedIndex) < atomic.LoadUint64(&r.writtenIndex) { time.Sleep(time.Millisecond) } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/threading/routines.go
core/threading/routines.go
package threading import ( "bytes" "context" "runtime" "strconv" "github.com/zeromicro/go-zero/core/rescue" ) // GoSafe runs the given fn using another goroutine, recovers if fn panics. func GoSafe(fn func()) { go RunSafe(fn) } // GoSafeCtx runs the given fn using another goroutine, recovers if fn panics with ctx. func GoSafeCtx(ctx context.Context, fn func()) { go RunSafeCtx(ctx, fn) } // RoutineId is only for debug, never use it in production. func RoutineId() uint64 { b := make([]byte, 64) b = b[:runtime.Stack(b, false)] b = bytes.TrimPrefix(b, []byte("goroutine ")) b = b[:bytes.IndexByte(b, ' ')] // if error, just return 0 n, _ := strconv.ParseUint(string(b), 10, 64) return n } // RunSafe runs the given fn, recovers if fn panics. func RunSafe(fn func()) { defer rescue.Recover() fn() } // RunSafeCtx runs the given fn, recovers if fn panics with ctx. func RunSafeCtx(ctx context.Context, fn func()) { defer rescue.RecoverCtx(ctx) fn() }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/jsonx/json.go
core/jsonx/json.go
package jsonx import ( "bytes" "encoding/json" "fmt" "io" "strings" ) // Marshal marshals v into json bytes, without escaping HTML and removes the trailing newline. func Marshal(v any) ([]byte, error) { // why not use json.Marshal? https://github.com/golang/go/issues/28453 // it changes the behavior of json.Marshal, like & -> \u0026, < -> \u003c, > -> \u003e // which is not what we want in API responses var buf bytes.Buffer enc := json.NewEncoder(&buf) enc.SetEscapeHTML(false) if err := enc.Encode(v); err != nil { return nil, err } bs := buf.Bytes() // Remove trailing newline added by json.Encoder.Encode if len(bs) > 0 && bs[len(bs)-1] == '\n' { bs = bs[:len(bs)-1] } return bs, nil } // MarshalToString marshals v into a string. func MarshalToString(v any) (string, error) { data, err := Marshal(v) if err != nil { return "", err } return string(data), nil } // Unmarshal unmarshals data bytes into v. func Unmarshal(data []byte, v any) error { decoder := json.NewDecoder(bytes.NewReader(data)) if err := unmarshalUseNumber(decoder, v); err != nil { return formatError(string(data), err) } return nil } // UnmarshalFromString unmarshals v from str. func UnmarshalFromString(str string, v any) error { decoder := json.NewDecoder(strings.NewReader(str)) if err := unmarshalUseNumber(decoder, v); err != nil { return formatError(str, err) } return nil } // UnmarshalFromReader unmarshals v from reader. func UnmarshalFromReader(reader io.Reader, v any) error { var buf strings.Builder teeReader := io.TeeReader(reader, &buf) decoder := json.NewDecoder(teeReader) if err := unmarshalUseNumber(decoder, v); err != nil { return formatError(buf.String(), err) } return nil } func unmarshalUseNumber(decoder *json.Decoder, v any) error { decoder.UseNumber() return decoder.Decode(v) } func formatError(v string, err error) error { return fmt.Errorf("string: `%s`, error: `%w`", v, err) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/jsonx/json_test.go
core/jsonx/json_test.go
package jsonx import ( "fmt" "strings" "testing" "github.com/stretchr/testify/assert" ) func TestMarshal(t *testing.T) { var v = struct { Name string `json:"name"` Age int `json:"age"` }{ Name: "John", Age: 30, } bs, err := Marshal(v) assert.Nil(t, err) assert.Equal(t, `{"name":"John","age":30}`, string(bs)) } func TestMarshalToString(t *testing.T) { var v = struct { Name string `json:"name"` Age int `json:"age"` }{ Name: "John", Age: 30, } toString, err := MarshalToString(v) assert.Nil(t, err) assert.Equal(t, `{"name":"John","age":30}`, toString) _, err = MarshalToString(make(chan int)) assert.NotNil(t, err) } func TestUnmarshal(t *testing.T) { const s = `{"name":"John","age":30}` var v struct { Name string `json:"name"` Age int `json:"age"` } err := Unmarshal([]byte(s), &v) assert.Nil(t, err) assert.Equal(t, "John", v.Name) assert.Equal(t, 30, v.Age) } func TestUnmarshalError(t *testing.T) { const s = `{"name":"John","age":30` var v struct { Name string `json:"name"` Age int `json:"age"` } err := Unmarshal([]byte(s), &v) assert.NotNil(t, err) } func TestUnmarshalFromString(t *testing.T) { const s = `{"name":"John","age":30}` var v struct { Name string `json:"name"` Age int `json:"age"` } err := UnmarshalFromString(s, &v) assert.Nil(t, err) assert.Equal(t, "John", v.Name) assert.Equal(t, 30, v.Age) } func TestUnmarshalFromStringError(t *testing.T) { const s = `{"name":"John","age":30` var v struct { Name string `json:"name"` Age int `json:"age"` } err := UnmarshalFromString(s, &v) assert.NotNil(t, err) } func TestUnmarshalFromRead(t *testing.T) { const s = `{"name":"John","age":30}` var v struct { Name string `json:"name"` Age int `json:"age"` } err := UnmarshalFromReader(strings.NewReader(s), &v) assert.Nil(t, err) assert.Equal(t, "John", v.Name) assert.Equal(t, 30, v.Age) } func TestUnmarshalFromReaderError(t *testing.T) { const s = `{"name":"John","age":30` var v struct { Name string `json:"name"` Age int `json:"age"` } err := UnmarshalFromReader(strings.NewReader(s), &v) assert.NotNil(t, err) } func Test_doMarshalJson(t *testing.T) { type args struct { v any } tests := []struct { name string args args want []byte wantErr assert.ErrorAssertionFunc }{ { name: "nil", args: args{nil}, want: []byte("null"), wantErr: assert.NoError, }, { name: "string", args: args{"hello"}, want: []byte(`"hello"`), wantErr: assert.NoError, }, { name: "int", args: args{42}, want: []byte("42"), wantErr: assert.NoError, }, { name: "bool", args: args{true}, want: []byte("true"), wantErr: assert.NoError, }, { name: "struct", args: args{ struct { Name string `json:"name"` }{Name: "test"}, }, want: []byte(`{"name":"test"}`), wantErr: assert.NoError, }, { name: "slice", args: args{[]int{1, 2, 3}}, want: []byte("[1,2,3]"), wantErr: assert.NoError, }, { name: "map", args: args{map[string]int{"a": 1, "b": 2}}, want: []byte(`{"a":1,"b":2}`), wantErr: assert.NoError, }, { name: "unmarshalable type", args: args{complex(1, 2)}, want: nil, wantErr: assert.Error, }, { name: "channel type", args: args{make(chan int)}, want: nil, wantErr: assert.Error, }, { name: "url with query params", args: args{"https://example.com/api?name=test&age=25"}, want: []byte(`"https://example.com/api?name=test&age=25"`), wantErr: assert.NoError, }, { name: "url with encoded query params", args: args{"https://example.com/api?data=hello%20world&special=%26%3D"}, want: []byte(`"https://example.com/api?data=hello%20world&special=%26%3D"`), wantErr: assert.NoError, }, { name: "url with multiple query params", args: args{"http://localhost:8080/users?page=1&limit=10&sort=name&order=asc"}, want: []byte(`"http://localhost:8080/users?page=1&limit=10&sort=name&order=asc"`), wantErr: assert.NoError, }, } for _, tt := range tests { tt := tt t.Run(tt.name, func(t *testing.T) { got, err := Marshal(tt.args.v) if !tt.wantErr(t, err, fmt.Sprintf("Marshal(%v)", tt.args.v)) { return } assert.Equalf(t, string(tt.want), string(got), "Marshal(%v)", tt.args.v) }) } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/fs/files_test.go
core/fs/files_test.go
package fs import ( "os" "testing" "github.com/stretchr/testify/assert" ) func TestCloseOnExec(t *testing.T) { file := os.NewFile(0, os.DevNull) assert.NotPanics(t, func() { CloseOnExec(file) }) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/fs/temps_test.go
core/fs/temps_test.go
package fs import ( "io" "os" "testing" "github.com/stretchr/testify/assert" ) func TestTempFileWithText(t *testing.T) { f, err := TempFileWithText("test") if err != nil { t.Error(err) } if f == nil { t.Error("TempFileWithText returned nil") } if f.Name() == "" { t.Error("TempFileWithText returned empty file name") } defer os.Remove(f.Name()) bs, err := io.ReadAll(f) assert.Nil(t, err) if len(bs) != 4 { t.Error("TempFileWithText returned wrong file size") } if f.Close() != nil { t.Error("TempFileWithText returned error on close") } } func TestTempFilenameWithText(t *testing.T) { f, err := TempFilenameWithText("test") if err != nil { t.Error(err) } if f == "" { t.Error("TempFilenameWithText returned empty file name") } defer os.Remove(f) bs, err := os.ReadFile(f) assert.Nil(t, err) if len(bs) != 4 { t.Error("TempFilenameWithText returned wrong file size") } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/fs/files.go
core/fs/files.go
//go:build linux || darwin || freebsd package fs import ( "os" "syscall" ) // CloseOnExec makes sure closing the file on process forking. func CloseOnExec(file *os.File) { if file != nil { syscall.CloseOnExec(int(file.Fd())) } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/fs/temps.go
core/fs/temps.go
package fs import ( "os" "github.com/zeromicro/go-zero/core/hash" ) // TempFileWithText creates the temporary file with the given content, // and returns the opened *os.File instance. // The file is kept as open, the caller should close the file handle, // and remove the file by name. func TempFileWithText(text string) (*os.File, error) { tmpFile, err := os.CreateTemp(os.TempDir(), hash.Md5Hex([]byte(text))) if err != nil { return nil, err } if err := os.WriteFile(tmpFile.Name(), []byte(text), os.ModeTemporary); err != nil { return nil, err } return tmpFile, nil } // TempFilenameWithText creates the file with the given content, // and returns the filename (full path). // The caller should remove the file after use. func TempFilenameWithText(text string) (string, error) { tmpFile, err := TempFileWithText(text) if err != nil { return "", err } filename := tmpFile.Name() if err = tmpFile.Close(); err != nil { return "", err } return filename, nil }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/fs/files+polyfill.go
core/fs/files+polyfill.go
//go:build windows package fs import "os" func CloseOnExec(*os.File) { }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/naming/namer.go
core/naming/namer.go
package naming // Namer interface wraps the method Name. type Namer interface { Name() string }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/fx/stream.go
core/fx/stream.go
package fx import ( "sort" "sync" "github.com/zeromicro/go-zero/core/collection" "github.com/zeromicro/go-zero/core/lang" "github.com/zeromicro/go-zero/core/threading" ) const ( defaultWorkers = 16 minWorkers = 1 ) type ( rxOptions struct { unlimitedWorkers bool workers int } // FilterFunc defines the method to filter a Stream. FilterFunc func(item any) bool // ForAllFunc defines the method to handle all elements in a Stream. ForAllFunc func(pipe <-chan any) // ForEachFunc defines the method to handle each element in a Stream. ForEachFunc func(item any) // GenerateFunc defines the method to send elements into a Stream. GenerateFunc func(source chan<- any) // KeyFunc defines the method to generate keys for the elements in a Stream. KeyFunc func(item any) any // LessFunc defines the method to compare the elements in a Stream. LessFunc func(a, b any) bool // MapFunc defines the method to map each element to another object in a Stream. MapFunc func(item any) any // Option defines the method to customize a Stream. Option func(opts *rxOptions) // ParallelFunc defines the method to handle elements parallelly. ParallelFunc func(item any) // ReduceFunc defines the method to reduce all the elements in a Stream. ReduceFunc func(pipe <-chan any) (any, error) // WalkFunc defines the method to walk through all the elements in a Stream. WalkFunc func(item any, pipe chan<- any) // A Stream is a stream that can be used to do stream processing. Stream struct { source <-chan any } ) // Concat returns a concatenated Stream. func Concat(s Stream, others ...Stream) Stream { return s.Concat(others...) } // From constructs a Stream from the given GenerateFunc. func From(generate GenerateFunc) Stream { source := make(chan any) threading.GoSafe(func() { defer close(source) generate(source) }) return Range(source) } // Just converts the given arbitrary items to a Stream. func Just(items ...any) Stream { source := make(chan any, len(items)) for _, item := range items { source <- item } close(source) return Range(source) } // Range converts the given channel to a Stream. func Range(source <-chan any) Stream { return Stream{ source: source, } } // AllMatch returns whether all elements of this stream match the provided predicate. // May not evaluate the predicate on all elements if not necessary for determining the result. // If the stream is empty then true is returned and the predicate is not evaluated. func (s Stream) AllMatch(predicate func(item any) bool) bool { for item := range s.source { if !predicate(item) { // make sure the former goroutine not block, and current func returns fast. go drain(s.source) return false } } return true } // AnyMatch returns whether any elements of this stream match the provided predicate. // May not evaluate the predicate on all elements if not necessary for determining the result. // If the stream is empty then false is returned and the predicate is not evaluated. func (s Stream) AnyMatch(predicate func(item any) bool) bool { for item := range s.source { if predicate(item) { // make sure the former goroutine not block, and current func returns fast. go drain(s.source) return true } } return false } // Buffer buffers the items into a queue with size n. // It can balance the producer and the consumer if their processing throughput don't match. func (s Stream) Buffer(n int) Stream { if n < 0 { n = 0 } source := make(chan any, n) go func() { for item := range s.source { source <- item } close(source) }() return Range(source) } // Concat returns a Stream that concatenated other streams func (s Stream) Concat(others ...Stream) Stream { source := make(chan any) go func() { group := threading.NewRoutineGroup() group.Run(func() { for item := range s.source { source <- item } }) for _, each := range others { each := each group.Run(func() { for item := range each.source { source <- item } }) } group.Wait() close(source) }() return Range(source) } // Count counts the number of elements in the result. func (s Stream) Count() (count int) { for range s.source { count++ } return } // Distinct removes the duplicated items based on the given KeyFunc. func (s Stream) Distinct(fn KeyFunc) Stream { source := make(chan any) threading.GoSafe(func() { defer close(source) keys := make(map[any]lang.PlaceholderType) for item := range s.source { key := fn(item) if _, ok := keys[key]; !ok { source <- item keys[key] = lang.Placeholder } } }) return Range(source) } // Done waits all upstreaming operations to be done. func (s Stream) Done() { drain(s.source) } // Filter filters the items by the given FilterFunc. func (s Stream) Filter(fn FilterFunc, opts ...Option) Stream { return s.Walk(func(item any, pipe chan<- any) { if fn(item) { pipe <- item } }, opts...) } // First returns the first item, nil if no items. func (s Stream) First() any { for item := range s.source { // make sure the former goroutine not block, and current func returns fast. go drain(s.source) return item } return nil } // ForAll handles the streaming elements from the source and no later streams. func (s Stream) ForAll(fn ForAllFunc) { fn(s.source) // avoid goroutine leak on fn not consuming all items. go drain(s.source) } // ForEach seals the Stream with the ForEachFunc on each item, no successive operations. func (s Stream) ForEach(fn ForEachFunc) { for item := range s.source { fn(item) } } // Group groups the elements into different groups based on their keys. func (s Stream) Group(fn KeyFunc) Stream { groups := make(map[any][]any) for item := range s.source { key := fn(item) groups[key] = append(groups[key], item) } source := make(chan any) go func() { for _, group := range groups { source <- group } close(source) }() return Range(source) } // Head returns the first n elements in p. func (s Stream) Head(n int64) Stream { if n < 1 { panic("n must be greater than 0") } source := make(chan any) go func() { for item := range s.source { n-- if n >= 0 { source <- item } if n == 0 { // let successive method go ASAP even we have more items to skip close(source) // why we don't just break the loop, and drain to consume all items. // because if breaks, this former goroutine will block forever, // which will cause goroutine leak. drain(s.source) } } // not enough items in s.source, but we need to let successive method to go ASAP. if n > 0 { close(source) } }() return Range(source) } // Last returns the last item, or nil if no items. func (s Stream) Last() (item any) { for item = range s.source { } return } // Map converts each item to another corresponding item, which means it's a 1:1 model. func (s Stream) Map(fn MapFunc, opts ...Option) Stream { return s.Walk(func(item any, pipe chan<- any) { pipe <- fn(item) }, opts...) } // Max returns the maximum item from the underlying source. func (s Stream) Max(less LessFunc) any { var max any for item := range s.source { if max == nil || less(max, item) { max = item } } return max } // Merge merges all the items into a slice and generates a new stream. func (s Stream) Merge() Stream { var items []any for item := range s.source { items = append(items, item) } source := make(chan any, 1) source <- items close(source) return Range(source) } // Min returns the minimum item from the underlying source. func (s Stream) Min(less LessFunc) any { var min any for item := range s.source { if min == nil || less(item, min) { min = item } } return min } // NoneMatch returns whether all elements of this stream don't match the provided predicate. // May not evaluate the predicate on all elements if not necessary for determining the result. // If the stream is empty then true is returned and the predicate is not evaluated. func (s Stream) NoneMatch(predicate func(item any) bool) bool { for item := range s.source { if predicate(item) { // make sure the former goroutine not block, and current func returns fast. go drain(s.source) return false } } return true } // Parallel applies the given ParallelFunc to each item concurrently with given number of workers. func (s Stream) Parallel(fn ParallelFunc, opts ...Option) { s.Walk(func(item any, pipe chan<- any) { fn(item) }, opts...).Done() } // Reduce is a utility method to let the caller deal with the underlying channel. func (s Stream) Reduce(fn ReduceFunc) (any, error) { return fn(s.source) } // Reverse reverses the elements in the stream. func (s Stream) Reverse() Stream { var items []any for item := range s.source { items = append(items, item) } // reverse, official method for i := len(items)/2 - 1; i >= 0; i-- { opp := len(items) - 1 - i items[i], items[opp] = items[opp], items[i] } return Just(items...) } // Skip returns a Stream that skips size elements. func (s Stream) Skip(n int64) Stream { if n < 0 { panic("n must not be negative") } if n == 0 { return s } source := make(chan any) go func() { for item := range s.source { n-- if n >= 0 { continue } else { source <- item } } close(source) }() return Range(source) } // Sort sorts the items from the underlying source. func (s Stream) Sort(less LessFunc) Stream { var items []any for item := range s.source { items = append(items, item) } sort.Slice(items, func(i, j int) bool { return less(items[i], items[j]) }) return Just(items...) } // Split splits the elements into chunk with size up to n, // might be less than n on tailing elements. func (s Stream) Split(n int) Stream { if n < 1 { panic("n should be greater than 0") } source := make(chan any) go func() { var chunk []any for item := range s.source { chunk = append(chunk, item) if len(chunk) == n { source <- chunk chunk = nil } } if chunk != nil { source <- chunk } close(source) }() return Range(source) } // Tail returns the last n elements in p. func (s Stream) Tail(n int64) Stream { if n < 1 { panic("n should be greater than 0") } source := make(chan any) go func() { ring := collection.NewRing(int(n)) for item := range s.source { ring.Add(item) } for _, item := range ring.Take() { source <- item } close(source) }() return Range(source) } // Walk lets the callers handle each item, the caller may write zero, one or more items based on the given item. func (s Stream) Walk(fn WalkFunc, opts ...Option) Stream { option := buildOptions(opts...) if option.unlimitedWorkers { return s.walkUnlimited(fn, option) } return s.walkLimited(fn, option) } func (s Stream) walkLimited(fn WalkFunc, option *rxOptions) Stream { pipe := make(chan any, option.workers) go func() { var wg sync.WaitGroup pool := make(chan lang.PlaceholderType, option.workers) for item := range s.source { // important, used in another goroutine val := item pool <- lang.Placeholder wg.Add(1) // better to safely run caller defined method threading.GoSafe(func() { defer func() { wg.Done() <-pool }() fn(val, pipe) }) } wg.Wait() close(pipe) }() return Range(pipe) } func (s Stream) walkUnlimited(fn WalkFunc, option *rxOptions) Stream { pipe := make(chan any, option.workers) go func() { var wg sync.WaitGroup for item := range s.source { // important, used in another goroutine val := item wg.Add(1) // better to safely run caller defined method threading.GoSafe(func() { defer wg.Done() fn(val, pipe) }) } wg.Wait() close(pipe) }() return Range(pipe) } // UnlimitedWorkers lets the caller use as many workers as the tasks. func UnlimitedWorkers() Option { return func(opts *rxOptions) { opts.unlimitedWorkers = true } } // WithWorkers lets the caller customize the concurrent workers. func WithWorkers(workers int) Option { return func(opts *rxOptions) { if workers < minWorkers { opts.workers = minWorkers } else { opts.workers = workers } } } // buildOptions returns a rxOptions with given customizations. func buildOptions(opts ...Option) *rxOptions { options := newOptions() for _, opt := range opts { opt(options) } return options } // drain drains the given channel. func drain(channel <-chan any) { for range channel { } } // newOptions returns a default rxOptions. func newOptions() *rxOptions { return &rxOptions{ workers: defaultWorkers, } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/fx/timeout_test.go
core/fx/timeout_test.go
package fx import ( "context" "testing" "time" "github.com/stretchr/testify/assert" ) func TestWithPanic(t *testing.T) { assert.Panics(t, func() { _ = DoWithTimeout(func() error { panic("hello") }, time.Millisecond*50) }) } func TestWithTimeout(t *testing.T) { assert.Equal(t, ErrTimeout, DoWithTimeout(func() error { time.Sleep(time.Millisecond * 50) return nil }, time.Millisecond)) } func TestWithoutTimeout(t *testing.T) { assert.Nil(t, DoWithTimeout(func() error { return nil }, time.Millisecond*50)) } func TestWithCancel(t *testing.T) { ctx, cancel := context.WithCancel(context.Background()) go func() { time.Sleep(time.Millisecond * 10) cancel() }() err := DoWithTimeout(func() error { time.Sleep(time.Minute) return nil }, time.Second, WithContext(ctx)) assert.Equal(t, ErrCanceled, err) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/fx/retry_test.go
core/fx/retry_test.go
package fx import ( "context" "errors" "testing" "time" "github.com/stretchr/testify/assert" ) func TestRetry(t *testing.T) { assert.NotNil(t, DoWithRetry(func() error { return errors.New("any") })) times1 := 0 assert.Nil(t, DoWithRetry(func() error { times1++ if times1 == defaultRetryTimes { return nil } return errors.New("any") })) times2 := 0 assert.NotNil(t, DoWithRetry(func() error { times2++ if times2 == defaultRetryTimes+1 { return nil } return errors.New("any") })) total := 2 * defaultRetryTimes times3 := 0 assert.Nil(t, DoWithRetry(func() error { times3++ if times3 == total { return nil } return errors.New("any") }, WithRetry(total))) } func TestRetryWithTimeout(t *testing.T) { assert.Nil(t, DoWithRetry(func() error { return nil }, WithTimeout(time.Millisecond*500))) times1 := 0 assert.Nil(t, DoWithRetry(func() error { times1++ if times1 == 1 { return errors.New("any ") } time.Sleep(time.Millisecond * 150) return nil }, WithTimeout(time.Millisecond*250))) total := defaultRetryTimes times2 := 0 assert.Nil(t, DoWithRetry(func() error { times2++ if times2 == total { return nil } time.Sleep(time.Millisecond * 50) return errors.New("any") }, WithTimeout(time.Millisecond*50*(time.Duration(total)+2)))) assert.NotNil(t, DoWithRetry(func() error { return errors.New("any") }, WithTimeout(time.Millisecond*250))) } func TestRetryWithInterval(t *testing.T) { times1 := 0 assert.NotNil(t, DoWithRetry(func() error { times1++ if times1 == 1 { return errors.New("any") } time.Sleep(time.Millisecond * 150) return nil }, WithTimeout(time.Millisecond*250), WithInterval(time.Millisecond*150))) times2 := 0 assert.NotNil(t, DoWithRetry(func() error { times2++ if times2 == 2 { return nil } time.Sleep(time.Millisecond * 150) return errors.New("any ") }, WithTimeout(time.Millisecond*250), WithInterval(time.Millisecond*150))) } func TestRetryWithWithIgnoreErrors(t *testing.T) { ignoreErr1 := errors.New("ignore error1") ignoreErr2 := errors.New("ignore error2") ignoreErrs := []error{ignoreErr1, ignoreErr2} assert.Nil(t, DoWithRetry(func() error { return ignoreErr1 }, WithIgnoreErrors(ignoreErrs))) assert.Nil(t, DoWithRetry(func() error { return ignoreErr2 }, WithIgnoreErrors(ignoreErrs))) assert.NotNil(t, DoWithRetry(func() error { return errors.New("any") })) } func TestRetryCtx(t *testing.T) { t.Run("with timeout", func(t *testing.T) { assert.NotNil(t, DoWithRetryCtx(context.Background(), func(ctx context.Context, retryCount int) error { if retryCount == 0 { return errors.New("any") } time.Sleep(time.Millisecond * 150) return nil }, WithTimeout(time.Millisecond*250), WithInterval(time.Millisecond*150))) assert.NotNil(t, DoWithRetryCtx(context.Background(), func(ctx context.Context, retryCount int) error { if retryCount == 1 { return nil } time.Sleep(time.Millisecond * 150) return errors.New("any ") }, WithTimeout(time.Millisecond*250), WithInterval(time.Millisecond*150))) }) t.Run("with deadline exceeded", func(t *testing.T) { ctx, cancel := context.WithDeadline(context.Background(), time.Now().Add(time.Millisecond*250)) defer cancel() var times int assert.Error(t, DoWithRetryCtx(ctx, func(ctx context.Context, retryCount int) error { times++ time.Sleep(time.Millisecond * 150) return errors.New("any") }, WithInterval(time.Millisecond*150))) assert.Equal(t, 1, times) }) t.Run("with deadline not exceeded", func(t *testing.T) { ctx, cancel := context.WithDeadline(context.Background(), time.Now().Add(time.Millisecond*250)) defer cancel() var times int assert.NoError(t, DoWithRetryCtx(ctx, func(ctx context.Context, retryCount int) error { times++ if times == defaultRetryTimes { return nil } time.Sleep(time.Millisecond * 50) return errors.New("any") })) assert.Equal(t, defaultRetryTimes, times) }) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/fx/retry.go
core/fx/retry.go
package fx import ( "context" "errors" "time" "github.com/zeromicro/go-zero/core/errorx" ) const defaultRetryTimes = 3 type ( // RetryOption defines the method to customize DoWithRetry. RetryOption func(*retryOptions) retryOptions struct { times int interval time.Duration timeout time.Duration ignoreErrors []error } ) // DoWithRetry runs fn, and retries if failed. Default to retry 3 times. // Note that if the fn function accesses global variables outside the function // and performs modification operations, it is best to lock them, // otherwise there may be data race issues func DoWithRetry(fn func() error, opts ...RetryOption) error { return retry(context.Background(), func(errChan chan error, retryCount int) { errChan <- fn() }, opts...) } // DoWithRetryCtx runs fn, and retries if failed. Default to retry 3 times. // fn retryCount indicates the current number of retries, starting from 0 // Note that if the fn function accesses global variables outside the function // and performs modification operations, it is best to lock them, // otherwise there may be data race issues func DoWithRetryCtx(ctx context.Context, fn func(ctx context.Context, retryCount int) error, opts ...RetryOption) error { return retry(ctx, func(errChan chan error, retryCount int) { errChan <- fn(ctx, retryCount) }, opts...) } func retry(ctx context.Context, fn func(errChan chan error, retryCount int), opts ...RetryOption) error { options := newRetryOptions() for _, opt := range opts { opt(options) } var berr errorx.BatchError var cancelFunc context.CancelFunc if options.timeout > 0 { ctx, cancelFunc = context.WithTimeout(ctx, options.timeout) defer cancelFunc() } errChan := make(chan error, 1) for i := 0; i < options.times; i++ { go fn(errChan, i) select { case err := <-errChan: if err != nil { for _, ignoreErr := range options.ignoreErrors { if errors.Is(err, ignoreErr) { return nil } } berr.Add(err) } else { return nil } case <-ctx.Done(): berr.Add(ctx.Err()) return berr.Err() } if options.interval > 0 { select { case <-ctx.Done(): berr.Add(ctx.Err()) return berr.Err() case <-time.After(options.interval): } } } return berr.Err() } // WithIgnoreErrors Ignore the specified errors func WithIgnoreErrors(ignoreErrors []error) RetryOption { return func(options *retryOptions) { options.ignoreErrors = ignoreErrors } } // WithInterval customizes a DoWithRetry call with given interval. func WithInterval(interval time.Duration) RetryOption { return func(options *retryOptions) { options.interval = interval } } // WithRetry customizes a DoWithRetry call with given retry times. func WithRetry(times int) RetryOption { return func(options *retryOptions) { options.times = times } } // WithTimeout customizes a DoWithRetry call with given timeout. func WithTimeout(timeout time.Duration) RetryOption { return func(options *retryOptions) { options.timeout = timeout } } func newRetryOptions() *retryOptions { return &retryOptions{ times: defaultRetryTimes, } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/fx/parallel_test.go
core/fx/parallel_test.go
package fx import ( "errors" "sync/atomic" "testing" "time" "github.com/stretchr/testify/assert" ) func TestParallel(t *testing.T) { var count int32 Parallel(func() { time.Sleep(time.Millisecond * 100) atomic.AddInt32(&count, 1) }, func() { time.Sleep(time.Millisecond * 100) atomic.AddInt32(&count, 2) }, func() { time.Sleep(time.Millisecond * 100) atomic.AddInt32(&count, 3) }) assert.Equal(t, int32(6), count) } func TestParallelErr(t *testing.T) { var count int32 err := ParallelErr( func() error { time.Sleep(time.Millisecond * 100) atomic.AddInt32(&count, 1) return errors.New("failed to exec #1") }, func() error { time.Sleep(time.Millisecond * 100) atomic.AddInt32(&count, 2) return errors.New("failed to exec #2") }, func() error { time.Sleep(time.Millisecond * 100) atomic.AddInt32(&count, 3) return nil }, ) assert.Equal(t, int32(6), count) assert.Error(t, err) assert.ErrorContains(t, err, "failed to exec #1", "failed to exec #2") } func TestParallelErrErrorNil(t *testing.T) { var count int32 err := ParallelErr( func() error { time.Sleep(time.Millisecond * 100) atomic.AddInt32(&count, 1) return nil }, func() error { time.Sleep(time.Millisecond * 100) atomic.AddInt32(&count, 2) return nil }, func() error { time.Sleep(time.Millisecond * 100) atomic.AddInt32(&count, 3) return nil }, ) assert.Equal(t, int32(6), count) assert.NoError(t, err) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/fx/parallel.go
core/fx/parallel.go
package fx import ( "github.com/zeromicro/go-zero/core/errorx" "github.com/zeromicro/go-zero/core/threading" ) // Parallel runs fns parallelly and waits for done. func Parallel(fns ...func()) { group := threading.NewRoutineGroup() for _, fn := range fns { group.RunSafe(fn) } group.Wait() } func ParallelErr(fns ...func() error) error { var be errorx.BatchError group := threading.NewRoutineGroup() for _, fn := range fns { f := fn group.RunSafe(func() { if err := f(); err != nil { be.Add(err) } }) } group.Wait() return be.Err() }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/fx/timeout.go
core/fx/timeout.go
package fx import ( "context" "fmt" "runtime/debug" "strings" "time" ) var ( // ErrCanceled is the error returned when the context is canceled. ErrCanceled = context.Canceled // ErrTimeout is the error returned when the context's deadline passes. ErrTimeout = context.DeadlineExceeded ) // DoOption defines the method to customize a DoWithTimeout call. type DoOption func() context.Context // DoWithTimeout runs fn with timeout control. func DoWithTimeout(fn func() error, timeout time.Duration, opts ...DoOption) error { parentCtx := context.Background() for _, opt := range opts { parentCtx = opt() } ctx, cancel := context.WithTimeout(parentCtx, timeout) defer cancel() // create channel with buffer size 1 to avoid goroutine leak done := make(chan error, 1) panicChan := make(chan any, 1) go func() { defer func() { if p := recover(); p != nil { // attach call stack to avoid missing in different goroutine panicChan <- fmt.Sprintf("%+v\n\n%s", p, strings.TrimSpace(string(debug.Stack()))) } }() done <- fn() }() select { case p := <-panicChan: panic(p) case err := <-done: return err case <-ctx.Done(): return ctx.Err() } } // WithContext customizes a DoWithTimeout call with given ctx. func WithContext(ctx context.Context) DoOption { return func() context.Context { return ctx } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/fx/stream_test.go
core/fx/stream_test.go
package fx import ( "math/rand" "reflect" "runtime" "sort" "sync" "sync/atomic" "testing" "time" "github.com/stretchr/testify/assert" "github.com/zeromicro/go-zero/core/logx/logtest" "github.com/zeromicro/go-zero/core/stringx" "go.uber.org/goleak" ) func TestBuffer(t *testing.T) { runCheckedTest(t, func(t *testing.T) { const N = 5 var count int32 var wait sync.WaitGroup wait.Add(1) From(func(source chan<- any) { ticker := time.NewTicker(10 * time.Millisecond) defer ticker.Stop() for i := 0; i < 2*N; i++ { select { case source <- i: atomic.AddInt32(&count, 1) case <-ticker.C: wait.Done() return } } }).Buffer(N).ForAll(func(pipe <-chan any) { wait.Wait() // why N+1, because take one more to wait for sending into the channel assert.Equal(t, int32(N+1), atomic.LoadInt32(&count)) }) }) } func TestBufferNegative(t *testing.T) { runCheckedTest(t, func(t *testing.T) { var result int Just(1, 2, 3, 4).Buffer(-1).Reduce(func(pipe <-chan any) (any, error) { for item := range pipe { result += item.(int) } return result, nil }) assert.Equal(t, 10, result) }) } func TestCount(t *testing.T) { runCheckedTest(t, func(t *testing.T) { tests := []struct { name string elements []any }{ { name: "no elements with nil", }, { name: "no elements", elements: []any{}, }, { name: "1 element", elements: []any{1}, }, { name: "multiple elements", elements: []any{1, 2, 3}, }, } for _, test := range tests { t.Run(test.name, func(t *testing.T) { val := Just(test.elements...).Count() assert.Equal(t, len(test.elements), val) }) } }) } func TestDone(t *testing.T) { runCheckedTest(t, func(t *testing.T) { var count int32 Just(1, 2, 3).Walk(func(item any, pipe chan<- any) { time.Sleep(time.Millisecond * 100) atomic.AddInt32(&count, int32(item.(int))) }).Done() assert.Equal(t, int32(6), count) }) } func TestJust(t *testing.T) { runCheckedTest(t, func(t *testing.T) { var result int Just(1, 2, 3, 4).Reduce(func(pipe <-chan any) (any, error) { for item := range pipe { result += item.(int) } return result, nil }) assert.Equal(t, 10, result) }) } func TestDistinct(t *testing.T) { runCheckedTest(t, func(t *testing.T) { var result int Just(4, 1, 3, 2, 3, 4).Distinct(func(item any) any { return item }).Reduce(func(pipe <-chan any) (any, error) { for item := range pipe { result += item.(int) } return result, nil }) assert.Equal(t, 10, result) }) } func TestFilter(t *testing.T) { runCheckedTest(t, func(t *testing.T) { var result int Just(1, 2, 3, 4).Filter(func(item any) bool { return item.(int)%2 == 0 }).Reduce(func(pipe <-chan any) (any, error) { for item := range pipe { result += item.(int) } return result, nil }) assert.Equal(t, 6, result) }) } func TestFirst(t *testing.T) { runCheckedTest(t, func(t *testing.T) { assert.Nil(t, Just().First()) assert.Equal(t, "foo", Just("foo").First()) assert.Equal(t, "foo", Just("foo", "bar").First()) }) } func TestForAll(t *testing.T) { runCheckedTest(t, func(t *testing.T) { var result int Just(1, 2, 3, 4).Filter(func(item any) bool { return item.(int)%2 == 0 }).ForAll(func(pipe <-chan any) { for item := range pipe { result += item.(int) } }) assert.Equal(t, 6, result) }) } func TestGroup(t *testing.T) { runCheckedTest(t, func(t *testing.T) { var groups [][]int Just(10, 11, 20, 21).Group(func(item any) any { v := item.(int) return v / 10 }).ForEach(func(item any) { v := item.([]any) var group []int for _, each := range v { group = append(group, each.(int)) } groups = append(groups, group) }) assert.Equal(t, 2, len(groups)) for _, group := range groups { assert.Equal(t, 2, len(group)) assert.True(t, group[0]/10 == group[1]/10) } }) } func TestHead(t *testing.T) { runCheckedTest(t, func(t *testing.T) { var result int Just(1, 2, 3, 4).Head(2).Reduce(func(pipe <-chan any) (any, error) { for item := range pipe { result += item.(int) } return result, nil }) assert.Equal(t, 3, result) }) } func TestHeadZero(t *testing.T) { runCheckedTest(t, func(t *testing.T) { assert.Panics(t, func() { Just(1, 2, 3, 4).Head(0).Reduce(func(pipe <-chan any) (any, error) { return nil, nil }) }) }) } func TestHeadMore(t *testing.T) { runCheckedTest(t, func(t *testing.T) { var result int Just(1, 2, 3, 4).Head(6).Reduce(func(pipe <-chan any) (any, error) { for item := range pipe { result += item.(int) } return result, nil }) assert.Equal(t, 10, result) }) } func TestLast(t *testing.T) { runCheckedTest(t, func(t *testing.T) { goroutines := runtime.NumGoroutine() assert.Nil(t, Just().Last()) assert.Equal(t, "foo", Just("foo").Last()) assert.Equal(t, "bar", Just("foo", "bar").Last()) // let scheduler schedule first runtime.Gosched() assert.Equal(t, goroutines, runtime.NumGoroutine()) }) } func TestMap(t *testing.T) { runCheckedTest(t, func(t *testing.T) { logtest.Discard(t) tests := []struct { mapper MapFunc expect int }{ { mapper: func(item any) any { v := item.(int) return v * v }, expect: 30, }, { mapper: func(item any) any { v := item.(int) if v%2 == 0 { return 0 } return v * v }, expect: 10, }, { mapper: func(item any) any { v := item.(int) if v%2 == 0 { panic(v) } return v * v }, expect: 10, }, } // Map(...) works even WithWorkers(0) for i, test := range tests { t.Run(stringx.Rand(), func(t *testing.T) { var result int var workers int if i%2 == 0 { workers = 0 } else { workers = runtime.NumCPU() } From(func(source chan<- any) { for i := 1; i < 5; i++ { source <- i } }).Map(test.mapper, WithWorkers(workers)).Reduce( func(pipe <-chan any) (any, error) { for item := range pipe { result += item.(int) } return result, nil }) assert.Equal(t, test.expect, result) }) } }) } func TestMerge(t *testing.T) { runCheckedTest(t, func(t *testing.T) { Just(1, 2, 3, 4).Merge().ForEach(func(item any) { assert.ElementsMatch(t, []any{1, 2, 3, 4}, item.([]any)) }) }) } func TestParallelJust(t *testing.T) { runCheckedTest(t, func(t *testing.T) { var count int32 Just(1, 2, 3).Parallel(func(item any) { time.Sleep(time.Millisecond * 100) atomic.AddInt32(&count, int32(item.(int))) }, UnlimitedWorkers()) assert.Equal(t, int32(6), count) }) } func TestReverse(t *testing.T) { runCheckedTest(t, func(t *testing.T) { Just(1, 2, 3, 4).Reverse().Merge().ForEach(func(item any) { assert.ElementsMatch(t, []any{4, 3, 2, 1}, item.([]any)) }) }) } func TestSort(t *testing.T) { runCheckedTest(t, func(t *testing.T) { var prev int Just(5, 3, 7, 1, 9, 6, 4, 8, 2).Sort(func(a, b any) bool { return a.(int) < b.(int) }).ForEach(func(item any) { next := item.(int) assert.True(t, prev < next) prev = next }) }) } func TestSplit(t *testing.T) { runCheckedTest(t, func(t *testing.T) { assert.Panics(t, func() { Just(1, 2, 3, 4, 5, 6, 7, 8, 9, 10).Split(0).Done() }) var chunks [][]any Just(1, 2, 3, 4, 5, 6, 7, 8, 9, 10).Split(4).ForEach(func(item any) { chunk := item.([]any) chunks = append(chunks, chunk) }) assert.EqualValues(t, [][]any{ {1, 2, 3, 4}, {5, 6, 7, 8}, {9, 10}, }, chunks) }) } func TestTail(t *testing.T) { runCheckedTest(t, func(t *testing.T) { var result int Just(1, 2, 3, 4).Tail(2).Reduce(func(pipe <-chan any) (any, error) { for item := range pipe { result += item.(int) } return result, nil }) assert.Equal(t, 7, result) }) } func TestTailZero(t *testing.T) { runCheckedTest(t, func(t *testing.T) { assert.Panics(t, func() { Just(1, 2, 3, 4).Tail(0).Reduce(func(pipe <-chan any) (any, error) { return nil, nil }) }) }) } func TestWalk(t *testing.T) { runCheckedTest(t, func(t *testing.T) { var result int Just(1, 2, 3, 4, 5).Walk(func(item any, pipe chan<- any) { if item.(int)%2 != 0 { pipe <- item } }, UnlimitedWorkers()).ForEach(func(item any) { result += item.(int) }) assert.Equal(t, 9, result) }) } func TestStream_AnyMach(t *testing.T) { runCheckedTest(t, func(t *testing.T) { assetEqual(t, false, Just(1, 2, 3).AnyMatch(func(item any) bool { return item.(int) == 4 })) assetEqual(t, false, Just(1, 2, 3).AnyMatch(func(item any) bool { return item.(int) == 0 })) assetEqual(t, true, Just(1, 2, 3).AnyMatch(func(item any) bool { return item.(int) == 2 })) assetEqual(t, true, Just(1, 2, 3).AnyMatch(func(item any) bool { return item.(int) == 2 })) }) } func TestStream_AllMach(t *testing.T) { runCheckedTest(t, func(t *testing.T) { assetEqual( t, true, Just(1, 2, 3).AllMatch(func(item any) bool { return true }), ) assetEqual( t, false, Just(1, 2, 3).AllMatch(func(item any) bool { return false }), ) assetEqual( t, false, Just(1, 2, 3).AllMatch(func(item any) bool { return item.(int) == 1 }), ) }) } func TestStream_NoneMatch(t *testing.T) { runCheckedTest(t, func(t *testing.T) { assetEqual( t, true, Just(1, 2, 3).NoneMatch(func(item any) bool { return false }), ) assetEqual( t, false, Just(1, 2, 3).NoneMatch(func(item any) bool { return true }), ) assetEqual( t, true, Just(1, 2, 3).NoneMatch(func(item any) bool { return item.(int) == 4 }), ) }) } func TestConcat(t *testing.T) { runCheckedTest(t, func(t *testing.T) { a1 := []any{1, 2, 3} a2 := []any{4, 5, 6} s1 := Just(a1...) s2 := Just(a2...) stream := Concat(s1, s2) var items []any for item := range stream.source { items = append(items, item) } sort.Slice(items, func(i, j int) bool { return items[i].(int) < items[j].(int) }) ints := make([]any, 0) ints = append(ints, a1...) ints = append(ints, a2...) assetEqual(t, ints, items) }) } func TestStream_Skip(t *testing.T) { runCheckedTest(t, func(t *testing.T) { assetEqual(t, 3, Just(1, 2, 3, 4).Skip(1).Count()) assetEqual(t, 1, Just(1, 2, 3, 4).Skip(3).Count()) assetEqual(t, 4, Just(1, 2, 3, 4).Skip(0).Count()) equal(t, Just(1, 2, 3, 4).Skip(3), []any{4}) assert.Panics(t, func() { Just(1, 2, 3, 4).Skip(-1) }) }) } func TestStream_Concat(t *testing.T) { runCheckedTest(t, func(t *testing.T) { stream := Just(1).Concat(Just(2), Just(3)) var items []any for item := range stream.source { items = append(items, item) } sort.Slice(items, func(i, j int) bool { return items[i].(int) < items[j].(int) }) assetEqual(t, []any{1, 2, 3}, items) just := Just(1) equal(t, just.Concat(just), []any{1}) }) } func TestStream_Max(t *testing.T) { runCheckedTest(t, func(t *testing.T) { tests := []struct { name string elements []any max any }{ { name: "no elements with nil", }, { name: "no elements", elements: []any{}, max: nil, }, { name: "1 element", elements: []any{1}, max: 1, }, { name: "multiple elements", elements: []any{1, 2, 9, 5, 8}, max: 9, }, } for _, test := range tests { t.Run(test.name, func(t *testing.T) { val := Just(test.elements...).Max(func(a, b any) bool { return a.(int) < b.(int) }) assetEqual(t, test.max, val) }) } }) } func TestStream_Min(t *testing.T) { runCheckedTest(t, func(t *testing.T) { tests := []struct { name string elements []any min any }{ { name: "no elements with nil", min: nil, }, { name: "no elements", elements: []any{}, min: nil, }, { name: "1 element", elements: []any{1}, min: 1, }, { name: "multiple elements", elements: []any{-1, 1, 2, 9, 5, 8}, min: -1, }, } for _, test := range tests { t.Run(test.name, func(t *testing.T) { val := Just(test.elements...).Min(func(a, b any) bool { return a.(int) < b.(int) }) assetEqual(t, test.min, val) }) } }) } func BenchmarkParallelMapReduce(b *testing.B) { b.ReportAllocs() mapper := func(v any) any { return v.(int64) * v.(int64) } reducer := func(input <-chan any) (any, error) { var result int64 for v := range input { result += v.(int64) } return result, nil } b.ResetTimer() From(func(input chan<- any) { b.RunParallel(func(pb *testing.PB) { for pb.Next() { input <- int64(rand.Int()) } }) }).Map(mapper).Reduce(reducer) } func BenchmarkMapReduce(b *testing.B) { b.ReportAllocs() mapper := func(v any) any { return v.(int64) * v.(int64) } reducer := func(input <-chan any) (any, error) { var result int64 for v := range input { result += v.(int64) } return result, nil } b.ResetTimer() From(func(input chan<- any) { for i := 0; i < b.N; i++ { input <- int64(rand.Int()) } }).Map(mapper).Reduce(reducer) } func assetEqual(t *testing.T, except, data any) { if !reflect.DeepEqual(except, data) { t.Errorf(" %v, want %v", data, except) } } func equal(t *testing.T, stream Stream, data []any) { items := make([]any, 0) for item := range stream.source { items = append(items, item) } if !reflect.DeepEqual(items, data) { t.Errorf(" %v, want %v", items, data) } } func runCheckedTest(t *testing.T, fn func(t *testing.T)) { defer goleak.VerifyNone(t) fn(t) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/singleflight_test.go
core/syncx/singleflight_test.go
package syncx import ( "errors" "fmt" "sync" "sync/atomic" "testing" "time" ) func TestExclusiveCallDo(t *testing.T) { g := NewSingleFlight() v, err := g.Do("key", func() (any, error) { return "bar", nil }) if got, want := fmt.Sprintf("%v (%T)", v, v), "bar (string)"; got != want { t.Errorf("Do = %v; want %v", got, want) } if err != nil { t.Errorf("Do error = %v", err) } } func TestExclusiveCallDoErr(t *testing.T) { g := NewSingleFlight() someErr := errors.New("some error") v, err := g.Do("key", func() (any, error) { return nil, someErr }) if !errors.Is(err, someErr) { t.Errorf("Do error = %v; want someErr", err) } if v != nil { t.Errorf("unexpected non-nil value %#v", v) } } func TestExclusiveCallDoDupSuppress(t *testing.T) { g := NewSingleFlight() c := make(chan string) var calls int32 fn := func() (any, error) { atomic.AddInt32(&calls, 1) return <-c, nil } const n = 10 var wg sync.WaitGroup for i := 0; i < n; i++ { wg.Add(1) go func() { v, err := g.Do("key", fn) if err != nil { t.Errorf("Do error: %v", err) } if v.(string) != "bar" { t.Errorf("got %q; want %q", v, "bar") } wg.Done() }() } time.Sleep(100 * time.Millisecond) // let goroutines above block c <- "bar" wg.Wait() if got := atomic.LoadInt32(&calls); got != 1 { t.Errorf("number of calls = %d; want 1", got) } } func TestExclusiveCallDoDiffDupSuppress(t *testing.T) { g := NewSingleFlight() broadcast := make(chan struct{}) var calls int32 tests := []string{"e", "a", "e", "a", "b", "c", "b", "a", "c", "d", "b", "c", "d"} var wg sync.WaitGroup for _, key := range tests { wg.Add(1) go func(k string) { <-broadcast // get all goroutines ready _, err := g.Do(k, func() (any, error) { atomic.AddInt32(&calls, 1) time.Sleep(10 * time.Millisecond) return nil, nil }) if err != nil { t.Errorf("Do error: %v", err) } wg.Done() }(key) } time.Sleep(100 * time.Millisecond) // let goroutines above block close(broadcast) wg.Wait() if got := atomic.LoadInt32(&calls); got != 5 { // five letters t.Errorf("number of calls = %d; want 5", got) } } func TestExclusiveCallDoExDupSuppress(t *testing.T) { g := NewSingleFlight() c := make(chan string) var calls int32 fn := func() (any, error) { atomic.AddInt32(&calls, 1) return <-c, nil } const n = 10 var wg sync.WaitGroup var freshes int32 for i := 0; i < n; i++ { wg.Add(1) go func() { v, fresh, err := g.DoEx("key", fn) if err != nil { t.Errorf("Do error: %v", err) } if fresh { atomic.AddInt32(&freshes, 1) } if v.(string) != "bar" { t.Errorf("got %q; want %q", v, "bar") } wg.Done() }() } time.Sleep(100 * time.Millisecond) // let goroutines above block c <- "bar" wg.Wait() if got := atomic.LoadInt32(&calls); got != 1 { t.Errorf("number of calls = %d; want 1", got) } if got := atomic.LoadInt32(&freshes); got != 1 { t.Errorf("freshes = %d; want 1", got) } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/resourcemanager.go
core/syncx/resourcemanager.go
package syncx import ( "io" "sync" "github.com/zeromicro/go-zero/core/errorx" ) // A ResourceManager is a manager that used to manage resources. type ResourceManager struct { resources map[string]io.Closer singleFlight SingleFlight lock sync.RWMutex } // NewResourceManager returns a ResourceManager. func NewResourceManager() *ResourceManager { return &ResourceManager{ resources: make(map[string]io.Closer), singleFlight: NewSingleFlight(), } } // Close closes the manager. // Don't use the ResourceManager after Close() called. func (manager *ResourceManager) Close() error { manager.lock.Lock() defer manager.lock.Unlock() var be errorx.BatchError for _, resource := range manager.resources { if err := resource.Close(); err != nil { be.Add(err) } } // release resources to avoid using it later manager.resources = nil return be.Err() } // GetResource returns the resource associated with given key. func (manager *ResourceManager) GetResource(key string, create func() (io.Closer, error)) ( io.Closer, error) { val, err := manager.singleFlight.Do(key, func() (any, error) { manager.lock.RLock() resource, ok := manager.resources[key] manager.lock.RUnlock() if ok { return resource, nil } resource, err := create() if err != nil { return nil, err } manager.lock.Lock() defer manager.lock.Unlock() manager.resources[key] = resource return resource, nil }) if err != nil { return nil, err } return val.(io.Closer), nil } // Inject injects the resource associated with given key. func (manager *ResourceManager) Inject(key string, resource io.Closer) { manager.lock.Lock() manager.resources[key] = resource manager.lock.Unlock() }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/refresource_test.go
core/syncx/refresource_test.go
package syncx import ( "testing" "github.com/stretchr/testify/assert" ) func TestRefCleaner(t *testing.T) { var count int clean := func() { count += 1 } cleaner := NewRefResource(clean) err := cleaner.Use() assert.Nil(t, err) err = cleaner.Use() assert.Nil(t, err) cleaner.Clean() cleaner.Clean() assert.Equal(t, 1, count) cleaner.Clean() cleaner.Clean() assert.Equal(t, 1, count) assert.Equal(t, ErrUseOfCleaned, cleaner.Use()) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/donechan_test.go
core/syncx/donechan_test.go
package syncx import ( "sync" "testing" ) func TestDoneChanClose(t *testing.T) { doneChan := NewDoneChan() for i := 0; i < 5; i++ { doneChan.Close() } } func TestDoneChanDone(t *testing.T) { var waitGroup sync.WaitGroup doneChan := NewDoneChan() waitGroup.Add(1) go func() { <-doneChan.Done() waitGroup.Done() }() for i := 0; i < 5; i++ { doneChan.Close() } waitGroup.Wait() }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/limit_test.go
core/syncx/limit_test.go
package syncx import ( "testing" "github.com/stretchr/testify/assert" ) func TestLimit(t *testing.T) { limit := NewLimit(2) limit.Borrow() assert.True(t, limit.TryBorrow()) assert.False(t, limit.TryBorrow()) assert.Nil(t, limit.Return()) assert.Nil(t, limit.Return()) assert.Equal(t, ErrLimitReturn, limit.Return()) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/cond_test.go
core/syncx/cond_test.go
package syncx import ( "sync" "testing" "time" "github.com/stretchr/testify/assert" ) func TestTimeoutCondWait(t *testing.T) { var wait sync.WaitGroup cond := NewCond() wait.Add(2) go func() { cond.Wait() wait.Done() }() time.Sleep(time.Duration(50) * time.Millisecond) go func() { cond.Signal() wait.Done() }() wait.Wait() } func TestTimeoutCondWaitTimeout(t *testing.T) { var wait sync.WaitGroup cond := NewCond() wait.Add(1) go func() { cond.WaitWithTimeout(time.Duration(500) * time.Millisecond) wait.Done() }() wait.Wait() } func TestTimeoutCondWaitTimeoutRemain(t *testing.T) { var wait sync.WaitGroup cond := NewCond() wait.Add(2) ch := make(chan time.Duration, 1) defer close(ch) timeout := time.Duration(2000) * time.Millisecond go func() { remainTimeout, _ := cond.WaitWithTimeout(timeout) ch <- remainTimeout wait.Done() }() sleep(200) go func() { cond.Signal() wait.Done() }() wait.Wait() remainTimeout := <-ch assert.True(t, remainTimeout < timeout, "expect remainTimeout %v < %v", remainTimeout, timeout) assert.True(t, remainTimeout >= time.Duration(200)*time.Millisecond, "expect remainTimeout %v >= 200 millisecond", remainTimeout) } func TestSignalNoWait(t *testing.T) { cond := NewCond() cond.Signal() } func sleep(millisecond int) { time.Sleep(time.Duration(millisecond) * time.Millisecond) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/onceguard.go
core/syncx/onceguard.go
package syncx import "sync/atomic" // An OnceGuard is used to make sure a resource can be taken once. type OnceGuard struct { done uint32 } // Taken checks if the resource is taken. func (og *OnceGuard) Taken() bool { return atomic.LoadUint32(&og.done) == 1 } // Take takes the resource, returns true on success, false for otherwise. func (og *OnceGuard) Take() bool { return atomic.CompareAndSwapUint32(&og.done, 0, 1) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/donechan.go
core/syncx/donechan.go
package syncx import ( "sync" "github.com/zeromicro/go-zero/core/lang" ) // A DoneChan is used as a channel that can be closed multiple times and wait for done. type DoneChan struct { done chan lang.PlaceholderType once sync.Once } // NewDoneChan returns a DoneChan. func NewDoneChan() *DoneChan { return &DoneChan{ done: make(chan lang.PlaceholderType), } } // Close closes dc, it's safe to close more than once. func (dc *DoneChan) Close() { dc.once.Do(func() { close(dc.done) }) } // Done returns a channel that can be notified on dc closed. func (dc *DoneChan) Done() chan lang.PlaceholderType { return dc.done }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/timeoutlimit.go
core/syncx/timeoutlimit.go
package syncx import ( "errors" "time" ) // ErrTimeout is an error that indicates the borrow timeout. var ErrTimeout = errors.New("borrow timeout") // A TimeoutLimit is used to borrow with timeouts. type TimeoutLimit struct { limit Limit cond *Cond } // NewTimeoutLimit returns a TimeoutLimit. func NewTimeoutLimit(n int) TimeoutLimit { return TimeoutLimit{ limit: NewLimit(n), cond: NewCond(), } } // Borrow borrows with given timeout. func (l TimeoutLimit) Borrow(timeout time.Duration) error { if l.TryBorrow() { return nil } var ok bool for { timeout, ok = l.cond.WaitWithTimeout(timeout) if ok && l.TryBorrow() { return nil } if timeout <= 0 { return ErrTimeout } } } // Return returns a borrow. func (l TimeoutLimit) Return() error { if err := l.limit.Return(); err != nil { return err } l.cond.Signal() return nil } // TryBorrow tries a borrow. func (l TimeoutLimit) TryBorrow() bool { return l.limit.TryBorrow() }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/managedresource_test.go
core/syncx/managedresource_test.go
package syncx import ( "sync/atomic" "testing" "github.com/stretchr/testify/assert" ) func TestManagedResource(t *testing.T) { var count int32 resource := NewManagedResource(func() any { return atomic.AddInt32(&count, 1) }, func(a, b any) bool { return a == b }) assert.Equal(t, resource.Take(), resource.Take()) old := resource.Take() resource.MarkBroken(old) assert.NotEqual(t, old, resource.Take()) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/pool_test.go
core/syncx/pool_test.go
package syncx import ( "sync" "sync/atomic" "testing" "time" "github.com/stretchr/testify/assert" "github.com/zeromicro/go-zero/core/lang" ) const limit = 10 func TestPoolGet(t *testing.T) { stack := NewPool(limit, create, destroy) ch := make(chan lang.PlaceholderType) for i := 0; i < limit; i++ { var fail AtomicBool go func() { v := stack.Get() if v.(int) != 1 { fail.Set(true) } ch <- lang.Placeholder }() select { case <-ch: case <-time.After(time.Second): t.Fail() } if fail.True() { t.Fatal("unmatch value") } } } func TestPoolPopTooMany(t *testing.T) { stack := NewPool(limit, create, destroy) ch := make(chan lang.PlaceholderType, 1) for i := 0; i < limit; i++ { var wait sync.WaitGroup wait.Add(1) go func() { stack.Get() ch <- lang.Placeholder wait.Done() }() wait.Wait() select { case <-ch: default: t.Fail() } } var waitGroup, pushWait sync.WaitGroup waitGroup.Add(1) pushWait.Add(1) go func() { pushWait.Done() stack.Get() waitGroup.Done() }() pushWait.Wait() stack.Put(1) waitGroup.Wait() } func TestPoolPopFirst(t *testing.T) { var value int32 stack := NewPool(limit, func() any { return atomic.AddInt32(&value, 1) }, destroy) for i := 0; i < 100; i++ { v := stack.Get().(int32) assert.Equal(t, 1, int(v)) stack.Put(v) } } func TestPoolWithMaxAge(t *testing.T) { var value int32 stack := NewPool(limit, func() any { return atomic.AddInt32(&value, 1) }, destroy, WithMaxAge(time.Millisecond)) v1 := stack.Get().(int32) // put nil should not matter stack.Put(nil) stack.Put(v1) time.Sleep(time.Millisecond * 10) v2 := stack.Get().(int32) assert.NotEqual(t, v1, v2) } func TestNewPoolPanics(t *testing.T) { assert.Panics(t, func() { NewPool(0, create, destroy) }) } func create() any { return 1 } func destroy(_ any) { }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/atomicfloat64.go
core/syncx/atomicfloat64.go
package syncx import ( "math" "sync/atomic" ) // An AtomicFloat64 is an implementation of atomic float64. type AtomicFloat64 uint64 // NewAtomicFloat64 returns an AtomicFloat64. func NewAtomicFloat64() *AtomicFloat64 { return new(AtomicFloat64) } // ForAtomicFloat64 returns an AtomicFloat64 with given val. func ForAtomicFloat64(val float64) *AtomicFloat64 { f := NewAtomicFloat64() f.Set(val) return f } // Add adds val to current value. func (f *AtomicFloat64) Add(val float64) float64 { for { old := f.Load() nv := old + val if f.CompareAndSwap(old, nv) { return nv } } } // CompareAndSwap compares current value with old, if equals, set the value to val. func (f *AtomicFloat64) CompareAndSwap(old, val float64) bool { return atomic.CompareAndSwapUint64((*uint64)(f), math.Float64bits(old), math.Float64bits(val)) } // Load loads the current value. func (f *AtomicFloat64) Load() float64 { return math.Float64frombits(atomic.LoadUint64((*uint64)(f))) } // Set sets the current value to val. func (f *AtomicFloat64) Set(val float64) { atomic.StoreUint64((*uint64)(f), math.Float64bits(val)) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/atomicbool_test.go
core/syncx/atomicbool_test.go
package syncx import ( "testing" "github.com/stretchr/testify/assert" ) func TestAtomicBool(t *testing.T) { val := ForAtomicBool(true) assert.True(t, val.True()) val.Set(false) assert.False(t, val.True()) val.Set(true) assert.True(t, val.True()) val.Set(false) assert.False(t, val.True()) ok := val.CompareAndSwap(false, true) assert.True(t, ok) assert.True(t, val.True()) ok = val.CompareAndSwap(true, false) assert.True(t, ok) assert.False(t, val.True()) ok = val.CompareAndSwap(true, false) assert.False(t, ok) assert.False(t, val.True()) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/spinlock.go
core/syncx/spinlock.go
package syncx import ( "runtime" "sync/atomic" ) // A SpinLock is used as a lock a fast execution. type SpinLock struct { lock uint32 } // Lock locks the SpinLock. func (sl *SpinLock) Lock() { for !sl.TryLock() { runtime.Gosched() } } // TryLock tries to lock the SpinLock. func (sl *SpinLock) TryLock() bool { return atomic.CompareAndSwapUint32(&sl.lock, 0, 1) } // Unlock unlocks the SpinLock. func (sl *SpinLock) Unlock() { atomic.StoreUint32(&sl.lock, 0) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/atomicduration.go
core/syncx/atomicduration.go
package syncx import ( "sync/atomic" "time" ) // An AtomicDuration is an implementation of atomic duration. type AtomicDuration int64 // NewAtomicDuration returns an AtomicDuration. func NewAtomicDuration() *AtomicDuration { return new(AtomicDuration) } // ForAtomicDuration returns an AtomicDuration with given value. func ForAtomicDuration(val time.Duration) *AtomicDuration { d := NewAtomicDuration() d.Set(val) return d } // CompareAndSwap compares current value with old, if equals, set the value to val. func (d *AtomicDuration) CompareAndSwap(old, val time.Duration) bool { return atomic.CompareAndSwapInt64((*int64)(d), int64(old), int64(val)) } // Load loads the current duration. func (d *AtomicDuration) Load() time.Duration { return time.Duration(atomic.LoadInt64((*int64)(d))) } // Set sets the value to val. func (d *AtomicDuration) Set(val time.Duration) { atomic.StoreInt64((*int64)(d), int64(val)) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/onceguard_test.go
core/syncx/onceguard_test.go
package syncx import ( "testing" "github.com/stretchr/testify/assert" ) func TestOnceGuard(t *testing.T) { var guard OnceGuard assert.False(t, guard.Taken()) assert.True(t, guard.Take()) assert.True(t, guard.Taken()) assert.False(t, guard.Take()) assert.True(t, guard.Taken()) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/singleflight.go
core/syncx/singleflight.go
package syncx import "sync" type ( // SingleFlight lets the concurrent calls with the same key to share the call result. // For example, A called F, before it's done, B called F. Then B would not execute F, // and shared the result returned by F which called by A. // The calls with the same key are dependent, concurrent calls share the returned values. // A ------->calls F with key<------------------->returns val // B --------------------->calls F with key------>returns val SingleFlight interface { Do(key string, fn func() (any, error)) (any, error) DoEx(key string, fn func() (any, error)) (any, bool, error) } call struct { wg sync.WaitGroup val any err error } flightGroup struct { calls map[string]*call lock sync.Mutex } ) // NewSingleFlight returns a SingleFlight. func NewSingleFlight() SingleFlight { return &flightGroup{ calls: make(map[string]*call), } } func (g *flightGroup) Do(key string, fn func() (any, error)) (any, error) { c, done := g.createCall(key) if done { return c.val, c.err } g.makeCall(c, key, fn) return c.val, c.err } func (g *flightGroup) DoEx(key string, fn func() (any, error)) (val any, fresh bool, err error) { c, done := g.createCall(key) if done { return c.val, false, c.err } g.makeCall(c, key, fn) return c.val, true, c.err } func (g *flightGroup) createCall(key string) (c *call, done bool) { g.lock.Lock() if c, ok := g.calls[key]; ok { g.lock.Unlock() c.wg.Wait() return c, true } c = new(call) c.wg.Add(1) g.calls[key] = c g.lock.Unlock() return c, false } func (g *flightGroup) makeCall(c *call, key string, fn func() (any, error)) { defer func() { g.lock.Lock() delete(g.calls, key) g.lock.Unlock() c.wg.Done() }() c.val, c.err = fn() }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/lockedcalls_test.go
core/syncx/lockedcalls_test.go
package syncx import ( "errors" "fmt" "sync" "testing" "time" ) func TestLockedCallDo(t *testing.T) { g := NewLockedCalls() v, err := g.Do("key", func() (any, error) { return "bar", nil }) if got, want := fmt.Sprintf("%v (%T)", v, v), "bar (string)"; got != want { t.Errorf("Do = %v; want %v", got, want) } if err != nil { t.Errorf("Do error = %v", err) } } func TestLockedCallDoErr(t *testing.T) { g := NewLockedCalls() someErr := errors.New("some error") v, err := g.Do("key", func() (any, error) { return nil, someErr }) if !errors.Is(err, someErr) { t.Errorf("Do error = %v; want someErr", err) } if v != nil { t.Errorf("unexpected non-nil value %#v", v) } } func TestLockedCallDoDupSuppress(t *testing.T) { g := NewLockedCalls() c := make(chan string) var calls int fn := func() (any, error) { calls++ ret := calls <-c calls-- return ret, nil } const n = 10 var results []int var lock sync.Mutex var wg sync.WaitGroup for i := 0; i < n; i++ { wg.Add(1) go func() { v, err := g.Do("key", fn) if err != nil { t.Errorf("Do error: %v", err) } lock.Lock() results = append(results, v.(int)) lock.Unlock() wg.Done() }() } time.Sleep(100 * time.Millisecond) // let goroutines above block for i := 0; i < n; i++ { c <- "bar" } wg.Wait() lock.Lock() defer lock.Unlock() for _, item := range results { if item != 1 { t.Errorf("number of calls = %d; want 1", item) } } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/atomicfloat64_test.go
core/syncx/atomicfloat64_test.go
package syncx import ( "sync" "testing" "github.com/stretchr/testify/assert" ) func TestAtomicFloat64(t *testing.T) { f := ForAtomicFloat64(100) var wg sync.WaitGroup for i := 0; i < 5; i++ { wg.Add(1) go func() { for i := 0; i < 100; i++ { f.Add(1) } wg.Done() }() } wg.Wait() assert.Equal(t, float64(600), f.Load()) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/limit.go
core/syncx/limit.go
package syncx import ( "errors" "github.com/zeromicro/go-zero/core/lang" ) // ErrLimitReturn indicates that the more than borrowed elements were returned. var ErrLimitReturn = errors.New("discarding limited token, resource pool is full, someone returned multiple times") // Limit controls the concurrent requests. type Limit struct { pool chan lang.PlaceholderType } // NewLimit creates a Limit that can borrow n elements from it concurrently. func NewLimit(n int) Limit { return Limit{ pool: make(chan lang.PlaceholderType, n), } } // Borrow borrows an element from Limit in blocking mode. func (l Limit) Borrow() { l.pool <- lang.Placeholder } // Return returns the borrowed resource, returns error only if returned more than borrowed. func (l Limit) Return() error { select { case <-l.pool: return nil default: return ErrLimitReturn } } // TryBorrow tries to borrow an element from Limit, in non-blocking mode. // If success, true returned, false for otherwise. func (l Limit) TryBorrow() bool { select { case l.pool <- lang.Placeholder: return true default: return false } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/lockedcalls.go
core/syncx/lockedcalls.go
package syncx import "sync" type ( // LockedCalls makes sure the calls with the same key to be called sequentially. // For example, A called F, before it's done, B called F, then B's call would not blocked, // after A's call finished, B's call got executed. // The calls with the same key are independent, not sharing the returned values. // A ------->calls F with key and executes<------->returns // B ------------------>calls F with key<--------->executes<---->returns LockedCalls interface { Do(key string, fn func() (any, error)) (any, error) } lockedGroup struct { mu sync.Mutex m map[string]*sync.WaitGroup } ) // NewLockedCalls returns a LockedCalls. func NewLockedCalls() LockedCalls { return &lockedGroup{ m: make(map[string]*sync.WaitGroup), } } func (lg *lockedGroup) Do(key string, fn func() (any, error)) (any, error) { begin: lg.mu.Lock() if wg, ok := lg.m[key]; ok { lg.mu.Unlock() wg.Wait() goto begin } return lg.makeCall(key, fn) } func (lg *lockedGroup) makeCall(key string, fn func() (any, error)) (any, error) { var wg sync.WaitGroup wg.Add(1) lg.m[key] = &wg lg.mu.Unlock() defer func() { // delete key first, done later. can't reverse the order, because if reverse, // another Do call might wg.Wait() without get notified with wg.Done() lg.mu.Lock() delete(lg.m, key) lg.mu.Unlock() wg.Done() }() return fn() }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/barrier_test.go
core/syncx/barrier_test.go
package syncx import ( "sync" "testing" "github.com/stretchr/testify/assert" ) func TestBarrier_Guard(t *testing.T) { const total = 10000 var barrier Barrier var count int var wg sync.WaitGroup wg.Add(total) for i := 0; i < total; i++ { go barrier.Guard(func() { count++ wg.Done() }) } wg.Wait() assert.Equal(t, total, count) } func TestBarrierPtr_Guard(t *testing.T) { const total = 10000 barrier := new(Barrier) var count int wg := new(sync.WaitGroup) wg.Add(total) for i := 0; i < total; i++ { go barrier.Guard(func() { count++ wg.Done() }) } wg.Wait() assert.Equal(t, total, count) } func TestGuard(t *testing.T) { const total = 10000 var count int var lock sync.Mutex wg := new(sync.WaitGroup) wg.Add(total) for i := 0; i < total; i++ { go Guard(&lock, func() { count++ wg.Done() }) } wg.Wait() assert.Equal(t, total, count) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/once_test.go
core/syncx/once_test.go
package syncx import ( "testing" "github.com/stretchr/testify/assert" ) func TestOnce(t *testing.T) { var v int add := Once(func() { v++ }) for i := 0; i < 5; i++ { add() } assert.Equal(t, 1, v) } func BenchmarkOnce(b *testing.B) { var v int add := Once(func() { v++ }) b.ResetTimer() for i := 0; i < b.N; i++ { add() } assert.Equal(b, 1, v) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/once.go
core/syncx/once.go
package syncx import "sync" // Once returns a func that guarantees fn can only called once. // Deprecated: use sync.OnceFunc instead. func Once(fn func()) func() { return sync.OnceFunc(fn) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/pool.go
core/syncx/pool.go
package syncx import ( "sync" "time" "github.com/zeromicro/go-zero/core/timex" ) type ( // PoolOption defines the method to customize a Pool. PoolOption func(*Pool) node struct { item any next *node lastUsed time.Duration } // A Pool is used to pool resources. // The difference between sync.Pool is that: // 1. the limit of the resources // 2. max age of the resources can be set // 3. the method to destroy resources can be customized Pool struct { limit int created int maxAge time.Duration lock sync.Locker cond *sync.Cond head *node create func() any destroy func(any) } ) // NewPool returns a Pool. func NewPool(n int, create func() any, destroy func(any), opts ...PoolOption) *Pool { if n <= 0 { panic("pool size can't be negative or zero") } lock := new(sync.Mutex) pool := &Pool{ limit: n, lock: lock, cond: sync.NewCond(lock), create: create, destroy: destroy, } for _, opt := range opts { opt(pool) } return pool } // Get gets a resource. func (p *Pool) Get() any { p.lock.Lock() defer p.lock.Unlock() for { if p.head != nil { head := p.head p.head = head.next if p.maxAge > 0 && head.lastUsed+p.maxAge < timex.Now() { p.created-- p.destroy(head.item) continue } else { return head.item } } if p.created < p.limit { p.created++ return p.create() } p.cond.Wait() } } // Put puts a resource back. func (p *Pool) Put(x any) { if x == nil { return } p.lock.Lock() defer p.lock.Unlock() p.head = &node{ item: x, next: p.head, lastUsed: timex.Now(), } p.cond.Signal() } // WithMaxAge returns a function to customize a Pool with given max age. func WithMaxAge(duration time.Duration) PoolOption { return func(pool *Pool) { pool.maxAge = duration } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/refresource.go
core/syncx/refresource.go
package syncx import ( "errors" "sync" ) // ErrUseOfCleaned is an error that indicates using a cleaned resource. var ErrUseOfCleaned = errors.New("using a cleaned resource") // A RefResource is used to reference counting a resource. type RefResource struct { lock sync.Mutex ref int32 cleaned bool clean func() } // NewRefResource returns a RefResource. func NewRefResource(clean func()) *RefResource { return &RefResource{ clean: clean, } } // Use uses the resource with reference count incremented. func (r *RefResource) Use() error { r.lock.Lock() defer r.lock.Unlock() if r.cleaned { return ErrUseOfCleaned } r.ref++ return nil } // Clean cleans a resource with reference count decremented. func (r *RefResource) Clean() { r.lock.Lock() defer r.lock.Unlock() if r.cleaned { return } r.ref-- if r.ref == 0 { r.cleaned = true r.clean() } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/atomicduration_test.go
core/syncx/atomicduration_test.go
package syncx import ( "testing" "time" "github.com/stretchr/testify/assert" ) func TestAtomicDuration(t *testing.T) { d := ForAtomicDuration(time.Duration(100)) assert.Equal(t, time.Duration(100), d.Load()) d.Set(time.Duration(200)) assert.Equal(t, time.Duration(200), d.Load()) assert.True(t, d.CompareAndSwap(time.Duration(200), time.Duration(300))) assert.Equal(t, time.Duration(300), d.Load()) assert.False(t, d.CompareAndSwap(time.Duration(200), time.Duration(400))) assert.Equal(t, time.Duration(300), d.Load()) }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/cond.go
core/syncx/cond.go
package syncx import ( "time" "github.com/zeromicro/go-zero/core/lang" "github.com/zeromicro/go-zero/core/timex" ) // A Cond is used to wait for conditions. type Cond struct { signal chan lang.PlaceholderType } // NewCond returns a Cond. func NewCond() *Cond { return &Cond{ signal: make(chan lang.PlaceholderType), } } // WaitWithTimeout wait for signal return remain wait time or timed out. func (cond *Cond) WaitWithTimeout(timeout time.Duration) (time.Duration, bool) { timer := time.NewTimer(timeout) defer timer.Stop() begin := timex.Now() select { case <-cond.signal: elapsed := timex.Since(begin) remainTimeout := timeout - elapsed return remainTimeout, true case <-timer.C: return 0, false } } // Wait waits for signals. func (cond *Cond) Wait() { <-cond.signal } // Signal wakes one goroutine waiting on c, if there is any. func (cond *Cond) Signal() { select { case cond.signal <- lang.Placeholder: default: } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/immutableresource.go
core/syncx/immutableresource.go
package syncx import ( "sync" "time" "github.com/zeromicro/go-zero/core/timex" ) const defaultRefreshInterval = time.Second type ( // ImmutableResourceOption defines the method to customize an ImmutableResource. ImmutableResourceOption func(resource *ImmutableResource) // An ImmutableResource is used to manage an immutable resource. ImmutableResource struct { fetch func() (any, error) resource any err error lock sync.RWMutex refreshInterval time.Duration lastTime *AtomicDuration } ) // NewImmutableResource returns an ImmutableResource. func NewImmutableResource(fn func() (any, error), opts ...ImmutableResourceOption) *ImmutableResource { // cannot use executors.LessExecutor because of cycle imports ir := ImmutableResource{ fetch: fn, refreshInterval: defaultRefreshInterval, lastTime: NewAtomicDuration(), } for _, opt := range opts { opt(&ir) } return &ir } // Get gets the immutable resource, fetches automatically if not loaded. func (ir *ImmutableResource) Get() (any, error) { ir.lock.RLock() resource := ir.resource ir.lock.RUnlock() if resource != nil { return resource, nil } ir.lock.Lock() defer ir.lock.Unlock() // double check if ir.resource != nil { return ir.resource, nil } if ir.err != nil && !ir.shouldRefresh() { return ir.resource, ir.err } res, err := ir.fetch() ir.lastTime.Set(timex.Now()) if err != nil { ir.err = err return nil, err } ir.resource, ir.err = res, nil return res, nil } func (ir *ImmutableResource) shouldRefresh() bool { lastTime := ir.lastTime.Load() return lastTime == 0 || lastTime+ir.refreshInterval < timex.Now() } // WithRefreshIntervalOnFailure sets refresh interval on failure. // Set interval to 0 to enforce refresh every time if not succeeded, default is time.Second. func WithRefreshIntervalOnFailure(interval time.Duration) ImmutableResourceOption { return func(resource *ImmutableResource) { resource.refreshInterval = interval } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false
zeromicro/go-zero
https://github.com/zeromicro/go-zero/blob/8e7e5695eb2095917864b5d6615dab4c90bde3ac/core/syncx/timeoutlimit_test.go
core/syncx/timeoutlimit_test.go
package syncx import ( "sync" "testing" "time" "github.com/stretchr/testify/assert" ) func TestTimeoutLimit(t *testing.T) { tests := []struct { name string interval time.Duration }{ { name: "no wait", }, { name: "wait", interval: time.Millisecond * 100, }, } for _, test := range tests { test := test t.Run(test.name, func(t *testing.T) { limit := NewTimeoutLimit(2) assert.Nil(t, limit.Borrow(time.Millisecond*200)) assert.Nil(t, limit.Borrow(time.Millisecond*200)) var wait1, wait2, wait3 sync.WaitGroup wait1.Add(1) wait2.Add(1) wait3.Add(1) go func() { wait1.Wait() wait2.Done() time.Sleep(test.interval) assert.Nil(t, limit.Return()) wait3.Done() }() wait1.Done() wait2.Wait() assert.Nil(t, limit.Borrow(time.Second)) wait3.Wait() assert.Equal(t, ErrTimeout, limit.Borrow(time.Millisecond*100)) assert.Nil(t, limit.Return()) assert.Nil(t, limit.Return()) assert.Equal(t, ErrLimitReturn, limit.Return()) }) } }
go
MIT
8e7e5695eb2095917864b5d6615dab4c90bde3ac
2026-01-07T08:36:18.042207Z
false