Skip to content

Commit 7088291

Browse files
committed
new NonBlocking option and Wait method on Application. See HISTORY.md for more
1 parent 5ef854d commit 7088291

File tree

5 files changed

+173
-3
lines changed

5 files changed

+173
-3
lines changed

HISTORY.md

+22
Original file line numberDiff line numberDiff line change
@@ -23,6 +23,28 @@ Developers are not forced to upgrade if they don't really need it. Upgrade whene
2323

2424
Changes apply to `main` branch.
2525

26+
- New `iris.NonBlocking()` configuration option to run the server without blocking the main routine, `Application.Wait(context.Context) error` method can be used to block and wait for the server to be up and running. Example:
27+
28+
```go
29+
func main() {
30+
app := iris.New()
31+
app.Get("/", func(ctx iris.Context) {
32+
ctx.Writef("Hello, %s!", "World")
33+
})
34+
35+
app.Listen(":8080", iris.NonBlocking())
36+
37+
ctx, cancel := context.WithTimeout(context.Background(), 15*time.Second)
38+
defer cancel()
39+
40+
if err := app.Wait(ctx); err != nil {
41+
log.Fatal(err)
42+
}
43+
44+
// [Server is up and running now, you may continue with other functions below].
45+
}
46+
```
47+
2648
- Add `x/mathx.RoundToInteger` math helper function.
2749

2850
# Wed, 10 Jan 2024 | v12.2.9

configuration.go

+21
Original file line numberDiff line numberDiff line change
@@ -216,6 +216,13 @@ func WithTimeout(timeoutDur time.Duration, htmlBody ...string) Configurator {
216216
}
217217
}
218218

