go learning
1. vim-go
https://github.com/fatih/vim-go-tutorial
curl -fLo ~/.vim/autoload/plug.vim --create-dirs https://raw.githubusercontent.com/junegunn/vim-plug/master/plug.vimecho "
git clone https://github.com/fatih/vim-go.git ~/.vim/plugged/vim-go
call plug#begin()
Plug 'fatih/vim-go', { 'do': ':GoInstallBinaries' }
call plug#end()set autowrite" >>~/.vimrc代码质量:go vet, golint, goimports
2. 学习资料
快速入门:
https://github.com/a8m/go-lang-cheat-sheet
官方文档:
spec: https://golang.org/ref/spec
go-tour: https://tour.golang.org/list
blog: https://blog.golang.org/index
深入解析Go 这本书,分析了很多特例。 值得一看。
https://tiancaiamao.gitbooks.io/go-internals/content/zh/03.6.html
The author Brian W. Kernighan is also write the 大名鼎鼎的 <The C Programming Lanuaguage>
在线练习 https://play.golang.org/p/e81LuPO_JR
3. 对比学习
如果熟悉C的话,可以对比学习go
4. 继承
$ cat base.go
package base
type BaseT struct {
a int
b int
}
func (b *BaseT) Add() int{
return b.a+b.b
}
func (b *BaseT) Sub() int {
return b.a-b.b
}
type Bf interface {
Add() int
}
func NewBasetT(a, b int) *BaseT{
return &BaseT{a, b}
}
$ cat test.go
package main import (
"fmt"
"base"
) type BaseT struct{
base.BaseT
a int
b int
} func (b *BaseT) Add() int{
return b.a+b.b
} func main() {
nb := base.NewBasetT(, )
b := &BaseT{*nb, , }
fmt.Println(b.Add())
}
5. 内存指针转换为 slice
var ptr unsafe.Pointer
s := ((*[1<<10]byte)(ptr))[:200]
这里数组大小其实是假的。s是一个200个元素的slice。
这种方式其实是做了内存copy
或者这种方式:
var ptr unsafe.Pointer
var s1 = struct {
addr uintptr
len int
cap int
}{ptr, length, length}
s := *(*[]byte)(unsafe.Pointer(&s1))
这种方式就是引用原内存的东西。
6. go 缺失了python的动态特性。 不过可以用reflect进行一些扩展。
http://studygolang.com/articles/4892
通过断言来动态获取接口类型,还是有些傻
接口实现原理, 简易介绍。还是看官方文档。
json转map,可以直接看官方文档。
7. 传递接口实现多态。
8. 优化
9. disclouser in filepath.Walk
https://xojoc.pw/justcode/golang-file-tree-traversal.html
10. go 第三方库
https://golanglibs.com/top?q=process+list
11. golang re
https://golang.org/pkg/regexp/syntax/
12. 排序例子
https://gobyexample.com/sorting-by-functions
13. 循环变量快照
在5.6.1中有讲解
在循环的闭包 引用循环变量存在这个问题。
14. 排空channel
goroutine泄露(§8.4.4)
15. 内部变量不能够在函数外部被访问到
变量(§2.3.4)在没有被转义的情况下是无法在函数外部访问的
16. plugin
since go_lang 1.8, we can use rpc for plugin.
rpc plugin: https://github.com/dkiser/go-plugin-example
more explain for 1.8 plugin:
https://jeremywho.com/go-1.8---plugins/
picture show the 1.8 plugin
https://github.com/grsmv/go-plugin-example
https://github.com/vladimirvivien/go-plugin-example
https://github.com/hashicorp/go-plugin
17. testcase
https://semaphoreci.com/community/tutorials/how-to-test-in-go
https://blog.golang.org/examples
https://golang.org/pkg/testing/
18. goroutine
19. nested struct
https://stackoverflow.com/questions/24809235/initialize-a-nested-struct-in-golang
20. 第三方库
https://github.com/avelino/awesome-go
21. string 求最大值
sort.Sort(sort.Reverse(sort.StringSlice(s)))
22. errror handling
https://blog.golang.org/error-handling-and-go
23. golang net/http self-sign certification.
One can use generate_cert.go in crypto/tls to generate cert.pem and key.pem.
https://golang.org/pkg/net/http/#ListenAndServeTLS
24. personal experience
http://www.jianshu.com/u/1381dc29fed9 _张晓龙_ 的blog不错。详细介绍了怎么写testcase。
26. net/http unix socket example
https://gist.github.com/hakobe/6f70d69b8c5243117787fd488ae7fbf2
27. golang command
http://wiki.jikexueyuan.com/project/go-command-tutorial/0.7.html
28. golang.org blog
https://blog.golang.org/defer-panic-and-recover
29. grpc
chinese doc: http://doc.oschina.net/grpc?t=60133
30. protobuf
https://developers.google.com/protocol-buffers/docs/overview
install: https://github.com/google/protobuf/blob/master/src/README.md
readme: https://github.com/google/protobuf/blob/master/README.md
31. go offical RPC example
https://play.golang.org/p/4BZQbM9lNN
package main import (
"io"
"log"
"net/rpc"
) type pipePair struct {
reader *io.PipeReader
writer *io.PipeWriter
} func (this *pipePair) Read(p []byte) (int, error) {
return this.reader.Read(p)
} func (this *pipePair) Write(p []byte) (int, error) {
return this.writer.Write(p)
} func (this *pipePair) Close() error {
this.writer.Close()
return this.reader.Close()
} type Serv struct {
token string
} func (this *Serv) SetToken(token string, dummy *int) error {
this.token = token
return nil
} func (this *Serv) GetToken(dummy int, token *string) error {
*token = this.token
return nil
} type Registrar struct {
} func (this *Registrar) Register(name string, dummy *int) error {
rpc.RegisterName(name, new(Serv))
return nil
} func server(pipes pipePair) {
rpc.Register(new(Registrar))
rpc.ServeConn(&pipes)
} func main() {
var token string
var in, out pipePair
in.reader, out.writer = io.Pipe()
out.reader, in.writer = io.Pipe()
go server(out)
client := rpc.NewClient(&in)
// Register some objects
client.Call("Registrar.Register", "First", nil)
client.Call("Registrar.Register", "Second", nil)
// Assign token values individually
client.Call("First.SetToken", "abc", nil)
client.Call("Second.SetToken", "def", nil)
// Now try to read them
client.Call("First.GetToken", , &token)
log.Printf("first token is %v", token)
client.Call("Second.GetToken", , &token)
log.Printf("second token is %v", token)
}
32. golang process drop privilege
https://play.golang.org/p/dXBizm4xl3
package main import (
"fmt"
"net"
"net/http"
"os"
"os/exec"
"syscall"
) func main() {
if os.Getuid() == {
fmt.Println("Dropping privileges...")
if err := drop(); err != nil {
fmt.Println("Failed to drop privileges:", err)
os.Exit()
}
} l, err := net.FileListener(os.NewFile(, "[socket]"))
if err != nil {
// Yell into the void.
fmt.Println("Failed to listen on FD 3:", err)
os.Exit()
} http.Serve(l, http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) {
fmt.Fprintf(w, "I am process %d running as %d/%d", os.Getpid(), os.Getuid(), os.Getgid())
}))
} func drop() error {
l, err := net.Listen("tcp", ":80")
if err != nil {
return err
} f, err := l.(*net.TCPListener).File()
if err != nil {
return err
} cmd := exec.Command(os.Args[])
cmd.ExtraFiles = []*os.File{f}
cmd.SysProcAttr = &syscall.SysProcAttr{
Credential: &syscall.Credential{
Uid: ,
Gid: ,
},
Setsid: true,
} if err := cmd.Start(); err != nil {
return err
} fmt.Printf("Spawned process %d, exiting\n", cmd.Process.Pid)
cmd.Process.Release()
os.Exit()
return nil /* unreachable */
}
文若的python实现: https://www.ovirt.org/develop/release-management/features/infra/supervdsm-service/
in golang father to notify child: https://github.com/opencontainers/runc/blob/master/libcontainer/system/linux.go
33. // Create a timer that will kill the process
cmd.Process.Signal http://www.darrencoxall.com/golang/executing-commands-in-go/
34. difference os.Pipe and io.Pipe
io.Pipe: https://golang.org/pkg/io/#Pipe Pipe creates a synchronous in-memory pipe
os.Pipe: https://golang.org/pkg/os/#Pipe Pipe returns a connected pair of Files;
35. os signal Notify
Notify: https://golang.org/pkg/os/signal/#example_Notify
36. tls revoke
https://github.com/cloudflare/cfssl/tree/master/revoke
37. print struct name
https://stackoverflow.com/questions/24512112/how-to-print-struct-variables-in-console
38. all channel exit.
39. Singleton Pattern in Go
http://marcio.io/2015/07/singleton-pattern-in-go/
go learning的更多相关文章
- 【Machine Learning】KNN算法虹膜图片识别
K-近邻算法虹膜图片识别实战 作者:白宁超 2017年1月3日18:26:33 摘要:随着机器学习和深度学习的热潮,各种图书层出不穷.然而多数是基础理论知识介绍,缺乏实现的深入理解.本系列文章是作者结 ...
- 【Machine Learning】Python开发工具:Anaconda+Sublime
Python开发工具:Anaconda+Sublime 作者:白宁超 2016年12月23日21:24:51 摘要:随着机器学习和深度学习的热潮,各种图书层出不穷.然而多数是基础理论知识介绍,缺乏实现 ...
- 【Machine Learning】机器学习及其基础概念简介
机器学习及其基础概念简介 作者:白宁超 2016年12月23日21:24:51 摘要:随着机器学习和深度学习的热潮,各种图书层出不穷.然而多数是基础理论知识介绍,缺乏实现的深入理解.本系列文章是作者结 ...
- 【Machine Learning】决策树案例:基于python的商品购买能力预测系统
决策树在商品购买能力预测案例中的算法实现 作者:白宁超 2016年12月24日22:05:42 摘要:随着机器学习和深度学习的热潮,各种图书层出不穷.然而多数是基础理论知识介绍,缺乏实现的深入理解.本 ...
- Deep learning:五十一(CNN的反向求导及练习)
前言: CNN作为DL中最成功的模型之一,有必要对其更进一步研究它.虽然在前面的博文Stacked CNN简单介绍中有大概介绍过CNN的使用,不过那是有个前提的:CNN中的参数必须已提前学习好.而本文 ...
- Programming Learning - Based on Project
Today when taking a bath I got a good idea that it is an efficient and interesting way to learn a ne ...
- 做中学(Learning by Doing)之背单词-扇贝网推荐
做中学(Learning by Doing)之背单词-扇贝网推荐 看完杨贵福老师(博客,知乎专栏,豆瓣)的「继续背单词,8个月过去了」,我就有写这篇文章的冲动了,杨老师说: 有时候我会感觉非常后悔,如 ...
- 【原】Learning Spark (Python版) 学习笔记(一)----RDD 基本概念与命令
<Learning Spark>这本书算是Spark入门的必读书了,中文版是<Spark快速大数据分析>,不过豆瓣书评很有意思的是,英文原版评分7.4,评论都说入门而已深入不足 ...
- 【原】Learning Spark (Python版) 学习笔记(四)----Spark Sreaming与MLlib机器学习
本来这篇是准备5.15更的,但是上周一直在忙签证和工作的事,没时间就推迟了,现在终于有时间来写写Learning Spark最后一部分内容了. 第10-11 章主要讲的是Spark Streaming ...
- 【机器学习Machine Learning】资料大全
昨天总结了深度学习的资料,今天把机器学习的资料也总结一下(友情提示:有些网站需要"科学上网"^_^) 推荐几本好书: 1.Pattern Recognition and Machi ...
随机推荐
- Alice, Bob, Oranges and Apples CodeForces - 586E
E - Alice, Bob, Oranges and Apples CodeForces - 586E 自己想的时候模拟了一下各个结果 感觉是不是会跟橘子苹果之间的比例有什么关系 搜题解的时候发现了 ...
- 解决VMware安装ubuntu16.04后无法全屏的问题
参考教程:http://www.jb51.net/os/Ubuntu/356462.html 双系统经常崩,故在windows10下装了个ubuntu的虚拟机,安装完成后无法全屏,进入系统设置调试显示 ...
- ubuntu16.04下安装sublime_text
1 在终端输入: sudo add-apt-repository ppa:webupd8team/sublime-text-3 添加sublime text3的软件源: 2 sudo apt-get ...
- SEO工作中如何增加用户体验?10个细节要注意!
我们一直在做的网站SEO工作,如果你认为它的目的仅仅是为了提高网站的排名那就错了,还有一个同样很重要的方面就是增加用户的体验,使网站更加符合网民的浏览习惯,需要做到这个方面的成功我们有10个小细节是需 ...
- Mysql 时间类型精度截取的bug
mysql-connector-java版本升级出现的一次问题.涉及到了时间精度的截取和四舍五入. 首先了解一点,timestamp,datetime如果不指定精度,默认的精度是秒. 当mysql-c ...
- Catch---hdu3478(染色法判断是否含有奇环)
题目链接:http://acm.hdu.edu.cn/showproblem.php?pid=3478 题意:有n个路口,m条街,一小偷某一时刻从路口 s 开始逃跑,下一时刻都跑沿着街跑到另一路口,问 ...
- thinkphp 如何查询数据库
在控制器中使用M(); 数据表: 一.查询方式 1.字符串作为条件 2.使用索引数组作为条件查询条件 //可以更改逻辑关系 $condition['_logic'] = 'OR'; 二.表达式查询 三 ...
- java 泛型没有协变类型, 所以要重用extends, 但使用List<? extends Fruit> 可以是ArrayList<Fruit>()、ArrayList<Apple>()、ArrayList<Orange>(), 因此不能add元素进去
class Fruit{} class Apple extends Fruit{} class SubApple extends Apple{} class Orange extends Fruit{ ...
- python center() 函数
center Python center() 返回一个原字符串居中,并使用空格填充至长度 width 的新字符串.默认填充字符为空格. 语法 center()方法语法: str.center(widt ...
- ext3日志模式
ext3日志模式 http://blog.sina.com.cn/s/blog_5d4ab4b40100dosx.html ext3支持多种日志模式 ext3 是ext2文件系统的高一级版本,完全兼容 ...