Q:

Golang program to decode a JSON string using Unmarshal() function

belongs to collection: Golang JSON Programs

0

In this program, we will create a JSON string using a byte array. Then we decode JSON string using json.Unmarshal() function. After that, we printed the result on the console screen.

All Answers

need an explanation for this answer? contact us directly to get an explanation for this answer

Program/Source Code:

The source code to decode a JSON string using Unmarshal() function is given below. The given program is compiled and executed on the ubuntu 18.04 operating system successfully.

// Golang program to decode a JSON string
// using Unmarshal() function

package main

import "fmt"
import "encoding/json"

func main() {
	JsonStr := []byte(`{"names":["Amit","Arun"],"Ages":[23,25]}`)

	var result map[string]interface{}

	if err := json.Unmarshal(JsonStr, &result); err != nil {
		panic(err)
	}

	names := result["names"].([]interface{})
	ages := result["Ages"].([]interface{})

	fmt.Println("Student Information:")
	fmt.Println(names[0].(string))
	fmt.Println(ages[0])

	fmt.Println(names[1].(string))
	fmt.Println(ages[1])
}

Output:

Student Information:
Amit
23
Arun
25

Explanation:

In the above program, we declare the package main. The main package is used to tell the Go language compiler that the package must be compiled and produced the executable file. Here, we imported the fmtencoding/json packages then we can use a function related to the fmt and encoding/json package.

In the main() function, we used json.Unmarshal() function to parse a string contains student information using json.Unmarshal() function and then print the result on the console screen.

need an explanation for this answer? contact us directly to get an explanation for this answer

total answers (1)

<< Golang program to encode a structure using json.Ma...