components-contrib/bindings/mysql/mysql.go

351 lines
8.4 KiB
Go

/*
Copyright 2021 The Dapr Authors
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
package mysql
import (
"context"
"crypto/tls"
"crypto/x509"
"database/sql"
"database/sql/driver"
"encoding/json"
"errors"
"fmt"
"os"
"reflect"
"strconv"
"time"
"github.com/go-sql-driver/mysql"
"github.com/dapr/components-contrib/bindings"
"github.com/dapr/kit/logger"
)
const (
// list of operations.
execOperation bindings.OperationKind = "exec"
queryOperation bindings.OperationKind = "query"
closeOperation bindings.OperationKind = "close"
// configurations to connect to Mysql, either a data source name represent by URL.
connectionURLKey = "url"
// To connect to MySQL running in Azure over SSL you have to download a
// SSL certificate. If this is provided the driver will connect using
// SSL. If you have disable SSL you can leave this empty.
// When the user provides a pem path their connection string must end with
// &tls=custom
// The connection string should be in the following format
// "%s:%s@tcp(%s:3306)/%s?allowNativePasswords=true&tls=custom",'myadmin@mydemoserver', 'yourpassword', 'mydemoserver.mysql.database.azure.com', 'targetdb'.
pemPathKey = "pemPath"
// other general settings for DB connections.
maxIdleConnsKey = "maxIdleConns"
maxOpenConnsKey = "maxOpenConns"
connMaxLifetimeKey = "connMaxLifetime"
connMaxIdleTimeKey = "connMaxIdleTime"
// keys from request's metadata.
commandSQLKey = "sql"
// keys from response's metadata.
respOpKey = "operation"
respSQLKey = "sql"
respStartTimeKey = "start-time"
respRowsAffectedKey = "rows-affected"
respEndTimeKey = "end-time"
respDurationKey = "duration"
)
// Mysql represents MySQL output bindings.
type Mysql struct {
db *sql.DB
logger logger.Logger
}
// NewMysql returns a new MySQL output binding.
func NewMysql(logger logger.Logger) bindings.OutputBinding {
return &Mysql{logger: logger}
}
// Init initializes the MySQL binding.
func (m *Mysql) Init(ctx context.Context, metadata bindings.Metadata) error {
m.logger.Debug("Initializing MySql binding")
p := metadata.Properties
url, ok := p[connectionURLKey]
if !ok || url == "" {
return fmt.Errorf("missing MySql connection string")
}
db, err := initDB(url, metadata.Properties[pemPathKey])
if err != nil {
return err
}
err = propertyToInt(p, maxIdleConnsKey, db.SetMaxIdleConns)
if err != nil {
return err
}
err = propertyToInt(p, maxOpenConnsKey, db.SetMaxOpenConns)
if err != nil {
return err
}
err = propertyToDuration(p, connMaxIdleTimeKey, db.SetConnMaxIdleTime)
if err != nil {
return err
}
err = propertyToDuration(p, connMaxLifetimeKey, db.SetConnMaxLifetime)
if err != nil {
return err
}
err = db.PingContext(ctx)
if err != nil {
return fmt.Errorf("unable to ping the DB: %w", err)
}
m.db = db
return nil
}
// Invoke handles all invoke operations.
func (m *Mysql) Invoke(ctx context.Context, req *bindings.InvokeRequest) (*bindings.InvokeResponse, error) {
if req == nil {
return nil, errors.New("invoke request required")
}
if req.Operation == closeOperation {
return nil, m.db.Close()
}
if req.Metadata == nil {
return nil, errors.New("metadata required")
}
m.logger.Debugf("operation: %v", req.Operation)
s, ok := req.Metadata[commandSQLKey]
if !ok || s == "" {
return nil, fmt.Errorf("required metadata not set: %s", commandSQLKey)
}
startTime := time.Now()
resp := &bindings.InvokeResponse{
Metadata: map[string]string{
respOpKey: string(req.Operation),
respSQLKey: s,
respStartTimeKey: startTime.Format(time.RFC3339Nano),
},
}
switch req.Operation { //nolint:exhaustive
case execOperation:
r, err := m.exec(ctx, s)
if err != nil {
return nil, err
}
resp.Metadata[respRowsAffectedKey] = strconv.FormatInt(r, 10)
case queryOperation:
d, err := m.query(ctx, s)
if err != nil {
return nil, err
}
resp.Data = d
default:
return nil, fmt.Errorf("invalid operation type: %s. Expected %s, %s, or %s",
req.Operation, execOperation, queryOperation, closeOperation)
}
endTime := time.Now()
resp.Metadata[respEndTimeKey] = endTime.Format(time.RFC3339Nano)
resp.Metadata[respDurationKey] = endTime.Sub(startTime).String()
return resp, nil
}
// Operations returns list of operations supported by Mysql binding.
func (m *Mysql) Operations() []bindings.OperationKind {
return []bindings.OperationKind{
execOperation,
queryOperation,
closeOperation,
}
}
// Close will close the DB.
func (m *Mysql) Close() error {
if m.db != nil {
return m.db.Close()
}
return nil
}
func (m *Mysql) query(ctx context.Context, sql string) ([]byte, error) {
rows, err := m.db.QueryContext(ctx, sql)
if err != nil {
return nil, fmt.Errorf("error executing query: %w", err)
}
defer func() {
_ = rows.Close()
_ = rows.Err()
}()
result, err := m.jsonify(rows)
if err != nil {
return nil, fmt.Errorf("error marshalling query result for query: %w", err)
}
return result, nil
}
func (m *Mysql) exec(ctx context.Context, sql string) (int64, error) {
m.logger.Debugf("exec: %s", sql)
res, err := m.db.ExecContext(ctx, sql)
if err != nil {
return 0, fmt.Errorf("error executing query: %w", err)
}
return res.RowsAffected()
}
func propertyToInt(props map[string]string, key string, setter func(int)) error {
if v, ok := props[key]; ok {
if i, err := strconv.Atoi(v); err == nil {
setter(i)
} else {
return fmt.Errorf("error converting %s:%s to int: %w", key, v, err)
}
}
return nil
}
func propertyToDuration(props map[string]string, key string, setter func(time.Duration)) error {
if v, ok := props[key]; ok {
if d, err := time.ParseDuration(v); err == nil {
setter(d)
} else {
return fmt.Errorf("error converting %s:%s to duration: %w", key, v, err)
}
}
return nil
}
func initDB(url, pemPath string) (*sql.DB, error) {
if _, err := mysql.ParseDSN(url); err != nil {
return nil, fmt.Errorf("illegal Data Source Name (DSN) specified by %s", connectionURLKey)
}
if pemPath != "" {
rootCertPool := x509.NewCertPool()
pem, err := os.ReadFile(pemPath)
if err != nil {
return nil, fmt.Errorf("error reading PEM file from %s: %w", pemPath, err)
}
ok := rootCertPool.AppendCertsFromPEM(pem)
if !ok {
return nil, fmt.Errorf("failed to append PEM")
}
err = mysql.RegisterTLSConfig("custom", &tls.Config{RootCAs: rootCertPool, MinVersion: tls.VersionTLS12})
if err != nil {
return nil, fmt.Errorf("error register TLS config: %w", err)
}
}
db, err := sql.Open("mysql", url)
if err != nil {
return nil, fmt.Errorf("error opening DB connection: %w", err)
}
return db, nil
}
func (m *Mysql) jsonify(rows *sql.Rows) ([]byte, error) {
columnTypes, err := rows.ColumnTypes()
if err != nil {
return nil, err
}
var ret []interface{}
for rows.Next() {
values := prepareValues(columnTypes)
err := rows.Scan(values...)
if err != nil {
return nil, err
}
r := m.convert(columnTypes, values)
ret = append(ret, r)
}
return json.Marshal(ret)
}
func prepareValues(columnTypes []*sql.ColumnType) []interface{} {
types := make([]reflect.Type, len(columnTypes))
for i, tp := range columnTypes {
types[i] = tp.ScanType()
}
values := make([]interface{}, len(columnTypes))
for i := range values {
values[i] = reflect.New(types[i]).Interface()
}
return values
}
func (m *Mysql) convert(columnTypes []*sql.ColumnType, values []interface{}) map[string]interface{} {
r := map[string]interface{}{}
for i, ct := range columnTypes {
value := values[i]
switch v := values[i].(type) {
case driver.Valuer:
if vv, err := v.Value(); err == nil {
value = interface{}(vv)
} else {
m.logger.Warnf("error to convert value: %v", err)
}
case *sql.RawBytes:
// special case for sql.RawBytes, see https://github.com/go-sql-driver/mysql/blob/master/fields.go#L178
switch ct.DatabaseTypeName() {
case "VARCHAR", "CHAR", "TEXT", "LONGTEXT":
value = string(*v)
}
}
if value != nil {
r[ct.Name()] = value
}
}
return r
}