本文整理汇总了Golang中github.com/signalfx/golib/datapoint.NewIntValue函数的典型用法代码示例。如果您正苦于以下问题:Golang NewIntValue函数的具体用法?Golang NewIntValue怎么用?Golang NewIntValue使用的例子?那么恭喜您, 这里精选的函数代码示例或许可以为您提供帮助。
在下文中一共展示了NewIntValue函数的18个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于我们的系统推荐出更棒的Golang代码示例。
示例1: Stats
// Stats returns stats on total connections, active connections, and total processing time
func (m *RequestCounter) Stats(dimensions map[string]string) []*datapoint.Datapoint {
ret := []*datapoint.Datapoint{}
stats := map[string]int64{
"total_connections": atomic.LoadInt64(&m.TotalConnections),
"total_time_ns": atomic.LoadInt64(&m.TotalProcessingTimeNs),
}
for k, v := range stats {
ret = append(
ret,
datapoint.New(
k,
dimensions,
datapoint.NewIntValue(v),
datapoint.Counter,
time.Now()))
}
ret = append(
ret,
datapoint.New(
"active_connections",
dimensions,
datapoint.NewIntValue(atomic.LoadInt64(&m.ActiveConnections)),
datapoint.Gauge,
time.Now()))
return ret
}
开发者ID:signalfx,项目名称:cadvisor-integration,代码行数:27,代码来源:reqcounter.go
示例2: pointc
func pointc(name string, v int64) *datapoint.Datapoint {
return dplocal.NewOnHostDatapointDimensions(
name,
datapoint.NewIntValue(v),
datapoint.Counter,
map[string]string{"stattype": "golang_sys"})
}
开发者ID:signalfx,项目名称:cadvisor-integration,代码行数:7,代码来源:golang_stats.go
示例3: collectMachineInfo
func (c *CadvisorCollector) collectMachineInfo(ch chan<- datapoint.Datapoint) {
machineInfo, err := c.infoProvider.GetMachineInfo()
if err != nil {
//c.errors.Set(1)
glog.Warningf("Couldn't get machine info: %s", err)
return
}
tt := time.Now()
// CPU frequency.
ch <- *datapoint.New("machine_cpu_frequency_khz", make(map[string]string), datapoint.NewIntValue(int64(machineInfo.CpuFrequency)), datapoint.Gauge, tt)
// Number of CPU cores on the machine.
ch <- *datapoint.New("machine_cpu_cores", make(map[string]string), datapoint.NewIntValue(int64(machineInfo.NumCores)), datapoint.Gauge, tt)
// Amount of memory installed on the machine.
ch <- *datapoint.New("machine_memory_bytes", make(map[string]string), datapoint.NewIntValue(int64(machineInfo.MemoryCapacity)), datapoint.Gauge, tt)
}
开发者ID:signalfx,项目名称:cadvisor-integration,代码行数:18,代码来源:sfxConverter.go
示例4: NewDatumValue
// NewDatumValue creates new datapoint value referenced from a value of the datum protobuf
func NewDatumValue(val *com_signalfx_metrics_protobuf.Datum) datapoint.Value {
if val.DoubleValue != nil {
return datapoint.NewFloatValue(val.GetDoubleValue())
}
if val.IntValue != nil {
return datapoint.NewIntValue(val.GetIntValue())
}
return datapoint.NewStringValue(val.GetStrValue())
}
开发者ID:baris,项目名称:metricproxy,代码行数:10,代码来源:signalfx.go
示例5: Stats
// Stats returns the number of calls to AddDatapoint
func (e *ErrorTrackerHandler) Stats(dimensions map[string]string) []*datapoint.Datapoint {
return []*datapoint.Datapoint{
dplocal.NewOnHostDatapointDimensions(
"total_errors",
datapoint.NewIntValue(e.TotalErrors),
datapoint.Counter,
dimensions),
}
}
开发者ID:tomzhang,项目名称:metricproxy,代码行数:11,代码来源:signalfxlistener.go
示例6: ValueToValue
// ValueToValue converts the v2 JSON value to a core api Value
func ValueToValue(v ValueToSend) (datapoint.Value, error) {
f, ok := v.(float64)
if ok {
return datapoint.NewFloatValue(f), nil
}
i, ok := v.(int64)
if ok {
return datapoint.NewIntValue(i), nil
}
i2, ok := v.(int)
if ok {
return datapoint.NewIntValue(int64(i2)), nil
}
s, ok := v.(string)
if ok {
return datapoint.NewStringValue(s), nil
}
return nil, fmt.Errorf("unable to convert value: %s", v)
}
开发者ID:baris,项目名称:metricproxy,代码行数:20,代码来源:signalfx.go
示例7: Stats
// Stats gets the metrics for a ReqLatencyCounter.
func (a *ReqLatencyCounter) Stats(dimensions map[string]string) []*datapoint.Datapoint {
now := a.timeKeeper.Now()
getDp := func(key string, value int64) *datapoint.Datapoint {
return datapoint.New(
"ReqLatencyCounter.requestCounts", appendDimensions(dimensions, "requestClass", key),
datapoint.NewIntValue(value), datapoint.Counter, now)
}
return []*datapoint.Datapoint{
getDp("fast", a.fastRequests),
getDp("slow", a.slowRequests),
}
}
开发者ID:signalfx,项目名称:cadvisor-integration,代码行数:13,代码来源:reqlatencycounter.go
示例8: TestDefaultSource
func TestDefaultSource(t *testing.T) {
finalDatapointDestination, l, forwarder := setupServerForwarder(t)
defer l.Close()
timeToSend := time.Now().Round(time.Second)
dpSent := datapoint.New("metric", map[string]string{}, datapoint.NewIntValue(2), datapoint.Gauge, timeToSend)
go forwarder.AddDatapoints(context.Background(), []*datapoint.Datapoint{dpSent})
dpRecieved := finalDatapointDestination.Next()
i := dpRecieved.Value.(datapoint.IntValue).Int()
assert.Equal(t, int64(2), i, "Expect 2 back")
assert.Equal(t, "proxy-source", dpRecieved.Dimensions["sf_source"], "Expect ahost back")
assert.Equal(t, timeToSend, dpRecieved.Timestamp)
}
开发者ID:tomzhang,项目名称:metricproxy,代码行数:13,代码来源:signalfxforwarder_test.go
示例9: Stats
// Stats related to this forwarder, including errors processing datapoints
func (forwarder *BufferedForwarder) Stats(dimensions map[string]string) []*datapoint.Datapoint {
ret := make([]*datapoint.Datapoint, 0, 2)
ret = append(ret, dplocal.NewOnHostDatapointDimensions(
"datapoint_chan_backup_size",
datapoint.NewIntValue(int64(len(forwarder.dpChan))),
datapoint.Gauge,
dimensions))
ret = append(ret, dplocal.NewOnHostDatapointDimensions(
"event_chan_backup_size",
datapoint.NewIntValue(int64(len(forwarder.eChan))),
datapoint.Gauge,
dimensions))
ret = append(ret, dplocal.NewOnHostDatapointDimensions(
"datapoint_backup_size",
datapoint.NewIntValue(atomic.LoadInt64(&forwarder.stats.totalDatapointsBuffered)),
datapoint.Gauge,
dimensions))
ret = append(ret, dplocal.NewOnHostDatapointDimensions(
"event_backup_size",
datapoint.NewIntValue(atomic.LoadInt64(&forwarder.stats.totalEventsBuffered)),
datapoint.Gauge,
dimensions))
return ret
}
开发者ID:signalfx,项目名称:cadvisor-integration,代码行数:25,代码来源:bufferedforwarder.go
示例10: TestNewProtobufDataPoint
func TestNewProtobufDataPoint(t *testing.T) {
protoDatapoint := &com_signalfx_metrics_protobuf.DataPoint{
Source: workarounds.GolangDoesnotAllowPointerToStringLiteral("asource"),
Metric: workarounds.GolangDoesnotAllowPointerToStringLiteral("ametric"),
Value: &com_signalfx_metrics_protobuf.Datum{IntValue: workarounds.GolangDoesnotAllowPointerToIntLiteral(2)},
Dimensions: []*com_signalfx_metrics_protobuf.Dimension{{
Key: workarounds.GolangDoesnotAllowPointerToStringLiteral("key"),
Value: workarounds.GolangDoesnotAllowPointerToStringLiteral("value"),
}},
}
dp, err := NewProtobufDataPointWithType(protoDatapoint, com_signalfx_metrics_protobuf.MetricType_COUNTER)
assert.Equal(t, "asource", dp.Dimensions["sf_source"], "Line should be invalid")
assert.NoError(t, err)
assert.Equal(t, datapoint.Count, dp.MetricType, "Line should be invalid")
v := com_signalfx_metrics_protobuf.MetricType_CUMULATIVE_COUNTER
protoDatapoint.MetricType = &v
dp, err = NewProtobufDataPointWithType(protoDatapoint, com_signalfx_metrics_protobuf.MetricType_COUNTER)
assert.NoError(t, err)
assert.Equal(t, datapoint.Counter, dp.MetricType, "Line should be invalid")
item := &BodySendFormatV2{
Metric: "ametric",
Value: 3.0,
}
assert.Contains(t, item.String(), "ametric", "Should get metric name back")
f, _ := ValueToValue(item.Value)
assert.Equal(t, datapoint.NewFloatValue(3.0), f, "Should get value 3 back")
item.Value = 3
i, _ := ValueToValue(item.Value)
assert.Equal(t, datapoint.NewIntValue(3), i, "Should get value 3 back")
item.Value = int64(3)
ValueToValue(item.Value)
item.Value = "abc"
s, _ := ValueToValue(item.Value)
assert.Equal(t, datapoint.NewStringValue("abc"), s, "Should get value abc back")
item.Value = struct{}{}
_, err = ValueToValue(item.Value)
assert.Error(t, err)
}
开发者ID:tomzhang,项目名称:metricproxy,代码行数:44,代码来源:signalfx_test.go
示例11: Stats
// Stats related to this c, including errors processing datapoints
func (c *Counter) Stats(dimensions map[string]string) []*datapoint.Datapoint {
ret := make([]*datapoint.Datapoint, 0, 6)
ret = append(ret, dplocal.NewOnHostDatapointDimensions(
"total_process_errors",
datapoint.NewIntValue(atomic.LoadInt64(&c.TotalProcessErrors)),
datapoint.Counter,
dimensions))
ret = append(ret, dplocal.NewOnHostDatapointDimensions(
"total_datapoints",
datapoint.NewIntValue(atomic.LoadInt64(&c.TotalDatapoints)),
datapoint.Counter,
dimensions))
ret = append(ret, dplocal.NewOnHostDatapointDimensions(
"total_events",
datapoint.NewIntValue(atomic.LoadInt64(&c.TotalEvents)),
datapoint.Counter,
dimensions))
ret = append(ret, dplocal.NewOnHostDatapointDimensions(
"total_process_calls",
datapoint.NewIntValue(atomic.LoadInt64(&c.TotalProcessCalls)),
datapoint.Counter,
dimensions))
ret = append(ret, dplocal.NewOnHostDatapointDimensions(
"dropped_points",
datapoint.NewIntValue(atomic.LoadInt64(&c.ProcessErrorPoints)),
datapoint.Counter,
dimensions))
ret = append(ret, dplocal.NewOnHostDatapointDimensions(
"process_time_ns",
datapoint.NewIntValue(atomic.LoadInt64(&c.TotalProcessTimeNs)),
datapoint.Counter,
dimensions))
ret = append(ret, dplocal.NewOnHostDatapointDimensions(
"calls_in_flight",
datapoint.NewIntValue(atomic.LoadInt64(&c.CallsInFlight)),
datapoint.Gauge,
dimensions))
return ret
}
开发者ID:signalfx,项目名称:cadvisor-integration,代码行数:47,代码来源:counter.go
示例12: Stats
// Stats reports information about the total points seen by carbon
func (listener *Listener) Stats() []*datapoint.Datapoint {
ret := []*datapoint.Datapoint{}
stats := map[string]int64{
"invalid_datapoints": atomic.LoadInt64(&listener.stats.invalidDatapoints),
"total_connections": atomic.LoadInt64(&listener.stats.totalConnections),
"active_connections": atomic.LoadInt64(&listener.stats.activeConnections),
}
for k, v := range stats {
var t datapoint.MetricType
if k == "active_connections" {
t = datapoint.Gauge
} else {
t = datapoint.Counter
}
ret = append(
ret,
dplocal.NewOnHostDatapointDimensions(
k,
datapoint.NewIntValue(v),
t,
map[string]string{"listener": listener.conf.name}))
}
return append(ret, listener.st.Stats()...)
}
开发者ID:baris,项目名称:metricproxy,代码行数:25,代码来源:carbonlistener.go
示例13: collectContainersInfo
func (c *CadvisorCollector) collectContainersInfo(ch chan<- datapoint.Datapoint) {
containers, err := c.infoProvider.SubcontainersInfo("/")
if err != nil {
//c.errors.Set(1)
glog.Warningf("Couldn't get containers: %s", err)
return
}
for _, container := range containers {
dims := make(map[string]string)
id := container.Name
dims["id"] = id
name := id
if len(container.Aliases) > 0 {
name = container.Aliases[0]
dims["name"] = name
}
image := container.Spec.Image
if len(image) > 0 {
dims["image"] = image
}
if c.containerNameToLabels != nil {
newLabels := c.containerNameToLabels(name)
for k, v := range newLabels {
dims[k] = v
}
}
tt := time.Now()
// Container spec
// Start time of the container since unix epoch in seconds.
ch <- *datapoint.New("container_start_time_seconds", copyDims(dims), datapoint.NewIntValue(container.Spec.CreationTime.Unix()), datapoint.Gauge, tt)
if container.Spec.HasCpu {
// CPU share of the container.
ch <- *datapoint.New("container_spec_cpu_shares", copyDims(dims), datapoint.NewIntValue(int64(container.Spec.Cpu.Limit)), datapoint.Gauge, tt)
}
if container.Spec.HasMemory {
// Memory limit for the container.
ch <- *datapoint.New("container_spec_memory_limit_bytes", copyDims(dims), datapoint.NewIntValue(int64(container.Spec.Memory.Limit)), datapoint.Gauge, tt)
// Memory swap limit for the container.
ch <- *datapoint.New("container_spec_memory_swap_limit_bytes", copyDims(dims), datapoint.NewIntValue(int64(container.Spec.Memory.SwapLimit)), datapoint.Gauge, tt)
}
// Now for the actual metrics
if len(container.Stats) > 0 {
// only get the latest stats from this container. note/warning: the stats array contains historical statistics in earliest-to-latest order
lastStatIndex := len(container.Stats) - 1
stat := container.Stats[lastStatIndex]
for _, cm := range c.containerMetrics {
for _, metricValue := range cm.getValues(stat) {
newDims := copyDims(dims)
// Add extra dimensions
for i, label := range cm.extraLabels {
newDims[label] = metricValue.labels[i]
}
ch <- *datapoint.New(cm.name, newDims, metricValue.value, cm.valueType, stat.Timestamp)
}
}
}
}
}
开发者ID:signalfx,项目名称:cadvisor-integration,代码行数:68,代码来源:sfxConverter.go
示例14: TestConfigLoadDimensions
func TestConfigLoadDimensions(t *testing.T) {
fileObj, _ := ioutil.TempFile("", "gotest")
filename := fileObj.Name()
defer os.Remove(filename)
ctx := context.Background()
psocket, err := net.Listen("tcp", "127.0.0.1:0")
assert.NoError(t, err)
defer psocket.Close()
portParts := strings.Split(psocket.Addr().String(), ":")
port := portParts[len(portParts)-1]
conf := strings.Replace(config1, "<<PORT>>", port, 1)
ioutil.WriteFile(filename, []byte(conf), os.FileMode(0666))
myProxyCommandLineConfiguration := proxyCommandLineConfigurationT{
configFileName: filename,
logDir: "-",
logMaxSize: 1,
ctx: ctx,
logMaxBackups: 0,
stopChannel: make(chan bool),
closeWhenWaitingToStopChannel: make(chan struct{}),
}
go func() {
myProxyCommandLineConfiguration.blockTillSetupReady()
assert.Equal(t, 1, len(myProxyCommandLineConfiguration.allListeners))
assert.Equal(t, 1, len(myProxyCommandLineConfiguration.allForwarders))
dp := datapoint.New("metric", map[string]string{"source": "proxy", "forwarder": "testForwardTo"}, datapoint.NewIntValue(1), datapoint.Gauge, time.Now())
myProxyCommandLineConfiguration.allForwarders[0].AddDatapoints(ctx, []*datapoint.Datapoint{dp})
// Keep going, but skip empty line and EOF
line := ""
for {
c, err := psocket.Accept()
defer c.Close()
assert.NoError(t, err)
reader := bufio.NewReader(c)
line, err = reader.ReadString((byte)('\n'))
if line == "" && err == io.EOF {
continue
}
break
}
assert.NoError(t, err)
fmt.Printf("line is %s\n", line)
log.Info(line)
assert.Equal(t, "proxy.testForwardTo.", line[0:len("proxy.testForwardTo.")])
myProxyCommandLineConfiguration.stopChannel <- true
}()
assert.NoError(t, myProxyCommandLineConfiguration.main())
}
开发者ID:tomzhang,项目名称:metricproxy,代码行数:51,代码来源:metricproxy_test.go
示例15: Stats
// Stats about this decoder, including how many datapoints it decoded
func (decoder *JSONDecoder) Stats(dimensions map[string]string) []*datapoint.Datapoint {
return []*datapoint.Datapoint{
datapoint.New("total_blank_dims", dimensions, datapoint.NewIntValue(decoder.TotalBlankDims), datapoint.Counter, time.Now()),
datapoint.New("invalid_collectd_json", dimensions, datapoint.NewIntValue(decoder.TotalErrors), datapoint.Counter, time.Now()),
}
}
开发者ID:signalfx,项目名称:cadvisor-integration,代码行数:7,代码来源:collectdlistener.go
示例16: NewCadvisorCollector
// NewCadvisorCollector creates new CadvisorCollector
func NewCadvisorCollector(infoProvider infoProvider, f ContainerNameToLabelsFunc) *CadvisorCollector {
return &CadvisorCollector{
infoProvider: infoProvider,
containerNameToLabels: f,
containerMetrics: []containerMetric{
{
name: "container_last_seen",
help: "Last time a container was seen by the exporter",
valueType: datapoint.Timestamp,
getValues: func(s *info.ContainerStats) metricValues {
return metricValues{{value: datapoint.NewIntValue(time.Now().UnixNano())}}
},
},
{
name: "container_cpu_user_seconds_total",
help: "Cumulative user cpu time consumed in nanoseconds.",
valueType: datapoint.Counter,
getValues: func(s *info.ContainerStats) metricValues {
return metricValues{{value: datapoint.NewIntValue(int64(s.Cpu.Usage.User))}}
},
},
{
name: "container_cpu_system_seconds_total",
help: "Cumulative system cpu time consumed in nanoseconds.",
valueType: datapoint.Counter,
getValues: func(s *info.ContainerStats) metricValues {
return metricValues{{value: datapoint.NewIntValue(int64(s.Cpu.Usage.System))}}
},
},
{
name: "container_cpu_usage_seconds_total",
help: "Cumulative cpu time consumed per cpu in nanoseconds.",
valueType: datapoint.Counter,
getValues: func(s *info.ContainerStats) metricValues {
return metricValues{{value: datapoint.NewIntValue(int64(s.Cpu.Usage.Total))}}
},
},
{
name: "container_cpu_utilization",
help: "Cumulative cpu utilization in percentages.",
valueType: datapoint.Counter,
getValues: func(s *info.ContainerStats) metricValues {
return metricValues{{value: datapoint.NewIntValue(int64(s.Cpu.Usage.Total / 10000000))}}
},
},
{
name: "container_cpu_utilization_per_core",
help: "Cumulative cpu utilization in percentages per core",
valueType: datapoint.Counter,
extraLabels: []string{"cpu"},
getValues: func(s *info.ContainerStats) metricValues {
metricValues := make(metricValues, len(s.Cpu.Usage.PerCpu))
for index, coreUsage := range s.Cpu.Usage.PerCpu {
if coreUsage > 0 {
metricValues[index] = metricValue{value: datapoint.NewIntValue(int64(coreUsage / 10000000)), labels: []string{"cpu" + strconv.Itoa(index)}}
} else {
metricValues[index] = metricValue{value: datapoint.NewIntValue(int64(0)), labels: []string{strconv.Itoa(index)}}
}
}
return metricValues
},
},
{
name: "container_memory_failcnt",
help: "Number of memory usage hits limits",
valueType: datapoint.Counter,
getValues: func(s *info.ContainerStats) metricValues {
return metricValues{{value: datapoint.NewIntValue(int64(s.Memory.Failcnt))}}
},
},
{
name: "container_memory_usage_bytes",
help: "Current memory usage in bytes.",
valueType: datapoint.Gauge,
getValues: func(s *info.ContainerStats) metricValues {
return metricValues{{value: datapoint.NewIntValue(int64(s.Memory.Usage))}}
},
},
{
name: "container_memory_working_set_bytes",
help: "Current working set in bytes.",
valueType: datapoint.Gauge,
getValues: func(s *info.ContainerStats) metricValues {
return metricValues{{value: datapoint.NewIntValue(int64(s.Memory.WorkingSet))}}
},
},
{
name: "container_memory_failures_total",
help: "Cumulative count of memory allocation failures.",
valueType: datapoint.Counter,
extraLabels: []string{"type", "scope"},
getValues: func(s *info.ContainerStats) metricValues {
return metricValues{
{
value: datapoint.NewIntValue(int64(s.Memory.ContainerData.Pgfault)),
labels: []string{"pgfault", "container"},
},
{
value: datapoint.NewIntValue(int64(s.Memory.ContainerData.Pgmajfault)),
//.........这里部分代码省略.........
开发者ID:signalfx,项目名称:cadvisor-integration,代码行数:101,代码来源:sfxConverter.go
示例17: TestDatumForPoint
func TestDatumForPoint(t *testing.T) {
assert.Equal(t, int64(3), datumForPoint(datapoint.NewIntValue(3)).GetIntValue())
assert.Equal(t, 0.0, datumForPoint(datapoint.NewIntValue(3)).GetDoubleValue())
assert.Equal(t, .1, datumForPoint(datapoint.NewFloatValue(.1)).GetDoubleValue())
assert.Equal(t, "hi", datumForPoint(datapoint.NewStringValue("hi")).GetStrValue())
}
开发者ID:tomzhang,项目名称:metricproxy,代码行数:6,代码来源:signalfxforwarder_test.go
示例18: Next
// Next returns a unique datapoint
func (d *DatapointSource) Next() *datapoint.Datapoint {
d.mu.Lock()
defer d.mu.Unlock()
return datapoint.New(d.Metric+":"+strconv.FormatInt(atomic.AddInt64(&d.CurrentIndex, 1), 10), d.Dims, datapoint.NewIntValue(0), d.Dptype, d.TimeSource())
}
开发者ID:baris,项目名称:metricproxy,代码行数:6,代码来源:generator.go
注:本文中的github.com/signalfx/golib/datapoint.NewIntValue函数示例由纯净天空整理自Github/MSDocs等源码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。 |
请发表评论