initial commit
This commit is contained in:
commit
493ce92e02
62 changed files with 1213 additions and 0 deletions
BIN
generics/generics
Executable file
BIN
generics/generics
Executable file
Binary file not shown.
66
generics/generics.go
Normal file
66
generics/generics.go
Normal file
|
|
@ -0,0 +1,66 @@
|
|||
package main
|
||||
|
||||
import "fmt"
|
||||
|
||||
//as an example of a generic function,
|
||||
//MapKeys takes a map of any type and returns a slice of its keys.
|
||||
//this function has two type parameters - K and V; K has the comparable constraint
|
||||
//meaning that we can compare values of this type with the == and != operators
|
||||
//this is required for map keys in Go V has the any constraint meaning that its
|
||||
// not restricted in any way(any is an alias for interface{})
|
||||
func MapKeys[K comparable, V any](m map [K]V) []K {
|
||||
r := make([]K,0,len(m))
|
||||
for k := range m {
|
||||
r = append(r,k)
|
||||
}
|
||||
return r
|
||||
}
|
||||
|
||||
|
||||
//as example of a generic type, List is a singly-linked list with values of any type
|
||||
type List[T any] struct {
|
||||
head, tail *element[T]
|
||||
}
|
||||
|
||||
type element[T any] struct {
|
||||
next *element[T]
|
||||
val T
|
||||
}
|
||||
|
||||
//We can define methods on generic types just like we do on regular types,
|
||||
// but we have to keep the type parameters in place.
|
||||
// the type is List[T] not List
|
||||
func (lst *List[T]) Push(v T) {
|
||||
if lst.tail == nil {
|
||||
lst.head = &element[T]{val:v}
|
||||
lst.tail = lst.head
|
||||
} else {
|
||||
lst.tail.next = &element[T]{val: v}
|
||||
lst.tail = lst.tail.next
|
||||
}
|
||||
}
|
||||
|
||||
func (lst *List[T]) GetAll() []T {
|
||||
var elems []T
|
||||
for e := lst.head; e != nil; e = e.next {
|
||||
elems = append(elems, e.val)
|
||||
}
|
||||
return elems
|
||||
}
|
||||
|
||||
func main() {
|
||||
var m = map[int]string{1: "2",2:"4",4:"8"}
|
||||
|
||||
//When invoking genric functions, we can often
|
||||
// rely on type inference. note that we dont have to specify
|
||||
// the types for K and V when calling MapKeys - the compiler infers them automatically
|
||||
fmt.Println("keys:",MapKeys(m))
|
||||
//though we could be explicit
|
||||
_ = MapKeys[int,string](m)
|
||||
|
||||
lst := List[int]{}
|
||||
lst.Push(10)
|
||||
lst.Push(13)
|
||||
lst.Push(23)
|
||||
fmt.Println("list:",lst.GetAll())
|
||||
}
|
||||
Loading…
Add table
Add a link
Reference in a new issue