In Go structure, promoted fields are just like anonymous fields, the type of the field is the name of the field. We use this concept in the nested structure where a structure is a field in another structure, simply by just adding the name of the structure into another structure and it behaves like the Anonymous Field to the nested structure. And the fields of that structure (other than nested structure) are the part of the nested structure, such type of fields are known as Promoted fields. If the anonymous structure or nested structure and parent structure contains a field that has the same name, then that field doesn’t promote, only different name fields get promoted to the structure.
Syntax:
type x struct{
// Fields
}
type y struct{
// Fields of y structure
x
}
Let us discuss this concept with the help of an example:
Example:
package main
import "fmt"
type details struct {
name string
age int
gender string
}
type student struct {
branch string
year int
details
}
func main() {
values := student{
branch: "CSE" ,
year: 2010,
details: details{
name: "Sumit" ,
age: 28,
gender: "Male" ,
},
}
fmt.Println( "Name: " , values.name)
fmt.Println( "Age: " , values.age)
fmt.Println( "Gender: " , values.gender)
fmt.Println( "Year: " , values.year)
fmt.Println( "Branch : " , values.branch)
}
|
Output:
Name: Sumit
Age: 28
Gender: Male
Year: 2010
Branch : CSE
Explanation: In the above example, we have two structures named as details and student. Where details structure is the normal structure and student structure is the nested structure which contains the details structure as fields in it just like anonymous fields. Now, the fields of the details structure, i.e, name, age, and gender are promoted to the student structure and known as promoted fields. Now, you can directly access them with the help of the student structure like values.name, values.age, and values.gender.