Passing Arguments to Gorilla Mux Handlers
In the context of Gorilla Mux, it's not directly possible to pass arguments to handlers using the HandleFunc method. However, there are several approaches to achieve a similar outcome.
One option, mentioned in the answer provided, is to create a wrapper function. This involves creating a function that takes the additional arguments you want to pass to the handler and then calls the actual handler with those arguments. For example:
db := createDB() router.HandleFunc("/users/{id}", func(w http.ResponseWriter, r *http.Request) { showUserHandler(w, r, db) }).Method("GET")
This approach allows you to pass the database object to the showUserHandler function as a third argument.
Another option is to use a struct to encapsulate both the handler and the additional arguments. This allows you to define multiple handlers that operate on the same data without having to repeat the code for initializing the data. For example:
type Users struct { db *gorm.DB } func (users *Users) showHandler(w http.ResponseWriter, r *http.Request) { // Access the database object through users.db } // Setup users := &Users{db: createDB()} router.HandleFunc("/users/{id}", users.showHandler).Method("GET")
By defining a handler on a struct, you can attach additional state to the handler without modifying the underlying handler function.
While it's acceptable to use global variables in some cases, these workarounds provide alternative solutions if you prefer to avoid them.
The above is the detailed content of How can I pass arguments to Gorilla Mux handlers?. For more information, please follow other related articles on the PHP Chinese website!