This directory contains examples of working with files and JSON in Go.
JSON (JavaScript Object Notation) is a lightweight data interchange format that is easy for humans to read and write and easy for machines to parse and generate. Go provides built-in support for JSON encoding and decoding through the encoding/json
package.
-
Marshaling: Converting Go data structures to JSON
data, err := json.Marshal(value)
-
Unmarshaling: Converting JSON to Go data structures
err := json.Unmarshal(jsonData, &value)
Go uses struct tags to control how struct fields are encoded/decoded:
type Person struct {
Name string `json:"name"` // Maps to "name" in JSON
Age int `json:"age"` // Maps to "age" in JSON
Address string `json:"address,omitempty"` // Omitted if empty
SSN string `json:"-"` // Ignored in JSON
}
For streaming JSON data (useful for large files):
// Encoding
encoder := json.NewEncoder(writer)
encoder.Encode(value)
// Decoding
decoder := json.NewDecoder(reader)
decoder.Decode(&value)
Go provides several packages for file operations:
os
: Basic file operations (create, open, read, write)io
: Interfaces for I/O operationsbufio
: Buffered I/O for better performance
// Reading a file
data, err := os.ReadFile("filename.txt")
// Writing to a file
err := os.WriteFile("filename.txt", data, 0644)
// Opening a file
file, err := os.Open("filename.txt") // Read-only
file, err := os.Create("filename.txt") // Create new file
- Basic JSON Marshaling/Unmarshaling: Converting between Go data structures and JSON strings
- Reading JSON from Files: Loading JSON data from files into Go structures
- Writing JSON to Files: Saving Go structures as JSON in files
- JSON Streaming with Encoder/Decoder: Efficient handling of JSON data streams
Execute the following command from this directory:
go run .