Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to get ajax post request value in Go lang?

Tags:

go

I am working in Go. Following code to handle the client request.

package main

import (
    "net/http"
    "fmt"
 )

func main() {
  http.HandleFunc("/", func(w http.ResponseWriter, r *http.Request) {
    fmt.Fprintf(w, "<html><head><script>function createGroup(){var xmlhttp,number = document.getElementById('phoneNumber').value,email = document.getElementById('emailId').value; var values = {}; values.number = phoneNumber; values.email= emailId; if (window.XMLHttpRequest){xmlhttp=new XMLHttpRequest();}else{xmlhttp=new ActiveXObject('Microsoft.XMLHTTP');}xmlhttp.open('POST','createGroup',true);xmlhttp.send(values.toString());}</script></head><body><h1>Group</h1><input type='text' name='phoneNumber' id='phoneNumber'/><input type='email' id='emailId' name='emailId'/><button onClick='createGroup()'>Create Group</button></body></html>")
 })
 http.HandleFunc("/createGroup",func(w http.ResponseWriter, r *http.Request) {
    fmt.Println(r)
    //Try to get the user information
 })
 panic(http.ListenAndServe(":8080", nil))
}

Note

Client: Contains two text box to get the phone number, email and createGroup button.

  1. If user clicks the createGroup, Post request of /createGroup is triggered using ajax.

  2. createGroup request is handled in server(Go)

Problem

How to get the phone number and email in server side?

I have printed the request in /createGroup handler but values are missing.

Output: &{POST /createGroup HTTP/1.1 1 1 map[Accept:[text/html,application/xhtml+xml,application/xml;q=0.9,*/*;q=0.8] Accept-Encoding:[gzip, deflate] Content-Length:[15] Content-Type:[text/plain; charset=UTF-8] Connection:[keep-alive] Pragma:[no-cache] Cache-Control:[no-cache] User-Agent:[Mozilla/5.0 (X11; Ubuntu; Linux x86_64; rv:25.0) Gecko/20100101 Firefox/25.0] Accept-Language:[en-US,en;q=0.5] Referer:[http://localhost:8080/]] 0xc200099ac0 15 [] false localhost:8080 map[] map[] <nil> map[] 127.0.0.1:59523 /createGroup <nil>}

Any help will be grateful.

like image 737
karthick Avatar asked Apr 21 '14 12:04

karthick


1 Answers

Use ParseForm and r.FormValue, for example :

http.HandleFunc("/createGroup",func(w http.ResponseWriter, r *http.Request) {
    r.ParseForm()
    fmt.Println(r.Form)
    fmt.Println(r.FormValue("email"))
})
like image 126
OneOfOne Avatar answered Oct 11 '22 19:10

OneOfOne