219+
// NonBlocking sets the `Configuration.NonBlocking` field to true.
220+
func NonBlocking() Configurator {
221+
return func(app *Application) {
222+
app.config.NonBlocking = true
223+
}
224+
}
225+
219226
// WithoutServerError will cause to ignore the matched "errors"
220227
// from the main application's `Run/Listen` function.
221228
//
@@ -677,6 +684,10 @@ type Configuration struct {
677684
// TimeoutMessage specifies the HTML body when a handler hits its life time based
678685
// on the Timeout configuration field.
679686
TimeoutMessage string `ini:"timeout_message" json:"timeoutMessage" yaml:"TimeoutMessage" toml:"TimeoutMessage"`
687+
// NonBlocking, if set to true then the server will start listening for incoming connections
688+
// without blocking the main goroutine. Use the Application.Wait method to block and wait for the server to be up and running.
689+
NonBlocking bool `ini:"non_blocking" json:"nonBlocking" yaml:"NonBlocking" toml:"NonBlocking"`
690+
680691
// Tunneling can be optionally set to enable ngrok http(s) tunneling for this Iris app instance.
681692
// See the `WithTunneling` Configurator too.
682693
Tunneling TunnelingConfiguration `ini:"tunneling" json:"tunneling,omitempty" yaml:"Tunneling" toml:"Tunneling"`
@@ -994,6 +1005,11 @@ func (c *Configuration) GetTimeout() time.Duration {
9941005
return c.Timeout
9951006
}
9961007

1008+
// GetNonBlocking returns the NonBlocking field.
1009+
func (c *Configuration) GetNonBlocking() bool {
1010+
return c.NonBlocking
1011+
}
1012+
9971013
// GetTimeoutMessage returns the TimeoutMessage field.
9981014
func (c *Configuration) GetTimeoutMessage() string {
9991015
return c.TimeoutMessage
@@ -1201,6 +1217,10 @@ func WithConfiguration(c Configuration) Configurator {
12011217
main.TimeoutMessage = v
12021218
}
12031219

1220+
if v := c.NonBlocking; v {
1221+
main.NonBlocking = v
1222+
}
1223+
12041224
if len(c.Tunneling.Tunnels) > 0 {
12051225
main.Tunneling = c.Tunneling
12061226
}
@@ -1375,6 +1395,7 @@ func DefaultConfiguration() Configuration {
13751395
KeepAlive: 0,
13761396
Timeout: 0,
13771397
TimeoutMessage: DefaultTimeoutMessage,
1398+
NonBlocking: false,
13781399
DisableStartupLog: false,
13791400
DisableInterruptHandler: false,
13801401
DisablePathCorrection: false,

context/configuration.go

+2
Original file line numberDiff line numberDiff line change
@@ -24,6 +24,8 @@ type ConfigurationReadOnly interface {
2424
GetTimeout() time.Duration
2525
// GetTimeoutMessage returns the TimeoutMessage field.
2626
GetTimeoutMessage() string
27+
// GetNonBlocking returns the NonBlocking field.
28+
GetNonBlocking() bool
2729
// GetDisablePathCorrection returns the DisablePathCorrection field
2830
GetDisablePathCorrection() bool
2931
// GetDisablePathCorrectionRedirection returns the DisablePathCorrectionRedirection field.

core/netutil/addr.go

+1-1
Original file line numberDiff line numberDiff line change
@@ -184,7 +184,7 @@ func ResolveVHost(addr string) string {
184184
}
185185

186186
if idx := strings.IndexByte(addr, ':'); idx == 0 {
187-
// only port, then return the 0.0.0.0
187+
// only port, then return the 0.0.0.0:PORT
188188
return /* "0.0.0.0" */ "localhost" + addr[idx:]
189189
} else if idx > 0 { // if 0.0.0.0:80 let's just convert it to localhost.
190190
if addr[0:idx] == "0.0.0.0" {

iris.go

+127-2
Original file line numberDiff line numberDiff line change
@@ -7,6 +7,7 @@ import (
77
"fmt"
88
"io"
99
"log"
10+
"math"
1011
"net"
1112
"net/http"
1213
"os"
@@ -109,6 +110,8 @@ type Application struct {
109110
// Hosts field is available after `Run` or `NewHost`.
110111
Hosts []*host.Supervisor
111112
hostConfigurators []host.Configurator
113+
runError error
114+
runErrorMu sync.RWMutex
112115
}
113116

114117
// New creates and returns a fresh empty iris *Application instance.
@@ -627,6 +630,10 @@ func (app *Application) Shutdown(ctx stdContext.Context) error {
627630
app.mu.Lock()
628631
defer app.mu.Unlock()
629632

633+
defer func() {
634+
app.setRunError(ErrServerClosed) // make sure to set the error so any .Wait calls return.
635+
}()
636+
630637
for i, su := range app.Hosts {
631638
app.logger.Debugf("Host[%d]: Shutdown now", i)
632639
if err := su.Shutdown(ctx); err != nil {
@@ -1006,7 +1013,8 @@ var (
10061013
// on the TCP network address "host:port" which
10071014
// handles requests on incoming connections.
10081015
//
1009-
// Listen always returns a non-nil error.
1016+
// Listen always returns a non-nil error except
1017+
// when NonBlocking option is being passed, so the error goes to the Wait method.
10101018
// Ignore specific errors by using an `iris.WithoutServerError(iris.ErrServerClosed)`
10111019
// as a second input argument.
10121020
//
@@ -1048,15 +1056,132 @@ func (app *Application) Run(serve Runner, withOrWithout ...Configurator) error {
10481056
app.logger.Debugf("Application: running using %d host(s)", len(app.Hosts)+1 /* +1 the current */)
10491057
}
10501058

1051-
// this will block until an error(unless supervisor's DeferFlow called from a Task).
1059+
if app.config.NonBlocking {
1060+
go func() {
1061+
err := app.serve(serve)
1062+
if err != nil {
1063+
app.setRunError(err)
1064+
}
1065+
}()
1066+
1067+
return nil
1068+
}
1069+
1070+
// this will block until an error(unless supervisor's DeferFlow called from a Task)
1071+
// or NonBlocking was passed (see above).
1072+
return app.serve(serve)
1073+
}
1074+
1075+
func (app *Application) serve(serve Runner) error {
10521076
err := serve(app)
10531077
if err != nil {
10541078
app.logger.Error(err)
10551079
}
1080+
return err
1081+
}
10561082

1083+
func (app *Application) setRunError(err error) {
1084+
app.runErrorMu.Lock()
1085+
app.runError = err
1086+
app.runErrorMu.Unlock()
1087+
}
1088+
1089+
func (app *Application) getRunError() error {
1090+
app.runErrorMu.RLock()
1091+
err := app.runError
1092+
app.runErrorMu.RUnlock()
10571093
return err
10581094
}
10591095

1096+
// Wait blocks the main goroutine until the server application is up and running.
1097+
// Useful only when `Run` is called with `iris.NonBlocking()` option.
1098+
func (app *Application) Wait(ctx stdContext.Context) error {
1099+
if !app.config.NonBlocking {
1100+
return nil
1101+
}
1102+
1103+
// First check if there is an error already from the app.Run.
1104+
if err := app.getRunError(); err != nil {
1105+
return err
1106+
}
1107+
1108+
// Set the base for exponential backoff.
1109+
base := 2.0
1110+
1111+
// Get the maximum number of retries by context or force to 7 retries.
1112+
var maxRetries int
1113+
// Get the deadline of the context.
1114+
if deadline, ok := ctx.Deadline(); ok {
1115+
now := time.Now()
1116+
timeout := deadline.Sub(now)
1117+
1118+
maxRetries = getMaxRetries(timeout, base)
1119+
} else {
1120+
maxRetries = 7 // 256 seconds max.
1121+
}
1122+
1123+
// Set the initial retry interval.
1124+
retryInterval := time.Second
1125+
1126+
return app.tryConnect(ctx, maxRetries, retryInterval, base)
1127+
}
1128+
1129+
// getMaxRetries calculates the maximum number of retries from the retry interval and the base.
1130+
func getMaxRetries(retryInterval time.Duration, base float64) int {
1131+
// Convert the retry interval to seconds.
1132+
seconds := retryInterval.Seconds()
1133+
// Apply the inverse formula.
1134+
retries := math.Log(seconds)/math.Log(base) - 1
1135+
return int(math.Round(retries))
1136+
}
1137+
1138+
// tryConnect tries to connect to the server with the given context and retry parameters.
1139+
func (app *Application) tryConnect(ctx stdContext.Context, maxRetries int, retryInterval time.Duration, base float64) error {
1140+
address := app.config.GetVHost() // Get this server's listening address.
1141+
1142+
// Try to connect to the server in a loop.
1143+
for i := 0; i < maxRetries; i++ {
1144+
// Check the context before each attempt.
1145+
select {
1146+
case <-ctx.Done():
1147+
// Context is canceled, return the context error.
1148+
return ctx.Err()
1149+
default:
1150+
// Context is not canceled, proceed with the attempt.
1151+
conn, err := net.Dial("tcp", address)
1152+
if err == nil {
1153+
// Connection successful, close the connection and return nil.
1154+
conn.Close()
1155+
return nil // exit.
1156+
} // ignore error.
1157+
1158+
// Connection failed, wait for the retry interval and try again.
1159+
time.Sleep(retryInterval)
1160+
// After each failed attempt, check the server Run's error again.
1161+
if err := app.getRunError(); err != nil {
1162+
return err
1163+
}
1164+
1165+
// Increase the retry interval by the base raised to the power of the number of attempts.
1166+
/*
1167+
0 2 seconds
1168+
1 4 seconds
1169+
2 8 seconds
1170+
3 ~16 seconds
1171+
4 ~32 seconds
1172+
5 ~64 seconds
1173+
6 ~128 seconds
1174+
7 ~256 seconds
1175+
8 ~512 seconds
1176+
...
1177+
*/
1178+
retryInterval = time.Duration(math.Pow(base, float64(i+1))) * time.Second
1179+
}
1180+
}
1181+
// All attempts failed, return an error.
1182+
return fmt.Errorf("failed to connect to the server after %d retries", maxRetries)
1183+
}
1184+
10601185
// https://ngrok.com/docs
10611186
func (app *Application) tryStartTunneling() {
10621187
if len(app.config.Tunneling.Tunnels) == 0 {

0 commit comments

Comments
 (0)