go for python programmers
play

Go for Python Programmers by Shahriar Tajbakhsh at EuroPython 2016 - PowerPoint PPT Presentation

Go for Python Programmers by Shahriar Tajbakhsh at EuroPython 2016 Shahriar Tajbakhsh Software Engineer @ Osper github.com/s16h twitter.com/STajbakhsh shahriar.svbtle.com Opposite of P.S. As I prepared this talk, I realised that it was


  1. Go for Python Programmers by Shahriar Tajbakhsh at EuroPython 2016

  2. Shahriar Tajbakhsh Software Engineer @ Osper github.com/s16h twitter.com/STajbakhsh shahriar.svbtle.com

  3. Opposite of P.S. As I prepared this talk, I realised that it was probably a bad idea…

  4. Why is this talk a bad idea? It kind of implies writing/using Go as you would write Python; which is bad because it leads to un-idiomatic Go code.

  5. Is it really that bad? I’m fairly sure it is.

  6. Anyhow…

  7. Talk Structure 1. Quick overview of history. 2. Comparison of general syntax and semantics . 3. Ecosystem and tools of Go and Python.

  8. History

  9. First appeared in 2009. First appeared in 1991. Influenced by ALGOL 60, Pascal, Influenced by ABC, ALGOL 68, C, C, CSP, Modula-2, Squeak, C++, Dylan, Haskell, Icon, Java, Oberon-2, Alef… Lisp, Modula-3, Perl…

  10. Syntax and Semantics

  11. package main def main(): text = 'Hello, world!' import "fmt" print(text) func main() { text := "Hello, world!" if __name__ == '__main__': fmt.Println(text) main() }

  12. Package package main Every .go file has to import "fmt" have a package func main() { text := "Hello, world!" declaration. fmt.Println(text) }

  13. Package package main All .go files in the same import "fmt" directory must have the func main() { text := "Hello, world!" same package name. fmt.Println(text) }

  14. Import package main import "fmt" Usage is very similar to func main() { Python. text := "Hello, world!" fmt.Println(text) }

  15. Import package main Each package to be import "fmt" imported is listed on a func main() { separate line, inside text := "Hello, world!" fmt.Println(text) quotation marks. }

  16. Functions package main 😭 import "fmt" func main() { We’ll talk about them text := "Hello, world!" fmt.Println(text) later. }

  17. Variable Deceleration package main text is a of type string. import "fmt" That’s inferred by the func main() { text := "Hello, world!" compiler, in this case. fmt.Println(text) }

  18. Types Not quite categorised in Four categories: the same way as Go. basic, aggregate, Go-style interfaces reference and interface don’t really exist Python.

  19. Basic Data Types int , int8 , int16 , int32 , int64 long uint , uint8 , uint16 , uint32 , uint64 long float , float32 , float64 float complex64 , complex128 complex bool bool string str

  20. Aggregate Types array array ~class (maybe more of a struct namedtuple )

  21. Reference Types slices list maps dict 🤕 channels

  22. Interface Types Used to express generalisation or abstractions about the behaviour of other types. We’ll talk a bit more about them later.

  23. Deceleration and Usage var text string Storage location, with text = "Some string!" specific type and an var count uint = 2 associated name. pi := 3.14

  24. Zero Values text is "" at this point. var text string text = "Some string!" Variables declared var count uint = 2 without an explicit initial pi := 3.14 value are given their zero value.

  25. Fun with Zero Values We would use Counter but Go’s zero value counts := make( map [ string ] int ) input := bufio.NewScanner(os.stdin) results in behaviour that for input.Scan() { counts[input.Text()]++ we would get with } defaultdict .

  26. Functions func name(parameter-list) (result-list) { def name(*args, **kwargs): body body }

  27. Functions Example of a useless func Adder(a int , b int ) int { return a + b function. }

  28. Functions func Adder(a int , b int ) (c int ) { You can also have c = a + b return c named results. }

  29. Functions Type of a function is called its signature . func Adder(a int , b int ) (c int ) { c = a + b It is defined by return a + b } sequence of parameter types and sequence of result types.

  30. Functions Like in Python, functions in Go are first-class values. They can be passed around. They’re zero value is nil .

  31. Functions Just like Python, functions can return func Size() ( int , int ) { more than one result. return 1, 2 } width, height := Size() These functions return a tuple of values.

  32. Errors and Error Handling try : result, err = Foo() something... if err != nil { except: // It's all good handle… } else { else: // An error occurred. success... } finally: whatever...

  33. Errors and Error Handling Defer is used to ensure that a function func main() { f := createFile("/tmp/foo.txt") call is performed later in defer closeFile(f) . a program’s execution, . . usually for purposes of } cleanup.

  34. Errors and Error Handling But sometimes, there are genuinely exceptional circumstances. For example, when running out of memory or out-of-bounds array access.

  35. Errors and Error Handling In these exceptional cases, Go panics .

  36. Errors and Error Handling When Go panics: 1. Normal execution stops. 2. All deferred function (in that goroutine) calls are executed. 3. Program crashes with a log message.

  37. Errors and Error Handling Although giving up is usually the right response to a panic, it might sometimes make sense to try and recover from it; at least for clean-up.

  38. Errors and Error Handling func Parse(input string ) (s *Syntax, err error ) { defer func () { if p := recover(); p != nil { err = fmt.Errorf("internal error: %v", p) } }() // ... parser... }

  39. What about OOP? As we know, Python is object oriented. It has all the fancy stuff: classes, inheritance etc. Go can also be considered object oriented but not in the same way as Python.

  40. OOP in Go Go says an object is simply a value or variable that has methods, and a method is a function associated with a particular type.

  41. OOP in Go There is no support for inheritance in Go. ✌ Composition it is.

  42. OOP type Point struct { class Point: X float64 def __init__( self , x, y): Y float64 self .x = x } self .y = y

  43. OOP class Point: type Point struct { def __init__( self , x, y): X float64 self .x = x Y float64 self .y = y } def distance( self , other): func (p Point) Distance(q Point) float64 { return math.sqrt( return math.Hypot(q.X-p.X, q.Y-p.Y) (other.x - self .x) ** 2 + } (other.y - self .y) ** 2 )

  44. OOP As mentioned, Go doesn’t have inheritance. But it composes types by struct embedding. Composes what by what whatting !?

  45. Struct Embedding type Point struct { X float64 Y float64 } type NamedPoint struct { Point Name string }

  46. Struct Embedding point := Point{1, 2} namedPoint := NamedPoint(point, "Osper") fmt.Println(namedPoint.X) // 1.0 fmt.Println(namedPoint.Distance(point)) // 0.0 fmt.Println(namedPoint.Name) // Osper

  47. Anything else OOP-esque? 🤕

  48. Anything else OOP-esque? I mentioned Go interfaces earlier. Conceptually, they are in fact very similar to duck-typing in Python.

  49. Interfaces A type satisfies an interface if it posses all the methods the interface requires.

  50. Interfaces type Writer interface { Write(p [] byte ) (n int , err error ) } type Reader interface { Read(p [] byte ) (n int , err error ) } type ReadWriter interface { Reader Writer }

  51. Concurrency Go’s support for concurrency is considered one of its strengths. In Python…LOL (I joke!)

  52. Concurrency 1. goroutines (Communicating Sequential Processes) threading (ROFL), multiprocessing, asyncio… 2. Traditional shared memory.

  53. Goroutines Light-weight threads managed by the go runtime. To start a new goroutine, just prepend go to a function call.

  54. Goroutines Light-weight threads managed by the go runtime. To start a new goroutine, just prepend go to a function call.

  55. Goroutines package main import ( "fmt" "time" ) func WasteTime(delay time.Duration) { time.Sleep(delay) fmt.Println("Time wasted!") } func main() { go WasteTime(2000 * time.Millisecond) fmt.Println("End of main()") time.Sleep(4000 * time.Millisecond) }

  56. Channels Channels are a typed “buffer” through which you can send and receive values between goroutines.

  57. Channels package main import "fmt" func main() { // create new channel of type int ch := make( chan int ) // start new anonymous goroutine go func () { // send 42 to channel ch <- 42 }() // read from channel fmt.Println(<-ch) }

  58. Ecosystem and Tools

  59. Testing unittest is pretty good. py.test is sweet. $ go test … Lots of really good and mature tools.

  60. Testing By convention, files $ go test … whose name ends in _test.go are test files.

  61. Code Formatting PEP 8 $ go fmt source.go Use tools such as flake8

  62. Package Management $ go get package Quite a few different tools one can use (e.g. pip). Will fetch a remote packages, compile it Some think it’s a mess. and install it.

  63. Package Management $GOPATH environment virtualenv is widely variable used to specify used for managing per- the location of your project dependencies. workspace.

Download Presentation
Download Policy: The content available on the website is offered to you 'AS IS' for your personal information and use only. It cannot be commercialized, licensed, or distributed on other websites without prior consent from the author. To download a presentation, simply click this link. If you encounter any difficulties during the download process, it's possible that the publisher has removed the file from their server.

Recommend


More recommend