本文整理汇总了Golang中github.com/cihub/seelog.Flush函数的典型用法代码示例。如果您正苦于以下问题:Golang Flush函数的具体用法?Golang Flush怎么用?Golang Flush使用的例子?那么恭喜您, 这里精选的函数代码示例或许可以为您提供帮助。
在下文中一共展示了Flush函数的20个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于我们的系统推荐出更棒的Golang代码示例。
示例1: New
func New(endpoint []string, path string) *opt {
cfg := client.Config{
Endpoints: endpoint,
Transport: client.DefaultTransport,
HeaderTimeoutPerRequest: time.Second,
}
etcdClient, err := client.New(cfg)
if err != nil {
log.Errorf("new etcd client error: ", err)
log.Flush()
panic(0)
}
api := client.NewKeysAPI(etcdClient)
resp, err := api.Get(context.Background(), "/swarm/docker/swarm/leader", nil)
if err != nil {
log.Errorf("get swarm leader error: %v", err)
log.Flush()
panic(0)
}
return &opt{
Client: etcdClient,
Endpoint: endpoint,
Path: path,
Api: api,
Leader: fmt.Sprintf("http://%s", resp.Node.Value),
}
}
开发者ID:yiqguo,项目名称:beehive,代码行数:28,代码来源:etcd.go
示例2: read_to_chan
func (fr *TrecFileReader) read_to_chan(count int) (i int) {
//Catch and log panics
defer func() {
if x := recover(); x != nil {
log.Criticalf("Error in document %d of %s: %v", fr.docCounter, fr.filename, x)
log.Flush()
}
}()
for i := 0; i < count || count == -1; i++ {
log.Debugf("Reading document %d from %s", i, fr.filename)
doc, err := fr.read_next_doc()
switch err {
case io.EOF:
log.Debugf("Got EOF for file %s", fr.filename)
close(fr.documents)
return i
case nil:
log.Debugf("Successfully read document %s", doc.Identifier())
fr.documents <- doc
default:
log.Criticalf("Oh fuck...%v", err)
panic(err)
}
}
log.Infof("Returning")
return i
}
开发者ID:Georgetown-IR-Lab,项目名称:ocr-correction,代码行数:33,代码来源:trec.go
示例3: save
// Saves credential cache to disk. This writes to a temporary file first, then moves the file to the config location.
// This elminates from reading partially written credential files, and reduces (but does not eliminate) concurrent
// file access. There is not guarantee here for handling multiple writes at once since there is no out of process locking.
func (f *fileCredentialCache) save(registryCache *RegistryCache) error {
defer log.Flush()
file, err := ioutil.TempFile(f.path, ".config.json.tmp")
if err != nil {
return err
}
buff, err := json.MarshalIndent(registryCache, "", " ")
if err != nil {
file.Close()
os.Remove(file.Name())
return err
}
_, err = file.Write(buff)
if err != nil {
file.Close()
os.Remove(file.Name())
return err
}
file.Close()
// note this is only atomic when relying on linux syscalls
os.Rename(file.Name(), f.fullFilePath())
return err
}
开发者ID:concourse,项目名称:docker-image-resource,代码行数:30,代码来源:file.go
示例4: TestGetPkgPath
func TestGetPkgPath(t *testing.T) {
defer log.Flush()
Convey("Give pkgPath a ptr", t, func() {
c := &Closer{}
name, pkgPath := GetPkgPath(c)
So(name, ShouldEqual, "Closer")
So(pkgPath, ShouldEqual, "github.com/vrecan/death")
})
Convey("Give pkgPath a interface", t, func() {
var closable Closable
closable = Closer{}
name, pkgPath := GetPkgPath(closable)
So(name, ShouldEqual, "Closer")
So(pkgPath, ShouldEqual, "github.com/vrecan/death")
})
Convey("Give pkgPath a copy", t, func() {
c := Closer{}
name, pkgPath := GetPkgPath(c)
So(name, ShouldEqual, "Closer")
So(pkgPath, ShouldEqual, "github.com/vrecan/death")
})
}
开发者ID:lcaballero,项目名称:death,代码行数:26,代码来源:pkgPath_test.go
示例5: main
func main() {
defer log.Flush()
stdFormat()
flag.Parse()
if *clientId == "" {
fmt.Fprintln(os.Stderr, "--client-id is not specified. See https://developers.google.com/drive/quickstart-go for step-by-step guide.")
return
}
if *clientSecret == "" {
fmt.Fprintln(os.Stderr, "--client-secret is not specified. See https://developers.google.com/drive/quickstart-go for step-by-step guide.")
return
}
fs := gdrive.NewGDriveFileSystem(*clientId, *clientSecret)
http.HandleFunc("/debug/gc", gcHandler)
http.HandleFunc("/favicon.ico", notFoundHandler)
http.HandleFunc("/", webdav.NewHandler(fs))
fmt.Printf("Listening on %v\n", *addr)
err := http.ListenAndServe(*addr, nil)
if err != nil {
log.Errorf("Error starting WebDAV server: %v", err)
}
}
开发者ID:santeriv,项目名称:gdrive-webdav,代码行数:28,代码来源:main.go
示例6: main
func main() {
defer log.Flush()
flag.Parse()
args := flag.Args()
if len(args) == 0 {
usage(actions(nil))
os.Exit(1)
}
logger, err := log.LoggerFromConfigAsString(config.Logger())
if err != nil {
die(err)
}
log.ReplaceLogger(logger)
init, err := engine.New()
if err != nil {
die(err)
}
log.Info(args[0])
actions := actions(init)
action, ok := actions[args[0]]
if !ok {
usage(actions)
os.Exit(1)
}
err = action.function()
if err != nil {
die(err)
}
}
开发者ID:ColBT,项目名称:amazon-ecs-init,代码行数:32,代码来源:ecs-init.go
示例7: TestSTreeMod
func TestSTreeMod(t *testing.T) {
defer log.Flush()
Convey("Test clone\n", t, func() {
s, err := NewSTreeJson(strings.NewReader(`{"key1": "val1", "key.2": 1234, "key3": {"key4": true, "key5": -12.34}}`))
So(err, ShouldBeNil)
c, err := s.clone()
So(err, ShouldBeNil)
s["key1"] = "valMod"
s3, err := s.STreeVal(".key3")
s3["key4"] = false
log.Debugf("Test clone - s: %v", s)
log.Debugf("Test clone - c: %v", c)
v1, err := c.StrVal(".key1")
So(err, ShouldBeNil)
So(v1, ShouldEqual, "val1")
v2, err := c.BoolVal(".key3.key4")
So(err, ShouldBeNil)
So(v2, ShouldBeTrue)
})
}
开发者ID:oldenbur,项目名称:gostree,代码行数:28,代码来源:streemod_test.go
示例8: main
func main() {
// Set up a done channel, that's shared by the whole pipeline.
// Closing this channel will kill all pipeline goroutines
//done := make(chan struct{})
//defer close(done)
// Set up logging
initializeLogging()
// Flush the log before we shutdown
defer log.Flush()
// Parse the command line flags
config := parseCommandLineFlags()
gamq.SetConfig(&config)
if config.ProfilingEnabled {
defer profile.Start(profile.CPUProfile).Stop()
}
log.Infof("Broker started on port: %d", gamq.Configuration.Port)
log.Infof("Executing on: %d threads", runtime.GOMAXPROCS(-1))
connectionManager := gamq.NewConnectionManager()
connectionManager.Start()
}
开发者ID:FireEater64,项目名称:gamq,代码行数:26,代码来源:gamq.go
示例9: Chew
func Chew(chewChan <-chan *messaging.Food, swallowChan chan *messaging.Food, wg *sync.WaitGroup) {
log.Info("Let the chewing begin!")
defer close(swallowChan)
r := rep.NewReporter()
r.RegisterStatWIndex("chew", "good")
for msg := range chewChan {
if nil != msg {
//parsing work here probably change what our message type looks like when swallowed
date := time.Unix(0, msg.GetTimeNano()).UTC()
fmtDate := date.Format("2006-01-02")
indexType := "all"
customerId := "id" //should exist eventually
index := "documents-" + customerId + "-" + fmtDate
msg.Index = &index
msg.IndexType = &indexType
r.AddStatWIndex("chew", 1, "good")
swallowChan <- msg
}
}
log.Info("Done chewing")
log.Flush()
wg.Done()
}
开发者ID:vrecan,项目名称:gomasticate,代码行数:25,代码来源:chew.go
示例10: main
func main() {
if len(os.Args) < 3 {
fmt.Fprintf(os.Stderr, "too few args,args form: <host port>\n")
os.Exit(1)
}
host := os.Args[1]
port, err := strconv.Atoi(os.Args[2])
if err != nil {
fmt.Fprintf(os.Stderr, "invalid port,need integer type,your input port: <port>\n", os.Args[2])
os.Exit(1)
}
ctx := context.GetContext()
currentServer := make(map[string]interface{})
currentServer["id"] = "connector-1"
currentServer["serverType"] = "connector"
currentServer["host"] = "127.0.0.1"
currentServer["port"] = 8888
ctx.CurrentServer = currentServer
defer seelog.Flush()
tcp_cnct := tcp_connector.NewTcpConnector(host, port, nil)
tcp_cnct.RegistNewConnCB(NewConnCB)
tcp_cnct.RegistNewMsgCB(NewMsgCB)
tcp_cnct.Start()
ch := make(chan int)
<-ch
}
开发者ID:liweisheng,项目名称:server-framework,代码行数:29,代码来源:server.go
示例11: Tokens
func (tz *BadXMLTokenizer) Tokens() <-chan *Token {
token_channel := make(chan *Token)
log.Debugf("Created channel %v as part of Tokens(), with"+
" Scanner = %v", token_channel, tz)
go func(ret chan *Token, tz *BadXMLTokenizer) {
for {
log.Tracef("Scanner calling Next()")
tok, err := tz.Next()
log.Tracef("scanner.Next() returned %s, %v", tok, err)
switch err {
case nil:
log.Debugf("Pushing %s into token channel %v",
tok, ret)
ret <- tok
case io.EOF:
log.Debugf("received EOF, closing channel")
close(ret)
log.Debugf("Closed.")
log.Flush()
return
panic("I should have exited the goroutine but " +
"didn't")
}
}
}(token_channel, tz)
return token_channel
}
开发者ID:Georgetown-IR-Lab,项目名称:ocr-correction,代码行数:30,代码来源:tokenizer.go
示例12: adaptiveMain
func adaptiveMain() {
defer log.Flush()
loadAdaptiveConfig()
testMsgIntensity(1)
testMsgIntensity(5)
testMsgIntensity(10)
}
开发者ID:Krave-n,项目名称:seelog-examples,代码行数:7,代码来源:adaptive_main.go
示例13: libWithSealogMain
func libWithSealogMain() {
defer library.FlushLog()
defer log.Flush()
loadAppConfig()
log.Info("App started")
log.Info("Config loaded")
// Disable library log
log.Info("* Disabled library log test")
library.DisableLog()
calcF2()
log.Info("* Disabled library log tested")
// Use a special logger for library
log.Info("* Special output test")
specialOutputConfig()
calcF2()
log.Info("* Special output tested")
// Use the same logger for both app and library
log.Info("* Same output test")
sameOutputConfig()
calcF2()
log.Info("* Same output tested")
log.Info("App finished")
}
开发者ID:cihub,项目名称:seelog-examples,代码行数:27,代码来源:lib_with_sl_main.go
示例14: exitOnError
func exitOnError(e error) {
if e != nil {
log.Errorf("Received error '%s'", e.Error())
log.Flush()
os.Exit(1)
}
}
开发者ID:evaluation-alex,项目名称:gosync,代码行数:7,代码来源:main.go
示例15: main
func main() {
defer log.Flush()
clientId := os.Getenv("MONDO_CLIENT_ID")
clientSecret := os.Getenv("MONDO_CLIENT_SECRET")
userName := os.Getenv("MONDO_USERNAME")
password := os.Getenv("MONDO_PASSWORD")
// Authenticate with Mondo, and return an authenticated MondoClient.
client, err := mondo.Authenticate(clientId, clientSecret, userName, password)
if err != nil {
panic(err)
}
// Retrieve all of the accounts.
acs, err := client.Accounts()
if err != nil {
panic(err)
}
// Grab our account ID.
accountId := acs[0].ID
if _, err := client.RegisterWebhook(accountId, "YOUR_URL_HERE"); err != nil {
log.Errorf("Error registering webhook: %v", err)
}
}
开发者ID:radeksimko,项目名称:go-mondo,代码行数:27,代码来源:main.go
示例16: TestDeath
func TestDeath(t *testing.T) {
defer log.Flush()
Convey("Validate death happens cleanly", t, func() {
death := NewDeath(syscall.SIGTERM)
syscall.Kill(os.Getpid(), syscall.SIGTERM)
death.WaitForDeath()
})
Convey("Validate death happens with other signals", t, func() {
death := NewDeath(syscall.SIGHUP)
closeMe := &CloseMe{}
syscall.Kill(os.Getpid(), syscall.SIGHUP)
death.WaitForDeath(closeMe)
So(closeMe.Closed, ShouldEqual, 1)
})
Convey("Validate death gives up after timeout", t, func() {
death := NewDeath(syscall.SIGHUP)
death.setTimeout(10 * time.Millisecond)
neverClose := &neverClose{}
syscall.Kill(os.Getpid(), syscall.SIGHUP)
death.WaitForDeath(neverClose)
})
}
开发者ID:Fresheyeball,项目名称:death,代码行数:28,代码来源:death_unix_test.go
示例17: main
func main() {
// Make sure we flush the log before quitting:
defer log.Flush()
var hostInventoryMutex sync.Mutex
var hostInventory types.HostInventory
// Configuration object for the HostInventoryUpdater:
config := types.Config{
HostUpdateFrequency: *hostUpdateFreq,
DNSUpdateFrequency: *dnsUpdateFreq,
RoleTag: *roleTag,
EnvironmentTag: *environmentTag,
DNSDomainName: *dnsDomainName,
AWSRegion: *awsRegion,
DNSTTL: *dnsTTL,
HostInventory: hostInventory,
HostInventoryMutex: hostInventoryMutex,
}
// Run the host-inventory-updater:
go hostinventory.Updater(&config)
// Run the dns-updater:
go dns.Updater(&config)
// Run until we get a kill-signal:
runUntilKillSignal()
}
开发者ID:chrusty,项目名称:dns-from-aws,代码行数:29,代码来源:main.go
示例18: typesMain
func typesMain() {
defer log.Flush()
syncLogger()
fmt.Println()
asyncLoopLogger()
fmt.Println()
asyncTimerLogger()
}
开发者ID:Krave-n,项目名称:seelog-examples,代码行数:8,代码来源:types_main.go
示例19: main
func main() {
defer log.Flush()
logger, err := log.LoggerFromConfigAsFile("seelog.xml")
if nil != err {
log.Warn("Failed to load config", err)
}
log.ReplaceLogger(logger)
flag.Parse()
statsTransformChannel := make(chan *diskStat.DiskStat, 10)
statsOutputChannel := make(chan *diskStat.ExtendedIoStats, 10)
var output outputInterface.Output
proto := PStdOut
switch *protocolType {
case "protobuffers":
{
proto = PProtoBuffers
}
case "json":
{
proto = PJson
}
default:
{
if *outputType == "zmq" {
proto = PProtoBuffers
} else if *outputType == "stdout" {
proto = PStdOut
}
}
}
switch *outputType {
case "zmq":
output, err = zmqOutput.NewZmqOutput(queueUrl, proto)
case "nano":
output, err = nanoMsgOutput.NewNanoMsgOutput(queueUrl, proto)
default:
output = &logOutput.LogOutput{proto}
}
if nil != err {
log.Error("Failed to setup output ", err)
}
go ioStatTransform.TransformStat(statsTransformChannel, statsOutputChannel)
go statsOutput.Output(statsOutputChannel, output)
for {
readAndSendStats(statsTransformChannel)
time.Sleep(time.Second * time.Duration(*interval))
}
close(statsTransformChannel)
close(statsOutputChannel)
}
开发者ID:lucmichalski,项目名称:goiostat,代码行数:58,代码来源:goiostat.go
示例20: exceptionsMain
func exceptionsMain() {
defer log.Flush()
testMinMax()
testMin()
testMax()
testList()
testFuncException()
testFileException()
}
开发者ID:cihub,项目名称:seelog-examples,代码行数:9,代码来源:exceptions_main.go
注:本文中的github.com/cihub/seelog.Flush函数示例整理自Github/MSDocs等源码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。 |
请发表评论