本文整理汇总了Golang中github.com/zenazn/goji/graceful.PostHook函数的典型用法代码示例。如果您正苦于以下问题:Golang PostHook函数的具体用法?Golang PostHook怎么用?Golang PostHook使用的例子?那么恭喜您, 这里精选的函数代码示例或许可以为您提供帮助。
在下文中一共展示了PostHook函数的16个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于我们的系统推荐出更棒的Golang代码示例。
示例1: Serve
// Serve starts the go-horizon system, binding it to a socket, setting up
// the shutdown signals and starting the appropriate db-streaming pumps.
func (a *App) Serve() {
a.web.router.Compile()
http.Handle("/", a.web.router)
listenStr := fmt.Sprintf(":%d", a.config.Port)
listener := bind.Socket(listenStr)
log.Infof(a.ctx, "Starting horizon on %s", listener.Addr())
graceful.HandleSignals()
bind.Ready()
graceful.PreHook(func() {
log.Info(a.ctx, "received signal, gracefully stopping")
a.Cancel()
})
graceful.PostHook(func() {
log.Info(a.ctx, "stopped")
})
if a.config.Autopump {
sse.SetPump(a.ctx, sse.AutoPump)
} else {
sse.SetPump(a.ctx, db.NewLedgerClosePump(a.ctx, a.historyDb))
}
err := graceful.Serve(listener, http.DefaultServeMux)
if err != nil {
log.Panic(a.ctx, err)
}
graceful.Wait()
}
开发者ID:jacksonh,项目名称:go-horizon,代码行数:35,代码来源:app.go
示例2: serve
func serve() {
goji.DefaultMux.Compile()
// Install our handler at the root of the standard net/http default mux.
// This allows packages like expvar to continue working as expected.
http.Handle("/", goji.DefaultMux)
listener := bind.Socket(bind.Sniff())
log.Println("Starting Goji on", listener.Addr())
graceful.HandleSignals()
bind.Ready()
graceful.PreHook(func() { log.Printf("Goji received signal, gracefully stopping") })
graceful.PostHook(func() {
log.Printf("Goji stopped")
log.Printf("Shutting down the server")
handler.DB.Close()
log.Printf("Database shut down. Terminating the process.")
})
err := graceful.Serve(listener, http.DefaultServeMux)
if err != nil {
log.Fatal(err)
}
graceful.Wait()
}
开发者ID:parkr,项目名称:gossip,代码行数:27,代码来源:gossip.go
示例3: Serve
// Serve starts kami with reasonable defaults.
// It works (exactly) like Goji, looking for Einhorn, the bind flag, GOJI_BIND...
func Serve() {
if !flag.Parsed() {
flag.Parse()
}
// Install our handler at the root of the standard net/http default mux.
// This allows packages like expvar to continue working as expected.
http.Handle("/", Handler())
listener := bind.Default()
log.Println("Starting kami on", listener.Addr())
graceful.HandleSignals()
bind.Ready()
graceful.PreHook(func() { log.Printf("kami received signal, gracefully stopping") })
graceful.PostHook(func() { log.Printf("kami stopped") })
err := graceful.Serve(listener, http.DefaultServeMux)
if err != nil {
log.Fatal(err)
}
graceful.Wait()
}
开发者ID:gunosy,项目名称:kami,代码行数:27,代码来源:serve.go
示例4: main
func main() {
var err error
flags.Parse(os.Args[1:])
conf, err := server.NewConfigFromFile(*confFile, os.Getenv("CONFIG"))
if err != nil {
log.Fatal(err)
}
srv := server.New(conf)
if err := srv.Configure(); err != nil {
log.Fatal(err)
}
lg.Infof("** Imgry Server v%s at %s **", imgry.VERSION, srv.Config.Bind)
lg.Infof("** Engine: %s", srv.ImageEngine.Version())
graceful.AddSignal(syscall.SIGINT, syscall.SIGTERM)
graceful.Timeout(30 * time.Second)
graceful.PreHook(srv.Close)
graceful.PostHook(srv.Shutdown)
err = graceful.ListenAndServe(srv.Config.Bind, srv.NewRouter())
if err != nil {
lg.Fatal(err.Error())
}
graceful.Wait()
}
开发者ID:palaiyacw,项目名称:imgry,代码行数:28,代码来源:main.go
示例5: Serve
// Serve starts the horizon system, binding it to a socket, setting up
// the shutdown signals and starting the appropriate db-streaming pumps.
func (a *App) Serve() {
a.web.router.Compile()
http.Handle("/", a.web.router)
listenStr := fmt.Sprintf(":%d", a.config.Port)
listener := bind.Socket(listenStr)
log.Infof("Starting horizon on %s", listener.Addr())
graceful.HandleSignals()
bind.Ready()
graceful.PreHook(func() {
log.Info("received signal, gracefully stopping")
a.Close()
})
graceful.PostHook(func() {
log.Info("stopped")
})
sse.SetPump(a.pump.Subscribe())
err := graceful.Serve(listener, http.DefaultServeMux)
if err != nil {
log.Panic(err)
}
graceful.Wait()
}
开发者ID:zenododobird,项目名称:horizon,代码行数:31,代码来源:app.go
示例6: main
func main() {
filename := flag.String("config", "config.toml", "Path to configuration file")
flag.Parse()
defer glog.Flush()
var application = &system.Application{}
application.Init(filename)
application.LoadTemplates()
// Setup static files
static := web.New()
publicPath := application.Config.Get("general.public_path").(string)
static.Get("/assets/*", http.StripPrefix("/assets/", http.FileServer(http.Dir(publicPath))))
http.Handle("/assets/", static)
// Apply middleware
goji.Use(application.ApplyTemplates)
goji.Use(application.ApplySessions)
goji.Use(application.ApplyDbMap)
goji.Use(application.ApplyAuth)
goji.Use(application.ApplyIsXhr)
goji.Use(application.ApplyCsrfProtection)
goji.Use(context.ClearHandler)
controller := &controllers.MainController{}
// Couple of files - in the real world you would use nginx to serve them.
goji.Get("/robots.txt", http.FileServer(http.Dir(publicPath)))
goji.Get("/favicon.ico", http.FileServer(http.Dir(publicPath+"/images")))
// Home page
goji.Get("/", application.Route(controller, "Index"))
// Sign In routes
goji.Get("/signin", application.Route(controller, "SignIn"))
goji.Post("/signin", application.Route(controller, "SignInPost"))
// Sign Up routes
goji.Get("/signup", application.Route(controller, "SignUp"))
goji.Post("/signup", application.Route(controller, "SignUpPost"))
// KTHXBYE
goji.Get("/logout", application.Route(controller, "Logout"))
graceful.PostHook(func() {
application.Close()
})
goji.Serve()
}
开发者ID:matsumana,项目名称:golang-goji-sample,代码行数:52,代码来源:server.go
示例7: main
func main() {
filename := flag.String("config", "config.json", "Path to configuration file")
flag.Parse()
defer glog.Flush()
var application = &system.Application{}
application.Init(filename)
application.LoadTemplates()
application.ConnectToDatabase()
// Setup static files
static := gojiweb.New()
static.Get("/assets/*", http.StripPrefix("/assets/", http.FileServer(http.Dir(application.Configuration.PublicPath))))
http.Handle("/assets/", static)
// Apply middleware
goji.Use(application.ApplyTemplates)
goji.Use(application.ApplySessions)
goji.Use(application.ApplyDatabase)
goji.Use(application.ApplyAuth)
controller := &web.Controller{}
// Couple of files - in the real world you would use nginx to serve them.
goji.Get("/robots.txt", http.FileServer(http.Dir(application.Configuration.PublicPath)))
goji.Get("/favicon.ico", http.FileServer(http.Dir(application.Configuration.PublicPath+"/images")))
// Homec page
goji.Get("/", application.Route(controller, "Index"))
// Sign In routes
goji.Get("/signin", application.Route(controller, "SignIn"))
goji.Post("/signin", application.Route(controller, "SignInPost"))
// Sign Up routes
goji.Get("/signup", application.Route(controller, "SignUp"))
goji.Post("/signup", application.Route(controller, "SignUpPost"))
// KTHXBYE
goji.Get("/logout", application.Route(controller, "Logout"))
graceful.PostHook(func() {
application.Close()
})
goji.Serve()
}
开发者ID:alexnnovak,项目名称:annsto1,代码行数:49,代码来源:server.go
示例8: serve
func serve(mux *web.Mux, bindProtocol, bindPort string) {
// For now, this is completely lifted from goji's default handler.
http.Handle("/", mux)
log.Printf("Starting on %v/%v", bindProtocol, bindPort)
graceful.HandleSignals()
listener, err := net.Listen(bindProtocol, bindPort)
if err != nil {
log.Fatalf("Couldn't open socket on %v/%v: %v", bindProtocol, bindPort, err)
}
graceful.PreHook(func() { log.Info("Received signal, gracefully stopping.") })
graceful.PostHook(func() { log.Info("Stopped.") })
err = graceful.Serve(listener, http.DefaultServeMux)
if err != nil {
log.Fatalf("Couldn't serve on %v/%v: %v", bindProtocol, bindPort, err)
}
graceful.Wait()
}
开发者ID:backerman,项目名称:eveindy,代码行数:17,代码来源:server.go
示例9: main
func main() {
webapp.Application.Init("config.toml")
// serve static files
goji.Use(webapp.Application.ApplyStatic)
// plugins
webapp.Application.RegisterPlugin("orm", new(plugins.Gorm))
// controller
pg := new(Page)
pg.NewJobQueue("mailer", pg.SendMail, 2)
goji.Get("/", pg.hello)
goji.Get("/mail/:from/:to", pg.mailer)
graceful.PostHook(func() {
webapp.Application.Close()
})
goji.Serve()
}
开发者ID:johnwilson,项目名称:webapp,代码行数:20,代码来源:server.go
示例10: main
func main() {
filename := flag.String("config", "config.json", "Path to configuration file")
flag.Parse()
defer glog.Flush()
var application = &system.Application{}
application.Init(filename)
application.LoadTemplates()
application.ConnectToDatabase()
// Setup static files
static := web.New()
static.Get("/assets/*", http.StripPrefix("/assets/", http.FileServer(http.Dir(application.Configuration.PublicPath))))
http.Handle("/assets/", static)
// That's probably a terrible idea
controllers.Template = application.Template
controllers.MediaContent = application.Configuration.PublicPath + "/uploads/"
http.Handle("/chat/", sockjs.NewHandler("/chat", sockjs.DefaultOptions, controllers.Chat))
// Apply middleware
goji.Use(application.ApplyTemplates)
goji.Use(application.ApplySessions)
goji.Use(application.ApplyDatabase)
goji.Use(application.ApplyAuth)
controller := &controllers.MainController{}
goji.Get("/", application.Route(controller, "Index"))
goji.Get("/terms", application.Route(controller, "Terms"))
goji.Get("/privacy", application.Route(controller, "Privacy"))
graceful.PostHook(func() {
application.Close()
})
goji.Serve()
}
开发者ID:rand99,项目名称:taillachat,代码行数:41,代码来源:server.go
示例11: SetupMainServer
// SetupMainServer allocates a listener socket and starts a web server with graceful restart
// on the specified IP address and port. The ipPort has the format "ip_address:port" or
// ":port" for 0.0.0.0/port.
func SetupMainServer(ipPort string, mux *web.Mux) {
listener, err := net.Listen("tcp4", ipPort)
if err != nil {
FatalError(err.Error())
}
// Install our handler at the root of the standard net/http default mux.
// This allows packages like expvar to continue working as expected.
mux.Compile()
http.Handle("/", mux)
graceful.HandleSignals()
graceful.PreHook(func() { log15.Warn("Gracefully stopping on signal") })
graceful.PostHook(func() { log.Printf("Gracefully stopped") })
err = graceful.Serve(listener, http.DefaultServeMux)
if err != nil {
FatalError(err.Error())
}
graceful.Wait()
}
开发者ID:rightscale,项目名称:go-boilerplate,代码行数:25,代码来源:main.go
示例12: ServeTLS
/**
*There was no support of TLS in kami
*Copy-paste from Goji
**/
func ServeTLS(config *tls.Config) {
if !flag.Parsed() {
flag.Parse()
}
http.Handle("/", kami.Handler())
listener := tls.NewListener(bind.Default(), config)
log.Println("Starting kami on", listener.Addr())
graceful.HandleSignals()
bind.Ready()
graceful.PreHook(func() { log.Printf("kami received signal, gracefully stopping") })
graceful.PostHook(func() { log.Printf("kami stopped") })
err := graceful.Serve(listener, http.DefaultServeMux)
if err != nil {
log.Fatal(err)
}
graceful.Wait()
}
开发者ID:yauhen-l,项目名称:petrucho,代码行数:27,代码来源:kami-tls.go
示例13: main
func main() {
env := flag.String("e", "development", "Application environment: development, production, testing")
migration := flag.String("migrate", "", "Run DB migrations: up, down, redo, new [MIGRATION_NAME] and then os.Exit(0)")
flag.Parse()
logrus.SetFormatter(&logrus.TextFormatter{})
logrus.SetOutput(os.Stderr)
logrus.SetLevel(logrus.InfoLevel)
var application = &system.Application{}
//create rice boxes for folders with data
configBox := rice.MustFindBox("config") //config dir
migrationsBox := rice.MustFindBox("migrations") //migrations dir
viewsBox := rice.MustFindBox("views") //views dir
publicBox := rice.MustFindBox("public") //public dir
imagesBox := rice.MustFindBox("public/images") //public/images dir
application.Init(env, configBox)
application.ConnectToDatabase()
if len(*migration) > 0 {
//Read https://github.com/rubenv/sql-migrate for more info about migrations
application.RunMigrations(migrationsBox, migration)
application.Close()
os.Exit(0)
}
err := application.LoadTemplates(viewsBox)
if err != nil {
logrus.Fatal(err)
}
// Setup static files
static := gojiweb.New()
//static.Get("/assets/*", http.StripPrefix("/assets/", http.FileServer(http.Dir(application.Configuration.PublicPath))))
static.Get("/assets/*", http.StripPrefix("/assets/", http.FileServer(publicBox.HTTPBox())))
http.Handle("/assets/", static)
// Couple of files - in the real world you would use nginx to serve them.
goji.Get("/robots.txt", http.FileServer(publicBox.HTTPBox()))
goji.Get("/favicon.ico", http.FileServer(imagesBox.HTTPBox()))
//Apply middlewares
goji.Use(application.ApplyTemplates)
goji.Use(application.ApplySessions)
goji.Use(application.ApplyDatabase)
goji.Use(application.ApplyAuth)
// Home page
goji.Get("/", application.Route(web.Index))
// Sign In routes
goji.Get("/signin", application.Route(web.SignIn))
goji.Post("/signin", application.Route(web.SignInPost))
// Sign Up routes
goji.Get("/signup", application.Route(web.SignUp))
goji.Post("/signup", application.Route(web.SignUpPost))
// KTHXBYE
goji.Get("/logout", application.Route(web.Logout))
graceful.PostHook(func() {
application.Close()
})
goji.Serve()
}
开发者ID:denisbakhtin,项目名称:defaultproject,代码行数:67,代码来源:server.go
示例14: main
func main() {
// Parse the flags
flag.Parse()
logrus.Infoln("**********************************************************")
logrus.Infoln("goproject server starting ...")
logrus.Infof("Version : %s (%s-%s)", version.Version, version.Revision, version.Branch)
// Set localtime to UTC
time.Local = time.UTC
// Put config into the environment package
shared.Config = &shared.Flags{
BindAddress: *bindAddress,
LogFormatterType: *logFormatterType,
ForceColors: *forceColors,
RavenDSN: *ravenDSN,
DatabaseDriver: *databaseDriver,
DatabaseHost: *databaseHost,
DatabaseNamespace: *databaseNamespace,
DatabaseUser: *databaseUser,
DatabasePassword: *databasePassword,
MemcachedHosts: *memcachedHosts,
RedisHost: *redisHost,
}
// Generate a mux
mux := system.Setup(shared.Config)
// Make the mux handle every request
http.Handle("/", mux)
// Log that we're starting the server
shared.Log.WithFields(logrus.Fields{
"address": shared.Config.BindAddress,
}).Info("Starting the HTTP server")
// Initialize the goroutine listening to signals passed to the app
graceful.HandleSignals()
// Pre-graceful shutdown event
graceful.PreHook(func() {
shared.Log.Info("Received a signal, stopping the application")
})
// Post-shutdown event
graceful.PostHook(func() {
shared.Log.Info("Stopped the application")
})
// Listen to the passed address
listener, err := net.Listen("tcp", shared.Config.BindAddress)
if err != nil {
shared.Log.WithFields(logrus.Fields{
"error": err,
"address": *bindAddress,
}).Fatal("Cannot set up a TCP listener")
}
// Start the listening
err = graceful.Serve(listener, http.DefaultServeMux)
if err != nil {
// Don't use .Fatal! We need the code to shut down properly.
shared.Log.Error(err)
}
// If code reaches this place, it means that it was forcefully closed.
// Wait until open connections close.
graceful.Wait()
}
开发者ID:Zenithar,项目名称:golang-base-project,代码行数:73,代码来源:main.go
示例15: runMain
//.........这里部分代码省略.........
cfg.WalletPasswords, cfg.MinServers)
if err != nil {
application.Close()
log.Errorf("Failed to initialize the main controller: %v",
err)
fmt.Fprintf(os.Stderr, "Fatal error in controller init: %v",
err)
return 3
}
err = controller.RPCSync(application.DbMap, cfg.SkipVoteBitsSync)
if err != nil {
application.Close()
log.Errorf("Failed to sync the wallets: %v",
err)
return 4
}
controller.RPCStart()
// Couple of files - in the real world you would use nginx to serve them.
app.Get("/robots.txt", http.FileServer(http.Dir(cfg.PublicPath)))
app.Get("/favicon.ico", http.FileServer(http.Dir(cfg.PublicPath+"/images")))
// Home page
app.Get("/", application.Route(controller, "Index"))
// Address form
app.Get("/address", application.Route(controller, "Address"))
app.Post("/address", application.Route(controller, "AddressPost"))
// API
app.Handle("/api/v1/:command", application.APIHandler(controller.API))
app.Handle("/api/*", gojify(system.APIInvalidHandler))
// Email change/update confirmation
app.Get("/emailupdate", application.Route(controller, "EmailUpdate"))
// Email verification
app.Get("/emailverify", application.Route(controller, "EmailVerify"))
// Error page
app.Get("/error", application.Route(controller, "Error"))
// Password Reset routes
app.Get("/passwordreset", application.Route(controller, "PasswordReset"))
app.Post("/passwordreset", application.Route(controller, "PasswordResetPost"))
// Password Update routes
app.Get("/passwordupdate", application.Route(controller, "PasswordUpdate"))
app.Post("/passwordupdate", application.Route(controller, "PasswordUpdatePost"))
// Settings routes
app.Get("/settings", application.Route(controller, "Settings"))
app.Post("/settings", application.Route(controller, "SettingsPost"))
// Sign In routes
app.Get("/signin", application.Route(controller, "SignIn"))
app.Post("/signin", application.Route(controller, "SignInPost"))
// Sign Up routes
app.Get("/signup", application.Route(controller, "SignUp"))
app.Post("/signup", application.Route(controller, "SignUpPost"))
// Stats
app.Get("/stats", application.Route(controller, "Stats"))
// Status
app.Get("/status", application.Route(controller, "Status"))
// Tickets routes
app.Get("/tickets", application.Route(controller, "Tickets"))
app.Post("/tickets", application.Route(controller, "TicketsPost"))
// KTHXBYE
app.Get("/logout", application.Route(controller, "Logout"))
graceful.PostHook(func() {
controller.RPCStop()
application.Close()
})
app.Abandon(middleware.Logger)
app.Compile()
server := &http.Server{Handler: app}
listener, err := listenTo(cfg.Listen)
if err != nil {
log.Errorf("could not bind %v", err)
return 5
}
log.Infof("listening on %v", listener.Addr())
if err = server.Serve(listener); err != nil {
log.Errorf("Serve error: %s", err.Error())
return 6
}
return 0
}
开发者ID:decred,项目名称:dcrstakepool,代码行数:101,代码来源:server.go
示例16: main
func main() {
// Parse the flags
flag.Parse()
// Put config into the environment package
env.Config = &env.Flags{
BindAddress: *bindAddress,
APIVersion: *apiVersion,
LogFormatterType: *logFormatterType,
ForceColors: *forceColors,
EmailDomain: *emailDomain,
SessionDuration: *sessionDuration,
RedisAddress: *redisAddress,
RedisDatabase: *redisDatabase,
RedisPassword: *redisPassword,
RethinkDBAddress: *rethinkdbAddress,
RethinkDBKey: *rethinkdbKey,
RethinkDBDatabase: *rethinkdbDatabase,
NSQdAddress: *nsqdAddress,
LookupdAddress: *lookupdAddress,
YubiCloudID: *yubiCloudID,
YubiCloudKey: *yubiCloudKey,
SlackURL: *slackURL,
SlackLevels: *slackLevels,
SlackChannel: *slackChannel,
SlackIcon: *slackIcon,
SlackUsername: *slackUsername,
BloomFilter: *bloomFilter,
BloomCount: *bloomCount,
RavenDSN: *ravenDSN,
}
// Generate a mux
mux := setup.PrepareMux(env.Config)
// Make the mux handle every request
http.Handle("/", mux)
// Log that we're starting the server
env.Log.WithFields(logrus.Fields{
"address": env.Config.BindAddress,
}).Info("Starting the HTTP server")
// Initialize the goroutine listening to signals passed to the app
graceful.HandleSignals()
// Pre-graceful shutdown event
graceful.PreHook(func() {
env.Log.Info("Received a singnal, stopping the application")
})
// Post-shutdown event
graceful.PostHook(func() {
env.Log.Info("Stopped the application")
})
// Listen to the passed address
listener, err := net.Listen("tcp", env.Config.BindAddress)
if err != nil {
env.Log.WithFields(logrus.Fields{
"error": err,
"address": *bindAddress,
}).Fatal("Cannot set up a TCP listener")
}
// Start the listening
err = graceful.Serve(listener, http.DefaultServeMux)
if err != nil {
// Don't use .Fatal! We need the code to shut down properly.
env.Log.Error(err)
}
// If code reaches this place, it means that it was forcefully closed.
// Wait until open connections close.
graceful.Wait()
}
开发者ID:carriercomm,项目名称:api-1,代码行数:85,代码来源:main.go
注:本文中的github.com/zenazn/goji/graceful.PostHook函数示例由纯净天空整理自Github/MSDocs等源码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。 |
请发表评论