Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Better SQL query splitter #3791

Merged
merged 1 commit into from
Jan 24, 2023
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
120 changes: 112 additions & 8 deletions common/persistence/query_util.go
Original file line number Diff line number Diff line change
Expand Up @@ -25,18 +25,29 @@
package persistence

import (
"bytes"
"fmt"
"io"
"os"
"strings"
"unicode"
)

const (
queryDelimiter = ";"
queryDelimiter = ';'
querySliceDefaultSize = 100

sqlLeftParenthesis = '('
sqlRightParenthesis = ')'
sqlBeginKeyword = "begin"
sqlEndKeyword = "end"
sqlLineComment = "--"
sqlSingleQuote = '\''
sqlDoubleQuote = '"'
)

// LoadAndSplitQuery loads and split cql / sql query into one statement per string
// LoadAndSplitQuery loads and split cql / sql query into one statement per string.
// Comments are removed from the query.
func LoadAndSplitQuery(
filePaths []string,
) ([]string, error) {
Expand All @@ -53,26 +64,119 @@ func LoadAndSplitQuery(
return LoadAndSplitQueryFromReaders(files)
}

// LoadAndSplitQueryFromReaders loads and split cql / sql query into one statement per string
// LoadAndSplitQueryFromReaders loads and split cql / sql query into one statement per string.
// Comments are removed from the query.
func LoadAndSplitQueryFromReaders(
readers []io.Reader,
) ([]string, error) {

result := make([]string, 0, querySliceDefaultSize)

for _, r := range readers {
content, err := io.ReadAll(r)
if err != nil {
return nil, fmt.Errorf("error reading contents: %w", err)
}
for _, stmt := range strings.Split(string(content), queryDelimiter) {
stmt = strings.TrimSpace(stmt)
n := len(content)
contentStr := string(bytes.ToLower(content))
for i, j := 0, 0; i < n; i = j {
// stack to keep track of open parenthesis/blocks
var st []byte
var stmtBuilder strings.Builder

stmtLoop:
for ; j < n; j++ {
switch contentStr[j] {
case queryDelimiter:
if len(st) == 0 {
j++
break stmtLoop
}

case sqlLeftParenthesis:
st = append(st, sqlLeftParenthesis)

case sqlRightParenthesis:
if len(st) == 0 || st[len(st)-1] != sqlLeftParenthesis {
return nil, fmt.Errorf("error reading contents: unmatched right parenthesis")
rodrigozhou marked this conversation as resolved.
Show resolved Hide resolved
}
st = st[:len(st)-1]

case sqlBeginKeyword[0]:
if hasWordAt(contentStr, sqlBeginKeyword, j) {
st = append(st, sqlBeginKeyword[0])
j += len(sqlBeginKeyword) - 1
}

case sqlEndKeyword[0]:
if hasWordAt(contentStr, sqlEndKeyword, j) {
if len(st) == 0 || st[len(st)-1] != sqlBeginKeyword[0] {
return nil, fmt.Errorf("error reading contents: unmatched `END` keyword")
}
st = st[:len(st)-1]
j += len(sqlEndKeyword) - 1
}

case sqlSingleQuote, sqlDoubleQuote:
quote := contentStr[j]
j++
for j < n && contentStr[j] != quote {
j++
}
if j == n {
return nil, fmt.Errorf("error reading contents: unmatched quotes")
}

case sqlLineComment[0]:
if j+len(sqlLineComment) <= n && contentStr[j:j+len(sqlLineComment)] == sqlLineComment {
_, _ = stmtBuilder.Write(bytes.TrimRight(content[i:j], " "))
for j < n && contentStr[j] != '\n' {
j++
}
i = j
}

default:
// no-op: generic character
}
}

if len(st) > 0 {
switch st[len(st)-1] {
case sqlLeftParenthesis:
return nil, fmt.Errorf("error reading contents: unmatched left parenthesis")
case sqlBeginKeyword[0]:
return nil, fmt.Errorf("error reading contents: unmatched `BEGIN` keyword")
default:
// should never enter here
return nil, fmt.Errorf("error reading contents: unmatched `%c`", st[len(st)-1])
}
}

_, _ = stmtBuilder.Write(content[i:j])
stmt := strings.TrimSpace(stmtBuilder.String())
if stmt == "" {
continue
}
result = append(result, stmt)
}

}
return result, nil
}

// hasWordAt is a simple test to check if it matches the whole word:
// it checks if the adjacent charactes are not alphanumeric if they exist.
func hasWordAt(s, word string, pos int) bool {
if pos+len(word) > len(s) || s[pos:pos+len(word)] != word {
return false
}
if pos > 0 && isAlphanumeric(s[pos-1]) {
return false
}
if pos+len(word) < len(s) && isAlphanumeric(s[pos+len(word)]) {
return false
}
return true
}

func isAlphanumeric(c byte) bool {
return unicode.IsLetter(rune(c)) || unicode.IsDigit(rune(c))
}
137 changes: 137 additions & 0 deletions common/persistence/query_util_test.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,137 @@
// The MIT License
//
// Copyright (c) 2020 Temporal Technologies Inc. All rights reserved.
//
// Copyright (c) 2020 Uber Technologies, Inc.
//
// Permission is hereby granted, free of charge, to any person obtaining a copy
// of this software and associated documentation files (the "Software"), to deal
// in the Software without restriction, including without limitation the rights
// to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// copies of the Software, and to permit persons to whom the Software is
// furnished to do so, subject to the following conditions:
//
// The above copyright notice and this permission notice shall be included in
// all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
// THE SOFTWARE.

package persistence

import (
"bytes"
"io"
"testing"

"github.com/stretchr/testify/require"
"github.com/stretchr/testify/suite"

"go.temporal.io/server/common/log"
)

type (
queryUtilSuite struct {
suite.Suite
// override suite.Suite.Assertions with require.Assertions; this means that s.NotNil(nil) will stop the test,
// not merely log an error
*require.Assertions
logger log.Logger
}
)

func TestQueryUtilSuite(t *testing.T) {
s := new(queryUtilSuite)
suite.Run(t, s)
}

func (s *queryUtilSuite) SetupTest() {
s.logger = log.NewTestLogger()
// Have to define our overridden assertions in the test setup. If we did it earlier, s.T() will return nil
s.Assertions = require.New(s.T())
}

func (s *queryUtilSuite) TestLoadAndSplitQueryFromReaders() {
input := `
CREATE TABLE test (
id BIGINT not null,
col1 BIGINT, -- comment with unmatched parenthesis )
rodrigozhou marked this conversation as resolved.
Show resolved Hide resolved
col2 VARCHAR(255),
PRIMARY KEY (id)
);

CREATE INDEX test_idx ON test (col1);

--begin
CREATE TRIGGER test_ai AFTER INSERT ON test
BEGIN
SELECT *, 'string with unmatched chars ")' FROM test;
--end
END;

-- trailing comment
`
statements, err := LoadAndSplitQueryFromReaders([]io.Reader{bytes.NewBufferString(input)})
s.NoError(err)
s.Equal(3, len(statements))
s.Equal(
`CREATE TABLE test (
id BIGINT not null,
col1 BIGINT,
col2 VARCHAR(255),
PRIMARY KEY (id)
);`,
statements[0],
)
s.Equal(`CREATE INDEX test_idx ON test (col1);`, statements[1])
// comments are removed, but the inner content is not trimmed
s.Equal(
`CREATE TRIGGER test_ai AFTER INSERT ON test
BEGIN
SELECT *, 'string with unmatched chars ")' FROM test;

END;`,
statements[2],
)

input = "CREATE TABLE test (;"
statements, err = LoadAndSplitQueryFromReaders([]io.Reader{bytes.NewBufferString(input)})
s.Error(err, "error reading contents: unmatched left parenthesis")
s.Nil(statements)

input = "CREATE TABLE test ());"
statements, err = LoadAndSplitQueryFromReaders([]io.Reader{bytes.NewBufferString(input)})
s.Error(err, "error reading contents: unmatched right parenthesis")
s.Nil(statements)

input = "begin"
statements, err = LoadAndSplitQueryFromReaders([]io.Reader{bytes.NewBufferString(input)})
s.Error(err, "error reading contents: unmatched `BEGIN` keyword")
s.Nil(statements)

input = "end"
statements, err = LoadAndSplitQueryFromReaders([]io.Reader{bytes.NewBufferString(input)})
s.Error(err, "error reading contents: unmatched `END` keyword")
s.Nil(statements)

input = "select ' from test;"
statements, err = LoadAndSplitQueryFromReaders([]io.Reader{bytes.NewBufferString(input)})
s.Error(err, "error reading contents: unmatched quotes")
s.Nil(statements)
}

func (s *queryUtilSuite) TestHasWordAt() {
s.True(hasWordAt("BEGIN", "BEGIN", 0))
s.True(hasWordAt(" BEGIN ", "BEGIN", 1))
s.True(hasWordAt(")BEGIN;", "BEGIN", 1))
s.False(hasWordAt("BEGIN", "BEGIN", 1))
s.False(hasWordAt("sBEGIN", "BEGIN", 1))
s.False(hasWordAt("BEGINs", "BEGIN", 0))
s.False(hasWordAt("7BEGIN", "BEGIN", 1))
s.False(hasWordAt("BEGIN7", "BEGIN", 0))
}
3 changes: 2 additions & 1 deletion tools/common/schema/setuptask.go
Original file line number Diff line number Diff line change
Expand Up @@ -32,6 +32,7 @@ import (

"go.temporal.io/server/common/log"
"go.temporal.io/server/common/log/tag"
"go.temporal.io/server/common/persistence"
)

// SetupTask represents a task
Expand Down Expand Up @@ -75,7 +76,7 @@ func (task *SetupTask) Run() error {
if err != nil {
return err
}
stmts, err := ParseFile(filePath)
stmts, err := persistence.LoadAndSplitQuery([]string{filePath})
if err != nil {
return err
}
Expand Down
3 changes: 2 additions & 1 deletion tools/common/schema/test/dbtest.go
Original file line number Diff line number Diff line change
Expand Up @@ -34,6 +34,7 @@ import (

"go.temporal.io/server/common/log"
"go.temporal.io/server/common/log/tag"
"go.temporal.io/server/common/persistence"
"go.temporal.io/server/tests/testutils"
"go.temporal.io/server/tools/common/schema"
)
Expand Down Expand Up @@ -83,7 +84,7 @@ func (tb *DBTestBase) RunParseFileTest(content string) {

_, err := cqlFile.WriteString(content)
tb.NoError(err)
stmts, err := schema.ParseFile(cqlFile.Name())
stmts, err := persistence.LoadAndSplitQuery([]string{cqlFile.Name()})
tb.Nil(err)
tb.Equal(2, len(stmts), "wrong number of sql statements")
}
Expand Down
3 changes: 2 additions & 1 deletion tools/common/schema/updatetask.go
Original file line number Diff line number Diff line change
Expand Up @@ -41,6 +41,7 @@ import (

"go.temporal.io/server/common/log"
"go.temporal.io/server/common/log/tag"
"go.temporal.io/server/common/persistence"
)

type (
Expand Down Expand Up @@ -230,7 +231,7 @@ func (task *UpdateTask) parseSQLStmts(dir string, manifest *manifest) ([]string,
for _, file := range manifest.SchemaUpdateCqlFiles {
path := dir + "/" + file
task.logger.Info("Processing schema file: " + path)
stmts, err := ParseFile(path)
stmts, err := persistence.LoadAndSplitQuery([]string{path})
if err != nil {
return nil, fmt.Errorf("error parsing file %v, err=%v", path, err)
}
Expand Down
Loading