Solution 1: Go Generics
Let’s solve the challenge set in the previous lesson.
We'll cover the following...
Solution
Here’s the modified code with the PrintMe()
method:
Press + to interact
package mainimport ("fmt")type node[T any] struct {Data Tnext *node[T]}type list[T any] struct {start *node[T]}func (l *list[T]) add(data T) {n := node[T]{Data: data,next: nil,}if l.start == nil {l.start = &nreturn}if l.start.next == nil {l.start.next = &nreturn}temp := l.startl.start = l.start.nextl.add(data)l.start = temp}func (l *list[T]) PrintMe() {current := l.startfmt.Print("List elements: ")for current != nil {fmt.Printf("%v -> ", current.Data)current = current.next}fmt.Println("nil")}func main() {var myList list[int]fmt.Println(myList)myList.add(12)myList.add(9)myList.add(3)myList.add(9)// Print all elementsmyList.PrintMe()}
Code explanation
Here is an explanation of the PrintMe()
function:
Line 38: This line defines a method named
PrintMe()
...