go mysql slave_go-mysql - 一个Go工具集用于处理MySQL协议和复制

go-mysql是一个纯Go语言编写的库,用于处理MySQL网络协议和复制。它允许你创建MySQL从库来同步主库的binlog,支持MySQL和MariaDB的GTID模式。此外,还介绍了canal包,用于将MySQL数据同步到其他地方,如Redis和Elasticsearch。go-mysql还包括一个简单的MySQL连接驱动和一个实现MySQL服务器框架的包。
摘要由CSDN通过智能技术生成

go-mysql

A pure go library to handle MySQL network protocol and replication.

Call for Committer/Maintainer

Sorry that I have no enough time to maintain this project wholly, if you like this project and want to help me improve it continuously, please contact me through email (siddontang@gmail.com).

Requirement: In the email, you should list somethings(including but not limited to below) to make me believe we can work together.

Your GitHub ID

The contributions to go-mysql before, including PRs or Issues.

The reason why you can improve go-mysql.

Replication

Replication package handles MySQL replication protocol like python-mysql-replication.

You can use it as a MySQL slave to sync binlog from master then do something, like updating cache, etc...

Example

import (

"github.com/siddontang/go-mysql/replication"

"os"

)

// Create a binlog syncer with a unique server id, the server id must be different from other MySQL's.

// flavor is mysql or mariadb

cfg := replication.BinlogSyncerConfig {

ServerID: 100,

Flavor: "mysql",

Host: "127.0.0.1",

Port: 3306,

User: "root",

Password: "",

}

syncer := replication.NewBinlogSyncer(cfg)

// Start sync with specified binlog file and position

streamer, _ := syncer.StartSync(mysql.Position{binlogFile, binlogPos})

// or you can start a gtid replication like

// streamer, _ := syncer.StartSyncGTID(gtidSet)

// the mysql GTID set likes this "de278ad0-2106-11e4-9f8e-6edd0ca20947:1-2"

// the mariadb GTID set likes this "0-1-100"

for {

ev, _ := streamer.GetEvent(context.Background())

// Dump event

ev.Dump(os.Stdout)

}

// or we can use a timeout context

for {

ctx, cancel := context.WithTimeout(context.Background(), 2*time.Second)

ev, err := s.GetEvent(ctx)

cancel()

if err == context.DeadlineExceeded {

// meet timeout

continue

}

ev.Dump(os.Stdout)

}

The output looks:

=== RotateEvent ===

Date: 1970-01-01 08:00:00

Log position: 0

Event size: 43

Position: 4

Next log name: mysql.000002

=== FormatDescriptionEvent ===

Date: 2014-12-18 16:36:09

Log position: 120

Event size: 116

Version: 4

Server version: 5.6.19-log

Create date: 2014-12-18 16:36:09

=== QueryEvent ===

Date: 2014-12-18 16:38:24

Log position: 259

Event size: 139

Salve proxy ID: 1

Execution time: 0

Error code: 0

Schema: test

Query: DROP TABLE IF EXISTS `test_replication` /* generated by server */

Canal

Canal is a package that can sync your MySQL into everywhere, like Redis, Elasticsearch.

First, canal will dump your MySQL data then sync changed data using binlog incrementally.

You must use ROW format for binlog, full binlog row image is preferred, because we may meet some errors when primary key changed in update for minimal or noblob row image.

A simple example:

cfg := NewDefaultConfig()

cfg.Addr = "127.0.0.1:3306"

cfg.User = "root"

// We only care table canal_test in test db

cfg.Dump.TableDB = "test"

cfg.Dump.Tables = []string{"canal_test"}

c, err := NewCanal(cfg)

type MyEventHandler struct {

DummyEventHandler

}

func (h *MyEventHandler) OnRow(e *RowsEvent) error {

log.Infof("%s %v\n", e.Action, e.Rows)

return nil

}

func (h *MyEventHandler) String() string {

return "MyEventHandler"

}

// Register a handler to handle RowsEvent

c.SetEventHandler(&MyEventHandler{})

// Start canal

c.Run()

