Skip to content

Commit 01a58ab

Browse files
committed
🔥 feat: Add Support for Removing Routes (#3230)
* Add new methods named RemoveRoute and RemoveRouteByName. * Update register method to prevent duplicate routes. * Clean up tests * Update docs
1 parent 1134e1f commit 01a58ab

File tree

4 files changed

+392
-14
lines changed

4 files changed

+392
-14
lines changed

docs/api/app.md

+53
Original file line numberDiff line numberDiff line change
@@ -761,3 +761,56 @@ func main() {
761761
```
762762

763763
In this example, a new route is defined and then `RebuildTree()` is called to ensure the new route is registered and available.
764+
765+
766+
## RemoveRoute
767+
768+
This method removes a route by path. You must call the `RebuildTree()` method after the remove in to ensure the route is removed.
769+
770+
```go title="Signature"
771+
func (app *App) RemoveRoute(path string, methods ...string)
772+
```
773+
774+
This method removes a route by name
775+
```go title="Signature"
776+
func (app *App) RemoveRouteByName(name string, methods ...string)
777+
```
778+
779+
```go title="Example"
780+
package main
781+
782+
import (
783+
"log"
784+
785+
"github.com/gofiber/fiber/v3"
786+
)
787+
788+
func main() {
789+
app := fiber.New()
790+
791+
app.Get("/api/feature-a", func(c Ctx) error {
792+
app.RemoveRoute("/api/feature", MethodGet)
793+
app.RebuildTree()
794+
// Redefine route
795+
app.Get("/api/feature", func(c Ctx) error {
796+
return c.SendString("Testing feature-a")
797+
})
798+
799+
app.RebuildTree()
800+
return c.SendStatus(http.StatusOK)
801+
})
802+
app.Get("/api/feature-b", func(c Ctx) error {
803+
app.RemoveRoute("/api/feature", MethodGet)
804+
app.RebuildTree()
805+
// Redefine route
806+
app.Get("/api/feature", func(c Ctx) error {
807+
return c.SendString("Testing feature-b")
808+
})
809+
810+
app.RebuildTree()
811+
return c.SendStatus(http.StatusOK)
812+
})
813+
814+
log.Fatal(app.Listen(":3000"))
815+
}
816+
```

docs/whats_new.md

+8
Original file line numberDiff line numberDiff line change
@@ -941,6 +941,14 @@ In this example, a new route is defined, and `RebuildTree()` is called to ensure
941941

942942
Note: Use this method with caution. It is **not** thread-safe and can be very performance-intensive. Therefore, it should be used sparingly and primarily in development mode. It should not be invoke concurrently.
943943

944+
## RemoveRoute
945+
946+
- **RemoveRoute**: Removes route by path
947+
948+
- **RemoveRouteByName**: Removes route by name
949+
950+
For more details, refer to the [app documentation](./api/app.md#removeroute):
951+
944952
### 🧠 Context
945953

946954
Fiber v3 introduces several new features and changes to the Ctx interface, enhancing its functionality and flexibility.

router.go

+75-1
Original file line numberDiff line numberDiff line change
@@ -8,6 +8,7 @@ import (
88
"errors"
99
"fmt"
1010
"html"
11+
"slices"
1112
"sort"
1213
"strings"
1314
"sync/atomic"
@@ -302,6 +303,13 @@ func (app *App) register(methods []string, pathRaw string, group *Group, handler
302303
if method != methodUse && app.methodInt(method) == -1 {
303304
panic(fmt.Sprintf("add: invalid http method %s\n", method))
304305
}
306+
307+
// Duplicate Route Handling
308+
if app.routeExists(method, pathRaw) {
309+
matchPathFunc := func(r *Route) bool { return r.Path == pathRaw }
310+
app.deleteRoute([]string{method}, matchPathFunc)
311+
}
312+
305313
// is mounted app
306314
isMount := group != nil && group.app != app
307315
// A route requires atleast one ctx handler
@@ -375,6 +383,72 @@ func (app *App) register(methods []string, pathRaw string, group *Group, handler
375383
}
376384
}
377385

386+
func (app *App) routeExists(method, pathRaw string) bool {
387+
pathToCheck := pathRaw
388+
if !app.config.CaseSensitive {
389+
pathToCheck = utils.ToLower(pathToCheck)
390+
}
391+
392+
return slices.ContainsFunc(app.stack[app.methodInt(method)], func(r *Route) bool {
393+
routePath := r.path
394+
if !app.config.CaseSensitive {
395+
routePath = utils.ToLower(routePath)
396+
}
397+
398+
return routePath == pathToCheck
399+
})
400+
}
401+
402+
// RemoveRoute is used to remove a route from the stack by path.
403+
// This only needs to be called to remove a route, route registration prevents duplicate routes.
404+
// You should call RebuildTree after using this to ensure consistency of the tree.
405+
func (app *App) RemoveRoute(path string, methods ...string) {
406+
pathMatchFunc := func(r *Route) bool { return r.Path == path }
407+
app.deleteRoute(methods, pathMatchFunc)
408+
}
409+
410+
// RemoveRouteByName is used to remove a route from the stack by name.
411+
// This only needs to be called to remove a route, route registration prevents duplicate routes.
412+
// You should call RebuildTree after using this to ensure consistency of the tree.
413+
func (app *App) RemoveRouteByName(name string, methods ...string) {
414+
matchFunc := func(r *Route) bool { return r.Name == name }
415+
app.deleteRoute(methods, matchFunc)
416+
}
417+
418+
func (app *App) deleteRoute(methods []string, matchFunc func(r *Route) bool) {
419+
app.mutex.Lock()
420+
defer app.mutex.Unlock()
421+
422+
for _, method := range methods {
423+
// Uppercase HTTP methods
424+
method = utils.ToUpper(method)
425+
426+
// Get unique HTTP method identifier
427+
m := app.methodInt(method)
428+
if m == -1 {
429+
continue // Skip invalid HTTP methods
430+
}
431+
432+
// Find the index of the route to remove
433+
index := slices.IndexFunc(app.stack[m], matchFunc)
434+
if index == -1 {
435+
continue // Route not found
436+
}
437+
438+
route := app.stack[m][index]
439+
440+
// Decrement global handler count
441+
atomic.AddUint32(&app.handlersCount, ^uint32(len(route.Handlers)-1)) //nolint:gosec // Not a concern
442+
// Decrement global route position
443+
atomic.AddUint32(&app.routesCount, ^uint32(0))
444+
445+
// Remove route from tree stack
446+
app.stack[m] = slices.Delete(app.stack[m], index, index+1)
447+
}
448+
449+
app.routesRefreshed = true
450+
}
451+
378452
func (app *App) addRoute(method string, route *Route, isMounted ...bool) {
379453
app.mutex.Lock()
380454
defer app.mutex.Unlock()
@@ -415,7 +489,7 @@ func (app *App) addRoute(method string, route *Route, isMounted ...bool) {
415489
// This method is useful when you want to register routes dynamically after the app has started.
416490
// It is not recommended to use this method on production environments because rebuilding
417491
// the tree is performance-intensive and not thread-safe in runtime. Since building the tree
418-
// is only done in the startupProcess of the app, this method does not makes sure that the
492+
// is only done in the startupProcess of the app, this method does not make sure that the
419493
// routeTree is being safely changed, as it would add a great deal of overhead in the request.
420494
// Latest benchmark results showed a degradation from 82.79 ns/op to 94.48 ns/op and can be found in:
421495
// https://github.com/gofiber/fiber/issues/2769#issuecomment-2227385283

0 commit comments

Comments
 (0)