在Go问题中获取URL参数

I have a URL that looks something like this: http://localhost/templates/verify?key=ijio

My router looks like this:

import (
"github.com/gorilla/mux"
"github.com/justinas/alice"
)

ctx := &model.AppContext{db, cfg} // passes in database and config
verifyUser := controller.Verify(ctx)
mx.Handle("/verify", commonHandlers.ThenFunc(verifyUser)).Methods("GET").Name("verify")

I want to get the key parameter out of the URL, so I use the following code:

func Verify(c *model.AppContext) http.HandlerFunc {
    fn := func(w http.ResponseWriter, r *http.Request) {

    key := r.URL.Query().Get("key") // gets the hash value that was placed in the URL
    log.Println(key) // empty key
    log.Println(r.URL.Query()) // returns map[]
    // code that does something with key and sends back JSON response
   }
}

I used AngularJS to get the JSON data:

app.controller("verifyControl", ['$scope', '$http', function($scope, $http) {
    $scope.message = "";
    $http({
      method: 'GET',
      url: "/verify"
    }).success(function(data) {
         $scope.message = data.msg; // JSON response 
   });

  }]);

However, I end up with an empty key variable when I try to print it out. I recently used nginx to take out my .html extension if that's a possible cause of this problem. How do I fix this?

The solution to my question involves inspecting the request URL link by

log.Print(r.URL) // This returns "/verify"

However, that's not exactly what you want. Instead, you want the full URL. You can do the following to get the full URL and extract the parameter from it:

urlStr := r.Referer()             // gets the full URL as a string
urlFull, err := url.Parse(urlStr) // returns a *URL object
if err != nil {
    log.Fatal(err)
    return
}
key := urlFull.Query().Get("key") // now we get the key parameter from the URL
log.Println("Key: " + key) // now you'll get a non empty string