You can see go-mysql-elasticsearch for how to sync MySQL data into Elasticsearch.

Client

Client package supports a simple MySQL connection driver which you can use it to communicate with MySQL server.

Example

import (

"github.com/siddontang/go-mysql/client"

)

// Connect MySQL at 127.0.0.1:3306, with user root, an empty password and database test

conn, _ := client.Connect("127.0.0.1:3306", "root", "", "test")

// Or to use SSL/TLS connection if MySQL server supports TLS

//conn, _ := client.Connect("127.0.0.1:3306", "root", "", "test", func(c *Conn) {c.UseSSL(true)})

// or to set your own client-side certificates for identity verification for security

//tlsConfig := NewClientTLSConfig(caPem, certPem, keyPem, false, "your-server-name")

//conn, _ := client.Connect("127.0.0.1:3306", "root", "", "test", func(c *Conn) {c.SetTLSConfig(tlsConfig)})

conn.Ping()

// Insert

r, _ := conn.Execute(`insert into table (id, name) values (1, "abc")`)

// Get last insert id

println(r.InsertId)

// Select

r, _ := conn.Execute(`select id, name from table where id = 1`)

// Handle resultset

v, _ := r.GetInt(0, 0)

v, _ = r.GetIntByName(0, "id")

Tested MySQL versions for the client include:

5.5.x

5.6.x

5.7.x

8.0.x

Server

Server package supplies a framework to implement a simple MySQL server which can handle the packets from the MySQL client. You can use it to build your own MySQL proxy. The server connection is compatible with MySQL 5.5, 5.6, 5.7, and 8.0 versions, so that most MySQL clients should be able to connect to the Server without modifications.

Example

import (

"github.com/siddontang/go-mysql/server"

"net"

)

l, _ := net.Listen("tcp", "127.0.0.1:4000")

c, _ := l.Accept()

// Create a connection with user root and an empty password.

// You can use your own handler to handle command here.

conn, _ := server.NewConn(c, "root", "", server.EmptyHandler{})

for {

conn.HandleCommand()

}

Another shell

mysql -h127.0.0.1 -P4000 -uroot -p

//Becuase empty handler does nothing, so here the MySQL client can only connect the proxy server. :-)

NewConn() will use default server configurations:

automatically generate default server certificates and enable TLS/SSL support.

support three mainstream authentication methods 'mysql_native_password', 'caching_sha2_password', and 'sha256_password' and use 'mysql_native_password' as default.

use an in-memory user credential provider to store user and password.

To customize server configurations, use NewServer() and create connection via NewCustomizedConn().

Failover

Failover supports to promote a new master and let other slaves replicate from it automatically when the old master was down.

Failover supports MySQL >= 5.6.9 with GTID mode, if you use lower version, e.g, MySQL 5.0 - 5.5, please use MHA or orchestrator.

At the same time, Failover supports MariaDB >= 10.0.9 with GTID mode too.

Why only GTID? Supporting failover with no GTID mode is very hard, because slave can not find the proper binlog filename and position with the new master. Although there are many companies use MySQL 5.0 - 5.5, I think upgrade MySQL to 5.6 or higher is easy.

Driver

Driver is the package that you can use go-mysql with go database/sql like other drivers. A simple example:

package main

import (

"database/sql"

_ "github.com/siddontang/go-mysql/driver"

)

func main() {

// dsn format: "user:password@addr?dbname"

dsn := "root@127.0.0.1:3306?test"

db, _ := sql.Open(dsn)

db.Close()

}

We pass all tests in https://github.com/bradfitz/go-sql-test using go-mysql driver. :-)

Donate

If you like the project and want to buy me a cola, you can through:

PayPal

微信

68747470733a2f2f7777772e70617970616c6f626a656374732e636f6d2f7765627374617469632f70617970616c6d652f696d616765732f70705f6c6f676f5f736d616c6c2e706e67

[weixin.png

Feedback

go-mysql is still in development, your feedback is very welcome.

  • 0
    点赞
  • 0
    收藏
    觉得还不错? 一键收藏
  • 0
    评论
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值