sqlparser

package module
v0.0.0-...-1d9cb9f Latest Latest
Warning

This package is not in the latest version of its module.

Go to latest
Published: Aug 14, 2024 License: Apache-2.0 Imports: 31 Imported by: 0

README ¶

sqlparser Build Status Coverage Report card GoDoc

Go package for parsing MySQL SQL queries.

Notice

The backbone of this repo is extracted from vitessio/vitess.

Inside vitessio/vitess there is a very nicely written sql parser. However as it's not a self-contained application, I created this one. It applies the same LICENSE as vitessio/vitess.

Usage

import (
    "github.com/smlxl/sqlparser"
)

Then use:

sql := "SELECT * FROM table WHERE a = 'abc'"
stmt, err := sqlparser.Parse(sql)
if err != nil {
	// Do something with the err
}

// Otherwise do something with stmt
switch stmt := stmt.(type) {
case *sqlparser.Select:
	_ = stmt
case *sqlparser.Insert:
}

Alternative to read many queries from a io.Reader:

r := strings.NewReader("INSERT INTO table1 VALUES (1, 'a'); INSERT INTO table2 VALUES (3, 4);")

tokens := sqlparser.NewTokenizer(r)
for {
	stmt, err := sqlparser.ParseNext(tokens)
	if err == io.EOF {
		break
	}
	// Do something with stmt or err.
}

See parse_test.go for more examples, or read the godoc.

Porting Instructions

You only need the below if you plan to try and keep this library up to date with vitessio/vitess.

Keeping up to date
shopt -s nullglob
VITESS=${GOPATH?}/src/vitess.io/vitess/go/
XWB1989=${GOPATH?}/src/github.com/smlxl/sqlparser/

# Create patches for everything that changed
LASTIMPORT=1b7879cb91f1dfe1a2dfa06fea96e951e3a7aec5
for path in ${VITESS?}/{vt/sqlparser,sqltypes,bytes2,hack}; do
	cd ${path}
	git format-patch ${LASTIMPORT?} .
done;

# Apply patches to the dependencies
cd ${XWB1989?}
git am --directory dependency -p2 ${VITESS?}/{sqltypes,bytes2,hack}/*.patch

# Apply the main patches to the repo
cd ${XWB1989?}
git am -p4 ${VITESS?}/vt/sqlparser/*.patch

# If you encounter diff failures, manually fix them with
patch -p4 < .git/rebase-apply/patch
...
git add name_of_files
git am --continue

# Cleanup
rm ${VITESS?}/{sqltypes,bytes2,hack}/*.patch ${VITESS?}/*.patch

# and Finally update the LASTIMPORT in this README.
Fresh install

TODO: Change these instructions to use git to copy the files, that'll make later patching easier.

VITESS=${GOPATH?}/src/vitess.io/vitess/go/
XWB1989=${GOPATH?}/src/github.com/smlxl/sqlparser/

cd ${XWB1989?}

# Copy all the code
cp -pr ${VITESS?}/vt/sqlparser/ .
cp -pr ${VITESS?}/sqltypes dependency
cp -pr ${VITESS?}/bytes2 dependency
cp -pr ${VITESS?}/hack dependency

# Delete some code we haven't ported
rm dependency/sqltypes/arithmetic.go dependency/sqltypes/arithmetic_test.go dependency/sqltypes/event_token.go dependency/sqltypes/event_token_test.go dependency/sqltypes/proto3.go dependency/sqltypes/proto3_test.go dependency/sqltypes/query_response.go dependency/sqltypes/result.go dependency/sqltypes/result_test.go

# Some automated fixes

# Fix imports
sed -i '.bak' 's_vitess.io/vitess/go/vt/proto/query_github.com/smlxl/sqlparser/dependency/querypb_g' *.go dependency/sqltypes/*.go
sed -i '.bak' 's_vitess.io/vitess/go/_github.com/smlxl/sqlparser/dependency/_g' *.go dependency/sqltypes/*.go

# Copy the proto, but basically drop everything we don't want
cp -pr ${VITESS?}/vt/proto/query dependency/querypb

sed -i '.bak' 's_.*Descriptor.*__g' dependency/querypb/*.go
sed -i '.bak' 's_.*ProtoMessage.*__g' dependency/querypb/*.go

sed -i '.bak' 's/proto.CompactTextString(m)/"TODO"/g' dependency/querypb/*.go
sed -i '.bak' 's/proto.EnumName/EnumName/g' dependency/querypb/*.go

sed -i '.bak' 's/proto.Equal/reflect.DeepEqual/g' dependency/sqltypes/*.go

# Remove the error library
sed -i '.bak' 's/vterrors.Errorf([^,]*, /fmt.Errorf(/g' *.go dependency/sqltypes/*.go
sed -i '.bak' 's/vterrors.New([^,]*, /errors.New(/g' *.go dependency/sqltypes/*.go
Testing
VITESS=${GOPATH?}/src/vitess.io/vitess/go/
XWB1989=${GOPATH?}/src/github.com/smlxl/sqlparser/

cd ${XWB1989?}

# Test, fix and repeat
go test ./...

# Finally make some diffs (for later reference)
diff -u ${VITESS?}/sqltypes/        ${XWB1989?}/dependency/sqltypes/ > ${XWB1989?}/patches/sqltypes.patch
diff -u ${VITESS?}/bytes2/          ${XWB1989?}/dependency/bytes2/   > ${XWB1989?}/patches/bytes2.patch
diff -u ${VITESS?}/vt/proto/query/  ${XWB1989?}/dependency/querypb/  > ${XWB1989?}/patches/querypb.patch
diff -u ${VITESS?}/vt/sqlparser/    ${XWB1989?}/                     > ${XWB1989?}/patches/sqlparser.patch

Documentation ¶

Index ¶

Constants ¶

View Source
const (
	StrVal = ValType(iota)
	IntVal
	DecimalVal
	FloatVal
	HexNum
	HexVal
	BitNum
	DateVal
	TimeVal
	TimestampVal
)

These are the possible Valtype values. HexNum represents a 0x... value. It cannot be treated as a simple value because it can be interpreted differently depending on the context.

View Source
const (
	// LastInsertIDName is a reserved bind var name for last_insert_id()
	LastInsertIDName = "__lastInsertId"

	// DBVarName is a reserved bind var name for database()
	DBVarName = "__vtdbname"

	// FoundRowsName is a reserved bind var name for found_rows()
	FoundRowsName = "__vtfrows"

	// RowCountName is a reserved bind var name for row_count()
	RowCountName = "__vtrcount"

	// UserDefinedVariableName is what we prepend bind var names for user defined variables
	UserDefinedVariableName = "__vtudv"
)
View Source
const (
	// DirectiveMultiShardAutocommit is the query comment directive to allow
	// single round trip autocommit with a multi-shard statement.
	DirectiveMultiShardAutocommit = "MULTI_SHARD_AUTOCOMMIT"
	// DirectiveSkipQueryPlanCache skips query plan cache when set.
	DirectiveSkipQueryPlanCache = "SKIP_QUERY_PLAN_CACHE"
	// DirectiveQueryTimeout sets a query timeout in vtgate. Only supported for SELECTS.
	DirectiveQueryTimeout = "QUERY_TIMEOUT_MS"
	// DirectiveScatterErrorsAsWarnings enables partial success scatter select queries
	DirectiveScatterErrorsAsWarnings = "SCATTER_ERRORS_AS_WARNINGS"
	// DirectiveIgnoreMaxPayloadSize skips payload size validation when set.
	DirectiveIgnoreMaxPayloadSize = "IGNORE_MAX_PAYLOAD_SIZE"
	// DirectiveIgnoreMaxMemoryRows skips memory row validation when set.
	DirectiveIgnoreMaxMemoryRows = "IGNORE_MAX_MEMORY_ROWS"
	// DirectiveAllowScatter lets scatter plans pass through even when they are turned off by `no-scatter`.
	DirectiveAllowScatter = "ALLOW_SCATTER"
	// DirectiveAllowHashJoin lets the planner use hash join if possible
	DirectiveAllowHashJoin = "ALLOW_HASH_JOIN"
	// DirectiveQueryPlanner lets the user specify per query which planner should be used
	DirectiveQueryPlanner = "PLANNER"
	// DirectiveVExplainRunDMLQueries tells vexplain queries/all that it is okay to also run the query.
	DirectiveVExplainRunDMLQueries = "EXECUTE_DML_QUERIES"
	// DirectiveConsolidator enables the query consolidator.
	DirectiveConsolidator = "CONSOLIDATOR"
	// DirectiveWorkloadName specifies the name of the client application workload issuing the query.
	DirectiveWorkloadName = "WORKLOAD_NAME"
	// DirectivePriority specifies the priority of a workload. It should be an integer between 0 and MaxPriorityValue,
	// where 0 is the highest priority, and MaxPriorityValue is the lowest one.
	DirectivePriority = "PRIORITY"

	// MaxPriorityValue specifies the maximum value allowed for the priority query directive. Valid priority values are
	// between zero and MaxPriorityValue.
	MaxPriorityValue = 100

	// OptimizerHintSetVar is the optimizer hint used in MySQL to set the value of a specific session variable for a query.
	OptimizerHintSetVar = "SET_VAR"
)
View Source
const (
	// Select.Distinct
	AllStr              = "all "
	DistinctStr         = "distinct "
	StraightJoinHint    = "straight_join "
	SQLCalcFoundRowsStr = "sql_calc_found_rows "

	// Select.Lock
	NoLockStr              = ""
	ForUpdateStr           = " for update"
	ForUpdateNoWaitStr     = " for update nowait"
	ForUpdateSkipLockedStr = " for update skip locked"
	ForShareStr            = " for share"
	ForShareNoWaitStr      = " for share nowait"
	ForShareSkipLockedStr  = " for share skip locked"
	ShareModeStr           = " lock in share mode"

	// Select.Cache
	SQLCacheStr   = "sql_cache "
	SQLNoCacheStr = "sql_no_cache "

	// Union.Type
	UnionStr         = "union"
	UnionAllStr      = "union all"
	UnionDistinctStr = "union distinct"

	// DDL strings.
	InsertStr  = "insert"
	ReplaceStr = "replace"

	// Set.Scope or Show.Scope
	SessionStr        = "session"
	GlobalStr         = "global"
	VitessMetadataStr = "vitess_metadata"
	VariableStr       = "variable"

	// DDL strings.
	CreateStr           = "create"
	AlterStr            = "alter"
	DeallocateStr       = "deallocate"
	DropStr             = "drop"
	RenameStr           = "rename"
	TruncateStr         = "truncate"
	FlushStr            = "flush"
	CreateVindexStr     = "create vindex"
	DropVindexStr       = "drop vindex"
	AddVschemaTableStr  = "add vschema table"
	DropVschemaTableStr = "drop vschema table"
	AddColVindexStr     = "on table add vindex"
	DropColVindexStr    = "on table drop vindex"
	AddSequenceStr      = "add sequence"
	DropSequenceStr     = "drop sequence"
	AddAutoIncStr       = "add auto_increment"
	DropAutoIncStr      = "drop auto_increment"

	// ALTER TABLE ALGORITHM string.
	DefaultStr = "default"
	CopyStr    = "copy"
	InplaceStr = "inplace"
	InstantStr = "instant"

	// Partition and subpartition type strings
	HashTypeStr  = "hash"
	KeyTypeStr   = "key"
	RangeTypeStr = "range"
	ListTypeStr  = "list"

	// Partition value range type strings
	LessThanTypeStr = "less than"
	InTypeStr       = "in"

	// Online DDL hint
	OnlineStr = "online"

	// Vindex DDL param to specify the owner of a vindex
	VindexOwnerStr = "owner"

	// Partition strings
	ReorganizeStr        = "reorganize partition"
	AddStr               = "add partition"
	DiscardStr           = "discard partition"
	DropPartitionStr     = "drop partition"
	ImportStr            = "import partition"
	TruncatePartitionStr = "truncate partition"
	CoalesceStr          = "coalesce partition"
	ExchangeStr          = "exchange partition"
	AnalyzePartitionStr  = "analyze partition"
	CheckStr             = "check partition"
	OptimizeStr          = "optimize partition"
	RebuildStr           = "rebuild partition"
	RepairStr            = "repair partition"
	RemoveStr            = "remove partitioning"
	UpgradeStr           = "upgrade partitioning"

	// JoinTableExpr.Join
	JoinStr             = "join"
	StraightJoinStr     = "straight_join"
	LeftJoinStr         = "left join"
	RightJoinStr        = "right join"
	NaturalJoinStr      = "natural join"
	NaturalLeftJoinStr  = "natural left join"
	NaturalRightJoinStr = "natural right join"

	// IgnoreStr string.
	IgnoreStr = "ignore "

	// Index hints.
	UseStr          = "use index"
	IgnoreIndexStr  = "ignore index"
	ForceStr        = "force index"
	UseVindexStr    = "use vindex"
	IgnoreVindexStr = "ignore vindex"

	// Index hints For types.
	JoinForStr    = "join"
	GroupByForStr = "group by"
	OrderByForStr = "order by"

	// Where.Type
	WhereStr  = "where"
	HavingStr = "having"

	// ComparisonExpr.Operator
	EqualStr         = "="
	LessThanStr      = "<"
	GreaterThanStr   = ">"
	LessEqualStr     = "<="
	GreaterEqualStr  = ">="
	NotEqualStr      = "!="
	NullSafeEqualStr = "<=>"
	InStr            = "in"
	NotInStr         = "not in"
	LikeStr          = "like"
	NotLikeStr       = "not like"
	RegexpStr        = "regexp"
	NotRegexpStr     = "not regexp"

	// IsExpr.Operator
	IsNullStr     = "is null"
	IsNotNullStr  = "is not null"
	IsTrueStr     = "is true"
	IsNotTrueStr  = "is not true"
	IsFalseStr    = "is false"
	IsNotFalseStr = "is not false"

	// BinaryExpr.Operator
	BitAndStr               = "&"
	BitOrStr                = "|"
	BitXorStr               = "^"
	PlusStr                 = "+"
	MinusStr                = "-"
	MultStr                 = "*"
	DivStr                  = "/"
	IntDivStr               = "div"
	ModStr                  = "%"
	ShiftLeftStr            = "<<"
	ShiftRightStr           = ">>"
	JSONExtractOpStr        = "->"
	JSONUnquoteExtractOpStr = "->>"

	// UnaryExpr.Operator
	UPlusStr    = "+"
	UMinusStr   = "-"
	TildaStr    = "~"
	BangStr     = "!"
	Armscii8Str = "_armscii8"
	ASCIIStr    = "_ascii"
	Big5Str     = "_big5"
	UBinaryStr  = "_binary"
	Cp1250Str   = "_cp1250"
	Cp1251Str   = "_cp1251"
	Cp1256Str   = "_cp1256"
	Cp1257Str   = "_cp1257"
	Cp850Str    = "_cp850"
	Cp852Str    = "_cp852"
	Cp866Str    = "_cp866"
	Cp932Str    = "_cp932"
	Dec8Str     = "_dec8"
	EucjpmsStr  = "_eucjpms"
	EuckrStr    = "_euckr"
	Gb18030Str  = "_gb18030"
	Gb2312Str   = "_gb2312"
	GbkStr      = "_gbk"
	Geostd8Str  = "_geostd8"
	GreekStr    = "_greek"
	HebrewStr   = "_hebrew"
	Hp8Str      = "_hp8"
	Keybcs2Str  = "_keybcs2"
	Koi8rStr    = "_koi8r"
	Koi8uStr    = "_koi8u"
	Latin1Str   = "_latin1"
	Latin2Str   = "_latin2"
	Latin5Str   = "_latin5"
	Latin7Str   = "_latin7"
	MacceStr    = "_macce"
	MacromanStr = "_macroman"
	SjisStr     = "_sjis"
	Swe7Str     = "_swe7"
	Tis620Str   = "_tis620"
	Ucs2Str     = "_ucs2"
	UjisStr     = "_ujis"
	Utf16Str    = "_utf16"
	Utf16leStr  = "_utf16le"
	Utf32Str    = "_utf32"
	Utf8mb3Str  = "_utf8mb3"
	Utf8mb4Str  = "_utf8mb4"
	NStringStr  = "N"

	// DatabaseOption.Type
	CharacterSetStr = " character set"
	CollateStr      = " collate"
	EncryptionStr   = " encryption"

	// MatchExpr.Option
	NoOptionStr                              = ""
	BooleanModeStr                           = " in boolean mode"
	NaturalLanguageModeStr                   = " in natural language mode"
	NaturalLanguageModeWithQueryExpansionStr = " in natural language mode with query expansion"
	QueryExpansionStr                        = " with query expansion"

	// INTO OUTFILE
	IntoOutfileStr   = " into outfile "
	IntoOutfileS3Str = " into outfile s3 "
	IntoDumpfileStr  = " into dumpfile "

	// Order.Direction
	AscScr  = "asc"
	DescScr = "desc"

	// SetExpr.Expr transaction variables
	TransactionIsolationStr = "transaction_isolation"
	TransactionReadOnlyStr  = "transaction_read_only"

	// Transaction isolation levels
	ReadUncommittedStr = "read-uncommitted"
	ReadCommittedStr   = "read-committed"
	RepeatableReadStr  = "repeatable-read"
	SerializableStr    = "serializable"

	// Transaction access mode
	WithConsistentSnapshotStr = "with consistent snapshot"
	ReadWriteStr              = "read write"
	ReadOnlyStr               = "read only"

	// Explain formats
	EmptyStr       = ""
	TreeStr        = "tree"
	JSONStr        = "json"
	TraditionalStr = "traditional"
	AnalyzeStr     = "analyze"
	QueriesStr     = "queries"
	AllVExplainStr = "all"
	PlanStr        = "plan"

	// Lock Types
	ReadStr             = "read"
	ReadLocalStr        = "read local"
	WriteStr            = "write"
	LowPriorityWriteStr = "low_priority write"

	// ShowCommand Types
	CharsetStr                 = " charset"
	CollationStr               = " collation"
	ColumnStr                  = " columns"
	CreateDbStr                = " create database"
	CreateEStr                 = " create event"
	CreateFStr                 = " create function"
	CreateProcStr              = " create procedure"
	CreateTblStr               = " create table"
	CreateTrStr                = " create trigger"
	CreateVStr                 = " create view"
	DatabaseStr                = " databases"
	EnginesStr                 = " engines"
	FunctionCStr               = " function code"
	FunctionStr                = " function status"
	GtidExecGlobalStr          = " global gtid_executed"
	IndexStr                   = " indexes"
	OpenTableStr               = " open tables"
	PluginsStr                 = " plugins"
	PrivilegeStr               = " privileges"
	ProcedureCStr              = " procedure code"
	ProcedureStr               = " procedure status"
	StatusGlobalStr            = " global status"
	StatusSessionStr           = " status"
	TablesStr                  = " tables"
	TableStatusStr             = " table status"
	TriggerStr                 = " triggers"
	VariableGlobalStr          = " global variables"
	VariableSessionStr         = " variables"
	VGtidExecGlobalStr         = " global vgtid_executed"
	KeyspaceStr                = " keyspaces"
	VitessMigrationsStr        = " vitess_migrations"
	VitessReplicationStatusStr = " vitess_replication_status"
	VitessShardsStr            = " vitess_shards"
	VitessTabletsStr           = " vitess_tablets"
	VitessTargetStr            = " vitess_target"
	VitessVariablesStr         = " vitess_metadata variables"
	VschemaTablesStr           = " vschema tables"
	VschemaKeyspacesStr        = " vschema keyspaces"
	VschemaVindexesStr         = " vschema vindexes"
	WarningsStr                = " warnings"

	// DropKeyType strings
	PrimaryKeyTypeStr = "primary key"
	ForeignKeyTypeStr = "foreign key"
	NormalKeyTypeStr  = "key"
	CheckKeyTypeStr   = "check"

	// TrimType strings
	BothTrimStr     = "both"
	LeadingTrimStr  = "leading"
	TrailingTrimStr = "trailing"

	// FrameUnitType strings
	FrameRowsStr  = "rows"
	FrameRangeStr = "range"

	// FramePointType strings
	CurrentRowStr         = "current row"
	UnboundedPrecedingStr = "unbounded preceding"
	UnboundedFollowingStr = "unbounded following"
	ExprPrecedingStr      = "preceding"
	ExprFollowingStr      = "following"

	// ArgumentLessWindowExprType strings
	CumeDistExprStr    = "cume_dist"
	DenseRankExprStr   = "dense_rank"
	PercentRankExprStr = "percent_rank"
	RankExprStr        = "rank"
	RowNumberExprStr   = "row_number"

	// NullTreatmentType strings
	RespectNullsStr = "respect nulls"
	IgnoreNullsStr  = "ignore nulls"

	// FromFirstLastType strings
	FromFirstStr = "respect nulls"
	FromLastStr  = "ignore nulls"

	// FirstOrLastValueExprType strings
	FirstValueExprStr = "first_value"
	LastValueExprStr  = "last_value"

	// FirstOrLastValueExprType strings
	LagExprStr  = "lag"
	LeadExprStr = "lead"

	// TrimFuncType strings
	NormalTrimStr = "trim"
	LTrimStr      = "ltrim"
	RTrimStr      = "rtrim"

	// JSONAttributeType strings
	DepthAttributeStr  = "json_depth"
	ValidAttributeStr  = "json_valid"
	TypeAttributeStr   = "json_type"
	LengthAttributeStr = "json_length"

	// JSONValueModifierType strings
	JSONArrayAppendStr = "json_array_append"
	JSONArrayInsertStr = "json_array_insert"
	JSONInsertStr      = "json_insert"
	JSONReplaceStr     = "json_replace"
	JSONSetStr         = "json_set"

	// JSONValueMergeType strings
	JSONMergeStr         = "json_merge"
	JSONMergePatchStr    = "json_merge_patch"
	JSONMergePreserveStr = "json_merge_preserve"

	// LockingFuncType strings
	GetLockStr         = "get_lock"
	IsFreeLockStr      = "is_free_lock"
	IsUsedLockStr      = "is_used_lock"
	ReleaseAllLocksStr = "release_all_locks"
	ReleaseLockStr     = "release_lock"

	// PerformanceSchemaType strings
	FormatBytesStr       = "format_bytes"
	FormatPicoTimeStr    = "format_pico_time"
	PsCurrentThreadIDStr = "ps_current_thread_id"
	PsThreadIDStr        = "ps_thread_id"

	// GTIDType strings
	GTIDSubsetStr                   = "gtid_subset"
	GTIDSubtractStr                 = "gtid_subtract"
	WaitForExecutedGTIDSetStr       = "wait_for_executed_gtid_set"
	WaitUntilSQLThreadAfterGTIDSStr = "wait_until_sql_thread_after_gtids"

	// LockOptionType strings
	NoneTypeStr      = "none"
	SharedTypeStr    = "shared"
	DefaultTypeStr   = "default"
	ExclusiveTypeStr = "exclusive"

	// GeomeFromWktType strings
	GeometryFromTextStr           = "st_geometryfromtext"
	GeometryCollectionFromTextStr = "st_geometrycollectionfromtext"
	PointFromTextStr              = "st_pointfromtext"
	MultiPointFromTextStr         = "st_multipointfromtext"
	LineStringFromTextStr         = "st_linestringfromtext"
	MultiLinestringFromTextStr    = "st_multilinestringfromtext"
	PolygonFromTextStr            = "st_polygonfromtext"
	MultiPolygonFromTextStr       = "st_multipolygonfromtext"

	// GeomeFromWktType strings
	GeometryFromWKBStr           = "st_geometryfromwkb"
	GeometryCollectionFromWKBStr = "st_geometrycollectionfromwkb"
	PointFromWKBStr              = "st_pointfromwkb"
	MultiPointFromWKBStr         = "st_multipointfromwkb"
	LineStringFromWKBStr         = "st_linestringfromwkb"
	MultiLinestringFromWKBStr    = "st_multilinestringfromwkb"
	PolygonFromWKBStr            = "st_polygonfromwkb"
	MultiPolygonFromWKBStr       = "st_multipolygonfromwkb"

	// GeomFormatExpr strings
	TextFormatStr   = "st_astext"
	BinaryFormatStr = "st_asbinary"

	// GeomPropertyType strings
	IsSimpleStr     = "st_issimple"
	IsEmptyStr      = "st_isempty"
	EnvelopeStr     = "st_envelope"
	DimensionStr    = "st_dimension"
	GeometryTypeStr = "st_geometrytype"

	// PointPropertyType strings
	XCordinateStr = "st_x"
	YCordinateStr = "st_y"
	LatitudeStr   = "st_latitude"
	LongitudeStr  = "st_longitude"

	// LinestringPropertyType strings
	EndPointStr   = "st_endpoint"
	IsClosedStr   = "st_isclosed"
	LengthStr     = "st_length"
	NumPointsStr  = "st_numpoints"
	PointNStr     = "st_pointn"
	StartPointStr = "st_startpoint"

	// PolygonPropertyType strings
	AreaStr             = "st_area"
	CentroidStr         = "st_centroid"
	ExteriorRingStr     = "st_exteriorring"
	InteriorRingNStr    = "st_interiorringN"
	NumInteriorRingsStr = "st_numinteriorrings"

	// GeomCollPropType strings
	NumGeometriesStr = "st_numgeometries"
	GeometryNStr     = "st_geometryn"

	// GeomFromGeoHash strings
	LatitudeFromHashStr  = "st_latfromgeohash"
	LongitudeFromHashStr = "st_longfromgeohash"
	PointFromHashStr     = "st_pointfromgeohash"

	// KillType strings
	ConnectionStr = "connection"
	QueryStr      = "query"
)

String constants to be used in ast.

View Source
const (
	IntervalNone        = datetime.IntervalNone
	IntervalMicrosecond = datetime.IntervalMicrosecond
	IntervalSecond      = datetime.IntervalSecond
	IntervalMinute      = datetime.IntervalMinute
	IntervalHour        = datetime.IntervalHour
	IntervalDay         = datetime.IntervalDay
	IntervalWeek        = datetime.IntervalWeek
	IntervalMonth       = datetime.IntervalMonth
	IntervalQuarter     = datetime.IntervalQuarter
	IntervalYear        = datetime.IntervalYear

	IntervalSecondMicrosecond = datetime.IntervalSecondMicrosecond
	IntervalMinuteMicrosecond = datetime.IntervalMinuteMicrosecond
	IntervalMinuteSecond      = datetime.IntervalMinuteSecond
	IntervalHourMicrosecond   = datetime.IntervalHourMicrosecond
	IntervalHourSecond        = datetime.IntervalHourSecond
	IntervalHourMinute        = datetime.IntervalHourMinute
	IntervalDayMicrosecond    = datetime.IntervalDayMicrosecond
	IntervalDaySecond         = datetime.IntervalDaySecond
	IntervalDayMinute         = datetime.IntervalDayMinute
	IntervalDayHour           = datetime.IntervalDayHour
	IntervalYearMonth         = datetime.IntervalYearMonth
)

IntervalType constants

View Source
const ACTION = 57580
View Source
const ACTIVE = 57939
View Source
const ADD = 57559
View Source
const ADDDATE = 57751
View Source
const ADMIN = 57940
View Source
const AFTER = 57629
View Source
const AGAINST = 57904
View Source
const ALGORITHM = 57425
View Source
const ALL = 57367
View Source
const ALTER = 57555
View Source
const ALWAYS = 57385
View Source
const ANALYZE = 57558
View Source
const AND = 57483
View Source
const ANY_VALUE = 57843
View Source
const APPROXNUM = 57703
View Source
const ARRAY = 57914
View Source
const AS = 57369
View Source
const ASC = 57371
View Source
const ASCII = 57699
View Source
const ASSIGNMENT_OPT = 57500
View Source
const AT_AT_ID = 57433
View Source
const AT_ID = 57432
View Source
const AUTOEXTEND_SIZE = 57941
View Source
const AUTO_INCREMENT = 57702
View Source
const AVG = 57828
View Source
const AVG_ROW_LENGTH = 58032
View Source
const BEFORE = 57708
View Source
const BEGIN = 57643
View Source
const BETWEEN = 57485
View Source
const BIGINT = 57659
View Source
const BINARY = 57507
View Source
const BIT = 57653
View Source
const BITNUM = 57442
View Source
const BIT_AND = 57833
View Source
const BIT_LITERAL = 57443
View Source
const BIT_OR = 57834
View Source
const BIT_XOR = 57835
View Source
const BLOB = 57682
View Source
const BOOL = 57674
View Source
const BOOLEAN = 57905
View Source
const BOTH = 57471
View Source
const BUCKETS = 57942
View Source
const BY = 57363
View Source
const BYTE = 57915
View Source
const CALL = 57381
View Source
const CANCEL = 57632
View Source
const CASCADE = 57581
View Source
const CASCADED = 57617
View Source
const CASE = 57486
View Source
const CAST = 57799
View Source
const CHANGE = 57561
View Source
const CHANNEL = 58026
View Source
const CHAR = 57672
View Source
const CHARACTER = 57675
View Source
const CHARSET = 57477
View Source
const CHECK = 57578
View Source
const CHECKSUM = 58034
View Source
const CLEANUP = 57636
View Source
const CLONE = 57943
View Source
const COALESCE = 57595
View Source
const CODE = 57709
View Source
const COLLATE = 57506
View Source
const COLLATION = 57710
View Source
const COLUMN = 57574
View Source
const COLUMNS = 57711
View Source
const COLUMN_FORMAT = 57944
View Source
const COMMENT = 57440
View Source
const COMMENT_KEYWORD = 57441
View Source
const COMMIT = 57646
View Source
const COMMITTED = 57748
View Source
const COMPACT = 58047
View Source
const COMPLETE = 57635
View Source
const COMPONENT = 57945
View Source
const COMPRESSED = 58045
View Source
const COMPRESSION = 57444
View Source
const CONNECTION = 58033
View Source
const CONSISTENT = 57651
View Source
const CONSTRAINT = 57582
View Source
const CONVERT = 57798
View Source
const COPY = 57423
View Source
const COUNT = 57827
View Source
const CREATE = 57554
View Source
const CROSS = 57416
View Source
const CSV = 57395
View Source
const CUME_DIST = 57916
View Source
const CURDATE = 57755
View Source
const CURRENT = 58029
View Source
const CURRENT_DATE = 57754
View Source
const CURRENT_TIME = 57761
View Source
const CURRENT_TIMESTAMP = 57752
View Source
const CURRENT_USER = 57764
View Source
const CURTIME = 57760
View Source
const DATA = 57388
View Source
const DATABASE = 57753
View Source
const DATABASES = 57712
View Source
const DATE = 57590
View Source
const DATETIME = 57670
View Source
const DATE_ADD = 57756
View Source
const DATE_SUB = 57757
View Source
const DAY = 57769
View Source
const DAY_HOUR = 57770
View Source
const DAY_MICROSECOND = 57771
View Source
const DAY_MINUTE = 57772
View Source
const DAY_SECOND = 57773
View Source
const DEALLOCATE = 57563
View Source
const DECIMAL = 57438
View Source
const DECIMAL_TYPE = 57666
View Source
const DEFAULT = 57375
View Source
const DEFINER = 57618
View Source
const DEFINITION = 57946
View Source
const DELAY_KEY_WRITE = 58035
View Source
const DELETE = 57357
View Source
const DENSE_RANK = 57918
View Source
const DESC = 57372
View Source
const DESCRIBE = 57588
View Source
const DESCRIPTION = 57917
View Source
const DIRECTORY = 57611
View Source
const DISABLE = 57467
View Source
const DISCARD = 57464
View Source
const DISK = 58054
View Source
const DISTINCT = 57368
View Source
const DISTINCTROW = 57382
View Source
const DIV = 57503
View Source
const DO = 57380
View Source
const DOUBLE = 57662
View Source
const DROP = 57556
View Source
const DUMPFILE = 57394
View Source
const DUPLICATE = 57374
View Source
const DYNAMIC = 58044
View Source
const ELSE = 57489
View Source
const EMPTY = 57919
View Source
const EMPTY_FROM_CLAUSE = 57475
View Source
const ENABLE = 57466
View Source
const ENCLOSED = 57393
View Source
const ENCRYPTION = 58036
View Source
const END = 57490
View Source
const ENFORCED = 57947
View Source
const ENGINE = 58037
View Source
const ENGINES = 57713
View Source
const ENGINE_ATTRIBUTE = 57948
View Source
const ENUM = 57689
View Source
const ERROR = 58020
View Source
const ESCAPE = 57591
View Source
const ESCAPED = 57392
View Source
const EVENT = 57714
View Source
const EXCEPT = 57920
View Source
const EXCHANGE = 57596
View Source
const EXCLUDE = 57949
View Source
const EXCLUSIVE = 57428
View Source
const EXECUTE = 57601
View Source
const EXISTS = 57370
View Source
const EXPANSION = 57909
View Source
const EXPIRE = 57640
View Source
const EXPLAIN = 57589
View Source
const EXPORT = 58028
View Source
const EXPRESSION_PREC_SETTER = 57480
View Source
const EXTENDED = 57715
View Source
const EXTRACT = 57458
View Source
const ExtractValue = 57848
View Source
const FALSE = 57462
View Source
const FIELDS = 57716
View Source
const FIRST = 57628
View Source
const FIRST_VALUE = 57921
View Source
const FIXED = 58043
View Source
const FLOAT = 57437
View Source
const FLOAT4_TYPE = 57664
View Source
const FLOAT8_TYPE = 57665
View Source
const FLOAT_TYPE = 57663
View Source
const FLUSH = 57560
View Source
const FOLLOWING = 57950
View Source
const FOR = 57366
View Source
const FORCE = 57419
View Source
const FORCE_CUTOVER = 57639
View Source
const FOREIGN = 57583
View Source
const FORMAT = 58009
View Source
const FORMAT_BYTES = 58001
View Source
const FORMAT_PICO_TIME = 58002
View Source
const FROM = 57358
View Source
const FULL = 57717
View Source
const FULLTEXT = 57576
View Source
const FUNCTION = 57718
View Source
const FUNCTION_CALL_NON_KEYWORD = 57348
View Source
const GE = 57492
View Source
const GENERAL = 58021
View Source
const GENERATED = 57384
View Source
const GEOMCOLLECTION = 57694
View Source
const GEOMETRY = 57690
View Source
const GEOMETRYCOLLECTION = 57695
View Source
const GET_LOCK = 57850
View Source
const GET_MASTER_PUBLIC_KEY = 57951
View Source
const GLOBAL = 57740
View Source
const GROUP = 57360
View Source
const GROUPING = 57922
View Source
const GROUPS = 57923
View Source
const GROUP_CONCAT = 57832
View Source
const GTID_EXECUTED = 57719
View Source
const GTID_SUBSET = 58005
View Source
const GTID_SUBTRACT = 58006
View Source
const HASH = 58061
View Source
const HAVING = 57361
View Source
const HEADER = 57396
View Source
const HEX = 57434
View Source
const HEXNUM = 57439
View Source
const HISTOGRAM = 57952
View Source
const HISTORY = 57953
View Source
const HOSTS = 58022
View Source
const HOUR = 57774
View Source
const HOUR_MICROSECOND = 57775
View Source
const HOUR_MINUTE = 57776
View Source
const HOUR_SECOND = 57777
View Source
const ID = 57431
View Source
const IF = 57572
View Source
const IGNORE = 57571
View Source
const IMPORT = 57465
View Source
const IN = 57499
View Source
const INACTIVE = 57954
View Source
const INDEX = 57568
View Source
const INDEXES = 57579
View Source
const INNER = 57414
View Source
const INPLACE = 57422
View Source
const INSERT = 57355
View Source
const INSERT_METHOD = 58038
View Source
const INSTANT = 57424
View Source
const INT = 57657
View Source
const INTEGER = 57658
View Source
const INTEGRAL = 57436
View Source
const INTERVAL = 57550
View Source
const INTNUM = 57660
View Source
const INTO = 57373
View Source
const INVISIBLE = 57955
View Source
const INVOKER = 57626
View Source
const IS = 57495
View Source
const ISOLATION = 57742
View Source
const IS_FREE_LOCK = 57853
View Source
const IS_USED_LOCK = 57854
View Source
const JOIN = 57410
View Source
const JSON = 57686
View Source
const JSON_ARRAY = 57810
View Source
const JSON_ARRAY_APPEND = 57817
View Source
const JSON_ARRAY_INSERT = 57818
View Source
const JSON_CONTAINS = 57451
View Source
const JSON_CONTAINS_PATH = 57452
View Source
const JSON_DEPTH = 57813
View Source
const JSON_EXTRACT = 57453
View Source
const JSON_EXTRACT_OP = 57552
View Source
const JSON_INSERT = 57819
View Source
const JSON_KEYS = 57454
View Source
const JSON_LENGTH = 57815
View Source
const JSON_MERGE = 57820
View Source
const JSON_MERGE_PATCH = 57821
View Source
const JSON_MERGE_PRESERVE = 57822
View Source
const JSON_OBJECT = 57811
View Source
const JSON_OVERLAPS = 57455
View Source
const JSON_PRETTY = 57448
View Source
const JSON_QUOTE = 57812
View Source
const JSON_REMOVE = 57823
View Source
const JSON_REPLACE = 57824
View Source
const JSON_SCHEMA_VALID = 57687
View Source
const JSON_SCHEMA_VALIDATION_REPORT = 57688
View Source
const JSON_SEARCH = 57456
View Source
const JSON_SET = 57825
View Source
const JSON_STORAGE_FREE = 57450
View Source
const JSON_STORAGE_SIZE = 57449
View Source
const JSON_TABLE = 57924
View Source
const JSON_TYPE = 57814
View Source
const JSON_UNQUOTE = 57826
View Source
const JSON_UNQUOTE_EXTRACT_OP = 57553
View Source
const JSON_VALID = 57816
View Source
const JSON_VALUE = 57457
View Source
const KEY = 57479
View Source
const KEYS = 57379
View Source
const KEYSPACES = 57720
View Source
const KEY_BLOCK_SIZE = 57577
View Source
const KILL = 57474
View Source
const LAG = 57925
View Source
const LANGUAGE = 57906
View Source
const LAST = 57630
View Source
const LAST_INSERT_ID = 57402
View Source
const LAST_VALUE = 57926
View Source
const LATERAL = 57927
View Source
const LAUNCH = 57634
View Source
const LE = 57491
View Source
const LEAD = 57928
View Source
const LEADING = 57472
View Source
const LEFT = 57412
View Source
const LESS = 57605
View Source
const LEVEL = 57743
View Source
const LEX_ERROR = 57350
View Source
const LIKE = 57496
View Source
const LIMIT = 57364
View Source
const LINEAR = 58056
View Source
const LINES = 57390
View Source
const LINESTRING = 57692
View Source
const LIST = 58058
View Source
const LIST_ARG = 57446
View Source
const LOAD = 57389
View Source
const LOCAL = 58016
View Source
const LOCALTIME = 57762
View Source
const LOCALTIMESTAMP = 57763
View Source
const LOCATE = 57855
View Source
const LOCK = 57377
View Source
const LOCKED = 57956
View Source
const LOGS = 58019
View Source
const LONGBLOB = 57685
View Source
const LONGTEXT = 57681
View Source
const LOWER_THAN_CHARSET = 57476
View Source
const LOW_PRIORITY = 58017
View Source
const LTRIM = 57807
View Source
const MANIFEST = 57397
View Source
const MASTER_COMPRESSION_ALGORITHMS = 57957
View Source
const MASTER_PUBLIC_KEY_PATH = 57958
View Source
const MASTER_TLS_CIPHERSUITES = 57959
View Source
const MASTER_ZSTD_COMPRESSION_LEVEL = 57960
View Source
const MATCH = 57903
View Source
const MAX = 57829
View Source
const MAXVALUE = 57602
View Source
const MAX_ROWS = 58039
View Source
const MEDIUMBLOB = 57684
View Source
const MEDIUMINT = 57656
View Source
const MEDIUMTEXT = 57680
View Source
const MEMBER = 57346
View Source
const MEMORY = 58053
View Source
const MERGE = 57623
View Source
const MICROSECOND = 57778
View Source
const MID = 57802
View Source
const MIN = 57830
View Source
const MINUTE = 57779
View Source
const MINUTE_MICROSECOND = 57780
View Source
const MINUTE_SECOND = 57781
View Source
const MIN_ROWS = 58040
View Source
const MOD = 57504
View Source
const MODE = 57406
View Source
const MODIFY = 57562
View Source
const MONTH = 57782
View Source
const MULTILINESTRING = 57697
View Source
const MULTIPLE_TEXT_LITERAL = 57347
View Source
const MULTIPOINT = 57696
View Source
const MULTIPOLYGON = 57698
View Source
const NAME = 57612
View Source
const NAMES = 57739
View Source
const NATURAL = 57417
View Source
const NCHAR = 57677
View Source
const NCHAR_STRING = 57435
View Source
const NE = 57493
View Source
const NESTED = 57961
View Source
const NETWORK_NAMESPACE = 57962
View Source
const NEXT = 57403
View Source
const NO = 57584
View Source
const NONE = 57426
View Source
const NOT = 57484
View Source
const NOW = 57758
View Source
const NOWAIT = 57963
View Source
const NO_WRITE_TO_BINLOG = 58018
View Source
const NTH_VALUE = 57929
View Source
const NTILE = 57930
View Source
const NULL = 57459
View Source
const NULLS = 57964
View Source
const NULLX = 57701
View Source
const NULL_SAFE_EQUAL = 57494
View Source
const NUMERIC = 57667
View Source
const OF = 57931
View Source
const OFF = 57463
View Source
const OFFSET = 57365
View Source
const OFFSET_ARG = 57447
View Source
const OJ = 57965
View Source
const OLD = 57966
View Source
const ON = 57420
View Source
const ONLY = 57746
View Source
const OPEN = 57721
View Source
const OPTIMIZE = 57593
View Source
const OPTIMIZER_COSTS = 58023
View Source
const OPTION = 57619
View Source
const OPTIONAL = 57967
View Source
const OPTIONALLY = 57400
View Source
const OR = 57481
View Source
const ORDER = 57362
View Source
const ORDINALITY = 57968
View Source
const ORGANIZATION = 57969
View Source
const OTHERS = 57970
View Source
const OUTER = 57415
View Source
const OUTFILE = 57386
View Source
const OVER = 57932
View Source
const OVERWRITE = 57398
View Source
const PACK_KEYS = 58041
View Source
const PARSER = 57383
View Source
const PARTIAL = 57971
View Source
const PARTITION = 57603
View Source
const PARTITIONING = 57598
View Source
const PARTITIONS = 58055
View Source
const PASSWORD = 58042
View Source
const PATH = 57972
View Source
const PERCENT_RANK = 57933
View Source
const PERSIST = 57973
View Source
const PERSIST_ONLY = 57974
View Source
const PLAN = 58015
View Source
const PLUGINS = 57722
View Source
const POINT = 57691
View Source
const POLYGON = 57693
View Source
const POSITION = 57856
View Source
const PRECEDING = 57975
View Source
const PREPARE = 57600
View Source
const PRIMARY = 57573
View Source
const PRIVILEGES = 57723
View Source
const PRIVILEGE_CHECKS_USER = 57976
View Source
const PROCEDURE = 57607
View Source
const PROCESS = 57977
View Source
const PROCESSLIST = 57724
View Source
const PS_CURRENT_THREAD_ID = 58003
View Source
const PS_THREAD_ID = 58004
View Source
const PURGE = 57707
View Source
const QUARTER = 57783
View Source
const QUERIES = 57565
View Source
const QUERY = 57908
View Source
const RANDOM = 57978
View Source
const RANGE = 58057
View Source
const RANK = 57934
View Source
const RATIO = 57641
View Source
const READ = 57744
View Source
const REAL = 57661
View Source
const REBUILD = 57597
View Source
const RECURSIVE = 57935
View Source
const REDUNDANT = 58046
View Source
const REFERENCE = 57979
View Source
const REFERENCES = 57585
View Source
const REGEXP = 57497
View Source
const REGEXP_INSTR = 57844
View Source
const REGEXP_LIKE = 57845
View Source
const REGEXP_REPLACE = 57846
View Source
const REGEXP_SUBSTR = 57847
View Source
const RELAY = 58027
View Source
const RELEASE = 57649
View Source
const RELEASE_ALL_LOCKS = 57852
View Source
const RELEASE_LOCK = 57851
View Source
const REMOVE = 57599
View Source
const RENAME = 57557
View Source
const REORGANIZE = 57604
View Source
const REPAIR = 57592
View Source
const REPEATABLE = 57747
View Source
const REPLACE = 57797
View Source
const REQUIRE_ROW_FORMAT = 57980
View Source
const RESOURCE = 57981
View Source
const RESPECT = 57982
View Source
const RESTART = 57983
View Source
const RESTRICT = 57586
View Source
const RETAIN = 57984
View Source
const RETRY = 57633
View Source
const RETURNING = 58000
View Source
const REUSE = 57985
View Source
const REVERT = 57564
View Source
const RIGHT = 57413
View Source
const RLIKE = 57498
View Source
const ROLE = 57986
View Source
const ROLLBACK = 57647
View Source
const ROLLUP = 57912
View Source
const ROW = 58030
View Source
const ROWS = 58031
View Source
const ROW_FORMAT = 58048
View Source
const ROW_NUMBER = 57936
View Source
const RTRIM = 57808
View Source
const S3 = 57387
View Source
const SAVEPOINT = 57648
View Source
const SCHEMA = 57566
View Source
const SCHEMAS = 57725
View Source
const SECOND = 57784
View Source
const SECONDARY = 57987
View Source
const SECONDARY_ENGINE = 57988
View Source
const SECONDARY_ENGINE_ATTRIBUTE = 57989
View Source
const SECONDARY_LOAD = 57990
View Source
const SECONDARY_UNLOAD = 57991
View Source
const SECOND_MICROSECOND = 57785
View Source
const SECURITY = 57627
View Source
const SELECT = 57352
View Source
const SEPARATOR = 57803
View Source
const SEQUENCE = 57622
View Source
const SERIALIZABLE = 57750
View Source
const SESSION = 57741
View Source
const SET = 57376
View Source
const SHARE = 57405
View Source
const SHARED = 57427
View Source
const SHIFT_LEFT = 57501
View Source
const SHIFT_RIGHT = 57502
View Source
const SHOW = 57587
View Source
const SIGNED = 57704
View Source
const SIMPLE = 57992
View Source
const SKIP = 57993
View Source
const SLOW = 58025
View Source
const SMALLINT = 57655
View Source
const SNAPSHOT = 57652
View Source
const SPATIAL = 57575
View Source
const SQL = 57620
View Source
const SQLSelectLimitUnset = -1

SQLSelectLimitUnset default value for sql_select_limit not set.

View Source
const SQL_CACHE = 57408
View Source
const SQL_CALC_FOUND_ROWS = 57409
View Source
const SQL_NO_CACHE = 57407
View Source
const SQL_TSI_DAY = 57788
View Source
const SQL_TSI_HOUR = 57790
View Source
const SQL_TSI_MICROSECOND = 57795
View Source
const SQL_TSI_MINUTE = 57791
View Source
const SQL_TSI_MONTH = 57792
View Source
const SQL_TSI_QUARTER = 57793
View Source
const SQL_TSI_SECOND = 57794
View Source
const SQL_TSI_WEEK = 57789
View Source
const SQL_TSI_YEAR = 57796
View Source
const SRID = 57994
View Source
const START = 57644
View Source
const STARTING = 57399
View Source
const STATS_AUTO_RECALC = 58049
View Source
const STATS_PERSISTENT = 58050
View Source
const STATS_SAMPLE_PAGES = 58051
View Source
const STATUS = 57614
View Source
const STD = 57836
View Source
const STDDEV = 57837
View Source
const STDDEV_POP = 57838
View Source
const STDDEV_SAMP = 57839
View Source
const STORAGE = 58052
View Source
const STORED = 57470
View Source
const STRAIGHT_JOIN = 57411
View Source
const STREAM = 57353
View Source
const STRING = 57430
View Source
const STRING_TYPE_PREFIX_NON_KEYWORD = 57349
View Source
const ST_Area = 57890
View Source
const ST_AsBinary = 57873
View Source
const ST_AsGeoJSON = 57901
View Source
const ST_AsText = 57874
View Source
const ST_Centroid = 57891
View Source
const ST_Dimension = 57875
View Source
const ST_EndPoint = 57884
View Source
const ST_Envelope = 57876
View Source
const ST_ExteriorRing = 57892
View Source
const ST_GeoHash = 57900
View Source
const ST_GeomFromGeoJSON = 57902
View Source
const ST_GeometryCollectionFromText = 57857
View Source
const ST_GeometryCollectionFromWKB = 57865
View Source
const ST_GeometryFromText = 57858
View Source
const ST_GeometryFromWKB = 57866
View Source
const ST_GeometryN = 57896
View Source
const ST_GeometryType = 57879
View Source
const ST_InteriorRingN = 57893
View Source
const ST_IsClosed = 57885
View Source
const ST_IsEmpty = 57878
View Source
const ST_IsSimple = 57877
View Source
const ST_LatFromGeoHash = 57899
View Source
const ST_Latitude = 57882
View Source
const ST_Length = 57886
View Source
const ST_LineStringFromText = 57859
View Source
const ST_LineStringFromWKB = 57867
View Source
const ST_LongFromGeoHash = 57897
View Source
const ST_Longitude = 57883
View Source
const ST_MultiLineStringFromText = 57860
View Source
const ST_MultiLineStringFromWKB = 57868
View Source
const ST_MultiPointFromText = 57861
View Source
const ST_MultiPointFromWKB = 57869
View Source
const ST_MultiPolygonFromText = 57862
View Source
const ST_MultiPolygonFromWKB = 57870
View Source
const ST_NumGeometries = 57895
View Source
const ST_NumInteriorRings = 57894
View Source
const ST_NumPoints = 57887
View Source
const ST_PointFromGeoHash = 57898
View Source
const ST_PointFromText = 57863
View Source
const ST_PointFromWKB = 57871
View Source
const ST_PointN = 57889
View Source
const ST_PolygonFromText = 57864
View Source
const ST_PolygonFromWKB = 57872
View Source
const ST_StartPoint = 57888
View Source
const ST_X = 57880
View Source
const ST_Y = 57881
View Source
const SUBDATE = 57759
View Source
const SUBPARTITION = 58059
View Source
const SUBPARTITIONS = 58060
View Source
const SUBQUERY_AS_EXPR = 57429
View Source
const SUBSTR = 57800
View Source
const SUBSTRING = 57801
View Source
const SUM = 57831
View Source
const SYSDATE = 57768
View Source
const SYSTEM = 57937
View Source
const TABLE = 57567
View Source
const TABLES = 57726
View Source
const TABLESPACE = 57468
View Source
const TEMPORARY = 57624
View Source
const TEMPTABLE = 57625
View Source
const TERMINATED = 57391
View Source
const TEXT = 57678
View Source
const THAN = 57606
View Source
const THEN = 57488
View Source
const THREAD_PRIORITY = 57995
View Source
const THROTTLE = 57637
View Source
const TIES = 57996
View Source
const TIME = 57668
View Source
const TIMESTAMP = 57669
View Source
const TIMESTAMPADD = 57804
View Source
const TIMESTAMPDIFF = 57805
View Source
const TINYBLOB = 57683
View Source
const TINYINT = 57654
View Source
const TINYTEXT = 57679
View Source
const TO = 57570
View Source
const TRADITIONAL = 58012
View Source
const TRAILING = 57473
View Source
const TRANSACTION = 57645
View Source
const TREE = 58010
View Source
const TRIGGER = 57608
View Source
const TRIGGERS = 57727
View Source
const TRIM = 57809
View Source
const TRUE = 57461
View Source
const TRUNCATE = 57594
View Source
const TruncationText = "[TRUNCATED]"
View Source
const UNARY = 57505
View Source
const UNBOUNDED = 57997
View Source
const UNCOMMITTED = 57749
View Source
const UNDEFINED = 57621
View Source
const UNDERSCORE_ARMSCII8 = 57508
View Source
const UNDERSCORE_ASCII = 57509
View Source
const UNDERSCORE_BIG5 = 57510
View Source
const UNDERSCORE_BINARY = 57511
View Source
const UNDERSCORE_CP1250 = 57512
View Source
const UNDERSCORE_CP1251 = 57513
View Source
const UNDERSCORE_CP1256 = 57514
View Source
const UNDERSCORE_CP1257 = 57515
View Source
const UNDERSCORE_CP850 = 57516
View Source
const UNDERSCORE_CP852 = 57517
View Source
const UNDERSCORE_CP866 = 57518
View Source
const UNDERSCORE_CP932 = 57519
View Source
const UNDERSCORE_DEC8 = 57520
View Source
const UNDERSCORE_EUCJPMS = 57521
View Source
const UNDERSCORE_EUCKR = 57522
View Source
const UNDERSCORE_GB18030 = 57523
View Source
const UNDERSCORE_GB2312 = 57524
View Source
const UNDERSCORE_GBK = 57525
View Source
const UNDERSCORE_GEOSTD8 = 57526
View Source
const UNDERSCORE_GREEK = 57527
View Source
const UNDERSCORE_HEBREW = 57528
View Source
const UNDERSCORE_HP8 = 57529
View Source
const UNDERSCORE_KEYBCS2 = 57530
View Source
const UNDERSCORE_KOI8R = 57531
View Source
const UNDERSCORE_KOI8U = 57532
View Source
const UNDERSCORE_LATIN1 = 57533
View Source
const UNDERSCORE_LATIN2 = 57534
View Source
const UNDERSCORE_LATIN5 = 57535
View Source
const UNDERSCORE_LATIN7 = 57536
View Source
const UNDERSCORE_MACCE = 57537
View Source
const UNDERSCORE_MACROMAN = 57538
View Source
const UNDERSCORE_SJIS = 57539
View Source
const UNDERSCORE_SWE7 = 57540
View Source
const UNDERSCORE_TIS620 = 57541
View Source
const UNDERSCORE_UCS2 = 57542
View Source
const UNDERSCORE_UJIS = 57543
View Source
const UNDERSCORE_UTF16 = 57544
View Source
const UNDERSCORE_UTF16LE = 57545
View Source
const UNDERSCORE_UTF32 = 57546
View Source
const UNDERSCORE_UTF8 = 57547
View Source
const UNDERSCORE_UTF8MB3 = 57549
View Source
const UNDERSCORE_UTF8MB4 = 57548
View Source
const UNICODE = 57700
View Source
const UNION = 57351
View Source
const UNIQUE = 57478
View Source
const UNKNOWN = 57460
View Source
const UNLOCK = 57378
View Source
const UNSIGNED = 57705
View Source
const UNTHROTTLE = 57638
View Source
const UNUSED = 57913
View Source
const UPDATE = 57356
View Source
const UPGRADE = 57613
View Source
const USE = 57418
View Source
const USER = 57728
View Source
const USER_RESOURCES = 58024
View Source
const USING = 57421
View Source
const UTC_DATE = 57765
View Source
const UTC_TIME = 57766
View Source
const UTC_TIMESTAMP = 57767
View Source
const UpdateXML = 57849
View Source
const VALIDATION = 57911
View Source
const VALUE = 57404
View Source
const VALUES = 57401
View Source
const VALUE_ARG = 57445
View Source
const VARBINARY = 57676
View Source
const VARCHAR = 57673
View Source
const VARIABLES = 57615
View Source
const VARIANCE = 57842
View Source
const VAR_POP = 57840
View Source
const VAR_SAMP = 57841
View Source
const VCPU = 57998
View Source
const VEXPLAIN = 58014
View Source
const VGTID_EXECUTED = 57729
View Source
const VIEW = 57569
View Source
const VINDEX = 57609
View Source
const VINDEXES = 57610
View Source
const VIRTUAL = 57469
View Source
const VISIBLE = 57999
View Source
const VITESS = 58011
View Source
const VITESS_KEYSPACES = 57730
View Source
const VITESS_METADATA = 57731
View Source
const VITESS_MIGRATION = 57631
View Source
const VITESS_MIGRATIONS = 57732
View Source
const VITESS_REPLICATION_STATUS = 57733
View Source
const VITESS_SHARDS = 57734
View Source
const VITESS_TABLETS = 57735
View Source
const VITESS_TARGET = 57736
View Source
const VITESS_THROTTLED_APPS = 57738
View Source
const VITESS_THROTTLER = 57642
View Source
const VSCHEMA = 57737
View Source
const VSTREAM = 57354
View Source
const VTEXPLAIN = 58013
View Source
const WAIT_FOR_EXECUTED_GTID_SET = 58007
View Source
const WAIT_UNTIL_SQL_THREAD_AFTER_GTIDS = 58008
View Source
const WARNINGS = 57616
View Source
const WEEK = 57787
View Source
const WEIGHT_STRING = 57806
View Source
const WHEN = 57487
View Source
const WHERE = 57359
View Source
const WINDOW = 57938
View Source
const WINDOW_EXPR = 57551
View Source
const WITH = 57907
View Source
const WITHOUT = 57910
View Source
const WORK = 57650
View Source
const WRITE = 57745
View Source
const XOR = 57482
View Source
const YEAR = 57671
View Source
const YEAR_MONTH = 57786
View Source
const ZEROFILL = 57706

Variables ¶

View Source
var Equals = &Comparator{}

Equals is the default Comparator for AST expressions.

ErrEmpty is a sentinel error returned when parsing empty statements.

View Source
var ErrInvalidPriority = vterrors.Errorf(vtrpcpb.Code_INVALID_ARGUMENT, "Invalid priority value specified in query")
View Source
var HasValueSubQueryBaseName = []byte("__sq_has_values")

Functions ¶

func AllowScatterDirective ¶

func AllowScatterDirective(stmt Statement) bool

AllowScatterDirective returns true if the allow scatter override is set to true

func Append ¶

func Append(buf *strings.Builder, node SQLNode)

Append appends the SQLNode to the buffer.

func CachePlan ¶

func CachePlan(stmt Statement) bool

CachePlan takes Statement and returns true if the query plan should be cached

func CanNormalize ¶

func CanNormalize(stmt Statement) bool

CanNormalize takes Statement and returns if the statement can be normalized.

func CanonicalString ¶

func CanonicalString(node SQLNode) string

CanonicalString returns a canonical string representation of an SQLNode where all identifiers are always escaped and all SQL syntax is in uppercase. This matches the canonical output from MySQL.

func CloneRefOfBool ¶

func CloneRefOfBool(n *bool) *bool

CloneRefOfBool creates a deep clone of the input.

func CloneRefOfInt ¶

func CloneRefOfInt(n *int) *int

CloneRefOfInt creates a deep clone of the input.

func CloneSliceOfString ¶

func CloneSliceOfString(n []string) []string

CloneSliceOfString creates a deep clone of the input.

func CompliantString ¶

func CompliantString(in SQLNode) string

func Consolidator ¶

Consolidator returns the consolidator option.

func ContainsAggregation ¶

func ContainsAggregation(e SQLNode) bool

ContainsAggregation returns true if the expression contains aggregation

func ConvertMySQLVersionToCommentVersion ¶

func ConvertMySQLVersionToCommentVersion(version string) (string, error)

ConvertMySQLVersionToCommentVersion converts the MySQL version into comment version format.

func EncodeValue ¶

func EncodeValue(buf *strings.Builder, value *querypb.BindVariable)

EncodeValue encodes one bind variable value into the query.

func ExtractMysqlComment ¶

func ExtractMysqlComment(sql string) (string, string)

ExtractMysqlComment extracts the version and SQL from a comment-only query such as /*!50708 sql here */

func FetchBindVar ¶

func FetchBindVar(name string, bindVariables map[string]*querypb.BindVariable) (val *querypb.BindVariable, isList bool, err error)

FetchBindVar resolves the bind variable by fetching it from bindVariables.

func FkChecksStateString ¶

func FkChecksStateString(state *bool) string

FkChecksStateString prints the foreign key checks state.

func ForeignKeyChecksState ¶

func ForeignKeyChecksState(stmt Statement) *bool

ForeignKeyChecksState returns the state of foreign_key_checks variable if it is part of a SET_VAR optimizer hint in the comments.

func FormatImpossibleQuery ¶

func FormatImpossibleQuery(buf *TrackedBuffer, node SQLNode)

FormatImpossibleQuery creates an impossible query in a TrackedBuffer. An impossible query is a modified version of a query where all selects have where clauses that are impossible for mysql to resolve. This is used in the vtgate and vttablet:

- In the vtgate it's used for joins: if the first query returns no result, then vtgate uses the impossible query just to fetch field info from vttablet - In the vttablet, it's just an optimization: the field info is fetched once form MySQL, cached and reused for subsequent queries

func GetBindvars ¶

func GetBindvars(stmt Statement) map[string]struct{}

GetBindvars returns a map of the bind vars referenced in the statement.

func GetPriorityFromStatement ¶

func GetPriorityFromStatement(statement Statement) (string, error)

GetPriorityFromStatement gets the priority from the provided Statement, using DirectivePriority

func GetWorkloadNameFromStatement ¶

func GetWorkloadNameFromStatement(statement Statement) string

GetWorkloadNameFromStatement gets the workload name from the provided Statement, using workloadLabel as the name of the query directive that specifies it.

func IgnoreMaxMaxMemoryRowsDirective ¶

func IgnoreMaxMaxMemoryRowsDirective(stmt Statement) bool

IgnoreMaxMaxMemoryRowsDirective returns true if the max memory rows override directive is set to true.

func IgnoreMaxPayloadSizeDirective ¶

func IgnoreMaxPayloadSizeDirective(stmt Statement) bool

IgnoreMaxPayloadSizeDirective returns true if the max payload size override directive is set to true.

func IsColName ¶

func IsColName(node Expr) bool

IsColName returns true if the Expr is a *ColName.

func IsDML ¶

func IsDML(sql string) bool

IsDML returns true if the query is an INSERT, UPDATE or DELETE statement.

func IsDMLStatement ¶

func IsDMLStatement(stmt Statement) bool

IsDMLStatement returns true if the query is an INSERT, UPDATE or DELETE statement.

func IsDistinct ¶

func IsDistinct(f AggrFunc) bool

func IsLiteral ¶

func IsLiteral(expr Expr) bool

IsLiteral returns true if the expression is of a literal type.

func IsLockingFunc ¶

func IsLockingFunc(node Expr) bool

IsLockingFunc returns true for all functions that are used to work with mysql advisory locks

func IsNull ¶

func IsNull(node Expr) bool

IsNull returns true if the Expr is SQL NULL

func IsSimpleTuple ¶

func IsSimpleTuple(node Expr) bool

IsSimpleTuple returns true if the Expr is a ValTuple that contains simple values or if it's a list arg.

func IsValue ¶

func IsValue(node Expr) bool

IsValue returns true if the Expr is a string, integral or value arg. NULL is not considered to be a value.

func KeywordString ¶

func KeywordString(id int) string

KeywordString returns the string corresponding to the given keyword

func LikeToRegexp ¶

func LikeToRegexp(likeExpr string) *regexp.Regexp

LikeToRegexp converts a like sql expression to regular expression

func LiteralToValue ¶

func LiteralToValue(lit *Literal) (sqltypes.Value, error)

func MultiShardAutocommitDirective ¶

func MultiShardAutocommitDirective(stmt Statement) bool

MultiShardAutocommitDirective returns true if multishard autocommit directive is set to true in query.

func MultiTable ¶

func MultiTable(node []TableExpr) bool

func MustRewriteAST ¶

func MustRewriteAST(stmt Statement, hasSelectLimit bool) bool

MustRewriteAST takes Statement and returns true if RewriteAST must run on it for correct execution irrespective of user flags.

func Normalize ¶

func Normalize(stmt Statement, reserved *ReservedVars, bindVars map[string]*querypb.BindVariable) error

Normalize changes the statement to use bind values, and updates the bind vars to those values. The supplied prefix is used to generate the bind var names. The function ensures that there are no collisions with existing bind vars. Within Select constructs, bind vars are deduped. This allows us to identify vindex equality. Otherwise, every value is treated as distinct.

func ParseAndBind ¶

func ParseAndBind(in string, binds ...*querypb.BindVariable) (query string, err error)

ParseAndBind is a one step sweep that binds variables to an input query, in order of placeholders. It is useful when one doesn't have any parser-variables, just bind variables. Example:

query, err := ParseAndBind("select * from tbl where name=%a", sqltypes.StringBindVariable("it's me"))

func RemoveKeyspace ¶

func RemoveKeyspace(in SQLNode)

RemoveKeyspace removes the Qualifier.Qualifier on all ColNames and Qualifier on all TableNames in the AST

func RemoveKeyspaceInCol ¶

func RemoveKeyspaceInCol(in SQLNode)

RemoveKeyspaceInCol removes the Qualifier.Qualifier on all ColNames in the AST

func RemoveKeyspaceInTables ¶

func RemoveKeyspaceInTables(in SQLNode)

RemoveKeyspaceInTables removes the Qualifier on all TableNames in the AST

func SQLToBindvar ¶

func SQLToBindvar(node SQLNode) *querypb.BindVariable

func SQLTypeToQueryType ¶

func SQLTypeToQueryType(typeName string, unsigned bool) querypb.Type

func SizeAndScaleFromString ¶

func SizeAndScaleFromString(s string) (int32, int32)

copyied from vitess because...

func SizeFromString ¶

func SizeFromString(s string) int32

func String ¶

func String(node SQLNode) string

String returns a string representation of an SQLNode.

func StripLeadingComments ¶

func StripLeadingComments(sql string) string

StripLeadingComments trims the SQL string and removes any leading comments

func SystemSchema ¶

func SystemSchema(schema string) bool

SystemSchema returns true if the schema passed is system schema

func ToString ¶

func ToString(exprs []TableExpr) string

ToString prints the list of table expressions as a string To be used as an alternate for String for []TableExpr

func TruncateQuery ¶

func TruncateQuery(query string, max int) string

func UnescapedString ¶

func UnescapedString(node SQLNode) string

UnescapedString will return a string where no identifiers have been escaped.

func VisitAggrFunc ¶

func VisitAggrFunc(in AggrFunc, f Visit) error

func VisitAlgorithmValue ¶

func VisitAlgorithmValue(in AlgorithmValue, f Visit) error

func VisitAllSelects ¶

func VisitAllSelects(in SelectStatement, f func(p *Select, idx int) error) error

func VisitAlterOption ¶

func VisitAlterOption(in AlterOption, f Visit) error

func VisitBoolVal ¶

func VisitBoolVal(in BoolVal, f Visit) error

func VisitCallable ¶

func VisitCallable(in Callable, f Visit) error

func VisitColTuple ¶

func VisitColTuple(in ColTuple, f Visit) error

func VisitColumns ¶

func VisitColumns(in Columns, f Visit) error

func VisitConstraintInfo ¶

func VisitConstraintInfo(in ConstraintInfo, f Visit) error

func VisitDBDDLStatement ¶

func VisitDBDDLStatement(in DBDDLStatement, f Visit) error

func VisitDDLStatement ¶

func VisitDDLStatement(in DDLStatement, f Visit) error

func VisitExplain ¶

func VisitExplain(in Explain, f Visit) error

func VisitExpr ¶

func VisitExpr(in Expr, f Visit) error

func VisitExprs ¶

func VisitExprs(in Exprs, f Visit) error

func VisitIdentifierCI ¶

func VisitIdentifierCI(in IdentifierCI, f Visit) error

func VisitIdentifierCS ¶

func VisitIdentifierCS(in IdentifierCS, f Visit) error

func VisitIndexHints ¶

func VisitIndexHints(in IndexHints, f Visit) error

func VisitInsertRows ¶

func VisitInsertRows(in InsertRows, f Visit) error

func VisitListArg ¶

func VisitListArg(in ListArg, f Visit) error

func VisitMatchAction ¶

func VisitMatchAction(in MatchAction, f Visit) error

func VisitNamedWindows ¶

func VisitNamedWindows(in NamedWindows, f Visit) error

func VisitOnDup ¶

func VisitOnDup(in OnDup, f Visit) error

func VisitOrderBy ¶

func VisitOrderBy(in OrderBy, f Visit) error

func VisitPartitions ¶

func VisitPartitions(in Partitions, f Visit) error

func VisitRefOfAddColumns ¶

func VisitRefOfAddColumns(in *AddColumns, f Visit) error

func VisitRefOfAddConstraintDefinition ¶

func VisitRefOfAddConstraintDefinition(in *AddConstraintDefinition, f Visit) error

func VisitRefOfAddIndexDefinition ¶

func VisitRefOfAddIndexDefinition(in *AddIndexDefinition, f Visit) error

func VisitRefOfAliasedExpr ¶

func VisitRefOfAliasedExpr(in *AliasedExpr, f Visit) error

func VisitRefOfAliasedTableExpr ¶

func VisitRefOfAliasedTableExpr(in *AliasedTableExpr, f Visit) error

func VisitRefOfAlterCharset ¶

func VisitRefOfAlterCharset(in *AlterCharset, f Visit) error

func VisitRefOfAlterCheck ¶

func VisitRefOfAlterCheck(in *AlterCheck, f Visit) error

func VisitRefOfAlterColumn ¶

func VisitRefOfAlterColumn(in *AlterColumn, f Visit) error

func VisitRefOfAlterDatabase ¶

func VisitRefOfAlterDatabase(in *AlterDatabase, f Visit) error

func VisitRefOfAlterIndex ¶

func VisitRefOfAlterIndex(in *AlterIndex, f Visit) error

func VisitRefOfAlterMigration ¶

func VisitRefOfAlterMigration(in *AlterMigration, f Visit) error

func VisitRefOfAlterTable ¶

func VisitRefOfAlterTable(in *AlterTable, f Visit) error

func VisitRefOfAlterView ¶

func VisitRefOfAlterView(in *AlterView, f Visit) error

func VisitRefOfAlterVschema ¶

func VisitRefOfAlterVschema(in *AlterVschema, f Visit) error

func VisitRefOfAnalyze ¶

func VisitRefOfAnalyze(in *Analyze, f Visit) error

func VisitRefOfAndExpr ¶

func VisitRefOfAndExpr(in *AndExpr, f Visit) error

func VisitRefOfAnyValue ¶

func VisitRefOfAnyValue(in *AnyValue, f Visit) error

func VisitRefOfArgument ¶

func VisitRefOfArgument(in *Argument, f Visit) error

func VisitRefOfArgumentLessWindowExpr ¶

func VisitRefOfArgumentLessWindowExpr(in *ArgumentLessWindowExpr, f Visit) error

func VisitRefOfAssignmentExpr ¶

func VisitRefOfAssignmentExpr(in *AssignmentExpr, f Visit) error

func VisitRefOfAutoIncSpec ¶

func VisitRefOfAutoIncSpec(in *AutoIncSpec, f Visit) error

func VisitRefOfAvg ¶

func VisitRefOfAvg(in *Avg, f Visit) error

func VisitRefOfBegin ¶

func VisitRefOfBegin(in *Begin, f Visit) error

func VisitRefOfBetweenExpr ¶

func VisitRefOfBetweenExpr(in *BetweenExpr, f Visit) error

func VisitRefOfBinaryExpr ¶

func VisitRefOfBinaryExpr(in *BinaryExpr, f Visit) error

func VisitRefOfBitAnd ¶

func VisitRefOfBitAnd(in *BitAnd, f Visit) error

func VisitRefOfBitOr ¶

func VisitRefOfBitOr(in *BitOr, f Visit) error

func VisitRefOfBitXor ¶

func VisitRefOfBitXor(in *BitXor, f Visit) error

func VisitRefOfCallProc ¶

func VisitRefOfCallProc(in *CallProc, f Visit) error

func VisitRefOfCaseExpr ¶

func VisitRefOfCaseExpr(in *CaseExpr, f Visit) error

func VisitRefOfCastExpr ¶

func VisitRefOfCastExpr(in *CastExpr, f Visit) error

func VisitRefOfChangeColumn ¶

func VisitRefOfChangeColumn(in *ChangeColumn, f Visit) error

func VisitRefOfCharExpr ¶

func VisitRefOfCharExpr(in *CharExpr, f Visit) error

func VisitRefOfCheckConstraintDefinition ¶

func VisitRefOfCheckConstraintDefinition(in *CheckConstraintDefinition, f Visit) error

func VisitRefOfColName ¶

func VisitRefOfColName(in *ColName, f Visit) error

func VisitRefOfCollateExpr ¶

func VisitRefOfCollateExpr(in *CollateExpr, f Visit) error

func VisitRefOfColumnDefinition ¶

func VisitRefOfColumnDefinition(in *ColumnDefinition, f Visit) error

func VisitRefOfColumnType ¶

func VisitRefOfColumnType(in *ColumnType, f Visit) error

func VisitRefOfCommentOnly ¶

func VisitRefOfCommentOnly(in *CommentOnly, f Visit) error

func VisitRefOfCommit ¶

func VisitRefOfCommit(in *Commit, f Visit) error

func VisitRefOfCommonTableExpr ¶

func VisitRefOfCommonTableExpr(in *CommonTableExpr, f Visit) error

func VisitRefOfComparisonExpr ¶

func VisitRefOfComparisonExpr(in *ComparisonExpr, f Visit) error

func VisitRefOfConstraintDefinition ¶

func VisitRefOfConstraintDefinition(in *ConstraintDefinition, f Visit) error

func VisitRefOfConvertExpr ¶

func VisitRefOfConvertExpr(in *ConvertExpr, f Visit) error

func VisitRefOfConvertType ¶

func VisitRefOfConvertType(in *ConvertType, f Visit) error

func VisitRefOfConvertUsingExpr ¶

func VisitRefOfConvertUsingExpr(in *ConvertUsingExpr, f Visit) error

func VisitRefOfCount ¶

func VisitRefOfCount(in *Count, f Visit) error

func VisitRefOfCountStar ¶

func VisitRefOfCountStar(in *CountStar, f Visit) error

func VisitRefOfCreateDatabase ¶

func VisitRefOfCreateDatabase(in *CreateDatabase, f Visit) error

func VisitRefOfCreateTable ¶

func VisitRefOfCreateTable(in *CreateTable, f Visit) error

func VisitRefOfCreateView ¶

func VisitRefOfCreateView(in *CreateView, f Visit) error

func VisitRefOfCurTimeFuncExpr ¶

func VisitRefOfCurTimeFuncExpr(in *CurTimeFuncExpr, f Visit) error

func VisitRefOfDeallocateStmt ¶

func VisitRefOfDeallocateStmt(in *DeallocateStmt, f Visit) error

func VisitRefOfDefault ¶

func VisitRefOfDefault(in *Default, f Visit) error

func VisitRefOfDefiner ¶

func VisitRefOfDefiner(in *Definer, f Visit) error

func VisitRefOfDelete ¶

func VisitRefOfDelete(in *Delete, f Visit) error

func VisitRefOfDerivedTable ¶

func VisitRefOfDerivedTable(in *DerivedTable, f Visit) error

func VisitRefOfDropColumn ¶

func VisitRefOfDropColumn(in *DropColumn, f Visit) error

func VisitRefOfDropDatabase ¶

func VisitRefOfDropDatabase(in *DropDatabase, f Visit) error

func VisitRefOfDropKey ¶

func VisitRefOfDropKey(in *DropKey, f Visit) error

func VisitRefOfDropTable ¶

func VisitRefOfDropTable(in *DropTable, f Visit) error

func VisitRefOfDropView ¶

func VisitRefOfDropView(in *DropView, f Visit) error

func VisitRefOfExecuteStmt ¶

func VisitRefOfExecuteStmt(in *ExecuteStmt, f Visit) error

func VisitRefOfExistsExpr ¶

func VisitRefOfExistsExpr(in *ExistsExpr, f Visit) error

func VisitRefOfExplainStmt ¶

func VisitRefOfExplainStmt(in *ExplainStmt, f Visit) error

func VisitRefOfExplainTab ¶

func VisitRefOfExplainTab(in *ExplainTab, f Visit) error

func VisitRefOfExtractFuncExpr ¶

func VisitRefOfExtractFuncExpr(in *ExtractFuncExpr, f Visit) error

func VisitRefOfExtractValueExpr ¶

func VisitRefOfExtractValueExpr(in *ExtractValueExpr, f Visit) error

func VisitRefOfFirstOrLastValueExpr ¶

func VisitRefOfFirstOrLastValueExpr(in *FirstOrLastValueExpr, f Visit) error

func VisitRefOfFlush ¶

func VisitRefOfFlush(in *Flush, f Visit) error

func VisitRefOfForce ¶

func VisitRefOfForce(in *Force, f Visit) error

func VisitRefOfForeignKeyDefinition ¶

func VisitRefOfForeignKeyDefinition(in *ForeignKeyDefinition, f Visit) error

func VisitRefOfFrameClause ¶

func VisitRefOfFrameClause(in *FrameClause, f Visit) error

func VisitRefOfFramePoint ¶

func VisitRefOfFramePoint(in *FramePoint, f Visit) error

func VisitRefOfFromFirstLastClause ¶

func VisitRefOfFromFirstLastClause(in *FromFirstLastClause, f Visit) error

func VisitRefOfFuncExpr ¶

func VisitRefOfFuncExpr(in *FuncExpr, f Visit) error

func VisitRefOfGTIDFuncExpr ¶

func VisitRefOfGTIDFuncExpr(in *GTIDFuncExpr, f Visit) error

func VisitRefOfGeoHashFromLatLongExpr ¶

func VisitRefOfGeoHashFromLatLongExpr(in *GeoHashFromLatLongExpr, f Visit) error

func VisitRefOfGeoHashFromPointExpr ¶

func VisitRefOfGeoHashFromPointExpr(in *GeoHashFromPointExpr, f Visit) error

func VisitRefOfGeoJSONFromGeomExpr ¶

func VisitRefOfGeoJSONFromGeomExpr(in *GeoJSONFromGeomExpr, f Visit) error

func VisitRefOfGeomCollPropertyFuncExpr ¶

func VisitRefOfGeomCollPropertyFuncExpr(in *GeomCollPropertyFuncExpr, f Visit) error

func VisitRefOfGeomFormatExpr ¶

func VisitRefOfGeomFormatExpr(in *GeomFormatExpr, f Visit) error

func VisitRefOfGeomFromGeoHashExpr ¶

func VisitRefOfGeomFromGeoHashExpr(in *GeomFromGeoHashExpr, f Visit) error

func VisitRefOfGeomFromGeoJSONExpr ¶

func VisitRefOfGeomFromGeoJSONExpr(in *GeomFromGeoJSONExpr, f Visit) error

func VisitRefOfGeomFromTextExpr ¶

func VisitRefOfGeomFromTextExpr(in *GeomFromTextExpr, f Visit) error

func VisitRefOfGeomFromWKBExpr ¶

func VisitRefOfGeomFromWKBExpr(in *GeomFromWKBExpr, f Visit) error

func VisitRefOfGeomPropertyFuncExpr ¶

func VisitRefOfGeomPropertyFuncExpr(in *GeomPropertyFuncExpr, f Visit) error

func VisitRefOfGroupBy ¶

func VisitRefOfGroupBy(in *GroupBy, f Visit) error

func VisitRefOfGroupConcatExpr ¶

func VisitRefOfGroupConcatExpr(in *GroupConcatExpr, f Visit) error

func VisitRefOfIdentifierCI ¶

func VisitRefOfIdentifierCI(in *IdentifierCI, f Visit) error

func VisitRefOfIdentifierCS ¶

func VisitRefOfIdentifierCS(in *IdentifierCS, f Visit) error

func VisitRefOfIndexDefinition ¶

func VisitRefOfIndexDefinition(in *IndexDefinition, f Visit) error

func VisitRefOfIndexHint ¶

func VisitRefOfIndexHint(in *IndexHint, f Visit) error

func VisitRefOfIndexInfo ¶

func VisitRefOfIndexInfo(in *IndexInfo, f Visit) error

func VisitRefOfInsert ¶

func VisitRefOfInsert(in *Insert, f Visit) error

func VisitRefOfInsertExpr ¶

func VisitRefOfInsertExpr(in *InsertExpr, f Visit) error

func VisitRefOfIntervalDateExpr ¶

func VisitRefOfIntervalDateExpr(in *IntervalDateExpr, f Visit) error

func VisitRefOfIntervalFuncExpr ¶

func VisitRefOfIntervalFuncExpr(in *IntervalFuncExpr, f Visit) error

func VisitRefOfIntroducerExpr ¶

func VisitRefOfIntroducerExpr(in *IntroducerExpr, f Visit) error

func VisitRefOfIsExpr ¶

func VisitRefOfIsExpr(in *IsExpr, f Visit) error

func VisitRefOfJSONArrayExpr ¶

func VisitRefOfJSONArrayExpr(in *JSONArrayExpr, f Visit) error

func VisitRefOfJSONAttributesExpr ¶

func VisitRefOfJSONAttributesExpr(in *JSONAttributesExpr, f Visit) error

func VisitRefOfJSONContainsExpr ¶

func VisitRefOfJSONContainsExpr(in *JSONContainsExpr, f Visit) error

func VisitRefOfJSONContainsPathExpr ¶

func VisitRefOfJSONContainsPathExpr(in *JSONContainsPathExpr, f Visit) error

func VisitRefOfJSONExtractExpr ¶

func VisitRefOfJSONExtractExpr(in *JSONExtractExpr, f Visit) error

func VisitRefOfJSONKeysExpr ¶

func VisitRefOfJSONKeysExpr(in *JSONKeysExpr, f Visit) error

func VisitRefOfJSONObjectExpr ¶

func VisitRefOfJSONObjectExpr(in *JSONObjectExpr, f Visit) error

func VisitRefOfJSONObjectParam ¶

func VisitRefOfJSONObjectParam(in *JSONObjectParam, f Visit) error

func VisitRefOfJSONOverlapsExpr ¶

func VisitRefOfJSONOverlapsExpr(in *JSONOverlapsExpr, f Visit) error

func VisitRefOfJSONPrettyExpr ¶

func VisitRefOfJSONPrettyExpr(in *JSONPrettyExpr, f Visit) error

func VisitRefOfJSONQuoteExpr ¶

func VisitRefOfJSONQuoteExpr(in *JSONQuoteExpr, f Visit) error

func VisitRefOfJSONRemoveExpr ¶

func VisitRefOfJSONRemoveExpr(in *JSONRemoveExpr, f Visit) error

func VisitRefOfJSONSchemaValidFuncExpr ¶

func VisitRefOfJSONSchemaValidFuncExpr(in *JSONSchemaValidFuncExpr, f Visit) error

func VisitRefOfJSONSchemaValidationReportFuncExpr ¶

func VisitRefOfJSONSchemaValidationReportFuncExpr(in *JSONSchemaValidationReportFuncExpr, f Visit) error

func VisitRefOfJSONSearchExpr ¶

func VisitRefOfJSONSearchExpr(in *JSONSearchExpr, f Visit) error

func VisitRefOfJSONStorageFreeExpr ¶

func VisitRefOfJSONStorageFreeExpr(in *JSONStorageFreeExpr, f Visit) error

func VisitRefOfJSONStorageSizeExpr ¶

func VisitRefOfJSONStorageSizeExpr(in *JSONStorageSizeExpr, f Visit) error

func VisitRefOfJSONTableExpr ¶

func VisitRefOfJSONTableExpr(in *JSONTableExpr, f Visit) error

func VisitRefOfJSONUnquoteExpr ¶

func VisitRefOfJSONUnquoteExpr(in *JSONUnquoteExpr, f Visit) error

func VisitRefOfJSONValueExpr ¶

func VisitRefOfJSONValueExpr(in *JSONValueExpr, f Visit) error

func VisitRefOfJSONValueMergeExpr ¶

func VisitRefOfJSONValueMergeExpr(in *JSONValueMergeExpr, f Visit) error

func VisitRefOfJSONValueModifierExpr ¶

func VisitRefOfJSONValueModifierExpr(in *JSONValueModifierExpr, f Visit) error

func VisitRefOfJoinCondition ¶

func VisitRefOfJoinCondition(in *JoinCondition, f Visit) error

func VisitRefOfJoinTableExpr ¶

func VisitRefOfJoinTableExpr(in *JoinTableExpr, f Visit) error

func VisitRefOfJtColumnDefinition ¶

func VisitRefOfJtColumnDefinition(in *JtColumnDefinition, f Visit) error

func VisitRefOfJtOnResponse ¶

func VisitRefOfJtOnResponse(in *JtOnResponse, f Visit) error

func VisitRefOfKeyState ¶

func VisitRefOfKeyState(in *KeyState, f Visit) error

func VisitRefOfKill ¶

func VisitRefOfKill(in *Kill, f Visit) error

func VisitRefOfLagLeadExpr ¶

func VisitRefOfLagLeadExpr(in *LagLeadExpr, f Visit) error

func VisitRefOfLimit ¶

func VisitRefOfLimit(in *Limit, f Visit) error

func VisitRefOfLineStringExpr ¶

func VisitRefOfLineStringExpr(in *LineStringExpr, f Visit) error

func VisitRefOfLinestrPropertyFuncExpr ¶

func VisitRefOfLinestrPropertyFuncExpr(in *LinestrPropertyFuncExpr, f Visit) error

func VisitRefOfLiteral ¶

func VisitRefOfLiteral(in *Literal, f Visit) error

func VisitRefOfLoad ¶

func VisitRefOfLoad(in *Load, f Visit) error

func VisitRefOfLocateExpr ¶

func VisitRefOfLocateExpr(in *LocateExpr, f Visit) error

func VisitRefOfLockOption ¶

func VisitRefOfLockOption(in *LockOption, f Visit) error

func VisitRefOfLockTables ¶

func VisitRefOfLockTables(in *LockTables, f Visit) error

func VisitRefOfLockingFunc ¶

func VisitRefOfLockingFunc(in *LockingFunc, f Visit) error

func VisitRefOfMatchExpr ¶

func VisitRefOfMatchExpr(in *MatchExpr, f Visit) error

func VisitRefOfMax ¶

func VisitRefOfMax(in *Max, f Visit) error

func VisitRefOfMemberOfExpr ¶

func VisitRefOfMemberOfExpr(in *MemberOfExpr, f Visit) error

func VisitRefOfMin ¶

func VisitRefOfMin(in *Min, f Visit) error

func VisitRefOfModifyColumn ¶

func VisitRefOfModifyColumn(in *ModifyColumn, f Visit) error

func VisitRefOfMultiLinestringExpr ¶

func VisitRefOfMultiLinestringExpr(in *MultiLinestringExpr, f Visit) error

func VisitRefOfMultiPointExpr ¶

func VisitRefOfMultiPointExpr(in *MultiPointExpr, f Visit) error

func VisitRefOfMultiPolygonExpr ¶

func VisitRefOfMultiPolygonExpr(in *MultiPolygonExpr, f Visit) error

func VisitRefOfNTHValueExpr ¶

func VisitRefOfNTHValueExpr(in *NTHValueExpr, f Visit) error

func VisitRefOfNamedWindow ¶

func VisitRefOfNamedWindow(in *NamedWindow, f Visit) error

func VisitRefOfNextval ¶

func VisitRefOfNextval(in *Nextval, f Visit) error

func VisitRefOfNotExpr ¶

func VisitRefOfNotExpr(in *NotExpr, f Visit) error

func VisitRefOfNtileExpr ¶

func VisitRefOfNtileExpr(in *NtileExpr, f Visit) error

func VisitRefOfNullTreatmentClause ¶

func VisitRefOfNullTreatmentClause(in *NullTreatmentClause, f Visit) error

func VisitRefOfNullVal ¶

func VisitRefOfNullVal(in *NullVal, f Visit) error

func VisitRefOfOffset ¶

func VisitRefOfOffset(in *Offset, f Visit) error

func VisitRefOfOptLike ¶

func VisitRefOfOptLike(in *OptLike, f Visit) error

func VisitRefOfOrExpr ¶

func VisitRefOfOrExpr(in *OrExpr, f Visit) error

func VisitRefOfOrder ¶

func VisitRefOfOrder(in *Order, f Visit) error

func VisitRefOfOrderByOption ¶

func VisitRefOfOrderByOption(in *OrderByOption, f Visit) error

func VisitRefOfOtherAdmin ¶

func VisitRefOfOtherAdmin(in *OtherAdmin, f Visit) error

func VisitRefOfOverClause ¶

func VisitRefOfOverClause(in *OverClause, f Visit) error

func VisitRefOfParenTableExpr ¶

func VisitRefOfParenTableExpr(in *ParenTableExpr, f Visit) error

func VisitRefOfParsedComments ¶

func VisitRefOfParsedComments(in *ParsedComments, f Visit) error

func VisitRefOfPartitionDefinition ¶

func VisitRefOfPartitionDefinition(in *PartitionDefinition, f Visit) error

func VisitRefOfPartitionDefinitionOptions ¶

func VisitRefOfPartitionDefinitionOptions(in *PartitionDefinitionOptions, f Visit) error

func VisitRefOfPartitionEngine ¶

func VisitRefOfPartitionEngine(in *PartitionEngine, f Visit) error

func VisitRefOfPartitionOption ¶

func VisitRefOfPartitionOption(in *PartitionOption, f Visit) error

func VisitRefOfPartitionSpec ¶

func VisitRefOfPartitionSpec(in *PartitionSpec, f Visit) error

func VisitRefOfPartitionValueRange ¶

func VisitRefOfPartitionValueRange(in *PartitionValueRange, f Visit) error

func VisitRefOfPerformanceSchemaFuncExpr ¶

func VisitRefOfPerformanceSchemaFuncExpr(in *PerformanceSchemaFuncExpr, f Visit) error

func VisitRefOfPointExpr ¶

func VisitRefOfPointExpr(in *PointExpr, f Visit) error

func VisitRefOfPointPropertyFuncExpr ¶

func VisitRefOfPointPropertyFuncExpr(in *PointPropertyFuncExpr, f Visit) error

func VisitRefOfPolygonExpr ¶

func VisitRefOfPolygonExpr(in *PolygonExpr, f Visit) error

func VisitRefOfPolygonPropertyFuncExpr ¶

func VisitRefOfPolygonPropertyFuncExpr(in *PolygonPropertyFuncExpr, f Visit) error

func VisitRefOfPrepareStmt ¶

func VisitRefOfPrepareStmt(in *PrepareStmt, f Visit) error

func VisitRefOfPurgeBinaryLogs ¶

func VisitRefOfPurgeBinaryLogs(in *PurgeBinaryLogs, f Visit) error

func VisitRefOfReferenceDefinition ¶

func VisitRefOfReferenceDefinition(in *ReferenceDefinition, f Visit) error

func VisitRefOfRegexpInstrExpr ¶

func VisitRefOfRegexpInstrExpr(in *RegexpInstrExpr, f Visit) error

func VisitRefOfRegexpLikeExpr ¶

func VisitRefOfRegexpLikeExpr(in *RegexpLikeExpr, f Visit) error

func VisitRefOfRegexpReplaceExpr ¶

func VisitRefOfRegexpReplaceExpr(in *RegexpReplaceExpr, f Visit) error

func VisitRefOfRegexpSubstrExpr ¶

func VisitRefOfRegexpSubstrExpr(in *RegexpSubstrExpr, f Visit) error

func VisitRefOfRelease ¶

func VisitRefOfRelease(in *Release, f Visit) error

func VisitRefOfRenameColumn ¶

func VisitRefOfRenameColumn(in *RenameColumn, f Visit) error

func VisitRefOfRenameIndex ¶

func VisitRefOfRenameIndex(in *RenameIndex, f Visit) error

func VisitRefOfRenameTable ¶

func VisitRefOfRenameTable(in *RenameTable, f Visit) error

func VisitRefOfRenameTableName ¶

func VisitRefOfRenameTableName(in *RenameTableName, f Visit) error

func VisitRefOfRevertMigration ¶

func VisitRefOfRevertMigration(in *RevertMigration, f Visit) error

func VisitRefOfRollback ¶

func VisitRefOfRollback(in *Rollback, f Visit) error

func VisitRefOfRootNode ¶

func VisitRefOfRootNode(in *RootNode, f Visit) error

func VisitRefOfRowAlias ¶

func VisitRefOfRowAlias(in *RowAlias, f Visit) error

func VisitRefOfSRollback ¶

func VisitRefOfSRollback(in *SRollback, f Visit) error

func VisitRefOfSavepoint ¶

func VisitRefOfSavepoint(in *Savepoint, f Visit) error

func VisitRefOfSelect ¶

func VisitRefOfSelect(in *Select, f Visit) error

func VisitRefOfSelectInto ¶

func VisitRefOfSelectInto(in *SelectInto, f Visit) error

func VisitRefOfSet ¶

func VisitRefOfSet(in *Set, f Visit) error

func VisitRefOfSetExpr ¶

func VisitRefOfSetExpr(in *SetExpr, f Visit) error

func VisitRefOfShow ¶

func VisitRefOfShow(in *Show, f Visit) error

func VisitRefOfShowBasic ¶

func VisitRefOfShowBasic(in *ShowBasic, f Visit) error

func VisitRefOfShowCreate ¶

func VisitRefOfShowCreate(in *ShowCreate, f Visit) error

func VisitRefOfShowFilter ¶

func VisitRefOfShowFilter(in *ShowFilter, f Visit) error

func VisitRefOfShowMigrationLogs ¶

func VisitRefOfShowMigrationLogs(in *ShowMigrationLogs, f Visit) error

func VisitRefOfShowOther ¶

func VisitRefOfShowOther(in *ShowOther, f Visit) error

func VisitRefOfShowThrottledApps ¶

func VisitRefOfShowThrottledApps(in *ShowThrottledApps, f Visit) error

func VisitRefOfShowThrottlerStatus ¶

func VisitRefOfShowThrottlerStatus(in *ShowThrottlerStatus, f Visit) error

func VisitRefOfStarExpr ¶

func VisitRefOfStarExpr(in *StarExpr, f Visit) error

func VisitRefOfStd ¶

func VisitRefOfStd(in *Std, f Visit) error

func VisitRefOfStdDev ¶

func VisitRefOfStdDev(in *StdDev, f Visit) error

func VisitRefOfStdPop ¶

func VisitRefOfStdPop(in *StdPop, f Visit) error

func VisitRefOfStdSamp ¶

func VisitRefOfStdSamp(in *StdSamp, f Visit) error

func VisitRefOfStream ¶

func VisitRefOfStream(in *Stream, f Visit) error

func VisitRefOfSubPartition ¶

func VisitRefOfSubPartition(in *SubPartition, f Visit) error

func VisitRefOfSubPartitionDefinition ¶

func VisitRefOfSubPartitionDefinition(in *SubPartitionDefinition, f Visit) error

func VisitRefOfSubPartitionDefinitionOptions ¶

func VisitRefOfSubPartitionDefinitionOptions(in *SubPartitionDefinitionOptions, f Visit) error

func VisitRefOfSubquery ¶

func VisitRefOfSubquery(in *Subquery, f Visit) error

func VisitRefOfSubstrExpr ¶

func VisitRefOfSubstrExpr(in *SubstrExpr, f Visit) error

func VisitRefOfSum ¶

func VisitRefOfSum(in *Sum, f Visit) error

func VisitRefOfTableName ¶

func VisitRefOfTableName(in *TableName, f Visit) error

func VisitRefOfTableSpec ¶

func VisitRefOfTableSpec(in *TableSpec, f Visit) error

func VisitRefOfTablespaceOperation ¶

func VisitRefOfTablespaceOperation(in *TablespaceOperation, f Visit) error

func VisitRefOfTimestampDiffExpr ¶

func VisitRefOfTimestampDiffExpr(in *TimestampDiffExpr, f Visit) error

func VisitRefOfTrimFuncExpr ¶

func VisitRefOfTrimFuncExpr(in *TrimFuncExpr, f Visit) error

func VisitRefOfTruncateTable ¶

func VisitRefOfTruncateTable(in *TruncateTable, f Visit) error

func VisitRefOfUnaryExpr ¶

func VisitRefOfUnaryExpr(in *UnaryExpr, f Visit) error

func VisitRefOfUnion ¶

func VisitRefOfUnion(in *Union, f Visit) error

func VisitRefOfUnlockTables ¶

func VisitRefOfUnlockTables(in *UnlockTables, f Visit) error

func VisitRefOfUpdate ¶

func VisitRefOfUpdate(in *Update, f Visit) error

func VisitRefOfUpdateExpr ¶

func VisitRefOfUpdateExpr(in *UpdateExpr, f Visit) error

func VisitRefOfUpdateXMLExpr ¶

func VisitRefOfUpdateXMLExpr(in *UpdateXMLExpr, f Visit) error

func VisitRefOfUse ¶

func VisitRefOfUse(in *Use, f Visit) error

func VisitRefOfVExplainStmt ¶

func VisitRefOfVExplainStmt(in *VExplainStmt, f Visit) error

func VisitRefOfVStream ¶

func VisitRefOfVStream(in *VStream, f Visit) error

func VisitRefOfValidation ¶

func VisitRefOfValidation(in *Validation, f Visit) error

func VisitRefOfValuesFuncExpr ¶

func VisitRefOfValuesFuncExpr(in *ValuesFuncExpr, f Visit) error

func VisitRefOfVarPop ¶

func VisitRefOfVarPop(in *VarPop, f Visit) error

func VisitRefOfVarSamp ¶

func VisitRefOfVarSamp(in *VarSamp, f Visit) error

func VisitRefOfVariable ¶

func VisitRefOfVariable(in *Variable, f Visit) error

func VisitRefOfVariance ¶

func VisitRefOfVariance(in *Variance, f Visit) error

func VisitRefOfVindexParam ¶

func VisitRefOfVindexParam(in *VindexParam, f Visit) error

func VisitRefOfVindexSpec ¶

func VisitRefOfVindexSpec(in *VindexSpec, f Visit) error

func VisitRefOfWeightStringFuncExpr ¶

func VisitRefOfWeightStringFuncExpr(in *WeightStringFuncExpr, f Visit) error

func VisitRefOfWhen ¶

func VisitRefOfWhen(in *When, f Visit) error

func VisitRefOfWhere ¶

func VisitRefOfWhere(in *Where, f Visit) error

func VisitRefOfWindowDefinition ¶

func VisitRefOfWindowDefinition(in *WindowDefinition, f Visit) error

func VisitRefOfWindowSpecification ¶

func VisitRefOfWindowSpecification(in *WindowSpecification, f Visit) error

func VisitRefOfWith ¶

func VisitRefOfWith(in *With, f Visit) error

func VisitRefOfXorExpr ¶

func VisitRefOfXorExpr(in *XorExpr, f Visit) error

func VisitReferenceAction ¶

func VisitReferenceAction(in ReferenceAction, f Visit) error

func VisitRootNode ¶

func VisitRootNode(in RootNode, f Visit) error

func VisitSQLNode ¶

func VisitSQLNode(in SQLNode, f Visit) error

func VisitSelectExpr ¶

func VisitSelectExpr(in SelectExpr, f Visit) error

func VisitSelectExprs ¶

func VisitSelectExprs(in SelectExprs, f Visit) error

func VisitSelectStatement ¶

func VisitSelectStatement(in SelectStatement, f Visit) error

func VisitSetExprs ¶

func VisitSetExprs(in SetExprs, f Visit) error

func VisitShowInternal ¶

func VisitShowInternal(in ShowInternal, f Visit) error

func VisitSimpleTableExpr ¶

func VisitSimpleTableExpr(in SimpleTableExpr, f Visit) error

func VisitStatement ¶

func VisitStatement(in Statement, f Visit) error

func VisitSubPartitionDefinitions ¶

func VisitSubPartitionDefinitions(in SubPartitionDefinitions, f Visit) error

func VisitTableExpr ¶

func VisitTableExpr(in TableExpr, f Visit) error

func VisitTableExprs ¶

func VisitTableExprs(in TableExprs, f Visit) error

func VisitTableName ¶

func VisitTableName(in TableName, f Visit) error

func VisitTableNames ¶

func VisitTableNames(in TableNames, f Visit) error

func VisitTableOptions ¶

func VisitTableOptions(in TableOptions, f Visit) error

func VisitUpdateExprs ¶

func VisitUpdateExprs(in UpdateExprs, f Visit) error

func VisitValTuple ¶

func VisitValTuple(in ValTuple, f Visit) error

func VisitValues ¶

func VisitValues(in Values, f Visit) error

func VisitVindexParam ¶

func VisitVindexParam(in VindexParam, f Visit) error

func VisitWindowDefinitions ¶

func VisitWindowDefinitions(in WindowDefinitions, f Visit) error

func Walk ¶

func Walk(visit Visit, first SQLNode, nodes ...SQLNode) error

Walk calls postVisit on every node. If postVisit returns true, the underlying nodes are also visited. If it returns an error, walking is interrupted, and the error is returned.

Types ¶

type AddColumns ¶

type AddColumns struct {
	Columns []*ColumnDefinition
	First   bool
	After   *ColName
}

AddColumns represents a ADD COLUMN alter option

func CloneRefOfAddColumns ¶

func CloneRefOfAddColumns(n *AddColumns) *AddColumns

CloneRefOfAddColumns creates a deep clone of the input.

func (*AddColumns) CachedSize ¶

func (cached *AddColumns) CachedSize(alloc bool) int64

func (*AddColumns) Format ¶

func (node *AddColumns) Format(buf *TrackedBuffer)

Format formats the node.

func (*AddColumns) FormatFast ¶

func (node *AddColumns) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type AddConstraintDefinition ¶

type AddConstraintDefinition struct {
	ConstraintDefinition *ConstraintDefinition
}

AddConstraintDefinition represents a ADD CONSTRAINT alter option

func CloneRefOfAddConstraintDefinition ¶

func CloneRefOfAddConstraintDefinition(n *AddConstraintDefinition) *AddConstraintDefinition

CloneRefOfAddConstraintDefinition creates a deep clone of the input.

func (*AddConstraintDefinition) CachedSize ¶

func (cached *AddConstraintDefinition) CachedSize(alloc bool) int64

func (*AddConstraintDefinition) Format ¶

func (node *AddConstraintDefinition) Format(buf *TrackedBuffer)

Format formats the node.

func (*AddConstraintDefinition) FormatFast ¶

func (node *AddConstraintDefinition) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type AddIndexDefinition ¶

type AddIndexDefinition struct {
	IndexDefinition *IndexDefinition
}

AddIndexDefinition represents a ADD INDEX alter option

func CloneRefOfAddIndexDefinition ¶

func CloneRefOfAddIndexDefinition(n *AddIndexDefinition) *AddIndexDefinition

CloneRefOfAddIndexDefinition creates a deep clone of the input.

func (*AddIndexDefinition) CachedSize ¶

func (cached *AddIndexDefinition) CachedSize(alloc bool) int64

func (*AddIndexDefinition) Format ¶

func (node *AddIndexDefinition) Format(buf *TrackedBuffer)

Format formats the node.

func (*AddIndexDefinition) FormatFast ¶

func (node *AddIndexDefinition) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type AggrFunc ¶

type AggrFunc interface {
	Expr
	GetArg() Expr
	GetArgs() Exprs
	// AggrName returns the lower case string representing this aggregation function
	AggrName() string
}

*********** Expressions

func CloneAggrFunc ¶

func CloneAggrFunc(in AggrFunc) AggrFunc

CloneAggrFunc creates a deep clone of the input.

type AggregateRule ¶

type AggregateRule int8
const (
	CannotAggregate AggregateRule = iota
	CanAggregate
	IsAggregate
)

Constants for Enum Type - AggregateRule

type AlgorithmValue ¶

type AlgorithmValue string

AlgorithmValue is the algorithm specified in the alter table command

func (AlgorithmValue) Format ¶

func (node AlgorithmValue) Format(buf *TrackedBuffer)

Format formats the node.

func (AlgorithmValue) FormatFast ¶

func (node AlgorithmValue) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type AliasedExpr ¶

type AliasedExpr struct {
	Expr Expr
	As   IdentifierCI
}

AliasedExpr defines an aliased SELECT expression.

func CloneRefOfAliasedExpr ¶

func CloneRefOfAliasedExpr(n *AliasedExpr) *AliasedExpr

CloneRefOfAliasedExpr creates a deep clone of the input.

func NewAliasedExpr ¶

func NewAliasedExpr(expr Expr, alias string) *AliasedExpr

NewAliasedExpr makes a new AliasedExpr

func (*AliasedExpr) CachedSize ¶

func (cached *AliasedExpr) CachedSize(alloc bool) int64

func (*AliasedExpr) ColumnName ¶

func (ae *AliasedExpr) ColumnName() string

ColumnName returns the alias if one was provided, otherwise prints the AST

func (*AliasedExpr) Format ¶

func (node *AliasedExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*AliasedExpr) FormatFast ¶

func (node *AliasedExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*AliasedExpr) SetAlias ¶

func (ae *AliasedExpr) SetAlias(alias string)

type AliasedTableExpr ¶

type AliasedTableExpr struct {
	Expr       SimpleTableExpr
	Partitions Partitions
	As         IdentifierCS
	Hints      IndexHints
	Columns    Columns
}

AliasedTableExpr represents a table expression coupled with an optional alias or index hint. If As is empty, no alias was used.

func CloneRefOfAliasedTableExpr ¶

func CloneRefOfAliasedTableExpr(n *AliasedTableExpr) *AliasedTableExpr

CloneRefOfAliasedTableExpr creates a deep clone of the input.

func NewAliasedTableExpr ¶

func NewAliasedTableExpr(simpleTableExpr SimpleTableExpr, alias string) *AliasedTableExpr

NewAliasedTableExpr makes a new AliasedTableExpr with an alias

func (*AliasedTableExpr) CachedSize ¶

func (cached *AliasedTableExpr) CachedSize(alloc bool) int64

func (*AliasedTableExpr) Format ¶

func (node *AliasedTableExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*AliasedTableExpr) FormatFast ¶

func (node *AliasedTableExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*AliasedTableExpr) RemoveHints ¶

func (node *AliasedTableExpr) RemoveHints() *AliasedTableExpr

RemoveHints returns a new AliasedTableExpr with the hints removed.

func (*AliasedTableExpr) TableName ¶

func (node *AliasedTableExpr) TableName() (TableName, error)

TableName returns a TableName pointing to this table expr

type AlterCharset ¶

type AlterCharset struct {
	CharacterSet string
	Collate      string
}

AlterCharset is used to set the default or change the character set and collation in alter table command

func CloneRefOfAlterCharset ¶

func CloneRefOfAlterCharset(n *AlterCharset) *AlterCharset

CloneRefOfAlterCharset creates a deep clone of the input.

func (*AlterCharset) CachedSize ¶

func (cached *AlterCharset) CachedSize(alloc bool) int64

func (*AlterCharset) Format ¶

func (node *AlterCharset) Format(buf *TrackedBuffer)

Format formats the node

func (*AlterCharset) FormatFast ¶

func (node *AlterCharset) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type AlterCheck ¶

type AlterCheck struct {
	Name     IdentifierCI
	Enforced bool
}

AlterCheck represents the `ALTER CHECK` part in an `ALTER TABLE ALTER CHECK` command.

func CloneRefOfAlterCheck ¶

func CloneRefOfAlterCheck(n *AlterCheck) *AlterCheck

CloneRefOfAlterCheck creates a deep clone of the input.

func (*AlterCheck) CachedSize ¶

func (cached *AlterCheck) CachedSize(alloc bool) int64

func (*AlterCheck) Format ¶

func (node *AlterCheck) Format(buf *TrackedBuffer)

func (*AlterCheck) FormatFast ¶

func (node *AlterCheck) FormatFast(buf *TrackedBuffer)

type AlterColumn ¶

type AlterColumn struct {
	Column         *ColName
	DropDefault    bool
	DefaultVal     Expr
	DefaultLiteral bool
	Invisible      *bool
}

AlterColumn is used to add or drop defaults & visibility to columns in alter table command

func CloneRefOfAlterColumn ¶

func CloneRefOfAlterColumn(n *AlterColumn) *AlterColumn

CloneRefOfAlterColumn creates a deep clone of the input.

func (*AlterColumn) CachedSize ¶

func (cached *AlterColumn) CachedSize(alloc bool) int64

func (*AlterColumn) Format ¶

func (node *AlterColumn) Format(buf *TrackedBuffer)

Format formats the node

func (*AlterColumn) FormatFast ¶

func (node *AlterColumn) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type AlterDatabase ¶

type AlterDatabase struct {
	DBName              IdentifierCS
	UpdateDataDirectory bool
	AlterOptions        []DatabaseOption
	FullyParsed         bool
}

AlterDatabase represents a ALTER database statement.

func CloneRefOfAlterDatabase ¶

func CloneRefOfAlterDatabase(n *AlterDatabase) *AlterDatabase

CloneRefOfAlterDatabase creates a deep clone of the input.

func (*AlterDatabase) CachedSize ¶

func (cached *AlterDatabase) CachedSize(alloc bool) int64

func (*AlterDatabase) Format ¶

func (node *AlterDatabase) Format(buf *TrackedBuffer)

Format formats the node.

func (*AlterDatabase) FormatFast ¶

func (node *AlterDatabase) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*AlterDatabase) GetDatabaseName ¶

func (node *AlterDatabase) GetDatabaseName() string

GetDatabaseName implements the DBDDLStatement interface

func (*AlterDatabase) IsFullyParsed ¶

func (node *AlterDatabase) IsFullyParsed() bool

IsFullyParsed implements the DBDDLStatement interface

func (*AlterDatabase) SetFullyParsed ¶

func (node *AlterDatabase) SetFullyParsed(fullyParsed bool)

SetFullyParsed implements the DBDDLStatement interface

type AlterIndex ¶

type AlterIndex struct {
	Name      IdentifierCI
	Invisible bool
}

AlterIndex represents the `ALTER INDEX` part in an `ALTER TABLE ALTER INDEX` command.

func CloneRefOfAlterIndex ¶

func CloneRefOfAlterIndex(n *AlterIndex) *AlterIndex

CloneRefOfAlterIndex creates a deep clone of the input.

func (*AlterIndex) CachedSize ¶

func (cached *AlterIndex) CachedSize(alloc bool) int64

func (*AlterIndex) Format ¶

func (node *AlterIndex) Format(buf *TrackedBuffer)

Format formats the node

func (*AlterIndex) FormatFast ¶

func (node *AlterIndex) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type AlterMigration ¶

type AlterMigration struct {
	Type   AlterMigrationType
	UUID   string
	Expire string
	Ratio  *Literal
	Shards string
}

AlterMigration represents a ALTER VITESS_MIGRATION statement

func CloneRefOfAlterMigration ¶

func CloneRefOfAlterMigration(n *AlterMigration) *AlterMigration

CloneRefOfAlterMigration creates a deep clone of the input.

func (*AlterMigration) CachedSize ¶

func (cached *AlterMigration) CachedSize(alloc bool) int64

func (*AlterMigration) Format ¶

func (node *AlterMigration) Format(buf *TrackedBuffer)

Format formats the node.

func (*AlterMigration) FormatFast ¶

func (node *AlterMigration) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type AlterMigrationType ¶

type AlterMigrationType int8

AlterMigrationType represents the type of operation in an ALTER VITESS_MIGRATION statement

const (
	RetryMigrationType AlterMigrationType = iota
	LaunchMigrationType
	LaunchAllMigrationType
	CompleteMigrationType
	CompleteAllMigrationType
	CancelMigrationType
	CancelAllMigrationType
	CleanupMigrationType
	ThrottleMigrationType
	ThrottleAllMigrationType
	UnthrottleMigrationType
	UnthrottleAllMigrationType
	ForceCutOverMigrationType
	ForceCutOverAllMigrationType
)

AlterMigrationType constants

type AlterOption ¶

type AlterOption interface {
	SQLNode
	// contains filtered or unexported methods
}

AlterOption is an interface that represents the various options in ALTER TABLE statements

func CloneAlterOption ¶

func CloneAlterOption(in AlterOption) AlterOption

CloneAlterOption creates a deep clone of the input.

func CloneSliceOfAlterOption ¶

func CloneSliceOfAlterOption(n []AlterOption) []AlterOption

CloneSliceOfAlterOption creates a deep clone of the input.

type AlterTable ¶

type AlterTable struct {
	Table           TableName
	AlterOptions    []AlterOption
	PartitionSpec   *PartitionSpec
	PartitionOption *PartitionOption
	Comments        *ParsedComments
	FullyParsed     bool
}

AlterTable represents a ALTER TABLE statement.

func CloneRefOfAlterTable ¶

func CloneRefOfAlterTable(n *AlterTable) *AlterTable

CloneRefOfAlterTable creates a deep clone of the input.

func (*AlterTable) AffectedTables ¶

func (node *AlterTable) AffectedTables() TableNames

AffectedTables returns the list table names affected by the DDLStatement.

func (*AlterTable) CachedSize ¶

func (cached *AlterTable) CachedSize(alloc bool) int64

func (*AlterTable) Format ¶

func (node *AlterTable) Format(buf *TrackedBuffer)

Format formats the AlterTable node.

func (*AlterTable) FormatFast ¶

func (node *AlterTable) FormatFast(buf *TrackedBuffer)

FormatFast formats the AlterTable node.

func (*AlterTable) GetAction ¶

func (node *AlterTable) GetAction() DDLAction

GetAction implements the DDLStatement interface

func (*AlterTable) GetFromTables ¶

func (node *AlterTable) GetFromTables() TableNames

GetFromTables implements the DDLStatement interface

func (*AlterTable) GetIfExists ¶

func (node *AlterTable) GetIfExists() bool

GetIfExists implements the DDLStatement interface

func (*AlterTable) GetIfNotExists ¶

func (node *AlterTable) GetIfNotExists() bool

GetIfNotExists implements the DDLStatement interface

func (*AlterTable) GetIsReplace ¶

func (node *AlterTable) GetIsReplace() bool

GetIsReplace implements the DDLStatement interface

func (*AlterTable) GetOptLike ¶

func (node *AlterTable) GetOptLike() *OptLike

GetOptLike implements the DDLStatement interface

func (*AlterTable) GetParsedComments ¶

func (node *AlterTable) GetParsedComments() *ParsedComments

GetParsedComments implements Commented interface.

func (*AlterTable) GetTable ¶

func (node *AlterTable) GetTable() TableName

GetTable implements the DDLStatement interface

func (*AlterTable) GetTableSpec ¶

func (node *AlterTable) GetTableSpec() *TableSpec

GetTableSpec implements the DDLStatement interface

func (*AlterTable) GetToTables ¶

func (node *AlterTable) GetToTables() TableNames

GetToTables implements the DDLStatement interface

func (*AlterTable) IsFullyParsed ¶

func (node *AlterTable) IsFullyParsed() bool

IsFullyParsed implements the DDLStatement interface

func (*AlterTable) IsTemporary ¶

func (node *AlterTable) IsTemporary() bool

IsTemporary implements the DDLStatement interface

func (*AlterTable) SetComments ¶

func (node *AlterTable) SetComments(comments Comments)

SetComments implements Commented interface.

func (*AlterTable) SetFromTables ¶

func (node *AlterTable) SetFromTables(tables TableNames)

SetFromTables implements DDLStatement.

func (*AlterTable) SetFullyParsed ¶

func (node *AlterTable) SetFullyParsed(fullyParsed bool)

SetFullyParsed implements the DDLStatement interface

func (*AlterTable) SetTable ¶

func (node *AlterTable) SetTable(qualifier string, name string)

SetTable implements DDLStatement.

type AlterView ¶

type AlterView struct {
	ViewName    TableName
	Algorithm   string
	Definer     *Definer
	Security    string
	Columns     Columns
	Select      SelectStatement
	CheckOption string
	Comments    *ParsedComments
}

AlterView represents a ALTER VIEW query

func CloneRefOfAlterView ¶

func CloneRefOfAlterView(n *AlterView) *AlterView

CloneRefOfAlterView creates a deep clone of the input.

func (*AlterView) AffectedTables ¶

func (node *AlterView) AffectedTables() TableNames

AffectedTables implements DDLStatement.

func (*AlterView) CachedSize ¶

func (cached *AlterView) CachedSize(alloc bool) int64

func (*AlterView) Format ¶

func (node *AlterView) Format(buf *TrackedBuffer)

Format formats the node.

func (*AlterView) FormatFast ¶

func (node *AlterView) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*AlterView) GetAction ¶

func (node *AlterView) GetAction() DDLAction

GetAction implements the DDLStatement interface

func (*AlterView) GetFromTables ¶

func (node *AlterView) GetFromTables() TableNames

GetFromTables implements the DDLStatement interface

func (*AlterView) GetIfExists ¶

func (node *AlterView) GetIfExists() bool

GetIfExists implements the DDLStatement interface

func (*AlterView) GetIfNotExists ¶

func (node *AlterView) GetIfNotExists() bool

GetIfNotExists implements the DDLStatement interface

func (*AlterView) GetIsReplace ¶

func (node *AlterView) GetIsReplace() bool

GetIsReplace implements the DDLStatement interface

func (*AlterView) GetOptLike ¶

func (node *AlterView) GetOptLike() *OptLike

GetOptLike implements the DDLStatement interface

func (*AlterView) GetParsedComments ¶

func (node *AlterView) GetParsedComments() *ParsedComments

GetParsedComments implements Commented interface.

func (*AlterView) GetTable ¶

func (node *AlterView) GetTable() TableName

GetTable implements the DDLStatement interface

func (*AlterView) GetTableSpec ¶

func (node *AlterView) GetTableSpec() *TableSpec

GetTableSpec implements the DDLStatement interface

func (*AlterView) GetToTables ¶

func (node *AlterView) GetToTables() TableNames

GetToTables implements the DDLStatement interface

func (*AlterView) IsFullyParsed ¶

func (node *AlterView) IsFullyParsed() bool

IsFullyParsed implements the DDLStatement interface

func (*AlterView) IsTemporary ¶

func (node *AlterView) IsTemporary() bool

IsTemporary implements the DDLStatement interface

func (*AlterView) SetComments ¶

func (node *AlterView) SetComments(comments Comments)

SetComments implements Commented interface.

func (*AlterView) SetFromTables ¶

func (node *AlterView) SetFromTables(tables TableNames)

SetFromTables implements DDLStatement.

func (*AlterView) SetFullyParsed ¶

func (node *AlterView) SetFullyParsed(fullyParsed bool)

SetFullyParsed implements the DDLStatement interface

func (*AlterView) SetTable ¶

func (node *AlterView) SetTable(qualifier string, name string)

SetTable implements DDLStatement.

type AlterVschema ¶

type AlterVschema struct {
	Action DDLAction
	Table  TableName

	// VindexSpec is set for CreateVindexDDLAction, DropVindexDDLAction, AddColVindexDDLAction, DropColVindexDDLAction.
	VindexSpec *VindexSpec

	// VindexCols is set for AddColVindexDDLAction.
	VindexCols []IdentifierCI

	// AutoIncSpec is set for AddAutoIncDDLAction.
	AutoIncSpec *AutoIncSpec
}

AlterVschema represents a ALTER VSCHEMA statement.

func CloneRefOfAlterVschema ¶

func CloneRefOfAlterVschema(n *AlterVschema) *AlterVschema

CloneRefOfAlterVschema creates a deep clone of the input.

func (*AlterVschema) CachedSize ¶

func (cached *AlterVschema) CachedSize(alloc bool) int64

func (*AlterVschema) Format ¶

func (node *AlterVschema) Format(buf *TrackedBuffer)

Format formats the node.

func (*AlterVschema) FormatFast ¶

func (node *AlterVschema) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type Analyze ¶

type Analyze struct {
	IsLocal bool
	Table   TableName
}

Analyze represents the Analyze statement.

func CloneRefOfAnalyze ¶

func CloneRefOfAnalyze(n *Analyze) *Analyze

CloneRefOfAnalyze creates a deep clone of the input.

func (*Analyze) CachedSize ¶

func (cached *Analyze) CachedSize(alloc bool) int64

func (*Analyze) Format ¶

func (node *Analyze) Format(buf *TrackedBuffer)

Format formats the node.

func (*Analyze) FormatFast ¶

func (node *Analyze) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type AndExpr ¶

type AndExpr struct {
	Left, Right Expr
}

AndExpr represents an AND expression.

func CloneRefOfAndExpr ¶

func CloneRefOfAndExpr(n *AndExpr) *AndExpr

CloneRefOfAndExpr creates a deep clone of the input.

func (*AndExpr) CachedSize ¶

func (cached *AndExpr) CachedSize(alloc bool) int64

func (*AndExpr) Format ¶

func (node *AndExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*AndExpr) FormatFast ¶

func (node *AndExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*AndExpr) IsExpr ¶

func (*AndExpr) IsExpr()

IsExpr ensures that only expressions nodes can be assigned to a Expr

type AnyValue ¶

type AnyValue struct {
	Arg Expr
}

AnyValue is an aggregation function in Vitess, even if the MySQL manual explicitly says it's not It's just simpler to treat it as one see https://dev.mysql.com/doc/refman/8.0/en/miscellaneous-functions.html#function_any-value

func CloneRefOfAnyValue ¶

func CloneRefOfAnyValue(n *AnyValue) *AnyValue

CloneRefOfAnyValue creates a deep clone of the input.

func (*AnyValue) AggrName ¶

func (*AnyValue) AggrName() string

func (*AnyValue) CachedSize ¶

func (cached *AnyValue) CachedSize(alloc bool) int64

func (*AnyValue) Format ¶

func (node *AnyValue) Format(buf *TrackedBuffer)

func (*AnyValue) FormatFast ¶

func (node *AnyValue) FormatFast(buf *TrackedBuffer)

func (*AnyValue) GetArg ¶

func (av *AnyValue) GetArg() Expr

func (*AnyValue) GetArgs ¶

func (av *AnyValue) GetArgs() Exprs

func (*AnyValue) IsExpr ¶

func (*AnyValue) IsExpr()

type ApplyFunc ¶

type ApplyFunc func(*Cursor) bool

An ApplyFunc is invoked by Rewrite for each node n, even if n is nil, before and/or after the node's children, using a Cursor describing the current node and providing operations on it.

The return value of ApplyFunc controls the syntax tree traversal. See Rewrite for details.

type Argument ¶

type Argument struct {
	Name        string
	Type        sqltypes.Type
	Size, Scale int32
}

Argument represents bindvariable expression

func CloneRefOfArgument ¶

func CloneRefOfArgument(n *Argument) *Argument

CloneRefOfArgument creates a deep clone of the input.

func NewArgument ¶

func NewArgument(in string) *Argument

NewArgument builds a new ValArg.

func NewTypedArgument ¶

func NewTypedArgument(in string, t sqltypes.Type) *Argument

func NewTypedArgumentFromLiteral ¶

func NewTypedArgumentFromLiteral(in string, lit *Literal) (*Argument, error)

func (*Argument) CachedSize ¶

func (cached *Argument) CachedSize(alloc bool) int64

func (*Argument) Format ¶

func (node *Argument) Format(buf *TrackedBuffer)

Format formats the node.

func (*Argument) FormatFast ¶

func (node *Argument) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*Argument) IsExpr ¶

func (*Argument) IsExpr()

type ArgumentLessWindowExpr ¶

type ArgumentLessWindowExpr struct {
	Type       ArgumentLessWindowExprType
	OverClause *OverClause
}

ArgumentLessWindowExpr stands for the following window_functions: CUME_DIST, DENSE_RANK, PERCENT_RANK, RANK, ROW_NUMBER These functions do not take any argument.

func CloneRefOfArgumentLessWindowExpr ¶

func CloneRefOfArgumentLessWindowExpr(n *ArgumentLessWindowExpr) *ArgumentLessWindowExpr

CloneRefOfArgumentLessWindowExpr creates a deep clone of the input.

func (*ArgumentLessWindowExpr) CachedSize ¶

func (cached *ArgumentLessWindowExpr) CachedSize(alloc bool) int64

func (*ArgumentLessWindowExpr) Format ¶

func (node *ArgumentLessWindowExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*ArgumentLessWindowExpr) FormatFast ¶

func (node *ArgumentLessWindowExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*ArgumentLessWindowExpr) IsExpr ¶

func (*ArgumentLessWindowExpr) IsExpr()

type ArgumentLessWindowExprType ¶

type ArgumentLessWindowExprType int8

ArgumentLessWindowExprType is an enum to get types of ArgumentLessWindowExpr.

const (
	CumeDistExprType ArgumentLessWindowExprType = iota
	DenseRankExprType
	PercentRankExprType
	RankExprType
	RowNumberExprType
)

Constants for Enum Type - ArgumentLessWindowExprType

func (ArgumentLessWindowExprType) ToString ¶

func (ty ArgumentLessWindowExprType) ToString() string

ToString returns the type as a string

type AssignmentExpr ¶

type AssignmentExpr struct {
	Left, Right Expr
}

AssignmentExpr represents an expression of type @value := x.

func CloneRefOfAssignmentExpr ¶

func CloneRefOfAssignmentExpr(n *AssignmentExpr) *AssignmentExpr

CloneRefOfAssignmentExpr creates a deep clone of the input.

func (*AssignmentExpr) CachedSize ¶

func (cached *AssignmentExpr) CachedSize(alloc bool) int64

func (*AssignmentExpr) Format ¶

func (node *AssignmentExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*AssignmentExpr) FormatFast ¶

func (node *AssignmentExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*AssignmentExpr) IsExpr ¶

func (*AssignmentExpr) IsExpr()

type AtCount ¶

type AtCount int

AtCount represents the '@' count in IdentifierCI

const (
	// NoAt represents no @
	NoAt AtCount = iota
	// SingleAt represents @
	SingleAt
	// DoubleAt represents @@
	DoubleAt
)

type AutoIncSpec ¶

type AutoIncSpec struct {
	Column   IdentifierCI
	Sequence TableName
}

AutoIncSpec defines and autoincrement value for a ADD AUTO_INCREMENT statement

func CloneRefOfAutoIncSpec ¶

func CloneRefOfAutoIncSpec(n *AutoIncSpec) *AutoIncSpec

CloneRefOfAutoIncSpec creates a deep clone of the input.

func (*AutoIncSpec) CachedSize ¶

func (cached *AutoIncSpec) CachedSize(alloc bool) int64

func (*AutoIncSpec) Format ¶

func (node *AutoIncSpec) Format(buf *TrackedBuffer)

Format formats the node.

func (*AutoIncSpec) FormatFast ¶

func (node *AutoIncSpec) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type Avg ¶

type Avg struct {
	Arg        Expr
	Distinct   bool
	OverClause *OverClause
}

*********** Expressions

func CloneRefOfAvg ¶

func CloneRefOfAvg(n *Avg) *Avg

CloneRefOfAvg creates a deep clone of the input.

func (*Avg) AggrName ¶

func (*Avg) AggrName() string

func (*Avg) CachedSize ¶

func (cached *Avg) CachedSize(alloc bool) int64

func (*Avg) Format ¶

func (node *Avg) Format(buf *TrackedBuffer)

func (*Avg) FormatFast ¶

func (node *Avg) FormatFast(buf *TrackedBuffer)

func (*Avg) GetArg ¶

func (avg *Avg) GetArg() Expr

func (*Avg) GetArgs ¶

func (avg *Avg) GetArgs() Exprs

func (*Avg) IsDistinct ¶

func (avg *Avg) IsDistinct() bool

func (*Avg) IsExpr ¶

func (*Avg) IsExpr()

func (*Avg) SetDistinct ¶

func (avg *Avg) SetDistinct(distinct bool)

type Begin ¶

type Begin struct {
	TxAccessModes []TxAccessMode
}

Begin represents a Begin statement.

func CloneRefOfBegin ¶

func CloneRefOfBegin(n *Begin) *Begin

CloneRefOfBegin creates a deep clone of the input.

func (*Begin) CachedSize ¶

func (cached *Begin) CachedSize(alloc bool) int64

func (*Begin) Format ¶

func (node *Begin) Format(buf *TrackedBuffer)

Format formats the node.

func (*Begin) FormatFast ¶

func (node *Begin) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type BetweenExpr ¶

type BetweenExpr struct {
	IsBetween bool
	Left      Expr
	From, To  Expr
}

BetweenExpr represents a BETWEEN or a NOT BETWEEN expression.

func CloneRefOfBetweenExpr ¶

func CloneRefOfBetweenExpr(n *BetweenExpr) *BetweenExpr

CloneRefOfBetweenExpr creates a deep clone of the input.

func (*BetweenExpr) CachedSize ¶

func (cached *BetweenExpr) CachedSize(alloc bool) int64

func (*BetweenExpr) Format ¶

func (node *BetweenExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*BetweenExpr) FormatFast ¶

func (node *BetweenExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*BetweenExpr) IsExpr ¶

func (*BetweenExpr) IsExpr()

type BinaryExpr ¶

type BinaryExpr struct {
	Operator    BinaryExprOperator
	Left, Right Expr
}

BinaryExpr represents a binary value expression.

func CloneRefOfBinaryExpr ¶

func CloneRefOfBinaryExpr(n *BinaryExpr) *BinaryExpr

CloneRefOfBinaryExpr creates a deep clone of the input.

func (*BinaryExpr) CachedSize ¶

func (cached *BinaryExpr) CachedSize(alloc bool) int64

func (*BinaryExpr) Format ¶

func (node *BinaryExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*BinaryExpr) FormatFast ¶

func (node *BinaryExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*BinaryExpr) IsExpr ¶

func (*BinaryExpr) IsExpr()

type BinaryExprOperator ¶

type BinaryExprOperator int8

BinaryExprOperator is an enum for BinaryExpr.Operator

const (
	BitAndOp BinaryExprOperator = iota
	BitOrOp
	BitXorOp
	PlusOp
	MinusOp
	MultOp
	DivOp
	IntDivOp
	ModOp
	ShiftLeftOp
	ShiftRightOp
	JSONExtractOp
	JSONUnquoteExtractOp
)

Constant for Enum Type - BinaryExprOperator

func (BinaryExprOperator) ToString ¶

func (op BinaryExprOperator) ToString() string

ToString returns the operator as a string

type BindLocation ¶

type BindLocation struct {
	Offset, Length int
}

type BindVarNeeds ¶

type BindVarNeeds struct {
	NeedFunctionResult,
	NeedSystemVariable,

	NeedUserDefinedVariables []string
	// contains filtered or unexported fields
}

BindVarNeeds represents the bind vars that need to be provided as the result of expression rewriting.

func (*BindVarNeeds) AddFuncResult ¶

func (bvn *BindVarNeeds) AddFuncResult(name string)

AddFuncResult adds a function bindvar need

func (*BindVarNeeds) AddSysVar ¶

func (bvn *BindVarNeeds) AddSysVar(name string)

AddSysVar adds a system variable bindvar need

func (*BindVarNeeds) AddUserDefVar ¶

func (bvn *BindVarNeeds) AddUserDefVar(name string)

AddUserDefVar adds a user defined variable bindvar need

func (*BindVarNeeds) CachedSize ¶

func (cached *BindVarNeeds) CachedSize(alloc bool) int64

func (*BindVarNeeds) HasRewrites ¶

func (bvn *BindVarNeeds) HasRewrites() bool

func (*BindVarNeeds) MergeWith ¶

func (bvn *BindVarNeeds) MergeWith(other *BindVarNeeds)

MergeWith adds bind vars needs coming from sub scopes

func (*BindVarNeeds) NeedsFuncResult ¶

func (bvn *BindVarNeeds) NeedsFuncResult(name string) bool

NeedsFuncResult says if a function result needs to be provided

func (*BindVarNeeds) NeedsSysVar ¶

func (bvn *BindVarNeeds) NeedsSysVar(name string) bool

NeedsSysVar says if a function result needs to be provided

func (*BindVarNeeds) NoteRewrite ¶

func (bvn *BindVarNeeds) NoteRewrite()

type BindVars ¶

type BindVars map[string]struct{}

BindVars is a set of reserved bind variables from a SQL statement

type BitAnd ¶

type BitAnd struct {
	Arg        Expr
	OverClause *OverClause
}

*********** Expressions

func CloneRefOfBitAnd ¶

func CloneRefOfBitAnd(n *BitAnd) *BitAnd

CloneRefOfBitAnd creates a deep clone of the input.

func (*BitAnd) AggrName ¶

func (*BitAnd) AggrName() string

func (*BitAnd) CachedSize ¶

func (cached *BitAnd) CachedSize(alloc bool) int64

func (*BitAnd) Format ¶

func (node *BitAnd) Format(buf *TrackedBuffer)

func (*BitAnd) FormatFast ¶

func (node *BitAnd) FormatFast(buf *TrackedBuffer)

func (*BitAnd) GetArg ¶

func (bAnd *BitAnd) GetArg() Expr

func (*BitAnd) GetArgs ¶

func (bAnd *BitAnd) GetArgs() Exprs

func (*BitAnd) IsExpr ¶

func (*BitAnd) IsExpr()

type BitOr ¶

type BitOr struct {
	Arg        Expr
	OverClause *OverClause
}

*********** Expressions

func CloneRefOfBitOr ¶

func CloneRefOfBitOr(n *BitOr) *BitOr

CloneRefOfBitOr creates a deep clone of the input.

func (*BitOr) AggrName ¶

func (*BitOr) AggrName() string

func (*BitOr) CachedSize ¶

func (cached *BitOr) CachedSize(alloc bool) int64

func (*BitOr) Format ¶

func (node *BitOr) Format(buf *TrackedBuffer)

func (*BitOr) FormatFast ¶

func (node *BitOr) FormatFast(buf *TrackedBuffer)

func (*BitOr) GetArg ¶

func (bOr *BitOr) GetArg() Expr

func (*BitOr) GetArgs ¶

func (bOr *BitOr) GetArgs() Exprs

func (*BitOr) IsExpr ¶

func (*BitOr) IsExpr()

type BitXor ¶

type BitXor struct {
	Arg        Expr
	OverClause *OverClause
}

*********** Expressions

func CloneRefOfBitXor ¶

func CloneRefOfBitXor(n *BitXor) *BitXor

CloneRefOfBitXor creates a deep clone of the input.

func (*BitXor) AggrName ¶

func (*BitXor) AggrName() string

func (*BitXor) CachedSize ¶

func (cached *BitXor) CachedSize(alloc bool) int64

func (*BitXor) Format ¶

func (node *BitXor) Format(buf *TrackedBuffer)

func (*BitXor) FormatFast ¶

func (node *BitXor) FormatFast(buf *TrackedBuffer)

func (*BitXor) GetArg ¶

func (bXor *BitXor) GetArg() Expr

func (*BitXor) GetArgs ¶

func (bXor *BitXor) GetArgs() Exprs

func (*BitXor) IsExpr ¶

func (*BitXor) IsExpr()

type BoolVal ¶

type BoolVal bool

BoolVal is true or false.

func (BoolVal) Format ¶

func (node BoolVal) Format(buf *TrackedBuffer)

Format formats the node.

func (BoolVal) FormatFast ¶

func (node BoolVal) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (BoolVal) IsExpr ¶

func (BoolVal) IsExpr()

type CallProc ¶

type CallProc struct {
	Name   TableName
	Params Exprs
}

CallProc represents a CALL statement

func CloneRefOfCallProc ¶

func CloneRefOfCallProc(n *CallProc) *CallProc

CloneRefOfCallProc creates a deep clone of the input.

func (*CallProc) CachedSize ¶

func (cached *CallProc) CachedSize(alloc bool) int64

func (*CallProc) Format ¶

func (node *CallProc) Format(buf *TrackedBuffer)

Format formats the node.

func (*CallProc) FormatFast ¶

func (node *CallProc) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type Callable ¶

type Callable interface {
	Expr
	// contains filtered or unexported methods
}

*********** Expressions

func CloneCallable ¶

func CloneCallable(in Callable) Callable

CloneCallable creates a deep clone of the input.

type CaseExpr ¶

type CaseExpr struct {
	Expr  Expr
	Whens []*When
	Else  Expr
}

CaseExpr represents a CASE expression.

func CloneRefOfCaseExpr ¶

func CloneRefOfCaseExpr(n *CaseExpr) *CaseExpr

CloneRefOfCaseExpr creates a deep clone of the input.

func NewCaseExpr ¶

func NewCaseExpr(expr Expr, whens []*When, elseExpr Expr) *CaseExpr

NewCaseExpr makes a new CaseExpr

func (*CaseExpr) CachedSize ¶

func (cached *CaseExpr) CachedSize(alloc bool) int64

func (*CaseExpr) Format ¶

func (node *CaseExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*CaseExpr) FormatFast ¶

func (node *CaseExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*CaseExpr) IsExpr ¶

func (*CaseExpr) IsExpr()

type CastExpr ¶

type CastExpr struct {
	Expr  Expr
	Type  *ConvertType
	Array bool
}

CastExpr represents a call to CAST(expr AS type) This is separate from CONVERT(expr, type) since there are places such as in CREATE TABLE statements where they are treated differently.

func CloneRefOfCastExpr ¶

func CloneRefOfCastExpr(n *CastExpr) *CastExpr

CloneRefOfCastExpr creates a deep clone of the input.

func (*CastExpr) CachedSize ¶

func (cached *CastExpr) CachedSize(alloc bool) int64

func (*CastExpr) Format ¶

func (node *CastExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*CastExpr) FormatFast ¶

func (node *CastExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*CastExpr) IsExpr ¶

func (*CastExpr) IsExpr()

type ChangeColumn ¶

type ChangeColumn struct {
	OldColumn        *ColName
	NewColDefinition *ColumnDefinition
	First            bool
	After            *ColName
}

ChangeColumn is used to change the column definition, can also rename the column in alter table command

func CloneRefOfChangeColumn ¶

func CloneRefOfChangeColumn(n *ChangeColumn) *ChangeColumn

CloneRefOfChangeColumn creates a deep clone of the input.

func (*ChangeColumn) CachedSize ¶

func (cached *ChangeColumn) CachedSize(alloc bool) int64

func (*ChangeColumn) Format ¶

func (node *ChangeColumn) Format(buf *TrackedBuffer)

Format formats the node

func (*ChangeColumn) FormatFast ¶

func (node *ChangeColumn) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type CharExpr ¶

type CharExpr struct {
	Exprs   Exprs
	Charset string
}

CharExpr represents a CHAR function expression

func CloneRefOfCharExpr ¶

func CloneRefOfCharExpr(n *CharExpr) *CharExpr

CloneRefOfCharExpr creates a deep clone of the input.

func (*CharExpr) CachedSize ¶

func (cached *CharExpr) CachedSize(alloc bool) int64

func (*CharExpr) Format ¶

func (node *CharExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*CharExpr) FormatFast ¶

func (node *CharExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*CharExpr) IsExpr ¶

func (*CharExpr) IsExpr()

type CheckConstraintDefinition ¶

type CheckConstraintDefinition struct {
	Expr     Expr
	Enforced bool
}

CheckConstraintDefinition describes a check constraint in a CREATE TABLE statement

func CloneRefOfCheckConstraintDefinition ¶

func CloneRefOfCheckConstraintDefinition(n *CheckConstraintDefinition) *CheckConstraintDefinition

CloneRefOfCheckConstraintDefinition creates a deep clone of the input.

func (*CheckConstraintDefinition) CachedSize ¶

func (cached *CheckConstraintDefinition) CachedSize(alloc bool) int64

func (*CheckConstraintDefinition) Format ¶

func (c *CheckConstraintDefinition) Format(buf *TrackedBuffer)

Format formats the node.

func (*CheckConstraintDefinition) FormatFast ¶

func (c *CheckConstraintDefinition) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type ColName ¶

type ColName struct {
	Name      IdentifierCI
	Qualifier TableName
}

ColName represents a column name.

func CloneRefOfColName ¶

func CloneRefOfColName(n *ColName) *ColName

CloneRefOfColName creates a deep clone of the input.

func CloneSliceOfRefOfColName ¶

func CloneSliceOfRefOfColName(n []*ColName) []*ColName

CloneSliceOfRefOfColName creates a deep clone of the input.

func NewColName ¶

func NewColName(str string) *ColName

NewColName makes a new ColName

func NewColNameWithQualifier ¶

func NewColNameWithQualifier(identifier string, table TableName) *ColName

NewColNameWithQualifier makes a new ColName pointing to a specific table

func (*ColName) CachedSize ¶

func (cached *ColName) CachedSize(alloc bool) int64

func (*ColName) CompliantName ¶

func (node *ColName) CompliantName() string

CompliantName is used to get the name of the bind variable to use for this column name

func (*ColName) Equal ¶

func (node *ColName) Equal(c *ColName) bool

Equal returns true if the column names match.

func (*ColName) Format ¶

func (node *ColName) Format(buf *TrackedBuffer)

Format formats the node.

func (*ColName) FormatFast ¶

func (node *ColName) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*ColName) IsExpr ¶

func (*ColName) IsExpr()

type ColTuple ¶

type ColTuple interface {
	Expr
	// contains filtered or unexported methods
}

ColTuple represents a list of column values. It can be ValTuple, Subquery, ListArg.

func CloneColTuple ¶

func CloneColTuple(in ColTuple) ColTuple

CloneColTuple creates a deep clone of the input.

type CollateExpr ¶

type CollateExpr struct {
	Expr      Expr
	Collation string
}

CollateExpr represents dynamic collate operator.

func CloneRefOfCollateExpr ¶

func CloneRefOfCollateExpr(n *CollateExpr) *CollateExpr

CloneRefOfCollateExpr creates a deep clone of the input.

func (*CollateExpr) CachedSize ¶

func (cached *CollateExpr) CachedSize(alloc bool) int64

func (*CollateExpr) Format ¶

func (node *CollateExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*CollateExpr) FormatFast ¶

func (node *CollateExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*CollateExpr) IsExpr ¶

func (*CollateExpr) IsExpr()

type ColumnCharset ¶

type ColumnCharset struct {
	Name   string
	Binary bool
}

ColumnCharset exists because in the type definition it's possible to add the binary marker for a character set, so we need to track when this happens. We can't at the point of where we parse things backfill this with an existing collation. Firstly because we don't have access to that during parsing, but more importantly because it would generate syntax that is invalid.

Not in all cases where a binary marker is allowed, a collation is allowed. See https://dev.mysql.com/doc/refman/8.0/en/cast-functions.html specifically under Character Set Conversions.

func CloneColumnCharset ¶

func CloneColumnCharset(n ColumnCharset) ColumnCharset

CloneColumnCharset creates a deep clone of the input.

func CloneRefOfColumnCharset ¶

func CloneRefOfColumnCharset(n *ColumnCharset) *ColumnCharset

CloneRefOfColumnCharset creates a deep clone of the input.

func (*ColumnCharset) CachedSize ¶

func (cached *ColumnCharset) CachedSize(alloc bool) int64

type ColumnDefinition ¶

type ColumnDefinition struct {
	Name IdentifierCI
	Type *ColumnType
}

ColumnDefinition describes a column in a CREATE TABLE statement

func CloneRefOfColumnDefinition ¶

func CloneRefOfColumnDefinition(n *ColumnDefinition) *ColumnDefinition

CloneRefOfColumnDefinition creates a deep clone of the input.

func CloneSliceOfRefOfColumnDefinition ¶

func CloneSliceOfRefOfColumnDefinition(n []*ColumnDefinition) []*ColumnDefinition

CloneSliceOfRefOfColumnDefinition creates a deep clone of the input.

func (*ColumnDefinition) CachedSize ¶

func (cached *ColumnDefinition) CachedSize(alloc bool) int64

func (*ColumnDefinition) Format ¶

func (col *ColumnDefinition) Format(buf *TrackedBuffer)

Format formats the node.

func (*ColumnDefinition) FormatFast ¶

func (col *ColumnDefinition) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type ColumnFormat ¶

type ColumnFormat int

ColumnFormat is an enum that defines the type of storage.

const (
	UnspecifiedFormat ColumnFormat = iota
	FixedFormat
	DynamicFormat
	DefaultFormat
)

ColumnFormat constants

func (ColumnFormat) ToString ¶

func (columnFormat ColumnFormat) ToString() string

ToString returns the string associated with JoinType

type ColumnKeyOption ¶

type ColumnKeyOption int

ColumnKeyOption indicates whether or not the given column is defined as an index element and contains the type of the option

const (
	ColKeyNone ColumnKeyOption = iota
	ColKeyPrimary
	ColKeySpatialKey
	ColKeyFulltextKey
	ColKeyUnique
	ColKeyUniqueKey
	ColKey
)

type ColumnStorage ¶

type ColumnStorage int

ColumnStorage is an enum that defines the type of storage.

const (
	VirtualStorage ColumnStorage = iota
	StoredStorage
)

ColumnStorage constants

type ColumnType ¶

type ColumnType struct {
	// The base type string
	Type string

	// Generic field options.
	Options *ColumnTypeOptions

	// Numeric field options
	Length   *int
	Unsigned bool
	Zerofill bool
	Scale    *int

	// Text field options
	Charset ColumnCharset

	// Enum and Set column definition values
	EnumValues []string
}

ColumnType represents a sql type in a CREATE TABLE statement All optional fields are nil if not specified

func CloneRefOfColumnType ¶

func CloneRefOfColumnType(n *ColumnType) *ColumnType

CloneRefOfColumnType creates a deep clone of the input.

func (*ColumnType) CachedSize ¶

func (cached *ColumnType) CachedSize(alloc bool) int64

func (*ColumnType) DescribeType ¶

func (ct *ColumnType) DescribeType() string

DescribeType returns the abbreviated type information as required for describe table

func (*ColumnType) Format ¶

func (ct *ColumnType) Format(buf *TrackedBuffer)

Format returns a canonical string representation of the type and all relevant options

func (*ColumnType) FormatFast ¶

func (ct *ColumnType) FormatFast(buf *TrackedBuffer)

FormatFast returns a canonical string representation of the type and all relevant options

func (*ColumnType) Invisible ¶

func (ct *ColumnType) Invisible() bool

func (*ColumnType) SQLType ¶

func (ct *ColumnType) SQLType() querypb.Type

SQLType returns the sqltypes type code for the given column

type ColumnTypeOptions ¶

type ColumnTypeOptions struct {
	/* We need Null to be *bool to distinguish 3 cases -
	1. When Not Null is specified (Null = false)
	2. When Null is specified (Null = true)
	3. When nothing is specified (Null = nil)
	The complexity arises from the fact that we do not know whether the column will be nullable or not if nothing is specified.
	Therefore we do not know whether the column is nullable or not in case 3.
	*/
	Null           *bool
	Autoincrement  bool
	Default        Expr
	DefaultLiteral bool
	OnUpdate       Expr
	As             Expr
	Comment        *Literal
	Storage        ColumnStorage
	Collate        string
	// Reference stores a foreign key constraint for the given column
	Reference *ReferenceDefinition

	// Key specification
	KeyOpt ColumnKeyOption

	// Stores the tri state of having either VISIBLE, INVISIBLE or nothing specified
	// on the column. In case of nothing, this is nil, when VISIBLE is set it's false
	// and only when INVISIBLE is set does the pointer value return true.
	Invisible *bool

	// Storage format for this specific column. This is NDB specific, but the parser
	// still allows for it and ignores it for other storage engines. So we also should
	// parse it but it's then not used anywhere.
	Format ColumnFormat

	// EngineAttribute is a new attribute not used for anything yet, but accepted
	// since 8.0.23 in the MySQL parser.
	EngineAttribute *Literal

	// SecondaryEngineAttribute is a new attribute not used for anything yet, but accepted
	// since 8.0.23 in the MySQL parser.
	SecondaryEngineAttribute *Literal

	// SRID is an attribute that indiciates the spatial reference system.
	//
	// https://dev.mysql.com/doc/refman/8.0/en/spatial-type-overview.html
	SRID *Literal
}

ColumnTypeOptions are generic field options for a column type

func CloneRefOfColumnTypeOptions ¶

func CloneRefOfColumnTypeOptions(n *ColumnTypeOptions) *ColumnTypeOptions

CloneRefOfColumnTypeOptions creates a deep clone of the input.

func (*ColumnTypeOptions) CachedSize ¶

func (cached *ColumnTypeOptions) CachedSize(alloc bool) int64

type Columns ¶

type Columns []IdentifierCI

Columns represents an insert column list.

func CloneColumns ¶

func CloneColumns(n Columns) Columns

CloneColumns creates a deep clone of the input.

func MakeColumns ¶

func MakeColumns(colNames ...string) Columns

MakeColumns is used to make a list of columns from a list of strings. This function is meant to be used in testing code.

func (Columns) FindColumn ¶

func (node Columns) FindColumn(col IdentifierCI) int

FindColumn finds a column in the column list, returning the index if it exists or -1 otherwise

func (Columns) Format ¶

func (node Columns) Format(buf *TrackedBuffer)

Format formats the node.

func (Columns) FormatFast ¶

func (node Columns) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (Columns) Indexes ¶

func (cols Columns) Indexes(subSetCols Columns) (bool, []int)

Indexes returns true, if the list of columns contains all the elements in the other list. It also returns the indexes of the columns in the list.

type CommentDirectives ¶

type CommentDirectives struct {
	// contains filtered or unexported fields
}

CommentDirectives is the parsed representation for execution directives conveyed in query comments

func (*CommentDirectives) CachedSize ¶

func (cached *CommentDirectives) CachedSize(alloc bool) int64

func (*CommentDirectives) GetString ¶

func (d *CommentDirectives) GetString(key string, defaultVal string) (string, bool)

GetString gets a directive value as string, with default value if not found

func (*CommentDirectives) IsSet ¶

func (d *CommentDirectives) IsSet(key string) bool

IsSet checks the directive map for the named directive and returns true if the directive is set and has a true/false or 0/1 value

type CommentOnly ¶

type CommentOnly struct {
	Comments []string
}

CommentOnly represents a query which only has comments

func CloneRefOfCommentOnly ¶

func CloneRefOfCommentOnly(n *CommentOnly) *CommentOnly

CloneRefOfCommentOnly creates a deep clone of the input.

func (*CommentOnly) CachedSize ¶

func (cached *CommentOnly) CachedSize(alloc bool) int64

func (*CommentOnly) Format ¶

func (node *CommentOnly) Format(buf *TrackedBuffer)

Format formats the node.

func (*CommentOnly) FormatFast ¶

func (node *CommentOnly) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type Commented ¶

type Commented interface {
	SetComments(comments Comments)
	GetParsedComments() *ParsedComments
}

Statements

type Comments ¶

type Comments []string

Comments represents a list of comments.

func CloneComments ¶

func CloneComments(n Comments) Comments

CloneComments creates a deep clone of the input.

func (Comments) Parsed ¶

func (c Comments) Parsed() *ParsedComments

type Commit ¶

type Commit struct{}

Commit represents a Commit statement.

func CloneRefOfCommit ¶

func CloneRefOfCommit(n *Commit) *Commit

CloneRefOfCommit creates a deep clone of the input.

func (*Commit) Format ¶

func (node *Commit) Format(buf *TrackedBuffer)

Format formats the node.

func (*Commit) FormatFast ¶

func (node *Commit) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type CommonTableExpr ¶

type CommonTableExpr struct {
	ID       IdentifierCS
	Columns  Columns
	Subquery *Subquery
}

CommonTableExpr is the structure for supporting common table expressions

func CloneRefOfCommonTableExpr ¶

func CloneRefOfCommonTableExpr(n *CommonTableExpr) *CommonTableExpr

CloneRefOfCommonTableExpr creates a deep clone of the input.

func CloneSliceOfRefOfCommonTableExpr ¶

func CloneSliceOfRefOfCommonTableExpr(n []*CommonTableExpr) []*CommonTableExpr

CloneSliceOfRefOfCommonTableExpr creates a deep clone of the input.

func (*CommonTableExpr) CachedSize ¶

func (cached *CommonTableExpr) CachedSize(alloc bool) int64

func (*CommonTableExpr) Format ¶

func (node *CommonTableExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*CommonTableExpr) FormatFast ¶

func (node *CommonTableExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type Comparator ¶

type Comparator struct {
	RefOfColName_ func(a, b *ColName) bool
}

func (*Comparator) AggrFunc ¶

func (cmp *Comparator) AggrFunc(inA, inB AggrFunc) bool

AggrFunc does deep equals between the two objects.

func (*Comparator) AlterOption ¶

func (cmp *Comparator) AlterOption(inA, inB AlterOption) bool

AlterOption does deep equals between the two objects.

func (*Comparator) Callable ¶

func (cmp *Comparator) Callable(inA, inB Callable) bool

Callable does deep equals between the two objects.

func (*Comparator) ColTuple ¶

func (cmp *Comparator) ColTuple(inA, inB ColTuple) bool

ColTuple does deep equals between the two objects.

func (*Comparator) ColumnCharset ¶

func (cmp *Comparator) ColumnCharset(a, b ColumnCharset) bool

ColumnCharset does deep equals between the two objects.

func (*Comparator) Columns ¶

func (cmp *Comparator) Columns(a, b Columns) bool

Columns does deep equals between the two objects.

func (*Comparator) Comments ¶

func (cmp *Comparator) Comments(a, b Comments) bool

Comments does deep equals between the two objects.

func (*Comparator) ConstraintInfo ¶

func (cmp *Comparator) ConstraintInfo(inA, inB ConstraintInfo) bool

ConstraintInfo does deep equals between the two objects.

func (*Comparator) DBDDLStatement ¶

func (cmp *Comparator) DBDDLStatement(inA, inB DBDDLStatement) bool

DBDDLStatement does deep equals between the two objects.

func (*Comparator) DDLStatement ¶

func (cmp *Comparator) DDLStatement(inA, inB DDLStatement) bool

DDLStatement does deep equals between the two objects.

func (*Comparator) DatabaseOption ¶

func (cmp *Comparator) DatabaseOption(a, b DatabaseOption) bool

DatabaseOption does deep equals between the two objects.

func (*Comparator) Explain ¶

func (cmp *Comparator) Explain(inA, inB Explain) bool

Explain does deep equals between the two objects.

func (*Comparator) Expr ¶

func (cmp *Comparator) Expr(inA, inB Expr) bool

Expr does deep equals between the two objects.

func (*Comparator) Exprs ¶

func (cmp *Comparator) Exprs(a, b Exprs) bool

Exprs does deep equals between the two objects.

func (*Comparator) IdentifierCI ¶

func (cmp *Comparator) IdentifierCI(a, b IdentifierCI) bool

IdentifierCI does deep equals between the two objects.

func (*Comparator) IdentifierCS ¶

func (cmp *Comparator) IdentifierCS(a, b IdentifierCS) bool

IdentifierCS does deep equals between the two objects.

func (*Comparator) IndexHints ¶

func (cmp *Comparator) IndexHints(a, b IndexHints) bool

IndexHints does deep equals between the two objects.

func (*Comparator) InsertRows ¶

func (cmp *Comparator) InsertRows(inA, inB InsertRows) bool

InsertRows does deep equals between the two objects.

func (*Comparator) NamedWindows ¶

func (cmp *Comparator) NamedWindows(a, b NamedWindows) bool

NamedWindows does deep equals between the two objects.

func (*Comparator) OnDup ¶

func (cmp *Comparator) OnDup(a, b OnDup) bool

OnDup does deep equals between the two objects.

func (*Comparator) OrderBy ¶

func (cmp *Comparator) OrderBy(a, b OrderBy) bool

OrderBy does deep equals between the two objects.

func (*Comparator) Partitions ¶

func (cmp *Comparator) Partitions(a, b Partitions) bool

Partitions does deep equals between the two objects.

func (*Comparator) RefOfAddColumns ¶

func (cmp *Comparator) RefOfAddColumns(a, b *AddColumns) bool

RefOfAddColumns does deep equals between the two objects.

func (*Comparator) RefOfAddConstraintDefinition ¶

func (cmp *Comparator) RefOfAddConstraintDefinition(a, b *AddConstraintDefinition) bool

RefOfAddConstraintDefinition does deep equals between the two objects.

func (*Comparator) RefOfAddIndexDefinition ¶

func (cmp *Comparator) RefOfAddIndexDefinition(a, b *AddIndexDefinition) bool

RefOfAddIndexDefinition does deep equals between the two objects.

func (*Comparator) RefOfAliasedExpr ¶

func (cmp *Comparator) RefOfAliasedExpr(a, b *AliasedExpr) bool

RefOfAliasedExpr does deep equals between the two objects.

func (*Comparator) RefOfAliasedTableExpr ¶

func (cmp *Comparator) RefOfAliasedTableExpr(a, b *AliasedTableExpr) bool

RefOfAliasedTableExpr does deep equals between the two objects.

func (*Comparator) RefOfAlterCharset ¶

func (cmp *Comparator) RefOfAlterCharset(a, b *AlterCharset) bool

RefOfAlterCharset does deep equals between the two objects.

func (*Comparator) RefOfAlterCheck ¶

func (cmp *Comparator) RefOfAlterCheck(a, b *AlterCheck) bool

RefOfAlterCheck does deep equals between the two objects.

func (*Comparator) RefOfAlterColumn ¶

func (cmp *Comparator) RefOfAlterColumn(a, b *AlterColumn) bool

RefOfAlterColumn does deep equals between the two objects.

func (*Comparator) RefOfAlterDatabase ¶

func (cmp *Comparator) RefOfAlterDatabase(a, b *AlterDatabase) bool

RefOfAlterDatabase does deep equals between the two objects.

func (*Comparator) RefOfAlterIndex ¶

func (cmp *Comparator) RefOfAlterIndex(a, b *AlterIndex) bool

RefOfAlterIndex does deep equals between the two objects.

func (*Comparator) RefOfAlterMigration ¶

func (cmp *Comparator) RefOfAlterMigration(a, b *AlterMigration) bool

RefOfAlterMigration does deep equals between the two objects.

func (*Comparator) RefOfAlterTable ¶

func (cmp *Comparator) RefOfAlterTable(a, b *AlterTable) bool

RefOfAlterTable does deep equals between the two objects.

func (*Comparator) RefOfAlterView ¶

func (cmp *Comparator) RefOfAlterView(a, b *AlterView) bool

RefOfAlterView does deep equals between the two objects.

func (*Comparator) RefOfAlterVschema ¶

func (cmp *Comparator) RefOfAlterVschema(a, b *AlterVschema) bool

RefOfAlterVschema does deep equals between the two objects.

func (*Comparator) RefOfAnalyze ¶

func (cmp *Comparator) RefOfAnalyze(a, b *Analyze) bool

RefOfAnalyze does deep equals between the two objects.

func (*Comparator) RefOfAndExpr ¶

func (cmp *Comparator) RefOfAndExpr(a, b *AndExpr) bool

RefOfAndExpr does deep equals between the two objects.

func (*Comparator) RefOfAnyValue ¶

func (cmp *Comparator) RefOfAnyValue(a, b *AnyValue) bool

RefOfAnyValue does deep equals between the two objects.

func (*Comparator) RefOfArgument ¶

func (cmp *Comparator) RefOfArgument(a, b *Argument) bool

RefOfArgument does deep equals between the two objects.

func (*Comparator) RefOfArgumentLessWindowExpr ¶

func (cmp *Comparator) RefOfArgumentLessWindowExpr(a, b *ArgumentLessWindowExpr) bool

RefOfArgumentLessWindowExpr does deep equals between the two objects.

func (*Comparator) RefOfAssignmentExpr ¶

func (cmp *Comparator) RefOfAssignmentExpr(a, b *AssignmentExpr) bool

RefOfAssignmentExpr does deep equals between the two objects.

func (*Comparator) RefOfAutoIncSpec ¶

func (cmp *Comparator) RefOfAutoIncSpec(a, b *AutoIncSpec) bool

RefOfAutoIncSpec does deep equals between the two objects.

func (*Comparator) RefOfAvg ¶

func (cmp *Comparator) RefOfAvg(a, b *Avg) bool

RefOfAvg does deep equals between the two objects.

func (*Comparator) RefOfBegin ¶

func (cmp *Comparator) RefOfBegin(a, b *Begin) bool

RefOfBegin does deep equals between the two objects.

func (*Comparator) RefOfBetweenExpr ¶

func (cmp *Comparator) RefOfBetweenExpr(a, b *BetweenExpr) bool

RefOfBetweenExpr does deep equals between the two objects.

func (*Comparator) RefOfBinaryExpr ¶

func (cmp *Comparator) RefOfBinaryExpr(a, b *BinaryExpr) bool

RefOfBinaryExpr does deep equals between the two objects.

func (*Comparator) RefOfBitAnd ¶

func (cmp *Comparator) RefOfBitAnd(a, b *BitAnd) bool

RefOfBitAnd does deep equals between the two objects.

func (*Comparator) RefOfBitOr ¶

func (cmp *Comparator) RefOfBitOr(a, b *BitOr) bool

RefOfBitOr does deep equals between the two objects.

func (*Comparator) RefOfBitXor ¶

func (cmp *Comparator) RefOfBitXor(a, b *BitXor) bool

RefOfBitXor does deep equals between the two objects.

func (*Comparator) RefOfBool ¶

func (cmp *Comparator) RefOfBool(a, b *bool) bool

RefOfBool does deep equals between the two objects.

func (*Comparator) RefOfCallProc ¶

func (cmp *Comparator) RefOfCallProc(a, b *CallProc) bool

RefOfCallProc does deep equals between the two objects.

func (*Comparator) RefOfCaseExpr ¶

func (cmp *Comparator) RefOfCaseExpr(a, b *CaseExpr) bool

RefOfCaseExpr does deep equals between the two objects.

func (*Comparator) RefOfCastExpr ¶

func (cmp *Comparator) RefOfCastExpr(a, b *CastExpr) bool

RefOfCastExpr does deep equals between the two objects.

func (*Comparator) RefOfChangeColumn ¶

func (cmp *Comparator) RefOfChangeColumn(a, b *ChangeColumn) bool

RefOfChangeColumn does deep equals between the two objects.

func (*Comparator) RefOfCharExpr ¶

func (cmp *Comparator) RefOfCharExpr(a, b *CharExpr) bool

RefOfCharExpr does deep equals between the two objects.

func (*Comparator) RefOfCheckConstraintDefinition ¶

func (cmp *Comparator) RefOfCheckConstraintDefinition(a, b *CheckConstraintDefinition) bool

RefOfCheckConstraintDefinition does deep equals between the two objects.

func (*Comparator) RefOfColName ¶

func (cmp *Comparator) RefOfColName(a, b *ColName) bool

RefOfColName does deep equals between the two objects.

func (*Comparator) RefOfCollateExpr ¶

func (cmp *Comparator) RefOfCollateExpr(a, b *CollateExpr) bool

RefOfCollateExpr does deep equals between the two objects.

func (*Comparator) RefOfColumnCharset ¶

func (cmp *Comparator) RefOfColumnCharset(a, b *ColumnCharset) bool

RefOfColumnCharset does deep equals between the two objects.

func (*Comparator) RefOfColumnDefinition ¶

func (cmp *Comparator) RefOfColumnDefinition(a, b *ColumnDefinition) bool

RefOfColumnDefinition does deep equals between the two objects.

func (*Comparator) RefOfColumnType ¶

func (cmp *Comparator) RefOfColumnType(a, b *ColumnType) bool

RefOfColumnType does deep equals between the two objects.

func (*Comparator) RefOfColumnTypeOptions ¶

func (cmp *Comparator) RefOfColumnTypeOptions(a, b *ColumnTypeOptions) bool

RefOfColumnTypeOptions does deep equals between the two objects.

func (*Comparator) RefOfCommentOnly ¶

func (cmp *Comparator) RefOfCommentOnly(a, b *CommentOnly) bool

RefOfCommentOnly does deep equals between the two objects.

func (*Comparator) RefOfCommit ¶

func (cmp *Comparator) RefOfCommit(a, b *Commit) bool

RefOfCommit does deep equals between the two objects.

func (*Comparator) RefOfCommonTableExpr ¶

func (cmp *Comparator) RefOfCommonTableExpr(a, b *CommonTableExpr) bool

RefOfCommonTableExpr does deep equals between the two objects.

func (*Comparator) RefOfComparisonExpr ¶

func (cmp *Comparator) RefOfComparisonExpr(a, b *ComparisonExpr) bool

RefOfComparisonExpr does deep equals between the two objects.

func (*Comparator) RefOfConstraintDefinition ¶

func (cmp *Comparator) RefOfConstraintDefinition(a, b *ConstraintDefinition) bool

RefOfConstraintDefinition does deep equals between the two objects.

func (*Comparator) RefOfConvertExpr ¶

func (cmp *Comparator) RefOfConvertExpr(a, b *ConvertExpr) bool

RefOfConvertExpr does deep equals between the two objects.

func (*Comparator) RefOfConvertType ¶

func (cmp *Comparator) RefOfConvertType(a, b *ConvertType) bool

RefOfConvertType does deep equals between the two objects.

func (*Comparator) RefOfConvertUsingExpr ¶

func (cmp *Comparator) RefOfConvertUsingExpr(a, b *ConvertUsingExpr) bool

RefOfConvertUsingExpr does deep equals between the two objects.

func (*Comparator) RefOfCount ¶

func (cmp *Comparator) RefOfCount(a, b *Count) bool

RefOfCount does deep equals between the two objects.

func (*Comparator) RefOfCountStar ¶

func (cmp *Comparator) RefOfCountStar(a, b *CountStar) bool

RefOfCountStar does deep equals between the two objects.

func (*Comparator) RefOfCreateDatabase ¶

func (cmp *Comparator) RefOfCreateDatabase(a, b *CreateDatabase) bool

RefOfCreateDatabase does deep equals between the two objects.

func (*Comparator) RefOfCreateTable ¶

func (cmp *Comparator) RefOfCreateTable(a, b *CreateTable) bool

RefOfCreateTable does deep equals between the two objects.

func (*Comparator) RefOfCreateView ¶

func (cmp *Comparator) RefOfCreateView(a, b *CreateView) bool

RefOfCreateView does deep equals between the two objects.

func (*Comparator) RefOfCurTimeFuncExpr ¶

func (cmp *Comparator) RefOfCurTimeFuncExpr(a, b *CurTimeFuncExpr) bool

RefOfCurTimeFuncExpr does deep equals between the two objects.

func (*Comparator) RefOfDatabaseOption ¶

func (cmp *Comparator) RefOfDatabaseOption(a, b *DatabaseOption) bool

RefOfDatabaseOption does deep equals between the two objects.

func (*Comparator) RefOfDeallocateStmt ¶

func (cmp *Comparator) RefOfDeallocateStmt(a, b *DeallocateStmt) bool

RefOfDeallocateStmt does deep equals between the two objects.

func (*Comparator) RefOfDefault ¶

func (cmp *Comparator) RefOfDefault(a, b *Default) bool

RefOfDefault does deep equals between the two objects.

func (*Comparator) RefOfDefiner ¶

func (cmp *Comparator) RefOfDefiner(a, b *Definer) bool

RefOfDefiner does deep equals between the two objects.

func (*Comparator) RefOfDelete ¶

func (cmp *Comparator) RefOfDelete(a, b *Delete) bool

RefOfDelete does deep equals between the two objects.

func (*Comparator) RefOfDerivedTable ¶

func (cmp *Comparator) RefOfDerivedTable(a, b *DerivedTable) bool

RefOfDerivedTable does deep equals between the two objects.

func (*Comparator) RefOfDropColumn ¶

func (cmp *Comparator) RefOfDropColumn(a, b *DropColumn) bool

RefOfDropColumn does deep equals between the two objects.

func (*Comparator) RefOfDropDatabase ¶

func (cmp *Comparator) RefOfDropDatabase(a, b *DropDatabase) bool

RefOfDropDatabase does deep equals between the two objects.

func (*Comparator) RefOfDropKey ¶

func (cmp *Comparator) RefOfDropKey(a, b *DropKey) bool

RefOfDropKey does deep equals between the two objects.

func (*Comparator) RefOfDropTable ¶

func (cmp *Comparator) RefOfDropTable(a, b *DropTable) bool

RefOfDropTable does deep equals between the two objects.

func (*Comparator) RefOfDropView ¶

func (cmp *Comparator) RefOfDropView(a, b *DropView) bool

RefOfDropView does deep equals between the two objects.

func (*Comparator) RefOfExecuteStmt ¶

func (cmp *Comparator) RefOfExecuteStmt(a, b *ExecuteStmt) bool

RefOfExecuteStmt does deep equals between the two objects.

func (*Comparator) RefOfExistsExpr ¶

func (cmp *Comparator) RefOfExistsExpr(a, b *ExistsExpr) bool

RefOfExistsExpr does deep equals between the two objects.

func (*Comparator) RefOfExplainStmt ¶

func (cmp *Comparator) RefOfExplainStmt(a, b *ExplainStmt) bool

RefOfExplainStmt does deep equals between the two objects.

func (*Comparator) RefOfExplainTab ¶

func (cmp *Comparator) RefOfExplainTab(a, b *ExplainTab) bool

RefOfExplainTab does deep equals between the two objects.

func (*Comparator) RefOfExtractFuncExpr ¶

func (cmp *Comparator) RefOfExtractFuncExpr(a, b *ExtractFuncExpr) bool

RefOfExtractFuncExpr does deep equals between the two objects.

func (*Comparator) RefOfExtractValueExpr ¶

func (cmp *Comparator) RefOfExtractValueExpr(a, b *ExtractValueExpr) bool

RefOfExtractValueExpr does deep equals between the two objects.

func (*Comparator) RefOfFirstOrLastValueExpr ¶

func (cmp *Comparator) RefOfFirstOrLastValueExpr(a, b *FirstOrLastValueExpr) bool

RefOfFirstOrLastValueExpr does deep equals between the two objects.

func (*Comparator) RefOfFlush ¶

func (cmp *Comparator) RefOfFlush(a, b *Flush) bool

RefOfFlush does deep equals between the two objects.

func (*Comparator) RefOfForce ¶

func (cmp *Comparator) RefOfForce(a, b *Force) bool

RefOfForce does deep equals between the two objects.

func (*Comparator) RefOfForeignKeyDefinition ¶

func (cmp *Comparator) RefOfForeignKeyDefinition(a, b *ForeignKeyDefinition) bool

RefOfForeignKeyDefinition does deep equals between the two objects.

func (*Comparator) RefOfFrameClause ¶

func (cmp *Comparator) RefOfFrameClause(a, b *FrameClause) bool

RefOfFrameClause does deep equals between the two objects.

func (*Comparator) RefOfFramePoint ¶

func (cmp *Comparator) RefOfFramePoint(a, b *FramePoint) bool

RefOfFramePoint does deep equals between the two objects.

func (*Comparator) RefOfFromFirstLastClause ¶

func (cmp *Comparator) RefOfFromFirstLastClause(a, b *FromFirstLastClause) bool

RefOfFromFirstLastClause does deep equals between the two objects.

func (*Comparator) RefOfFuncExpr ¶

func (cmp *Comparator) RefOfFuncExpr(a, b *FuncExpr) bool

RefOfFuncExpr does deep equals between the two objects.

func (*Comparator) RefOfGTIDFuncExpr ¶

func (cmp *Comparator) RefOfGTIDFuncExpr(a, b *GTIDFuncExpr) bool

RefOfGTIDFuncExpr does deep equals between the two objects.

func (*Comparator) RefOfGeoHashFromLatLongExpr ¶

func (cmp *Comparator) RefOfGeoHashFromLatLongExpr(a, b *GeoHashFromLatLongExpr) bool

RefOfGeoHashFromLatLongExpr does deep equals between the two objects.

func (*Comparator) RefOfGeoHashFromPointExpr ¶

func (cmp *Comparator) RefOfGeoHashFromPointExpr(a, b *GeoHashFromPointExpr) bool

RefOfGeoHashFromPointExpr does deep equals between the two objects.

func (*Comparator) RefOfGeoJSONFromGeomExpr ¶

func (cmp *Comparator) RefOfGeoJSONFromGeomExpr(a, b *GeoJSONFromGeomExpr) bool

RefOfGeoJSONFromGeomExpr does deep equals between the two objects.

func (*Comparator) RefOfGeomCollPropertyFuncExpr ¶

func (cmp *Comparator) RefOfGeomCollPropertyFuncExpr(a, b *GeomCollPropertyFuncExpr) bool

RefOfGeomCollPropertyFuncExpr does deep equals between the two objects.

func (*Comparator) RefOfGeomFormatExpr ¶

func (cmp *Comparator) RefOfGeomFormatExpr(a, b *GeomFormatExpr) bool

RefOfGeomFormatExpr does deep equals between the two objects.

func (*Comparator) RefOfGeomFromGeoHashExpr ¶

func (cmp *Comparator) RefOfGeomFromGeoHashExpr(a, b *GeomFromGeoHashExpr) bool

RefOfGeomFromGeoHashExpr does deep equals between the two objects.

func (*Comparator) RefOfGeomFromGeoJSONExpr ¶

func (cmp *Comparator) RefOfGeomFromGeoJSONExpr(a, b *GeomFromGeoJSONExpr) bool

RefOfGeomFromGeoJSONExpr does deep equals between the two objects.

func (*Comparator) RefOfGeomFromTextExpr ¶

func (cmp *Comparator) RefOfGeomFromTextExpr(a, b *GeomFromTextExpr) bool

RefOfGeomFromTextExpr does deep equals between the two objects.

func (*Comparator) RefOfGeomFromWKBExpr ¶

func (cmp *Comparator) RefOfGeomFromWKBExpr(a, b *GeomFromWKBExpr) bool

RefOfGeomFromWKBExpr does deep equals between the two objects.

func (*Comparator) RefOfGeomPropertyFuncExpr ¶

func (cmp *Comparator) RefOfGeomPropertyFuncExpr(a, b *GeomPropertyFuncExpr) bool

RefOfGeomPropertyFuncExpr does deep equals between the two objects.

func (*Comparator) RefOfGroupBy ¶

func (cmp *Comparator) RefOfGroupBy(a, b *GroupBy) bool

RefOfGroupBy does deep equals between the two objects.

func (*Comparator) RefOfGroupConcatExpr ¶

func (cmp *Comparator) RefOfGroupConcatExpr(a, b *GroupConcatExpr) bool

RefOfGroupConcatExpr does deep equals between the two objects.

func (*Comparator) RefOfIdentifierCI ¶

func (cmp *Comparator) RefOfIdentifierCI(a, b *IdentifierCI) bool

RefOfIdentifierCI does deep equals between the two objects.

func (*Comparator) RefOfIdentifierCS ¶

func (cmp *Comparator) RefOfIdentifierCS(a, b *IdentifierCS) bool

RefOfIdentifierCS does deep equals between the two objects.

func (*Comparator) RefOfIndexColumn ¶

func (cmp *Comparator) RefOfIndexColumn(a, b *IndexColumn) bool

RefOfIndexColumn does deep equals between the two objects.

func (*Comparator) RefOfIndexDefinition ¶

func (cmp *Comparator) RefOfIndexDefinition(a, b *IndexDefinition) bool

RefOfIndexDefinition does deep equals between the two objects.

func (*Comparator) RefOfIndexHint ¶

func (cmp *Comparator) RefOfIndexHint(a, b *IndexHint) bool

RefOfIndexHint does deep equals between the two objects.

func (*Comparator) RefOfIndexInfo ¶

func (cmp *Comparator) RefOfIndexInfo(a, b *IndexInfo) bool

RefOfIndexInfo does deep equals between the two objects.

func (*Comparator) RefOfIndexOption ¶

func (cmp *Comparator) RefOfIndexOption(a, b *IndexOption) bool

RefOfIndexOption does deep equals between the two objects.

func (*Comparator) RefOfInsert ¶

func (cmp *Comparator) RefOfInsert(a, b *Insert) bool

RefOfInsert does deep equals between the two objects.

func (*Comparator) RefOfInsertExpr ¶

func (cmp *Comparator) RefOfInsertExpr(a, b *InsertExpr) bool

RefOfInsertExpr does deep equals between the two objects.

func (*Comparator) RefOfInt ¶

func (cmp *Comparator) RefOfInt(a, b *int) bool

RefOfInt does deep equals between the two objects.

func (*Comparator) RefOfIntervalDateExpr ¶

func (cmp *Comparator) RefOfIntervalDateExpr(a, b *IntervalDateExpr) bool

RefOfIntervalDateExpr does deep equals between the two objects.

func (*Comparator) RefOfIntervalFuncExpr ¶

func (cmp *Comparator) RefOfIntervalFuncExpr(a, b *IntervalFuncExpr) bool

RefOfIntervalFuncExpr does deep equals between the two objects.

func (*Comparator) RefOfIntroducerExpr ¶

func (cmp *Comparator) RefOfIntroducerExpr(a, b *IntroducerExpr) bool

RefOfIntroducerExpr does deep equals between the two objects.

func (*Comparator) RefOfIsExpr ¶

func (cmp *Comparator) RefOfIsExpr(a, b *IsExpr) bool

RefOfIsExpr does deep equals between the two objects.

func (*Comparator) RefOfJSONArrayExpr ¶

func (cmp *Comparator) RefOfJSONArrayExpr(a, b *JSONArrayExpr) bool

RefOfJSONArrayExpr does deep equals between the two objects.

func (*Comparator) RefOfJSONAttributesExpr ¶

func (cmp *Comparator) RefOfJSONAttributesExpr(a, b *JSONAttributesExpr) bool

RefOfJSONAttributesExpr does deep equals between the two objects.

func (*Comparator) RefOfJSONContainsExpr ¶

func (cmp *Comparator) RefOfJSONContainsExpr(a, b *JSONContainsExpr) bool

RefOfJSONContainsExpr does deep equals between the two objects.

func (*Comparator) RefOfJSONContainsPathExpr ¶

func (cmp *Comparator) RefOfJSONContainsPathExpr(a, b *JSONContainsPathExpr) bool

RefOfJSONContainsPathExpr does deep equals between the two objects.

func (*Comparator) RefOfJSONExtractExpr ¶

func (cmp *Comparator) RefOfJSONExtractExpr(a, b *JSONExtractExpr) bool

RefOfJSONExtractExpr does deep equals between the two objects.

func (*Comparator) RefOfJSONKeysExpr ¶

func (cmp *Comparator) RefOfJSONKeysExpr(a, b *JSONKeysExpr) bool

RefOfJSONKeysExpr does deep equals between the two objects.

func (*Comparator) RefOfJSONObjectExpr ¶

func (cmp *Comparator) RefOfJSONObjectExpr(a, b *JSONObjectExpr) bool

RefOfJSONObjectExpr does deep equals between the two objects.

func (*Comparator) RefOfJSONObjectParam ¶

func (cmp *Comparator) RefOfJSONObjectParam(a, b *JSONObjectParam) bool

RefOfJSONObjectParam does deep equals between the two objects.

func (*Comparator) RefOfJSONOverlapsExpr ¶

func (cmp *Comparator) RefOfJSONOverlapsExpr(a, b *JSONOverlapsExpr) bool

RefOfJSONOverlapsExpr does deep equals between the two objects.

func (*Comparator) RefOfJSONPrettyExpr ¶

func (cmp *Comparator) RefOfJSONPrettyExpr(a, b *JSONPrettyExpr) bool

RefOfJSONPrettyExpr does deep equals between the two objects.

func (*Comparator) RefOfJSONQuoteExpr ¶

func (cmp *Comparator) RefOfJSONQuoteExpr(a, b *JSONQuoteExpr) bool

RefOfJSONQuoteExpr does deep equals between the two objects.

func (*Comparator) RefOfJSONRemoveExpr ¶

func (cmp *Comparator) RefOfJSONRemoveExpr(a, b *JSONRemoveExpr) bool

RefOfJSONRemoveExpr does deep equals between the two objects.

func (*Comparator) RefOfJSONSchemaValidFuncExpr ¶

func (cmp *Comparator) RefOfJSONSchemaValidFuncExpr(a, b *JSONSchemaValidFuncExpr) bool

RefOfJSONSchemaValidFuncExpr does deep equals between the two objects.

func (*Comparator) RefOfJSONSchemaValidationReportFuncExpr ¶

func (cmp *Comparator) RefOfJSONSchemaValidationReportFuncExpr(a, b *JSONSchemaValidationReportFuncExpr) bool

RefOfJSONSchemaValidationReportFuncExpr does deep equals between the two objects.

func (*Comparator) RefOfJSONSearchExpr ¶

func (cmp *Comparator) RefOfJSONSearchExpr(a, b *JSONSearchExpr) bool

RefOfJSONSearchExpr does deep equals between the two objects.

func (*Comparator) RefOfJSONStorageFreeExpr ¶

func (cmp *Comparator) RefOfJSONStorageFreeExpr(a, b *JSONStorageFreeExpr) bool

RefOfJSONStorageFreeExpr does deep equals between the two objects.

func (*Comparator) RefOfJSONStorageSizeExpr ¶

func (cmp *Comparator) RefOfJSONStorageSizeExpr(a, b *JSONStorageSizeExpr) bool

RefOfJSONStorageSizeExpr does deep equals between the two objects.

func (*Comparator) RefOfJSONTableExpr ¶

func (cmp *Comparator) RefOfJSONTableExpr(a, b *JSONTableExpr) bool

RefOfJSONTableExpr does deep equals between the two objects.

func (*Comparator) RefOfJSONUnquoteExpr ¶

func (cmp *Comparator) RefOfJSONUnquoteExpr(a, b *JSONUnquoteExpr) bool

RefOfJSONUnquoteExpr does deep equals between the two objects.

func (*Comparator) RefOfJSONValueExpr ¶

func (cmp *Comparator) RefOfJSONValueExpr(a, b *JSONValueExpr) bool

RefOfJSONValueExpr does deep equals between the two objects.

func (*Comparator) RefOfJSONValueMergeExpr ¶

func (cmp *Comparator) RefOfJSONValueMergeExpr(a, b *JSONValueMergeExpr) bool

RefOfJSONValueMergeExpr does deep equals between the two objects.

func (*Comparator) RefOfJSONValueModifierExpr ¶

func (cmp *Comparator) RefOfJSONValueModifierExpr(a, b *JSONValueModifierExpr) bool

RefOfJSONValueModifierExpr does deep equals between the two objects.

func (*Comparator) RefOfJoinCondition ¶

func (cmp *Comparator) RefOfJoinCondition(a, b *JoinCondition) bool

RefOfJoinCondition does deep equals between the two objects.

func (*Comparator) RefOfJoinTableExpr ¶

func (cmp *Comparator) RefOfJoinTableExpr(a, b *JoinTableExpr) bool

RefOfJoinTableExpr does deep equals between the two objects.

func (*Comparator) RefOfJtColumnDefinition ¶

func (cmp *Comparator) RefOfJtColumnDefinition(a, b *JtColumnDefinition) bool

RefOfJtColumnDefinition does deep equals between the two objects.

func (*Comparator) RefOfJtNestedPathColDef ¶

func (cmp *Comparator) RefOfJtNestedPathColDef(a, b *JtNestedPathColDef) bool

RefOfJtNestedPathColDef does deep equals between the two objects.

func (*Comparator) RefOfJtOnResponse ¶

func (cmp *Comparator) RefOfJtOnResponse(a, b *JtOnResponse) bool

RefOfJtOnResponse does deep equals between the two objects.

func (*Comparator) RefOfJtOrdinalColDef ¶

func (cmp *Comparator) RefOfJtOrdinalColDef(a, b *JtOrdinalColDef) bool

RefOfJtOrdinalColDef does deep equals between the two objects.

func (*Comparator) RefOfJtPathColDef ¶

func (cmp *Comparator) RefOfJtPathColDef(a, b *JtPathColDef) bool

RefOfJtPathColDef does deep equals between the two objects.

func (*Comparator) RefOfKeyState ¶

func (cmp *Comparator) RefOfKeyState(a, b *KeyState) bool

RefOfKeyState does deep equals between the two objects.

func (*Comparator) RefOfKill ¶

func (cmp *Comparator) RefOfKill(a, b *Kill) bool

RefOfKill does deep equals between the two objects.

func (*Comparator) RefOfLagLeadExpr ¶

func (cmp *Comparator) RefOfLagLeadExpr(a, b *LagLeadExpr) bool

RefOfLagLeadExpr does deep equals between the two objects.

func (*Comparator) RefOfLimit ¶

func (cmp *Comparator) RefOfLimit(a, b *Limit) bool

RefOfLimit does deep equals between the two objects.

func (*Comparator) RefOfLineStringExpr ¶

func (cmp *Comparator) RefOfLineStringExpr(a, b *LineStringExpr) bool

RefOfLineStringExpr does deep equals between the two objects.

func (*Comparator) RefOfLinestrPropertyFuncExpr ¶

func (cmp *Comparator) RefOfLinestrPropertyFuncExpr(a, b *LinestrPropertyFuncExpr) bool

RefOfLinestrPropertyFuncExpr does deep equals between the two objects.

func (*Comparator) RefOfLiteral ¶

func (cmp *Comparator) RefOfLiteral(a, b *Literal) bool

RefOfLiteral does deep equals between the two objects.

func (*Comparator) RefOfLoad ¶

func (cmp *Comparator) RefOfLoad(a, b *Load) bool

RefOfLoad does deep equals between the two objects.

func (*Comparator) RefOfLocateExpr ¶

func (cmp *Comparator) RefOfLocateExpr(a, b *LocateExpr) bool

RefOfLocateExpr does deep equals between the two objects.

func (*Comparator) RefOfLockOption ¶

func (cmp *Comparator) RefOfLockOption(a, b *LockOption) bool

RefOfLockOption does deep equals between the two objects.

func (*Comparator) RefOfLockTables ¶

func (cmp *Comparator) RefOfLockTables(a, b *LockTables) bool

RefOfLockTables does deep equals between the two objects.

func (*Comparator) RefOfLockingFunc ¶

func (cmp *Comparator) RefOfLockingFunc(a, b *LockingFunc) bool

RefOfLockingFunc does deep equals between the two objects.

func (*Comparator) RefOfMatchExpr ¶

func (cmp *Comparator) RefOfMatchExpr(a, b *MatchExpr) bool

RefOfMatchExpr does deep equals between the two objects.

func (*Comparator) RefOfMax ¶

func (cmp *Comparator) RefOfMax(a, b *Max) bool

RefOfMax does deep equals between the two objects.

func (*Comparator) RefOfMemberOfExpr ¶

func (cmp *Comparator) RefOfMemberOfExpr(a, b *MemberOfExpr) bool

RefOfMemberOfExpr does deep equals between the two objects.

func (*Comparator) RefOfMin ¶

func (cmp *Comparator) RefOfMin(a, b *Min) bool

RefOfMin does deep equals between the two objects.

func (*Comparator) RefOfModifyColumn ¶

func (cmp *Comparator) RefOfModifyColumn(a, b *ModifyColumn) bool

RefOfModifyColumn does deep equals between the two objects.

func (*Comparator) RefOfMultiLinestringExpr ¶

func (cmp *Comparator) RefOfMultiLinestringExpr(a, b *MultiLinestringExpr) bool

RefOfMultiLinestringExpr does deep equals between the two objects.

func (*Comparator) RefOfMultiPointExpr ¶

func (cmp *Comparator) RefOfMultiPointExpr(a, b *MultiPointExpr) bool

RefOfMultiPointExpr does deep equals between the two objects.

func (*Comparator) RefOfMultiPolygonExpr ¶

func (cmp *Comparator) RefOfMultiPolygonExpr(a, b *MultiPolygonExpr) bool

RefOfMultiPolygonExpr does deep equals between the two objects.

func (*Comparator) RefOfNTHValueExpr ¶

func (cmp *Comparator) RefOfNTHValueExpr(a, b *NTHValueExpr) bool

RefOfNTHValueExpr does deep equals between the two objects.

func (*Comparator) RefOfNamedWindow ¶

func (cmp *Comparator) RefOfNamedWindow(a, b *NamedWindow) bool

RefOfNamedWindow does deep equals between the two objects.

func (*Comparator) RefOfNextval ¶

func (cmp *Comparator) RefOfNextval(a, b *Nextval) bool

RefOfNextval does deep equals between the two objects.

func (*Comparator) RefOfNotExpr ¶

func (cmp *Comparator) RefOfNotExpr(a, b *NotExpr) bool

RefOfNotExpr does deep equals between the two objects.

func (*Comparator) RefOfNtileExpr ¶

func (cmp *Comparator) RefOfNtileExpr(a, b *NtileExpr) bool

RefOfNtileExpr does deep equals between the two objects.

func (*Comparator) RefOfNullTreatmentClause ¶

func (cmp *Comparator) RefOfNullTreatmentClause(a, b *NullTreatmentClause) bool

RefOfNullTreatmentClause does deep equals between the two objects.

func (*Comparator) RefOfNullVal ¶

func (cmp *Comparator) RefOfNullVal(a, b *NullVal) bool

RefOfNullVal does deep equals between the two objects.

func (*Comparator) RefOfOffset ¶

func (cmp *Comparator) RefOfOffset(a, b *Offset) bool

RefOfOffset does deep equals between the two objects.

func (*Comparator) RefOfOptLike ¶

func (cmp *Comparator) RefOfOptLike(a, b *OptLike) bool

RefOfOptLike does deep equals between the two objects.

func (*Comparator) RefOfOrExpr ¶

func (cmp *Comparator) RefOfOrExpr(a, b *OrExpr) bool

RefOfOrExpr does deep equals between the two objects.

func (*Comparator) RefOfOrder ¶

func (cmp *Comparator) RefOfOrder(a, b *Order) bool

RefOfOrder does deep equals between the two objects.

func (*Comparator) RefOfOrderByOption ¶

func (cmp *Comparator) RefOfOrderByOption(a, b *OrderByOption) bool

RefOfOrderByOption does deep equals between the two objects.

func (*Comparator) RefOfOtherAdmin ¶

func (cmp *Comparator) RefOfOtherAdmin(a, b *OtherAdmin) bool

RefOfOtherAdmin does deep equals between the two objects.

func (*Comparator) RefOfOverClause ¶

func (cmp *Comparator) RefOfOverClause(a, b *OverClause) bool

RefOfOverClause does deep equals between the two objects.

func (*Comparator) RefOfParenTableExpr ¶

func (cmp *Comparator) RefOfParenTableExpr(a, b *ParenTableExpr) bool

RefOfParenTableExpr does deep equals between the two objects.

func (*Comparator) RefOfParsedComments ¶

func (cmp *Comparator) RefOfParsedComments(a, b *ParsedComments) bool

RefOfParsedComments does deep equals between the two objects.

func (*Comparator) RefOfPartitionDefinition ¶

func (cmp *Comparator) RefOfPartitionDefinition(a, b *PartitionDefinition) bool

RefOfPartitionDefinition does deep equals between the two objects.

func (*Comparator) RefOfPartitionDefinitionOptions ¶

func (cmp *Comparator) RefOfPartitionDefinitionOptions(a, b *PartitionDefinitionOptions) bool

RefOfPartitionDefinitionOptions does deep equals between the two objects.

func (*Comparator) RefOfPartitionEngine ¶

func (cmp *Comparator) RefOfPartitionEngine(a, b *PartitionEngine) bool

RefOfPartitionEngine does deep equals between the two objects.

func (*Comparator) RefOfPartitionOption ¶

func (cmp *Comparator) RefOfPartitionOption(a, b *PartitionOption) bool

RefOfPartitionOption does deep equals between the two objects.

func (*Comparator) RefOfPartitionSpec ¶

func (cmp *Comparator) RefOfPartitionSpec(a, b *PartitionSpec) bool

RefOfPartitionSpec does deep equals between the two objects.

func (*Comparator) RefOfPartitionValueRange ¶

func (cmp *Comparator) RefOfPartitionValueRange(a, b *PartitionValueRange) bool

RefOfPartitionValueRange does deep equals between the two objects.

func (*Comparator) RefOfPerformanceSchemaFuncExpr ¶

func (cmp *Comparator) RefOfPerformanceSchemaFuncExpr(a, b *PerformanceSchemaFuncExpr) bool

RefOfPerformanceSchemaFuncExpr does deep equals between the two objects.

func (*Comparator) RefOfPointExpr ¶

func (cmp *Comparator) RefOfPointExpr(a, b *PointExpr) bool

RefOfPointExpr does deep equals between the two objects.

func (*Comparator) RefOfPointPropertyFuncExpr ¶

func (cmp *Comparator) RefOfPointPropertyFuncExpr(a, b *PointPropertyFuncExpr) bool

RefOfPointPropertyFuncExpr does deep equals between the two objects.

func (*Comparator) RefOfPolygonExpr ¶

func (cmp *Comparator) RefOfPolygonExpr(a, b *PolygonExpr) bool

RefOfPolygonExpr does deep equals between the two objects.

func (*Comparator) RefOfPolygonPropertyFuncExpr ¶

func (cmp *Comparator) RefOfPolygonPropertyFuncExpr(a, b *PolygonPropertyFuncExpr) bool

RefOfPolygonPropertyFuncExpr does deep equals between the two objects.

func (*Comparator) RefOfPrepareStmt ¶

func (cmp *Comparator) RefOfPrepareStmt(a, b *PrepareStmt) bool

RefOfPrepareStmt does deep equals between the two objects.

func (*Comparator) RefOfPurgeBinaryLogs ¶

func (cmp *Comparator) RefOfPurgeBinaryLogs(a, b *PurgeBinaryLogs) bool

RefOfPurgeBinaryLogs does deep equals between the two objects.

func (*Comparator) RefOfReferenceDefinition ¶

func (cmp *Comparator) RefOfReferenceDefinition(a, b *ReferenceDefinition) bool

RefOfReferenceDefinition does deep equals between the two objects.

func (*Comparator) RefOfRegexpInstrExpr ¶

func (cmp *Comparator) RefOfRegexpInstrExpr(a, b *RegexpInstrExpr) bool

RefOfRegexpInstrExpr does deep equals between the two objects.

func (*Comparator) RefOfRegexpLikeExpr ¶

func (cmp *Comparator) RefOfRegexpLikeExpr(a, b *RegexpLikeExpr) bool

RefOfRegexpLikeExpr does deep equals between the two objects.

func (*Comparator) RefOfRegexpReplaceExpr ¶

func (cmp *Comparator) RefOfRegexpReplaceExpr(a, b *RegexpReplaceExpr) bool

RefOfRegexpReplaceExpr does deep equals between the two objects.

func (*Comparator) RefOfRegexpSubstrExpr ¶

func (cmp *Comparator) RefOfRegexpSubstrExpr(a, b *RegexpSubstrExpr) bool

RefOfRegexpSubstrExpr does deep equals between the two objects.

func (*Comparator) RefOfRelease ¶

func (cmp *Comparator) RefOfRelease(a, b *Release) bool

RefOfRelease does deep equals between the two objects.

func (*Comparator) RefOfRenameColumn ¶

func (cmp *Comparator) RefOfRenameColumn(a, b *RenameColumn) bool

RefOfRenameColumn does deep equals between the two objects.

func (*Comparator) RefOfRenameIndex ¶

func (cmp *Comparator) RefOfRenameIndex(a, b *RenameIndex) bool

RefOfRenameIndex does deep equals between the two objects.

func (*Comparator) RefOfRenameTable ¶

func (cmp *Comparator) RefOfRenameTable(a, b *RenameTable) bool

RefOfRenameTable does deep equals between the two objects.

func (*Comparator) RefOfRenameTableName ¶

func (cmp *Comparator) RefOfRenameTableName(a, b *RenameTableName) bool

RefOfRenameTableName does deep equals between the two objects.

func (*Comparator) RefOfRenameTablePair ¶

func (cmp *Comparator) RefOfRenameTablePair(a, b *RenameTablePair) bool

RefOfRenameTablePair does deep equals between the two objects.

func (*Comparator) RefOfRevertMigration ¶

func (cmp *Comparator) RefOfRevertMigration(a, b *RevertMigration) bool

RefOfRevertMigration does deep equals between the two objects.

func (*Comparator) RefOfRollback ¶

func (cmp *Comparator) RefOfRollback(a, b *Rollback) bool

RefOfRollback does deep equals between the two objects.

func (*Comparator) RefOfRootNode ¶

func (cmp *Comparator) RefOfRootNode(a, b *RootNode) bool

RefOfRootNode does deep equals between the two objects.

func (*Comparator) RefOfRowAlias ¶

func (cmp *Comparator) RefOfRowAlias(a, b *RowAlias) bool

RefOfRowAlias does deep equals between the two objects.

func (*Comparator) RefOfSRollback ¶

func (cmp *Comparator) RefOfSRollback(a, b *SRollback) bool

RefOfSRollback does deep equals between the two objects.

func (*Comparator) RefOfSavepoint ¶

func (cmp *Comparator) RefOfSavepoint(a, b *Savepoint) bool

RefOfSavepoint does deep equals between the two objects.

func (*Comparator) RefOfSelect ¶

func (cmp *Comparator) RefOfSelect(a, b *Select) bool

RefOfSelect does deep equals between the two objects.

func (*Comparator) RefOfSelectInto ¶

func (cmp *Comparator) RefOfSelectInto(a, b *SelectInto) bool

RefOfSelectInto does deep equals between the two objects.

func (*Comparator) RefOfSet ¶

func (cmp *Comparator) RefOfSet(a, b *Set) bool

RefOfSet does deep equals between the two objects.

func (*Comparator) RefOfSetExpr ¶

func (cmp *Comparator) RefOfSetExpr(a, b *SetExpr) bool

RefOfSetExpr does deep equals between the two objects.

func (*Comparator) RefOfShow ¶

func (cmp *Comparator) RefOfShow(a, b *Show) bool

RefOfShow does deep equals between the two objects.

func (*Comparator) RefOfShowBasic ¶

func (cmp *Comparator) RefOfShowBasic(a, b *ShowBasic) bool

RefOfShowBasic does deep equals between the two objects.

func (*Comparator) RefOfShowCreate ¶

func (cmp *Comparator) RefOfShowCreate(a, b *ShowCreate) bool

RefOfShowCreate does deep equals between the two objects.

func (*Comparator) RefOfShowFilter ¶

func (cmp *Comparator) RefOfShowFilter(a, b *ShowFilter) bool

RefOfShowFilter does deep equals between the two objects.

func (*Comparator) RefOfShowMigrationLogs ¶

func (cmp *Comparator) RefOfShowMigrationLogs(a, b *ShowMigrationLogs) bool

RefOfShowMigrationLogs does deep equals between the two objects.

func (*Comparator) RefOfShowOther ¶

func (cmp *Comparator) RefOfShowOther(a, b *ShowOther) bool

RefOfShowOther does deep equals between the two objects.

func (*Comparator) RefOfShowThrottledApps ¶

func (cmp *Comparator) RefOfShowThrottledApps(a, b *ShowThrottledApps) bool

RefOfShowThrottledApps does deep equals between the two objects.

func (*Comparator) RefOfShowThrottlerStatus ¶

func (cmp *Comparator) RefOfShowThrottlerStatus(a, b *ShowThrottlerStatus) bool

RefOfShowThrottlerStatus does deep equals between the two objects.

func (*Comparator) RefOfStarExpr ¶

func (cmp *Comparator) RefOfStarExpr(a, b *StarExpr) bool

RefOfStarExpr does deep equals between the two objects.

func (*Comparator) RefOfStd ¶

func (cmp *Comparator) RefOfStd(a, b *Std) bool

RefOfStd does deep equals between the two objects.

func (*Comparator) RefOfStdDev ¶

func (cmp *Comparator) RefOfStdDev(a, b *StdDev) bool

RefOfStdDev does deep equals between the two objects.

func (*Comparator) RefOfStdPop ¶

func (cmp *Comparator) RefOfStdPop(a, b *StdPop) bool

RefOfStdPop does deep equals between the two objects.

func (*Comparator) RefOfStdSamp ¶

func (cmp *Comparator) RefOfStdSamp(a, b *StdSamp) bool

RefOfStdSamp does deep equals between the two objects.

func (*Comparator) RefOfStream ¶

func (cmp *Comparator) RefOfStream(a, b *Stream) bool

RefOfStream does deep equals between the two objects.

func (*Comparator) RefOfSubPartition ¶

func (cmp *Comparator) RefOfSubPartition(a, b *SubPartition) bool

RefOfSubPartition does deep equals between the two objects.

func (*Comparator) RefOfSubPartitionDefinition ¶

func (cmp *Comparator) RefOfSubPartitionDefinition(a, b *SubPartitionDefinition) bool

RefOfSubPartitionDefinition does deep equals between the two objects.

func (*Comparator) RefOfSubPartitionDefinitionOptions ¶

func (cmp *Comparator) RefOfSubPartitionDefinitionOptions(a, b *SubPartitionDefinitionOptions) bool

RefOfSubPartitionDefinitionOptions does deep equals between the two objects.

func (*Comparator) RefOfSubquery ¶

func (cmp *Comparator) RefOfSubquery(a, b *Subquery) bool

RefOfSubquery does deep equals between the two objects.

func (*Comparator) RefOfSubstrExpr ¶

func (cmp *Comparator) RefOfSubstrExpr(a, b *SubstrExpr) bool

RefOfSubstrExpr does deep equals between the two objects.

func (*Comparator) RefOfSum ¶

func (cmp *Comparator) RefOfSum(a, b *Sum) bool

RefOfSum does deep equals between the two objects.

func (*Comparator) RefOfTableAndLockType ¶

func (cmp *Comparator) RefOfTableAndLockType(a, b *TableAndLockType) bool

RefOfTableAndLockType does deep equals between the two objects.

func (*Comparator) RefOfTableName ¶

func (cmp *Comparator) RefOfTableName(a, b *TableName) bool

RefOfTableName does deep equals between the two objects.

func (*Comparator) RefOfTableOption ¶

func (cmp *Comparator) RefOfTableOption(a, b *TableOption) bool

RefOfTableOption does deep equals between the two objects.

func (*Comparator) RefOfTableSpec ¶

func (cmp *Comparator) RefOfTableSpec(a, b *TableSpec) bool

RefOfTableSpec does deep equals between the two objects.

func (*Comparator) RefOfTablespaceOperation ¶

func (cmp *Comparator) RefOfTablespaceOperation(a, b *TablespaceOperation) bool

RefOfTablespaceOperation does deep equals between the two objects.

func (*Comparator) RefOfTimestampDiffExpr ¶

func (cmp *Comparator) RefOfTimestampDiffExpr(a, b *TimestampDiffExpr) bool

RefOfTimestampDiffExpr does deep equals between the two objects.

func (*Comparator) RefOfTrimFuncExpr ¶

func (cmp *Comparator) RefOfTrimFuncExpr(a, b *TrimFuncExpr) bool

RefOfTrimFuncExpr does deep equals between the two objects.

func (*Comparator) RefOfTruncateTable ¶

func (cmp *Comparator) RefOfTruncateTable(a, b *TruncateTable) bool

RefOfTruncateTable does deep equals between the two objects.

func (*Comparator) RefOfUnaryExpr ¶

func (cmp *Comparator) RefOfUnaryExpr(a, b *UnaryExpr) bool

RefOfUnaryExpr does deep equals between the two objects.

func (*Comparator) RefOfUnion ¶

func (cmp *Comparator) RefOfUnion(a, b *Union) bool

RefOfUnion does deep equals between the two objects.

func (*Comparator) RefOfUnlockTables ¶

func (cmp *Comparator) RefOfUnlockTables(a, b *UnlockTables) bool

RefOfUnlockTables does deep equals between the two objects.

func (*Comparator) RefOfUpdate ¶

func (cmp *Comparator) RefOfUpdate(a, b *Update) bool

RefOfUpdate does deep equals between the two objects.

func (*Comparator) RefOfUpdateExpr ¶

func (cmp *Comparator) RefOfUpdateExpr(a, b *UpdateExpr) bool

RefOfUpdateExpr does deep equals between the two objects.

func (*Comparator) RefOfUpdateXMLExpr ¶

func (cmp *Comparator) RefOfUpdateXMLExpr(a, b *UpdateXMLExpr) bool

RefOfUpdateXMLExpr does deep equals between the two objects.

func (*Comparator) RefOfUse ¶

func (cmp *Comparator) RefOfUse(a, b *Use) bool

RefOfUse does deep equals between the two objects.

func (*Comparator) RefOfVExplainStmt ¶

func (cmp *Comparator) RefOfVExplainStmt(a, b *VExplainStmt) bool

RefOfVExplainStmt does deep equals between the two objects.

func (*Comparator) RefOfVStream ¶

func (cmp *Comparator) RefOfVStream(a, b *VStream) bool

RefOfVStream does deep equals between the two objects.

func (*Comparator) RefOfValidation ¶

func (cmp *Comparator) RefOfValidation(a, b *Validation) bool

RefOfValidation does deep equals between the two objects.

func (*Comparator) RefOfValuesFuncExpr ¶

func (cmp *Comparator) RefOfValuesFuncExpr(a, b *ValuesFuncExpr) bool

RefOfValuesFuncExpr does deep equals between the two objects.

func (*Comparator) RefOfVarPop ¶

func (cmp *Comparator) RefOfVarPop(a, b *VarPop) bool

RefOfVarPop does deep equals between the two objects.

func (*Comparator) RefOfVarSamp ¶

func (cmp *Comparator) RefOfVarSamp(a, b *VarSamp) bool

RefOfVarSamp does deep equals between the two objects.

func (*Comparator) RefOfVariable ¶

func (cmp *Comparator) RefOfVariable(a, b *Variable) bool

RefOfVariable does deep equals between the two objects.

func (*Comparator) RefOfVariance ¶

func (cmp *Comparator) RefOfVariance(a, b *Variance) bool

RefOfVariance does deep equals between the two objects.

func (*Comparator) RefOfVindexParam ¶

func (cmp *Comparator) RefOfVindexParam(a, b *VindexParam) bool

RefOfVindexParam does deep equals between the two objects.

func (*Comparator) RefOfVindexSpec ¶

func (cmp *Comparator) RefOfVindexSpec(a, b *VindexSpec) bool

RefOfVindexSpec does deep equals between the two objects.

func (*Comparator) RefOfWeightStringFuncExpr ¶

func (cmp *Comparator) RefOfWeightStringFuncExpr(a, b *WeightStringFuncExpr) bool

RefOfWeightStringFuncExpr does deep equals between the two objects.

func (*Comparator) RefOfWhen ¶

func (cmp *Comparator) RefOfWhen(a, b *When) bool

RefOfWhen does deep equals between the two objects.

func (*Comparator) RefOfWhere ¶

func (cmp *Comparator) RefOfWhere(a, b *Where) bool

RefOfWhere does deep equals between the two objects.

func (*Comparator) RefOfWindowDefinition ¶

func (cmp *Comparator) RefOfWindowDefinition(a, b *WindowDefinition) bool

RefOfWindowDefinition does deep equals between the two objects.

func (*Comparator) RefOfWindowSpecification ¶

func (cmp *Comparator) RefOfWindowSpecification(a, b *WindowSpecification) bool

RefOfWindowSpecification does deep equals between the two objects.

func (*Comparator) RefOfWith ¶

func (cmp *Comparator) RefOfWith(a, b *With) bool

RefOfWith does deep equals between the two objects.

func (*Comparator) RefOfXorExpr ¶

func (cmp *Comparator) RefOfXorExpr(a, b *XorExpr) bool

RefOfXorExpr does deep equals between the two objects.

func (*Comparator) RootNode ¶

func (cmp *Comparator) RootNode(a, b RootNode) bool

RootNode does deep equals between the two objects.

func (*Comparator) SQLNode ¶

func (cmp *Comparator) SQLNode(inA, inB SQLNode) bool

SQLNode does deep equals between the two objects.

func (*Comparator) SelectExpr ¶

func (cmp *Comparator) SelectExpr(inA, inB SelectExpr) bool

SelectExpr does deep equals between the two objects.

func (*Comparator) SelectExprs ¶

func (cmp *Comparator) SelectExprs(a, b SelectExprs) bool

SelectExprs does deep equals between the two objects.

func (*Comparator) SelectStatement ¶

func (cmp *Comparator) SelectStatement(inA, inB SelectStatement) bool

SelectStatement does deep equals between the two objects.

func (*Comparator) SetExprs ¶

func (cmp *Comparator) SetExprs(a, b SetExprs) bool

SetExprs does deep equals between the two objects.

func (*Comparator) ShowInternal ¶

func (cmp *Comparator) ShowInternal(inA, inB ShowInternal) bool

ShowInternal does deep equals between the two objects.

func (*Comparator) SimpleTableExpr ¶

func (cmp *Comparator) SimpleTableExpr(inA, inB SimpleTableExpr) bool

SimpleTableExpr does deep equals between the two objects.

func (*Comparator) SliceOfAlterOption ¶

func (cmp *Comparator) SliceOfAlterOption(a, b []AlterOption) bool

SliceOfAlterOption does deep equals between the two objects.

func (*Comparator) SliceOfDatabaseOption ¶

func (cmp *Comparator) SliceOfDatabaseOption(a, b []DatabaseOption) bool

SliceOfDatabaseOption does deep equals between the two objects.

func (*Comparator) SliceOfExpr ¶

func (cmp *Comparator) SliceOfExpr(a, b []Expr) bool

SliceOfExpr does deep equals between the two objects.

func (*Comparator) SliceOfIdentifierCI ¶

func (cmp *Comparator) SliceOfIdentifierCI(a, b []IdentifierCI) bool

SliceOfIdentifierCI does deep equals between the two objects.

func (*Comparator) SliceOfRefOfColName ¶

func (cmp *Comparator) SliceOfRefOfColName(a, b []*ColName) bool

SliceOfRefOfColName does deep equals between the two objects.

func (*Comparator) SliceOfRefOfColumnDefinition ¶

func (cmp *Comparator) SliceOfRefOfColumnDefinition(a, b []*ColumnDefinition) bool

SliceOfRefOfColumnDefinition does deep equals between the two objects.

func (*Comparator) SliceOfRefOfCommonTableExpr ¶

func (cmp *Comparator) SliceOfRefOfCommonTableExpr(a, b []*CommonTableExpr) bool

SliceOfRefOfCommonTableExpr does deep equals between the two objects.

func (*Comparator) SliceOfRefOfConstraintDefinition ¶

func (cmp *Comparator) SliceOfRefOfConstraintDefinition(a, b []*ConstraintDefinition) bool

SliceOfRefOfConstraintDefinition does deep equals between the two objects.

func (*Comparator) SliceOfRefOfIndexColumn ¶

func (cmp *Comparator) SliceOfRefOfIndexColumn(a, b []*IndexColumn) bool

SliceOfRefOfIndexColumn does deep equals between the two objects.

func (*Comparator) SliceOfRefOfIndexDefinition ¶

func (cmp *Comparator) SliceOfRefOfIndexDefinition(a, b []*IndexDefinition) bool

SliceOfRefOfIndexDefinition does deep equals between the two objects.

func (*Comparator) SliceOfRefOfIndexOption ¶

func (cmp *Comparator) SliceOfRefOfIndexOption(a, b []*IndexOption) bool

SliceOfRefOfIndexOption does deep equals between the two objects.

func (*Comparator) SliceOfRefOfJSONObjectParam ¶

func (cmp *Comparator) SliceOfRefOfJSONObjectParam(a, b []*JSONObjectParam) bool

SliceOfRefOfJSONObjectParam does deep equals between the two objects.

func (*Comparator) SliceOfRefOfJtColumnDefinition ¶

func (cmp *Comparator) SliceOfRefOfJtColumnDefinition(a, b []*JtColumnDefinition) bool

SliceOfRefOfJtColumnDefinition does deep equals between the two objects.

func (*Comparator) SliceOfRefOfPartitionDefinition ¶

func (cmp *Comparator) SliceOfRefOfPartitionDefinition(a, b []*PartitionDefinition) bool

SliceOfRefOfPartitionDefinition does deep equals between the two objects.

func (*Comparator) SliceOfRefOfRenameTablePair ¶

func (cmp *Comparator) SliceOfRefOfRenameTablePair(a, b []*RenameTablePair) bool

SliceOfRefOfRenameTablePair does deep equals between the two objects.

func (*Comparator) SliceOfRefOfVariable ¶

func (cmp *Comparator) SliceOfRefOfVariable(a, b []*Variable) bool

SliceOfRefOfVariable does deep equals between the two objects.

func (*Comparator) SliceOfRefOfWhen ¶

func (cmp *Comparator) SliceOfRefOfWhen(a, b []*When) bool

SliceOfRefOfWhen does deep equals between the two objects.

func (*Comparator) SliceOfString ¶

func (cmp *Comparator) SliceOfString(a, b []string) bool

SliceOfString does deep equals between the two objects.

func (*Comparator) SliceOfTableExpr ¶

func (cmp *Comparator) SliceOfTableExpr(a, b []TableExpr) bool

SliceOfTableExpr does deep equals between the two objects.

func (*Comparator) SliceOfTxAccessMode ¶

func (cmp *Comparator) SliceOfTxAccessMode(a, b []TxAccessMode) bool

SliceOfTxAccessMode does deep equals between the two objects.

func (*Comparator) SliceOfVindexParam ¶

func (cmp *Comparator) SliceOfVindexParam(a, b []VindexParam) bool

SliceOfVindexParam does deep equals between the two objects.

func (*Comparator) Statement ¶

func (cmp *Comparator) Statement(inA, inB Statement) bool

Statement does deep equals between the two objects.

func (*Comparator) SubPartitionDefinitions ¶

func (cmp *Comparator) SubPartitionDefinitions(a, b SubPartitionDefinitions) bool

SubPartitionDefinitions does deep equals between the two objects.

func (*Comparator) TableAndLockTypes ¶

func (cmp *Comparator) TableAndLockTypes(a, b TableAndLockTypes) bool

TableAndLockTypes does deep equals between the two objects.

func (*Comparator) TableExpr ¶

func (cmp *Comparator) TableExpr(inA, inB TableExpr) bool

TableExpr does deep equals between the two objects.

func (*Comparator) TableExprs ¶

func (cmp *Comparator) TableExprs(a, b TableExprs) bool

TableExprs does deep equals between the two objects.

func (*Comparator) TableName ¶

func (cmp *Comparator) TableName(a, b TableName) bool

TableName does deep equals between the two objects.

func (*Comparator) TableNames ¶

func (cmp *Comparator) TableNames(a, b TableNames) bool

TableNames does deep equals between the two objects.

func (*Comparator) TableOptions ¶

func (cmp *Comparator) TableOptions(a, b TableOptions) bool

TableOptions does deep equals between the two objects.

func (*Comparator) UpdateExprs ¶

func (cmp *Comparator) UpdateExprs(a, b UpdateExprs) bool

UpdateExprs does deep equals between the two objects.

func (*Comparator) ValTuple ¶

func (cmp *Comparator) ValTuple(a, b ValTuple) bool

ValTuple does deep equals between the two objects.

func (*Comparator) Values ¶

func (cmp *Comparator) Values(a, b Values) bool

Values does deep equals between the two objects.

func (*Comparator) VindexParam ¶

func (cmp *Comparator) VindexParam(a, b VindexParam) bool

VindexParam does deep equals between the two objects.

func (*Comparator) WindowDefinitions ¶

func (cmp *Comparator) WindowDefinitions(a, b WindowDefinitions) bool

WindowDefinitions does deep equals between the two objects.

type ComparisonExpr ¶

type ComparisonExpr struct {
	Operator    ComparisonExprOperator
	Left, Right Expr
	Escape      Expr
}

ComparisonExpr represents a two-value comparison expression.

func CloneRefOfComparisonExpr ¶

func CloneRefOfComparisonExpr(n *ComparisonExpr) *ComparisonExpr

CloneRefOfComparisonExpr creates a deep clone of the input.

func NewComparisonExpr ¶

func NewComparisonExpr(operator ComparisonExprOperator, left, right, escape Expr) *ComparisonExpr

NewComparisonExpr makes a new ComparisonExpr

func (*ComparisonExpr) CachedSize ¶

func (cached *ComparisonExpr) CachedSize(alloc bool) int64

func (*ComparisonExpr) Format ¶

func (node *ComparisonExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*ComparisonExpr) FormatFast ¶

func (node *ComparisonExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*ComparisonExpr) IsExpr ¶

func (*ComparisonExpr) IsExpr()

func (*ComparisonExpr) IsImpossible ¶

func (node *ComparisonExpr) IsImpossible() bool

IsImpossible returns true if the comparison in the expression can never evaluate to true. Note that this is not currently exhaustive to ALL impossible comparisons.

type ComparisonExprOperator ¶

type ComparisonExprOperator int8

ComparisonExprOperator is an enum for ComparisonExpr.Operator

const (
	EqualOp ComparisonExprOperator = iota
	LessThanOp
	GreaterThanOp
	LessEqualOp
	GreaterEqualOp
	NotEqualOp
	NullSafeEqualOp
	InOp
	NotInOp
	LikeOp
	NotLikeOp
	RegexpOp
	NotRegexpOp
)

Constants for Enum Type - ComparisonExprOperator

func (ComparisonExprOperator) ToString ¶

func (op ComparisonExprOperator) ToString() string

ToString returns the operator as a string

type ConstraintDefinition ¶

type ConstraintDefinition struct {
	Name    IdentifierCI
	Details ConstraintInfo
}

ConstraintDefinition describes a constraint in a CREATE TABLE statement

func CloneRefOfConstraintDefinition ¶

func CloneRefOfConstraintDefinition(n *ConstraintDefinition) *ConstraintDefinition

CloneRefOfConstraintDefinition creates a deep clone of the input.

func CloneSliceOfRefOfConstraintDefinition ¶

func CloneSliceOfRefOfConstraintDefinition(n []*ConstraintDefinition) []*ConstraintDefinition

CloneSliceOfRefOfConstraintDefinition creates a deep clone of the input.

func (*ConstraintDefinition) CachedSize ¶

func (cached *ConstraintDefinition) CachedSize(alloc bool) int64

func (*ConstraintDefinition) Format ¶

func (c *ConstraintDefinition) Format(buf *TrackedBuffer)

Format formats the node.

func (*ConstraintDefinition) FormatFast ¶

func (c *ConstraintDefinition) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type ConstraintInfo ¶

type ConstraintInfo interface {
	SQLNode
	// contains filtered or unexported methods
}

ConstraintInfo details a constraint in a CREATE TABLE statement

func CloneConstraintInfo ¶

func CloneConstraintInfo(in ConstraintInfo) ConstraintInfo

CloneConstraintInfo creates a deep clone of the input.

type ConvertExpr ¶

type ConvertExpr struct {
	Expr Expr
	Type *ConvertType
}

ConvertExpr represents a call to CONVERT(expr, type)

func CloneRefOfConvertExpr ¶

func CloneRefOfConvertExpr(n *ConvertExpr) *ConvertExpr

CloneRefOfConvertExpr creates a deep clone of the input.

func (*ConvertExpr) CachedSize ¶

func (cached *ConvertExpr) CachedSize(alloc bool) int64

func (*ConvertExpr) Format ¶

func (node *ConvertExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*ConvertExpr) FormatFast ¶

func (node *ConvertExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*ConvertExpr) IsExpr ¶

func (*ConvertExpr) IsExpr()

type ConvertType ¶

type ConvertType struct {
	Type    string
	Length  *int
	Scale   *int
	Charset ColumnCharset
}

ConvertType represents the type in call to CONVERT(expr, type)

func CloneRefOfConvertType ¶

func CloneRefOfConvertType(n *ConvertType) *ConvertType

CloneRefOfConvertType creates a deep clone of the input.

func (*ConvertType) CachedSize ¶

func (cached *ConvertType) CachedSize(alloc bool) int64

func (*ConvertType) Format ¶

func (node *ConvertType) Format(buf *TrackedBuffer)

Format formats the node.

func (*ConvertType) FormatFast ¶

func (node *ConvertType) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type ConvertUsingExpr ¶

type ConvertUsingExpr struct {
	Expr Expr
	Type string
}

ConvertUsingExpr represents a call to CONVERT(expr USING charset).

func CloneRefOfConvertUsingExpr ¶

func CloneRefOfConvertUsingExpr(n *ConvertUsingExpr) *ConvertUsingExpr

CloneRefOfConvertUsingExpr creates a deep clone of the input.

func (*ConvertUsingExpr) CachedSize ¶

func (cached *ConvertUsingExpr) CachedSize(alloc bool) int64

func (*ConvertUsingExpr) Format ¶

func (node *ConvertUsingExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*ConvertUsingExpr) FormatFast ¶

func (node *ConvertUsingExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*ConvertUsingExpr) IsExpr ¶

func (*ConvertUsingExpr) IsExpr()

type CopyOnWriteCursor ¶

type CopyOnWriteCursor struct {
	// contains filtered or unexported fields
}

func (*CopyOnWriteCursor) Node ¶

func (c *CopyOnWriteCursor) Node() SQLNode

Node returns the current node we are visiting

func (*CopyOnWriteCursor) Parent ¶

func (c *CopyOnWriteCursor) Parent() SQLNode

Parent returns the parent of the current node. Note: This is the parent before any changes have been done - the parent in the output might be a copy of this

func (*CopyOnWriteCursor) Replace ¶

func (c *CopyOnWriteCursor) Replace(n SQLNode)

Replace replaces the current node with the given node. Note: If you try to set an invalid type on a field, the field will end up with a nil and no error will be reported.

func (*CopyOnWriteCursor) StopTreeWalk ¶

func (c *CopyOnWriteCursor) StopTreeWalk()

StopTreeWalk aborts the current tree walking. No more nodes will be visited, and the rewriter will exit out early

type Count ¶

type Count struct {
	Args       Exprs
	Distinct   bool
	OverClause *OverClause
}

*********** Expressions

func CloneRefOfCount ¶

func CloneRefOfCount(n *Count) *Count

CloneRefOfCount creates a deep clone of the input.

func (*Count) AggrName ¶

func (*Count) AggrName() string

func (*Count) CachedSize ¶

func (cached *Count) CachedSize(alloc bool) int64

func (*Count) Format ¶

func (node *Count) Format(buf *TrackedBuffer)

func (*Count) FormatFast ¶

func (node *Count) FormatFast(buf *TrackedBuffer)

func (*Count) GetArg ¶

func (count *Count) GetArg() Expr

func (*Count) GetArgs ¶

func (count *Count) GetArgs() Exprs

func (*Count) IsDistinct ¶

func (count *Count) IsDistinct() bool

func (*Count) IsExpr ¶

func (*Count) IsExpr()

func (*Count) SetDistinct ¶

func (count *Count) SetDistinct(distinct bool)

type CountStar ¶

type CountStar struct {

	// TL;DR; This makes sure that reference equality checks works as expected
	//
	// You're correct that this might seem a bit strange at first glance.
	// It's a quirk of Go's handling of empty structs. In Go, two instances of an empty struct are considered
	// identical, which can be problematic when using these as keys in maps.
	// They would be treated as the same key and potentially lead to incorrect map behavior.
	//
	// Here's a brief example:
	//
	// “`golang
	// func TestWeirdGo(t *testing.T) {
	// 	type CountStar struct{}
	//
	// 	cs1 := &CountStar{}
	// 	cs2 := &CountStar{}
	//  if cs1 == cs2 {
	// 	  panic("what the what!?")
	//  }
	// }
	// “`
	//
	// In the above code, cs1 and cs2, despite being distinct variables, would be treated as the same object.
	//
	// The solution we employed was to add a dummy field `_ bool` to the otherwise empty struct `CountStar`.
	// This ensures that each instance of `CountStar` is treated as a separate object,
	// even in the context of out semantic state which uses these objects as map keys.
	OverClause *OverClause
	// contains filtered or unexported fields
}

*********** Expressions

func CloneRefOfCountStar ¶

func CloneRefOfCountStar(n *CountStar) *CountStar

CloneRefOfCountStar creates a deep clone of the input.

func (*CountStar) AggrName ¶

func (*CountStar) AggrName() string

func (*CountStar) CachedSize ¶

func (cached *CountStar) CachedSize(alloc bool) int64

func (*CountStar) Format ¶

func (node *CountStar) Format(buf *TrackedBuffer)

func (*CountStar) FormatFast ¶

func (node *CountStar) FormatFast(buf *TrackedBuffer)

func (*CountStar) GetArg ¶

func (*CountStar) GetArg() Expr

func (*CountStar) GetArgs ¶

func (*CountStar) GetArgs() Exprs

func (*CountStar) IsExpr ¶

func (*CountStar) IsExpr()

type CreateDatabase ¶

type CreateDatabase struct {
	Comments      *ParsedComments
	DBName        IdentifierCS
	IfNotExists   bool
	CreateOptions []DatabaseOption
	FullyParsed   bool
}

CreateDatabase represents a CREATE database statement.

func CloneRefOfCreateDatabase ¶

func CloneRefOfCreateDatabase(n *CreateDatabase) *CreateDatabase

CloneRefOfCreateDatabase creates a deep clone of the input.

func (*CreateDatabase) CachedSize ¶

func (cached *CreateDatabase) CachedSize(alloc bool) int64

func (*CreateDatabase) Format ¶

func (node *CreateDatabase) Format(buf *TrackedBuffer)

Format formats the node.

func (*CreateDatabase) FormatFast ¶

func (node *CreateDatabase) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*CreateDatabase) GetDatabaseName ¶

func (node *CreateDatabase) GetDatabaseName() string

GetDatabaseName implements the DBDDLStatement interface

func (*CreateDatabase) IsFullyParsed ¶

func (node *CreateDatabase) IsFullyParsed() bool

IsFullyParsed implements the DBDDLStatement interface

func (*CreateDatabase) SetFullyParsed ¶

func (node *CreateDatabase) SetFullyParsed(fullyParsed bool)

SetFullyParsed implements the DBDDLStatement interface

type CreateTable ¶

type CreateTable struct {
	Temp        bool
	Table       TableName
	IfNotExists bool
	TableSpec   *TableSpec
	OptLike     *OptLike
	Comments    *ParsedComments
	FullyParsed bool
}

CreateTable represents a CREATE TABLE statement.

func CloneRefOfCreateTable ¶

func CloneRefOfCreateTable(n *CreateTable) *CreateTable

CloneRefOfCreateTable creates a deep clone of the input.

func (*CreateTable) AffectedTables ¶

func (node *CreateTable) AffectedTables() TableNames

AffectedTables implements DDLStatement.

func (*CreateTable) CachedSize ¶

func (cached *CreateTable) CachedSize(alloc bool) int64

func (*CreateTable) Format ¶

func (node *CreateTable) Format(buf *TrackedBuffer)

Format formats the node.

func (*CreateTable) FormatFast ¶

func (node *CreateTable) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*CreateTable) GetAction ¶

func (node *CreateTable) GetAction() DDLAction

GetAction implements the DDLStatement interface

func (*CreateTable) GetFromTables ¶

func (node *CreateTable) GetFromTables() TableNames

GetFromTables implements the DDLStatement interface

func (*CreateTable) GetIfExists ¶

func (node *CreateTable) GetIfExists() bool

GetIfExists implements the DDLStatement interface

func (*CreateTable) GetIfNotExists ¶

func (node *CreateTable) GetIfNotExists() bool

GetIfNotExists implements the DDLStatement interface

func (*CreateTable) GetIsReplace ¶

func (node *CreateTable) GetIsReplace() bool

GetIsReplace implements the DDLStatement interface

func (*CreateTable) GetOptLike ¶

func (node *CreateTable) GetOptLike() *OptLike

GetOptLike implements the DDLStatement interface

func (*CreateTable) GetParsedComments ¶

func (node *CreateTable) GetParsedComments() *ParsedComments

GetParsedComments implements Commented interface.

func (*CreateTable) GetTable ¶

func (node *CreateTable) GetTable() TableName

GetTable implements the DDLStatement interface

func (*CreateTable) GetTableSpec ¶

func (node *CreateTable) GetTableSpec() *TableSpec

GetTableSpec implements the DDLStatement interface

func (*CreateTable) GetToTables ¶

func (node *CreateTable) GetToTables() TableNames

GetToTables implements the DDLStatement interface

func (*CreateTable) IsFullyParsed ¶

func (node *CreateTable) IsFullyParsed() bool

IsFullyParsed implements the DDLStatement interface

func (*CreateTable) IsTemporary ¶

func (node *CreateTable) IsTemporary() bool

IsTemporary implements the DDLStatement interface

func (*CreateTable) SetComments ¶

func (node *CreateTable) SetComments(comments Comments)

SetComments implements Commented interface.

func (*CreateTable) SetFromTables ¶

func (node *CreateTable) SetFromTables(tables TableNames)

SetFromTables implements DDLStatement.

func (*CreateTable) SetFullyParsed ¶

func (node *CreateTable) SetFullyParsed(fullyParsed bool)

SetFullyParsed implements the DDLStatement interface

func (*CreateTable) SetTable ¶

func (node *CreateTable) SetTable(qualifier string, name string)

SetTable implements DDLStatement.

type CreateView ¶

type CreateView struct {
	ViewName    TableName
	Algorithm   string
	Definer     *Definer
	Security    string
	Columns     Columns
	Select      SelectStatement
	CheckOption string
	IsReplace   bool
	Comments    *ParsedComments
}

CreateView represents a CREATE VIEW query

func CloneRefOfCreateView ¶

func CloneRefOfCreateView(n *CreateView) *CreateView

CloneRefOfCreateView creates a deep clone of the input.

func (*CreateView) AffectedTables ¶

func (node *CreateView) AffectedTables() TableNames

AffectedTables implements DDLStatement.

func (*CreateView) CachedSize ¶

func (cached *CreateView) CachedSize(alloc bool) int64

func (*CreateView) Format ¶

func (node *CreateView) Format(buf *TrackedBuffer)

Format formats the node.

func (*CreateView) FormatFast ¶

func (node *CreateView) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*CreateView) GetAction ¶

func (node *CreateView) GetAction() DDLAction

GetAction implements the DDLStatement interface

func (*CreateView) GetFromTables ¶

func (node *CreateView) GetFromTables() TableNames

GetFromTables implements the DDLStatement interface

func (*CreateView) GetIfExists ¶

func (node *CreateView) GetIfExists() bool

GetIfExists implements the DDLStatement interface

func (*CreateView) GetIfNotExists ¶

func (node *CreateView) GetIfNotExists() bool

GetIfNotExists implements the DDLStatement interface

func (*CreateView) GetIsReplace ¶

func (node *CreateView) GetIsReplace() bool

GetIsReplace implements the DDLStatement interface

func (*CreateView) GetOptLike ¶

func (node *CreateView) GetOptLike() *OptLike

GetOptLike implements the DDLStatement interface

func (*CreateView) GetParsedComments ¶

func (node *CreateView) GetParsedComments() *ParsedComments

GetParsedComments implements Commented interface.

func (*CreateView) GetTable ¶

func (node *CreateView) GetTable() TableName

GetTable implements the DDLStatement interface

func (*CreateView) GetTableSpec ¶

func (node *CreateView) GetTableSpec() *TableSpec

GetTableSpec implements the DDLStatement interface

func (*CreateView) GetToTables ¶

func (node *CreateView) GetToTables() TableNames

GetToTables implements the DDLStatement interface

func (*CreateView) IsFullyParsed ¶

func (node *CreateView) IsFullyParsed() bool

IsFullyParsed implements the DDLStatement interface

func (*CreateView) IsTemporary ¶

func (node *CreateView) IsTemporary() bool

IsTemporary implements the DDLStatement interface

func (*CreateView) SetComments ¶

func (node *CreateView) SetComments(comments Comments)

SetComments implements Commented interface.

func (*CreateView) SetFromTables ¶

func (node *CreateView) SetFromTables(tables TableNames)

SetFromTables implements DDLStatement.

func (*CreateView) SetFullyParsed ¶

func (node *CreateView) SetFullyParsed(fullyParsed bool)

SetFullyParsed implements the DDLStatement interface

func (*CreateView) SetTable ¶

func (node *CreateView) SetTable(qualifier string, name string)

SetTable implements DDLStatement.

type CurTimeFuncExpr ¶

type CurTimeFuncExpr struct {
	Name IdentifierCI
	Fsp  int // fractional seconds precision, integer from 0 to 6 or an Argument
}

CurTimeFuncExpr represents the function and arguments for CURRENT DATE/TIME functions supported functions are documented in the grammar

func CloneRefOfCurTimeFuncExpr ¶

func CloneRefOfCurTimeFuncExpr(n *CurTimeFuncExpr) *CurTimeFuncExpr

CloneRefOfCurTimeFuncExpr creates a deep clone of the input.

func (*CurTimeFuncExpr) CachedSize ¶

func (cached *CurTimeFuncExpr) CachedSize(alloc bool) int64

func (*CurTimeFuncExpr) Format ¶

func (node *CurTimeFuncExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*CurTimeFuncExpr) FormatFast ¶

func (node *CurTimeFuncExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*CurTimeFuncExpr) IsExpr ¶

func (*CurTimeFuncExpr) IsExpr()

type Cursor ¶

type Cursor struct {
	// contains filtered or unexported fields
}

A Cursor describes a node encountered during Apply. Information about the node and its parent is available from the Node and Parent methods.

func (*Cursor) Node ¶

func (c *Cursor) Node() SQLNode

Node returns the current Node.

func (*Cursor) Parent ¶

func (c *Cursor) Parent() SQLNode

Parent returns the parent of the current Node.

func (*Cursor) Replace ¶

func (c *Cursor) Replace(newNode SQLNode)

Replace replaces the current node in the parent field with this new object. The use needs to make sure to not replace the object with something of the wrong type, or the visitor will panic.

func (*Cursor) ReplaceAndRevisit ¶

func (c *Cursor) ReplaceAndRevisit(newNode SQLNode)

ReplaceAndRevisit replaces the current node in the parent field with this new object. When used, this will abort the visitation of the current node - no post or children visited, and the new node visited.

func (*Cursor) ReplacerF ¶

func (c *Cursor) ReplacerF() func(newNode SQLNode)

ReplacerF returns a replace func that will work even when the cursor has moved to a different node.

type DBDDLStatement ¶

type DBDDLStatement interface {
	IsFullyParsed() bool
	GetDatabaseName() string
	SetFullyParsed(bool)
	Statement
	// contains filtered or unexported methods
}

DBDDLStatement represents any DBDDL Statement

func CloneDBDDLStatement ¶

func CloneDBDDLStatement(in DBDDLStatement) DBDDLStatement

CloneDBDDLStatement creates a deep clone of the input.

type DDLAction ¶

type DDLAction int8

DDLAction is an enum for DDL.Action

const (
	CreateDDLAction DDLAction = iota
	AlterDDLAction
	DropDDLAction
	RenameDDLAction
	TruncateDDLAction
	CreateVindexDDLAction
	DropVindexDDLAction
	AddVschemaTableDDLAction
	DropVschemaTableDDLAction
	AddColVindexDDLAction
	DropColVindexDDLAction
	AddSequenceDDLAction
	DropSequenceDDLAction
	AddAutoIncDDLAction
	DropAutoIncDDLAction
	RevertDDLAction
)

Constants for Enum Type - DDL.Action

func (DDLAction) ToString ¶

func (action DDLAction) ToString() string

ToString returns the string associated with the DDLAction Enum

type DDLStatement ¶

type DDLStatement interface {
	IsFullyParsed() bool
	IsTemporary() bool
	GetTable() TableName
	GetAction() DDLAction
	GetOptLike() *OptLike
	GetIfExists() bool
	GetIfNotExists() bool
	GetIsReplace() bool
	GetTableSpec() *TableSpec
	GetFromTables() TableNames
	GetToTables() TableNames
	AffectedTables() TableNames
	SetTable(qualifier string, name string)
	SetFromTables(tables TableNames)
	SetFullyParsed(fullyParsed bool)
	Commented
	Statement
	// contains filtered or unexported methods
}

DDLStatement represents any DDL Statement

func CloneDDLStatement ¶

func CloneDDLStatement(in DDLStatement) DDLStatement

CloneDDLStatement creates a deep clone of the input.

type DatabaseOption ¶

type DatabaseOption struct {
	Type      DatabaseOptionType
	IsDefault bool
	Value     string
}

DatabaseOption is a struct that stores Collation or Character Set value

func CloneDatabaseOption ¶

func CloneDatabaseOption(n DatabaseOption) DatabaseOption

CloneDatabaseOption creates a deep clone of the input.

func CloneRefOfDatabaseOption ¶

func CloneRefOfDatabaseOption(n *DatabaseOption) *DatabaseOption

CloneRefOfDatabaseOption creates a deep clone of the input.

func CloneSliceOfDatabaseOption ¶

func CloneSliceOfDatabaseOption(n []DatabaseOption) []DatabaseOption

CloneSliceOfDatabaseOption creates a deep clone of the input.

func (*DatabaseOption) CachedSize ¶

func (cached *DatabaseOption) CachedSize(alloc bool) int64

type DatabaseOptionType ¶

type DatabaseOptionType int8

DatabaseOptionType is an enum for create database options

const (
	CollateType DatabaseOptionType = iota
	CharacterSetType
	EncryptionType
)

Constant for Enum Type - DatabaseOptionType

func (DatabaseOptionType) ToString ¶

func (node DatabaseOptionType) ToString() string

ToString returns the type as a string

type DeallocateStmt ¶

type DeallocateStmt struct {
	Comments *ParsedComments
	Name     IdentifierCI
}

DeallocateStmt represents a Deallocate Statement More info available on https://dev.mysql.com/doc/refman/8.0/en/deallocate-prepare.html

func CloneRefOfDeallocateStmt ¶

func CloneRefOfDeallocateStmt(n *DeallocateStmt) *DeallocateStmt

CloneRefOfDeallocateStmt creates a deep clone of the input.

func (*DeallocateStmt) CachedSize ¶

func (cached *DeallocateStmt) CachedSize(alloc bool) int64

func (*DeallocateStmt) Format ¶

func (node *DeallocateStmt) Format(buf *TrackedBuffer)

Format formats the node.

func (*DeallocateStmt) FormatFast ¶

func (node *DeallocateStmt) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type Default ¶

type Default struct {
	ColName string
}

Default represents a DEFAULT expression.

func CloneRefOfDefault ¶

func CloneRefOfDefault(n *Default) *Default

CloneRefOfDefault creates a deep clone of the input.

func (*Default) CachedSize ¶

func (cached *Default) CachedSize(alloc bool) int64

func (*Default) Format ¶

func (node *Default) Format(buf *TrackedBuffer)

Format formats the node.

func (*Default) FormatFast ¶

func (node *Default) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*Default) IsExpr ¶

func (*Default) IsExpr()

type Definer ¶

type Definer struct {
	Name    string
	Address string
}

Definer stores the user for AlterView and CreateView definers

func CloneRefOfDefiner ¶

func CloneRefOfDefiner(n *Definer) *Definer

CloneRefOfDefiner creates a deep clone of the input.

func (*Definer) CachedSize ¶

func (cached *Definer) CachedSize(alloc bool) int64

func (*Definer) Format ¶

func (definer *Definer) Format(buf *TrackedBuffer)

func (*Definer) FormatFast ¶

func (definer *Definer) FormatFast(buf *TrackedBuffer)

type Delete ¶

type Delete struct {
	With       *With
	Ignore     Ignore
	Comments   *ParsedComments
	TableExprs []TableExpr
	Targets    TableNames
	Partitions Partitions
	Where      *Where
	OrderBy    OrderBy
	Limit      *Limit
}

Delete represents a DELETE statement. If you add fields here, consider adding them to calls to validateUnshardedRoute.

func CloneRefOfDelete ¶

func CloneRefOfDelete(n *Delete) *Delete

CloneRefOfDelete creates a deep clone of the input.

func (*Delete) AddOrder ¶

func (node *Delete) AddOrder(order *Order)

func (*Delete) AddWhere ¶

func (node *Delete) AddWhere(expr Expr)

AddWhere adds the boolean expression to the WHERE clause as an AND condition.

func (*Delete) CachedSize ¶

func (cached *Delete) CachedSize(alloc bool) int64

func (*Delete) Format ¶

func (node *Delete) Format(buf *TrackedBuffer)

Format formats the node.

func (*Delete) FormatFast ¶

func (node *Delete) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*Delete) GetFrom ¶

func (node *Delete) GetFrom() []TableExpr

func (*Delete) GetParsedComments ¶

func (node *Delete) GetParsedComments() *ParsedComments

GetParsedComments implements SupportOptimizerHint.

func (*Delete) GetWherePredicate ¶

func (node *Delete) GetWherePredicate() Expr

func (*Delete) IsSingleAliasExpr ¶

func (node *Delete) IsSingleAliasExpr() bool

func (*Delete) SetComments ¶

func (node *Delete) SetComments(comments Comments)

SetComments for Delete

func (*Delete) SetFrom ¶

func (node *Delete) SetFrom(exprs []TableExpr)

func (*Delete) SetLimit ¶

func (node *Delete) SetLimit(limit *Limit)

func (*Delete) SetWherePredicate ¶

func (node *Delete) SetWherePredicate(expr Expr)

type DerivedTable ¶

type DerivedTable struct {
	Lateral bool
	Select  SelectStatement
}

DerivedTable represents a subquery used as a table expression.

func CloneRefOfDerivedTable ¶

func CloneRefOfDerivedTable(n *DerivedTable) *DerivedTable

CloneRefOfDerivedTable creates a deep clone of the input.

func NewDerivedTable ¶

func NewDerivedTable(lateral bool, selectStatement SelectStatement) *DerivedTable

NewDerivedTable makes a new DerivedTable

func (*DerivedTable) CachedSize ¶

func (cached *DerivedTable) CachedSize(alloc bool) int64

func (*DerivedTable) Format ¶

func (node *DerivedTable) Format(buf *TrackedBuffer)

Format formats the node.

func (*DerivedTable) FormatFast ¶

func (node *DerivedTable) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type DistinctableAggr ¶

type DistinctableAggr interface {
	IsDistinct() bool
	SetDistinct(bool)
}

*********** Expressions

type DropColumn ¶

type DropColumn struct {
	Name *ColName
}

DropColumn is used to drop a column in an alter table statement

func CloneRefOfDropColumn ¶

func CloneRefOfDropColumn(n *DropColumn) *DropColumn

CloneRefOfDropColumn creates a deep clone of the input.

func (*DropColumn) CachedSize ¶

func (cached *DropColumn) CachedSize(alloc bool) int64

func (*DropColumn) Format ¶

func (node *DropColumn) Format(buf *TrackedBuffer)

Format formats the node

func (*DropColumn) FormatFast ¶

func (node *DropColumn) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type DropDatabase ¶

type DropDatabase struct {
	Comments *ParsedComments
	DBName   IdentifierCS
	IfExists bool
}

DropDatabase represents a DROP database statement.

func CloneRefOfDropDatabase ¶

func CloneRefOfDropDatabase(n *DropDatabase) *DropDatabase

CloneRefOfDropDatabase creates a deep clone of the input.

func (*DropDatabase) CachedSize ¶

func (cached *DropDatabase) CachedSize(alloc bool) int64

func (*DropDatabase) Format ¶

func (node *DropDatabase) Format(buf *TrackedBuffer)

Format formats the node.

func (*DropDatabase) FormatFast ¶

func (node *DropDatabase) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*DropDatabase) GetDatabaseName ¶

func (node *DropDatabase) GetDatabaseName() string

GetDatabaseName implements the DBDDLStatement interface

func (*DropDatabase) IsFullyParsed ¶

func (node *DropDatabase) IsFullyParsed() bool

IsFullyParsed implements the DBDDLStatement interface

func (*DropDatabase) SetFullyParsed ¶

func (node *DropDatabase) SetFullyParsed(fullyParsed bool)

SetFullyParsed implements the DBDDLStatement interface

type DropKey ¶

type DropKey struct {
	Type DropKeyType
	Name IdentifierCI
}

DropKey is used to drop a key in an alter table statement

func CloneRefOfDropKey ¶

func CloneRefOfDropKey(n *DropKey) *DropKey

CloneRefOfDropKey creates a deep clone of the input.

func (*DropKey) CachedSize ¶

func (cached *DropKey) CachedSize(alloc bool) int64

func (*DropKey) Format ¶

func (node *DropKey) Format(buf *TrackedBuffer)

Format formats the node

func (*DropKey) FormatFast ¶

func (node *DropKey) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type DropKeyType ¶

type DropKeyType int8

DropKeyType is an enum that represents the type of key being dropped in an alter table statement

const (
	PrimaryKeyType DropKeyType = iota
	ForeignKeyType
	NormalKeyType
	CheckKeyType
)

DropKeyType constants

func (DropKeyType) ToString ¶

func (key DropKeyType) ToString() string

ToString returns the DropKeyType as a string

type DropTable ¶

type DropTable struct {
	Temp       bool
	FromTables TableNames
	// The following fields are set if a DDL was fully analyzed.
	IfExists bool
	Comments *ParsedComments
}

DropTable represents a DROP TABLE statement.

func CloneRefOfDropTable ¶

func CloneRefOfDropTable(n *DropTable) *DropTable

CloneRefOfDropTable creates a deep clone of the input.

func (*DropTable) AffectedTables ¶

func (node *DropTable) AffectedTables() TableNames

AffectedTables returns the list table names affected by the DDLStatement.

func (*DropTable) CachedSize ¶

func (cached *DropTable) CachedSize(alloc bool) int64

func (*DropTable) Format ¶

func (node *DropTable) Format(buf *TrackedBuffer)

Format formats the node.

func (*DropTable) FormatFast ¶

func (node *DropTable) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*DropTable) GetAction ¶

func (node *DropTable) GetAction() DDLAction

GetAction implements the DDLStatement interface

func (*DropTable) GetFromTables ¶

func (node *DropTable) GetFromTables() TableNames

GetFromTables implements the DDLStatement interface

func (*DropTable) GetIfExists ¶

func (node *DropTable) GetIfExists() bool

GetIfExists implements the DDLStatement interface

func (*DropTable) GetIfNotExists ¶

func (node *DropTable) GetIfNotExists() bool

GetIfNotExists implements the DDLStatement interface

func (*DropTable) GetIsReplace ¶

func (node *DropTable) GetIsReplace() bool

GetIsReplace implements the DDLStatement interface

func (*DropTable) GetOptLike ¶

func (node *DropTable) GetOptLike() *OptLike

GetOptLike implements the DDLStatement interface

func (*DropTable) GetParsedComments ¶

func (node *DropTable) GetParsedComments() *ParsedComments

GetParsedComments implements Commented interface.

func (*DropTable) GetTable ¶

func (node *DropTable) GetTable() TableName

GetTable implements the DDLStatement interface

func (*DropTable) GetTableSpec ¶

func (node *DropTable) GetTableSpec() *TableSpec

GetTableSpec implements the DDLStatement interface

func (*DropTable) GetToTables ¶

func (node *DropTable) GetToTables() TableNames

GetToTables implements the DDLStatement interface

func (*DropTable) IsFullyParsed ¶

func (node *DropTable) IsFullyParsed() bool

IsFullyParsed implements the DDLStatement interface

func (*DropTable) IsTemporary ¶

func (node *DropTable) IsTemporary() bool

IsTemporary implements the DDLStatement interface

func (*DropTable) SetComments ¶

func (node *DropTable) SetComments(comments Comments)

SetComments implements Commented interface.

func (*DropTable) SetFromTables ¶

func (node *DropTable) SetFromTables(tables TableNames)

SetFromTables implements DDLStatement.

func (*DropTable) SetFullyParsed ¶

func (node *DropTable) SetFullyParsed(fullyParsed bool)

SetFullyParsed implements the DDLStatement interface

func (*DropTable) SetTable ¶

func (node *DropTable) SetTable(qualifier string, name string)

SetTable implements DDLStatement.

type DropView ¶

type DropView struct {
	FromTables TableNames
	IfExists   bool
	Comments   *ParsedComments
}

DropView represents a DROP VIEW statement.

func CloneRefOfDropView ¶

func CloneRefOfDropView(n *DropView) *DropView

CloneRefOfDropView creates a deep clone of the input.

func (*DropView) AffectedTables ¶

func (node *DropView) AffectedTables() TableNames

AffectedTables returns the list table names affected by the DDLStatement.

func (*DropView) CachedSize ¶

func (cached *DropView) CachedSize(alloc bool) int64

func (*DropView) Format ¶

func (node *DropView) Format(buf *TrackedBuffer)

Format formats the node.

func (*DropView) FormatFast ¶

func (node *DropView) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*DropView) GetAction ¶

func (node *DropView) GetAction() DDLAction

GetAction implements the DDLStatement interface

func (*DropView) GetFromTables ¶

func (node *DropView) GetFromTables() TableNames

GetFromTables implements the DDLStatement interface

func (*DropView) GetIfExists ¶

func (node *DropView) GetIfExists() bool

GetIfExists implements the DDLStatement interface

func (*DropView) GetIfNotExists ¶

func (node *DropView) GetIfNotExists() bool

GetIfNotExists implements the DDLStatement interface

func (*DropView) GetIsReplace ¶

func (node *DropView) GetIsReplace() bool

GetIsReplace implements the DDLStatement interface

func (*DropView) GetOptLike ¶

func (node *DropView) GetOptLike() *OptLike

GetOptLike implements the DDLStatement interface

func (*DropView) GetParsedComments ¶

func (node *DropView) GetParsedComments() *ParsedComments

GetParsedComments implements Commented interface.

func (*DropView) GetTable ¶

func (node *DropView) GetTable() TableName

GetTable implements the DDLStatement interface

func (*DropView) GetTableSpec ¶

func (node *DropView) GetTableSpec() *TableSpec

GetTableSpec implements the DDLStatement interface

func (*DropView) GetToTables ¶

func (node *DropView) GetToTables() TableNames

GetToTables implements the DDLStatement interface

func (*DropView) IsFullyParsed ¶

func (node *DropView) IsFullyParsed() bool

IsFullyParsed implements the DDLStatement interface

func (*DropView) IsTemporary ¶

func (node *DropView) IsTemporary() bool

IsTemporary implements the DDLStatement interface

func (*DropView) SetComments ¶

func (node *DropView) SetComments(comments Comments)

SetComments implements Commented interface.

func (*DropView) SetFromTables ¶

func (node *DropView) SetFromTables(tables TableNames)

SetFromTables implements DDLStatement.

func (*DropView) SetFullyParsed ¶

func (node *DropView) SetFullyParsed(fullyParsed bool)

SetFullyParsed implements the DDLStatement interface

func (*DropView) SetTable ¶

func (node *DropView) SetTable(qualifier string, name string)

SetTable implements DDLStatement.

type Encodable ¶

type Encodable interface {
	EncodeSQL(buf *strings.Builder)
}

Encodable defines the interface for types that can be custom-encoded into SQL.

type ExecuteStmt ¶

type ExecuteStmt struct {
	Name      IdentifierCI
	Comments  *ParsedComments
	Arguments []*Variable
}

ExecuteStmt represents an Execute Statement More info available on https://dev.mysql.com/doc/refman/8.0/en/execute.html

func CloneRefOfExecuteStmt ¶

func CloneRefOfExecuteStmt(n *ExecuteStmt) *ExecuteStmt

CloneRefOfExecuteStmt creates a deep clone of the input.

func (*ExecuteStmt) CachedSize ¶

func (cached *ExecuteStmt) CachedSize(alloc bool) int64

func (*ExecuteStmt) Format ¶

func (node *ExecuteStmt) Format(buf *TrackedBuffer)

Format formats the node.

func (*ExecuteStmt) FormatFast ¶

func (node *ExecuteStmt) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type ExistsExpr ¶

type ExistsExpr struct {
	Subquery *Subquery
}

ExistsExpr represents an EXISTS expression.

func CloneRefOfExistsExpr ¶

func CloneRefOfExistsExpr(n *ExistsExpr) *ExistsExpr

CloneRefOfExistsExpr creates a deep clone of the input.

func NewExistsExpr ¶

func NewExistsExpr(subquery *Subquery) *ExistsExpr

NewExistsExpr makes a new ExistsExpr

func (*ExistsExpr) CachedSize ¶

func (cached *ExistsExpr) CachedSize(alloc bool) int64

func (*ExistsExpr) Format ¶

func (node *ExistsExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*ExistsExpr) FormatFast ¶

func (node *ExistsExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*ExistsExpr) IsExpr ¶

func (*ExistsExpr) IsExpr()

type Explain ¶

type Explain interface {
	Statement
	// contains filtered or unexported methods
}

Explain is an interface that represents the Explain statements

func CloneExplain ¶

func CloneExplain(in Explain) Explain

CloneExplain creates a deep clone of the input.

type ExplainStmt ¶

type ExplainStmt struct {
	Type      ExplainType
	Statement Statement
	Comments  *ParsedComments
}

ExplainStmt represents an Explain statement

func CloneRefOfExplainStmt ¶

func CloneRefOfExplainStmt(n *ExplainStmt) *ExplainStmt

CloneRefOfExplainStmt creates a deep clone of the input.

func (*ExplainStmt) CachedSize ¶

func (cached *ExplainStmt) CachedSize(alloc bool) int64

func (*ExplainStmt) Format ¶

func (node *ExplainStmt) Format(buf *TrackedBuffer)

Format formats the node.

func (*ExplainStmt) FormatFast ¶

func (node *ExplainStmt) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*ExplainStmt) GetParsedComments ¶

func (node *ExplainStmt) GetParsedComments() *ParsedComments

GetParsedComments implements Commented interface.

func (*ExplainStmt) SetComments ¶

func (node *ExplainStmt) SetComments(comments Comments)

SetComments implements Commented interface.

type ExplainTab ¶

type ExplainTab struct {
	Table TableName
	Wild  string
}

ExplainTab represents the Explain table

func CloneRefOfExplainTab ¶

func CloneRefOfExplainTab(n *ExplainTab) *ExplainTab

CloneRefOfExplainTab creates a deep clone of the input.

func (*ExplainTab) CachedSize ¶

func (cached *ExplainTab) CachedSize(alloc bool) int64

func (*ExplainTab) Format ¶

func (node *ExplainTab) Format(buf *TrackedBuffer)

Format formats the node.

func (*ExplainTab) FormatFast ¶

func (node *ExplainTab) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type ExplainType ¶

type ExplainType int8

ExplainType is an enum for ExplainStmt.Type

const (
	EmptyType ExplainType = iota
	TreeType
	JSONType
	TraditionalType
	AnalyzeType
)

Constant for Enum Type - ExplainType

func (ExplainType) ToString ¶

func (ty ExplainType) ToString() string

ToString returns the type as a string

type Expr ¶

type Expr interface {
	IsExpr()
	SQLNode
}

Expr represents an expression.

func AndExpressions ¶

func AndExpressions(exprs ...Expr) Expr

AndExpressions ands together two or more expressions, minimising the expr when possible

func AppendString ¶

func AppendString(expr Expr, in string) Expr

AppendString appends a string to the expression provided. This is intended to be used in the parser only for concatenating multiple strings together.

func CloneExpr ¶

func CloneExpr(in Expr) Expr

CloneExpr creates a deep clone of the input.

func CloneSliceOfExpr ¶

func CloneSliceOfExpr(n []Expr) []Expr

CloneSliceOfExpr creates a deep clone of the input.

func ExtractINFromOR ¶

func ExtractINFromOR(expr *OrExpr) []Expr

ExtractINFromOR rewrites the OR expression into an IN clause. Each side of each ORs has to be an equality comparison expression and the column names have to match for all sides of each comparison. This rewriter takes a query that looks like this WHERE a = 1 and b = 11 or a = 2 and b = 12 or a = 3 and b = 13 And rewrite that to WHERE (a, b) IN ((1,11), (2,12), (3,13))

func ReplaceExpr ¶

func ReplaceExpr(root, from, to Expr) Expr

ReplaceExpr finds the from expression from root and replaces it with to. If from matches root, then to is returned.

func SplitAndExpression ¶

func SplitAndExpression(filters []Expr, node Expr) []Expr

SplitAndExpression breaks up the Expr into AND-separated conditions and appends them to filters. Outer parenthesis are removed. Precedence should be taken into account if expressions are recombined.

type ExprGenerator ¶

type ExprGenerator interface {
	Generate(config ExprGeneratorConfig) Expr
}

type ExprGeneratorConfig ¶

type ExprGeneratorConfig struct {
	// AggrRule determines if the random expression can, cannot, or must be an aggregation expression
	AggrRule AggregateRule
	Type     string
	// MaxCols = 0 indicates no limit
	NumCols int
	// SingleRow indicates that the query must have at most one row
	SingleRow bool
}

func NewExprGeneratorConfig ¶

func NewExprGeneratorConfig(aggrRule AggregateRule, typ string, numCols int, singleRow bool) ExprGeneratorConfig

func (ExprGeneratorConfig) CanAggregateConfig ¶

func (egc ExprGeneratorConfig) CanAggregateConfig() ExprGeneratorConfig

func (ExprGeneratorConfig) CannotAggregateConfig ¶

func (egc ExprGeneratorConfig) CannotAggregateConfig() ExprGeneratorConfig

func (ExprGeneratorConfig) IsAggregateConfig ¶

func (egc ExprGeneratorConfig) IsAggregateConfig() ExprGeneratorConfig

func (ExprGeneratorConfig) MultiRowConfig ¶

func (egc ExprGeneratorConfig) MultiRowConfig() ExprGeneratorConfig

func (ExprGeneratorConfig) SetNumCols ¶

func (egc ExprGeneratorConfig) SetNumCols(numCols int) ExprGeneratorConfig

func (ExprGeneratorConfig) SingleRowConfig ¶

func (egc ExprGeneratorConfig) SingleRowConfig() ExprGeneratorConfig

type Exprs ¶

type Exprs []Expr

Exprs represents a list of value expressions. It's not a valid expression because it's not parenthesized.

func CloneExprs ¶

func CloneExprs(n Exprs) Exprs

CloneExprs creates a deep clone of the input.

func (Exprs) Format ¶

func (node Exprs) Format(buf *TrackedBuffer)

Format formats the node.

func (Exprs) FormatFast ¶

func (node Exprs) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type ExtractFuncExpr ¶

type ExtractFuncExpr struct {
	IntervalType IntervalType
	Expr         Expr
}

ExtractFuncExpr represents the function and arguments for EXTRACT(YEAR FROM '2019-07-02') type functions.

func CloneRefOfExtractFuncExpr ¶

func CloneRefOfExtractFuncExpr(n *ExtractFuncExpr) *ExtractFuncExpr

CloneRefOfExtractFuncExpr creates a deep clone of the input.

func (*ExtractFuncExpr) CachedSize ¶

func (cached *ExtractFuncExpr) CachedSize(alloc bool) int64

func (*ExtractFuncExpr) Format ¶

func (node *ExtractFuncExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*ExtractFuncExpr) FormatFast ¶

func (node *ExtractFuncExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*ExtractFuncExpr) IsExpr ¶

func (*ExtractFuncExpr) IsExpr()

type ExtractValueExpr ¶

type ExtractValueExpr struct {
	Fragment  Expr
	XPathExpr Expr
}

ExtractValueExpr stands for EXTRACTVALUE() XML function Extract a value from an XML string using XPath notation For more details, postVisit https://dev.mysql.com/doc/refman/8.0/en/xml-functions.html#function_extractvalue

func CloneRefOfExtractValueExpr ¶

func CloneRefOfExtractValueExpr(n *ExtractValueExpr) *ExtractValueExpr

CloneRefOfExtractValueExpr creates a deep clone of the input.

func (*ExtractValueExpr) CachedSize ¶

func (cached *ExtractValueExpr) CachedSize(alloc bool) int64

func (*ExtractValueExpr) Format ¶

func (node *ExtractValueExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*ExtractValueExpr) FormatFast ¶

func (node *ExtractValueExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*ExtractValueExpr) IsExpr ¶

func (*ExtractValueExpr) IsExpr()

type FirstOrLastValueExpr ¶

type FirstOrLastValueExpr struct {
	Type                FirstOrLastValueExprType
	Expr                Expr
	NullTreatmentClause *NullTreatmentClause
	OverClause          *OverClause
}

FirstOrLastValueExpr stands for the following window_functions: FIRST_VALUE, LAST_VALUE

func CloneRefOfFirstOrLastValueExpr ¶

func CloneRefOfFirstOrLastValueExpr(n *FirstOrLastValueExpr) *FirstOrLastValueExpr

CloneRefOfFirstOrLastValueExpr creates a deep clone of the input.

func (*FirstOrLastValueExpr) CachedSize ¶

func (cached *FirstOrLastValueExpr) CachedSize(alloc bool) int64

func (*FirstOrLastValueExpr) Format ¶

func (node *FirstOrLastValueExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*FirstOrLastValueExpr) FormatFast ¶

func (node *FirstOrLastValueExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*FirstOrLastValueExpr) IsExpr ¶

func (*FirstOrLastValueExpr) IsExpr()

type FirstOrLastValueExprType ¶

type FirstOrLastValueExprType int8

FirstOrLastValueExprType is an enum to get types of FirstOrLastValueExpr.

const (
	FirstValueExprType FirstOrLastValueExprType = iota
	LastValueExprType
)

Constants for Enum Type - FirstOrLastValueExprType

func (FirstOrLastValueExprType) ToString ¶

func (ty FirstOrLastValueExprType) ToString() string

ToString returns the type as a string

type Flush ¶

type Flush struct {
	IsLocal      bool
	FlushOptions []string
	TableNames   TableNames
	WithLock     bool
	ForExport    bool
}

Flush represents a FLUSH statement.

func CloneRefOfFlush ¶

func CloneRefOfFlush(n *Flush) *Flush

CloneRefOfFlush creates a deep clone of the input.

func (*Flush) CachedSize ¶

func (cached *Flush) CachedSize(alloc bool) int64

func (*Flush) Format ¶

func (node *Flush) Format(buf *TrackedBuffer)

Format formats the node.

func (*Flush) FormatFast ¶

func (node *Flush) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type Force ¶

type Force struct{}

Force is used to specify force alter option in an alter table statement

func CloneRefOfForce ¶

func CloneRefOfForce(n *Force) *Force

CloneRefOfForce creates a deep clone of the input.

func (*Force) Format ¶

func (node *Force) Format(buf *TrackedBuffer)

Format formats the node

func (*Force) FormatFast ¶

func (node *Force) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type ForeignKeyDefinition ¶

type ForeignKeyDefinition struct {
	Source              Columns
	IndexName           IdentifierCI
	ReferenceDefinition *ReferenceDefinition
}

ForeignKeyDefinition describes a foreign key in a CREATE TABLE statement

func CloneRefOfForeignKeyDefinition ¶

func CloneRefOfForeignKeyDefinition(n *ForeignKeyDefinition) *ForeignKeyDefinition

CloneRefOfForeignKeyDefinition creates a deep clone of the input.

func (*ForeignKeyDefinition) CachedSize ¶

func (cached *ForeignKeyDefinition) CachedSize(alloc bool) int64

func (*ForeignKeyDefinition) Format ¶

func (f *ForeignKeyDefinition) Format(buf *TrackedBuffer)

Format formats the node.

func (*ForeignKeyDefinition) FormatFast ¶

func (f *ForeignKeyDefinition) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type FrameClause ¶

type FrameClause struct {
	Unit  FrameUnitType
	Start *FramePoint
	End   *FramePoint
}

FrameClause represents frame_clause More information available here: https://dev.mysql.com/doc/refman/8.0/en/window-functions-frames.html

func CloneRefOfFrameClause ¶

func CloneRefOfFrameClause(n *FrameClause) *FrameClause

CloneRefOfFrameClause creates a deep clone of the input.

func (*FrameClause) CachedSize ¶

func (cached *FrameClause) CachedSize(alloc bool) int64

func (*FrameClause) Format ¶

func (node *FrameClause) Format(buf *TrackedBuffer)

Format formats the node

func (*FrameClause) FormatFast ¶

func (node *FrameClause) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type FramePoint ¶

type FramePoint struct {
	Type FramePointType
	Unit IntervalType
	Expr Expr
}

FramePoint refers to frame_start/frame_end More information available here: https://dev.mysql.com/doc/refman/8.0/en/window-functions-frames.html

func CloneRefOfFramePoint ¶

func CloneRefOfFramePoint(n *FramePoint) *FramePoint

CloneRefOfFramePoint creates a deep clone of the input.

func (*FramePoint) CachedSize ¶

func (cached *FramePoint) CachedSize(alloc bool) int64

func (*FramePoint) Format ¶

func (node *FramePoint) Format(buf *TrackedBuffer)

Format formats the node

func (*FramePoint) FormatFast ¶

func (node *FramePoint) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type FramePointType ¶

type FramePointType int8

FrameUnitType is an enum to get types of FramePoint.

const (
	CurrentRowType FramePointType = iota
	UnboundedPrecedingType
	UnboundedFollowingType
	ExprPrecedingType
	ExprFollowingType
)

Constants for Enum Type - FramePointType

func (FramePointType) ToString ¶

func (ty FramePointType) ToString() string

ToString returns the type as a string

type FrameUnitType ¶

type FrameUnitType int8

FrameUnitType is an enum to get types of Unit used in FrameClause.

const (
	FrameRowsType FrameUnitType = iota
	FrameRangeType
)

Constants for Enum Type - FrameUnitType

func (FrameUnitType) ToString ¶

func (ty FrameUnitType) ToString() string

ToString returns the type as a string

type FromFirstLastClause ¶

type FromFirstLastClause struct {
	Type FromFirstLastType
}

FromFirstLastClause refers to from_first_last According to SQL Docs: from_first_last is part of the SQL standard, but the MySQL implementation permits only FROM FIRST (which is also the default). This means that calculations begin at the first row of the window. FROM LAST is parsed, but produces an error. To obtain the same effect as FROM LAST (begin calculations at the last row of the window), use ORDER BY to sort in reverse order.

func CloneRefOfFromFirstLastClause ¶

func CloneRefOfFromFirstLastClause(n *FromFirstLastClause) *FromFirstLastClause

CloneRefOfFromFirstLastClause creates a deep clone of the input.

func (*FromFirstLastClause) Format ¶

func (node *FromFirstLastClause) Format(buf *TrackedBuffer)

Format formats the node

func (*FromFirstLastClause) FormatFast ¶

func (node *FromFirstLastClause) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type FromFirstLastType ¶

type FromFirstLastType int8

FromFirstLastType is an enum to get types for FromFirstLastClause

const (
	FromFirstType FromFirstLastType = iota
	FromLastType
)

Constants for Enum Type - FromFirstLastType

func (FromFirstLastType) ToString ¶

func (ty FromFirstLastType) ToString() string

ToString returns the type as a string

type FuncExpr ¶

type FuncExpr struct {
	Qualifier IdentifierCS
	Name      IdentifierCI
	Exprs     Exprs
}

FuncExpr represents a function call.

func CloneRefOfFuncExpr ¶

func CloneRefOfFuncExpr(n *FuncExpr) *FuncExpr

CloneRefOfFuncExpr creates a deep clone of the input.

func (*FuncExpr) CachedSize ¶

func (cached *FuncExpr) CachedSize(alloc bool) int64

func (*FuncExpr) Format ¶

func (node *FuncExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*FuncExpr) FormatFast ¶

func (node *FuncExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*FuncExpr) IsExpr ¶

func (*FuncExpr) IsExpr()

type GTIDFuncExpr ¶

type GTIDFuncExpr struct {
	Type    GTIDType
	Set1    Expr
	Set2    Expr
	Timeout Expr
	Channel Expr
}

GTIDFuncExpr stands for GTID Functions Set1 Acts as gtid_set for WAIT_FOR_EXECUTED_GTID_SET() and WAIT_UNTIL_SQL_THREAD_AFTER_GTIDS() For more details, postVisit https://dev.mysql.com/doc/refman/8.0/en/gtid-functions.html

func CloneRefOfGTIDFuncExpr ¶

func CloneRefOfGTIDFuncExpr(n *GTIDFuncExpr) *GTIDFuncExpr

CloneRefOfGTIDFuncExpr creates a deep clone of the input.

func (*GTIDFuncExpr) CachedSize ¶

func (cached *GTIDFuncExpr) CachedSize(alloc bool) int64

func (*GTIDFuncExpr) Format ¶

func (node *GTIDFuncExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*GTIDFuncExpr) FormatFast ¶

func (node *GTIDFuncExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*GTIDFuncExpr) IsExpr ¶

func (*GTIDFuncExpr) IsExpr()

type GTIDType ¶

type GTIDType int8

GTIDType is an enum that get types of GTIDFunc

const (
	GTIDSubsetType GTIDType = iota
	GTIDSubtractType
	WaitForExecutedGTIDSetType
	WaitUntilSQLThreadAfterGTIDSType
)

Constants for Enum Type - GTIDType

func (GTIDType) ToString ¶

func (ty GTIDType) ToString() string

ToString returns the type as a string

type Generator ¶

type Generator struct {
	// contains filtered or unexported fields
}

func NewGenerator ¶

func NewGenerator(maxDepth int, exprGenerators ...ExprGenerator) *Generator

func (*Generator) Expression ¶

func (g *Generator) Expression(genConfig ExprGeneratorConfig) Expr
 Creates a random expression. It builds an expression tree using the following constructs:
    - true/false
    - AND/OR/NOT
    - string literals, numeric literals (-/+ 1000)
	- columns of types bigint and varchar
	- scalar and tuple subqueries
    - =, >, <, >=, <=, <=>, !=
	- &, |, ^, +, -, *, /, div, %, <<, >>
    - IN, BETWEEN and CASE
	- IS NULL, IS NOT NULL, IS TRUE, IS NOT TRUE, IS FALSE, IS NOT FALSE
Returns the random expression (Expr) and its type (string)

Note: It's important to update this method so that it produces all expressions that need precedence checking. It's currently missing function calls and string operators

type GeoHashFromLatLongExpr ¶

type GeoHashFromLatLongExpr struct {
	Latitude  Expr
	Longitude Expr
	MaxLength Expr
}

*********** Expressions

func CloneRefOfGeoHashFromLatLongExpr ¶

func CloneRefOfGeoHashFromLatLongExpr(n *GeoHashFromLatLongExpr) *GeoHashFromLatLongExpr

CloneRefOfGeoHashFromLatLongExpr creates a deep clone of the input.

func (*GeoHashFromLatLongExpr) CachedSize ¶

func (cached *GeoHashFromLatLongExpr) CachedSize(alloc bool) int64

func (*GeoHashFromLatLongExpr) Format ¶

func (node *GeoHashFromLatLongExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*GeoHashFromLatLongExpr) FormatFast ¶

func (node *GeoHashFromLatLongExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*GeoHashFromLatLongExpr) IsExpr ¶

func (*GeoHashFromLatLongExpr) IsExpr()

type GeoHashFromPointExpr ¶

type GeoHashFromPointExpr struct {
	Point     Expr
	MaxLength Expr
}

*********** Expressions

func CloneRefOfGeoHashFromPointExpr ¶

func CloneRefOfGeoHashFromPointExpr(n *GeoHashFromPointExpr) *GeoHashFromPointExpr

CloneRefOfGeoHashFromPointExpr creates a deep clone of the input.

func (*GeoHashFromPointExpr) CachedSize ¶

func (cached *GeoHashFromPointExpr) CachedSize(alloc bool) int64

func (*GeoHashFromPointExpr) Format ¶

func (node *GeoHashFromPointExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*GeoHashFromPointExpr) FormatFast ¶

func (node *GeoHashFromPointExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*GeoHashFromPointExpr) IsExpr ¶

func (*GeoHashFromPointExpr) IsExpr()

type GeoJSONFromGeomExpr ¶

type GeoJSONFromGeomExpr struct {
	Geom             Expr
	MaxDecimalDigits Expr
	Bitmask          Expr
}

*********** Expressions

func CloneRefOfGeoJSONFromGeomExpr ¶

func CloneRefOfGeoJSONFromGeomExpr(n *GeoJSONFromGeomExpr) *GeoJSONFromGeomExpr

CloneRefOfGeoJSONFromGeomExpr creates a deep clone of the input.

func (*GeoJSONFromGeomExpr) CachedSize ¶

func (cached *GeoJSONFromGeomExpr) CachedSize(alloc bool) int64

func (*GeoJSONFromGeomExpr) Format ¶

func (node *GeoJSONFromGeomExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*GeoJSONFromGeomExpr) FormatFast ¶

func (node *GeoJSONFromGeomExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*GeoJSONFromGeomExpr) IsExpr ¶

func (*GeoJSONFromGeomExpr) IsExpr()

type GeomCollPropType ¶

type GeomCollPropType int8

GeomCollPropType is an enumthat enumerates the kind of geom coll property functions with possible values: GeometryN NumGeometries

const (
	GeometryN GeomCollPropType = iota
	NumGeometries
)

Enum Types of geom collection property functions

func (GeomCollPropType) ToString ¶

func (ty GeomCollPropType) ToString() string

ToString returns the type as a string

type GeomCollPropertyFuncExpr ¶

type GeomCollPropertyFuncExpr struct {
	Property       GeomCollPropType
	GeomColl       Expr
	PropertyDefArg Expr
}

*********** Expressions

func CloneRefOfGeomCollPropertyFuncExpr ¶

func CloneRefOfGeomCollPropertyFuncExpr(n *GeomCollPropertyFuncExpr) *GeomCollPropertyFuncExpr

CloneRefOfGeomCollPropertyFuncExpr creates a deep clone of the input.

func (*GeomCollPropertyFuncExpr) CachedSize ¶

func (cached *GeomCollPropertyFuncExpr) CachedSize(alloc bool) int64

func (*GeomCollPropertyFuncExpr) Format ¶

func (node *GeomCollPropertyFuncExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*GeomCollPropertyFuncExpr) FormatFast ¶

func (node *GeomCollPropertyFuncExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*GeomCollPropertyFuncExpr) IsExpr ¶

func (*GeomCollPropertyFuncExpr) IsExpr()

type GeomFormatExpr ¶

type GeomFormatExpr struct {
	FormatType   GeomFormatType
	Geom         Expr
	AxisOrderOpt Expr
}

*********** Expressions

func CloneRefOfGeomFormatExpr ¶

func CloneRefOfGeomFormatExpr(n *GeomFormatExpr) *GeomFormatExpr

CloneRefOfGeomFormatExpr creates a deep clone of the input.

func (*GeomFormatExpr) CachedSize ¶

func (cached *GeomFormatExpr) CachedSize(alloc bool) int64

func (*GeomFormatExpr) Format ¶

func (node *GeomFormatExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*GeomFormatExpr) FormatFast ¶

func (node *GeomFormatExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*GeomFormatExpr) IsExpr ¶

func (*GeomFormatExpr) IsExpr()

type GeomFormatType ¶

type GeomFormatType int8

GeomFormatType is an enum to get the types of geom format functions with possible values: BinaryFormat TextFormat

const (
	TextFormat GeomFormatType = iota
	BinaryFormat
)

Enum Types of spatial format functions

func (GeomFormatType) ToString ¶

func (ty GeomFormatType) ToString() string

ToString returns the type as a string

type GeomFromGeoHashExpr ¶

type GeomFromGeoHashExpr struct {
	GeomType GeomFromHashType
	GeoHash  Expr
	SridOpt  Expr
}

*********** Expressions

func CloneRefOfGeomFromGeoHashExpr ¶

func CloneRefOfGeomFromGeoHashExpr(n *GeomFromGeoHashExpr) *GeomFromGeoHashExpr

CloneRefOfGeomFromGeoHashExpr creates a deep clone of the input.

func (*GeomFromGeoHashExpr) CachedSize ¶

func (cached *GeomFromGeoHashExpr) CachedSize(alloc bool) int64

func (*GeomFromGeoHashExpr) Format ¶

func (node *GeomFromGeoHashExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*GeomFromGeoHashExpr) FormatFast ¶

func (node *GeomFromGeoHashExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*GeomFromGeoHashExpr) IsExpr ¶

func (*GeomFromGeoHashExpr) IsExpr()

type GeomFromGeoJSONExpr ¶

type GeomFromGeoJSONExpr struct {
	GeoJSON             Expr
	HigherDimHandlerOpt Expr // This value determine how the higher dimensions are handled while converting json to geometry
	Srid                Expr
}

*********** Expressions

func CloneRefOfGeomFromGeoJSONExpr ¶

func CloneRefOfGeomFromGeoJSONExpr(n *GeomFromGeoJSONExpr) *GeomFromGeoJSONExpr

CloneRefOfGeomFromGeoJSONExpr creates a deep clone of the input.

func (*GeomFromGeoJSONExpr) CachedSize ¶

func (cached *GeomFromGeoJSONExpr) CachedSize(alloc bool) int64

func (*GeomFromGeoJSONExpr) Format ¶

func (node *GeomFromGeoJSONExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*GeomFromGeoJSONExpr) FormatFast ¶

func (node *GeomFromGeoJSONExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*GeomFromGeoJSONExpr) IsExpr ¶

func (*GeomFromGeoJSONExpr) IsExpr()

type GeomFromHashType ¶

type GeomFromHashType int8

GeomFromHashType is an enum that determines what kind geom being retireived from hash

const (
	LatitudeFromHash GeomFromHashType = iota
	LongitudeFromHash
	PointFromHash
)

Enum Types of geom from geohash functions

func (GeomFromHashType) ToString ¶

func (ty GeomFromHashType) ToString() string

ToString returns the type as a string

type GeomFromTextExpr ¶

type GeomFromTextExpr struct {
	Type         GeomFromWktType
	WktText      Expr
	Srid         Expr
	AxisOrderOpt Expr
}

*********** Expressions

func CloneRefOfGeomFromTextExpr ¶

func CloneRefOfGeomFromTextExpr(n *GeomFromTextExpr) *GeomFromTextExpr

CloneRefOfGeomFromTextExpr creates a deep clone of the input.

func (*GeomFromTextExpr) CachedSize ¶

func (cached *GeomFromTextExpr) CachedSize(alloc bool) int64

func (*GeomFromTextExpr) Format ¶

func (node *GeomFromTextExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*GeomFromTextExpr) FormatFast ¶

func (node *GeomFromTextExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*GeomFromTextExpr) IsExpr ¶

func (*GeomFromTextExpr) IsExpr()

type GeomFromWKBExpr ¶

type GeomFromWKBExpr struct {
	Type         GeomFromWkbType
	WkbBlob      Expr
	Srid         Expr
	AxisOrderOpt Expr
}

*********** Expressions

func CloneRefOfGeomFromWKBExpr ¶

func CloneRefOfGeomFromWKBExpr(n *GeomFromWKBExpr) *GeomFromWKBExpr

CloneRefOfGeomFromWKBExpr creates a deep clone of the input.

func (*GeomFromWKBExpr) CachedSize ¶

func (cached *GeomFromWKBExpr) CachedSize(alloc bool) int64

func (*GeomFromWKBExpr) Format ¶

func (node *GeomFromWKBExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*GeomFromWKBExpr) FormatFast ¶

func (node *GeomFromWKBExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*GeomFromWKBExpr) IsExpr ¶

func (*GeomFromWKBExpr) IsExpr()

type GeomFromWkbType ¶

type GeomFromWkbType int8

GeomFromWkbType is an enum to get the types of wkb functions with possible values: GeometryFromWKB GeometryCollectionFromWKB PointFromWKB LineStringFromWKB PolygonFromWKB MultiPointFromWKB MultiPolygonFromWKB MultiLinestringFromWKB

const (
	GeometryFromWKB GeomFromWkbType = iota
	GeometryCollectionFromWKB
	PointFromWKB
	LineStringFromWKB
	PolygonFromWKB
	MultiPointFromWKB
	MultiPolygonFromWKB
	MultiLinestringFromWKB
)

Enum Types of WKT functions

func (GeomFromWkbType) ToString ¶

func (ty GeomFromWkbType) ToString() string

ToString returns the type as a string

type GeomFromWktType ¶

type GeomFromWktType int8

GeomFromWktType is an enum to get the types of wkt functions with possible values: GeometryFromText GeometryCollectionFromText PointFromText LineStringFromText PolygonFromText MultiPointFromText MultiPolygonFromText MultiLinestringFromText

const (
	GeometryFromText GeomFromWktType = iota
	GeometryCollectionFromText
	PointFromText
	LineStringFromText
	PolygonFromText
	MultiPointFromText
	MultiPolygonFromText
	MultiLinestringFromText
)

Enum Types of WKT functions

func (GeomFromWktType) ToString ¶

func (ty GeomFromWktType) ToString() string

ToString returns the type as a string

type GeomPropertyFuncExpr ¶

type GeomPropertyFuncExpr struct {
	Property GeomPropertyType
	Geom     Expr
}

*********** Expressions

func CloneRefOfGeomPropertyFuncExpr ¶

func CloneRefOfGeomPropertyFuncExpr(n *GeomPropertyFuncExpr) *GeomPropertyFuncExpr

CloneRefOfGeomPropertyFuncExpr creates a deep clone of the input.

func (*GeomPropertyFuncExpr) CachedSize ¶

func (cached *GeomPropertyFuncExpr) CachedSize(alloc bool) int64

func (*GeomPropertyFuncExpr) Format ¶

func (node *GeomPropertyFuncExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*GeomPropertyFuncExpr) FormatFast ¶

func (node *GeomPropertyFuncExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*GeomPropertyFuncExpr) IsExpr ¶

func (*GeomPropertyFuncExpr) IsExpr()

type GeomPropertyType ¶

type GeomPropertyType int8

GeomPropertyType is an enum to get the types of geom property functions with possible values: Dimension Envelope IsSimple IsEmpty GeometryType

const (
	IsSimple GeomPropertyType = iota
	IsEmpty
	Dimension
	GeometryType
	Envelope
)

Enum Types of spatial property functions

func (GeomPropertyType) ToString ¶

func (ty GeomPropertyType) ToString() string

ToString returns the type as a string

type GroupBy ¶

type GroupBy struct {
	Exprs      []Expr
	WithRollup bool
}

GroupBy represents a GROUP BY clause.

func CloneRefOfGroupBy ¶

func CloneRefOfGroupBy(n *GroupBy) *GroupBy

CloneRefOfGroupBy creates a deep clone of the input.

func (*GroupBy) CachedSize ¶

func (cached *GroupBy) CachedSize(alloc bool) int64

func (*GroupBy) Format ¶

func (node *GroupBy) Format(buf *TrackedBuffer)

Format formats the node.

func (*GroupBy) FormatFast ¶

func (node *GroupBy) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type GroupConcatExpr ¶

type GroupConcatExpr struct {
	Distinct  bool
	Exprs     Exprs
	OrderBy   OrderBy
	Separator string
	Limit     *Limit
}

GroupConcatExpr represents a call to GROUP_CONCAT

func CloneRefOfGroupConcatExpr ¶

func CloneRefOfGroupConcatExpr(n *GroupConcatExpr) *GroupConcatExpr

CloneRefOfGroupConcatExpr creates a deep clone of the input.

func (*GroupConcatExpr) AggrName ¶

func (*GroupConcatExpr) AggrName() string

func (*GroupConcatExpr) CachedSize ¶

func (cached *GroupConcatExpr) CachedSize(alloc bool) int64

func (*GroupConcatExpr) Format ¶

func (node *GroupConcatExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*GroupConcatExpr) FormatFast ¶

func (node *GroupConcatExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*GroupConcatExpr) GetArg ¶

func (grpConcat *GroupConcatExpr) GetArg() Expr

func (*GroupConcatExpr) GetArgs ¶

func (grpConcat *GroupConcatExpr) GetArgs() Exprs

func (*GroupConcatExpr) IsDistinct ¶

func (grpConcat *GroupConcatExpr) IsDistinct() bool

func (*GroupConcatExpr) IsExpr ¶

func (*GroupConcatExpr) IsExpr()

func (*GroupConcatExpr) SetDistinct ¶

func (grpConcat *GroupConcatExpr) SetDistinct(distinct bool)

type IdentifierCI ¶

type IdentifierCI struct {
	// contains filtered or unexported fields
}

IdentifierCI is a case insensitive SQL identifier. It will be escaped with backquotes if necessary.

func CloneIdentifierCI ¶

func CloneIdentifierCI(n IdentifierCI) IdentifierCI

CloneIdentifierCI creates a deep clone of the input.

func CloneRefOfIdentifierCI ¶

func CloneRefOfIdentifierCI(n *IdentifierCI) *IdentifierCI

CloneRefOfIdentifierCI creates a deep clone of the input.

func CloneSliceOfIdentifierCI ¶

func CloneSliceOfIdentifierCI(n []IdentifierCI) []IdentifierCI

CloneSliceOfIdentifierCI creates a deep clone of the input.

func NewIdentifierCI ¶

func NewIdentifierCI(str string) IdentifierCI

NewIdentifierCI makes a new IdentifierCI.

func (*IdentifierCI) CachedSize ¶

func (cached *IdentifierCI) CachedSize(alloc bool) int64

func (IdentifierCI) CompliantName ¶

func (node IdentifierCI) CompliantName() string

CompliantName returns a compliant id name that can be used for a bind var.

func (IdentifierCI) Equal ¶

func (node IdentifierCI) Equal(in IdentifierCI) bool

Equal performs a case-insensitive compare.

func (IdentifierCI) EqualString ¶

func (node IdentifierCI) EqualString(str string) bool

EqualString performs a case-insensitive compare with str.

func (IdentifierCI) EqualsAnyString ¶

func (node IdentifierCI) EqualsAnyString(str []string) bool

EqualsAnyString returns true if any of these strings match

func (IdentifierCI) Format ¶

func (node IdentifierCI) Format(buf *TrackedBuffer)

Format formats the node.

func (IdentifierCI) FormatFast ¶

func (node IdentifierCI) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (IdentifierCI) IsEmpty ¶

func (node IdentifierCI) IsEmpty() bool

IsEmpty returns true if the name is empty.

func (IdentifierCI) Lowered ¶

func (node IdentifierCI) Lowered() string

Lowered returns a lower-cased column name. This function should generally be used only for optimizing comparisons.

func (IdentifierCI) MarshalJSON ¶

func (node IdentifierCI) MarshalJSON() ([]byte, error)

MarshalJSON marshals into JSON.

func (IdentifierCI) NotEmpty ¶

func (node IdentifierCI) NotEmpty() bool

NonEmpty returns true if the name is not empty.

func (IdentifierCI) String ¶

func (node IdentifierCI) String() string

String returns the unescaped column name. It must not be used for SQL generation. Use sqlparser.String instead. The Stringer conformance is for usage in templates.

func (*IdentifierCI) UnmarshalJSON ¶

func (node *IdentifierCI) UnmarshalJSON(b []byte) error

UnmarshalJSON unmarshals from JSON.

type IdentifierCS ¶

type IdentifierCS struct {
	// contains filtered or unexported fields
}

IdentifierCS is a case sensitive SQL identifier. It will be escaped with backquotes if necessary.

func CloneIdentifierCS ¶

func CloneIdentifierCS(n IdentifierCS) IdentifierCS

CloneIdentifierCS creates a deep clone of the input.

func CloneRefOfIdentifierCS ¶

func CloneRefOfIdentifierCS(n *IdentifierCS) *IdentifierCS

CloneRefOfIdentifierCS creates a deep clone of the input.

func GetTableName ¶

func GetTableName(node SimpleTableExpr) IdentifierCS

GetTableName returns the table name from the SimpleTableExpr only if it's a simple expression. Otherwise, it returns "".

func NewIdentifierCS ¶

func NewIdentifierCS(str string) IdentifierCS

NewIdentifierCS creates a new IdentifierCS.

func (*IdentifierCS) CachedSize ¶

func (cached *IdentifierCS) CachedSize(alloc bool) int64

func (IdentifierCS) CompliantName ¶

func (node IdentifierCS) CompliantName() string

CompliantName returns a compliant id name that can be used for a bind var.

func (IdentifierCS) Format ¶

func (node IdentifierCS) Format(buf *TrackedBuffer)

Format formats the node.

func (IdentifierCS) FormatFast ¶

func (node IdentifierCS) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (IdentifierCS) IsEmpty ¶

func (node IdentifierCS) IsEmpty() bool

IsEmpty returns true if TabIdent is empty.

func (IdentifierCS) MarshalJSON ¶

func (node IdentifierCS) MarshalJSON() ([]byte, error)

MarshalJSON marshals into JSON.

func (IdentifierCS) NotEmpty ¶

func (node IdentifierCS) NotEmpty() bool

NonEmpty returns true if TabIdent is not empty.

func (IdentifierCS) String ¶

func (node IdentifierCS) String() string

String returns the unescaped table name. It must not be used for SQL generation. Use sqlparser.String instead. The Stringer conformance is for usage in templates.

func (*IdentifierCS) UnmarshalJSON ¶

func (node *IdentifierCS) UnmarshalJSON(b []byte) error

UnmarshalJSON unmarshals from JSON.

type Ignore ¶

type Ignore bool

Ignore represents whether ignore was specified or not

func (Ignore) ToString ¶

func (ignore Ignore) ToString() string

ToString returns the IgnoreStr if ignore is true.

type IndexColumn ¶

type IndexColumn struct {
	// Only one of Column or Expression can be specified
	// Length is an optional field which is only applicable when Column is used
	Column     IdentifierCI
	Length     *int
	Expression Expr
	Direction  OrderDirection
}

IndexColumn describes a column or expression in an index definition with optional length (for column)

func CloneRefOfIndexColumn ¶

func CloneRefOfIndexColumn(n *IndexColumn) *IndexColumn

CloneRefOfIndexColumn creates a deep clone of the input.

func CloneSliceOfRefOfIndexColumn ¶

func CloneSliceOfRefOfIndexColumn(n []*IndexColumn) []*IndexColumn

CloneSliceOfRefOfIndexColumn creates a deep clone of the input.

func (*IndexColumn) CachedSize ¶

func (cached *IndexColumn) CachedSize(alloc bool) int64

type IndexDefinition ¶

type IndexDefinition struct {
	Info    *IndexInfo
	Columns []*IndexColumn
	Options []*IndexOption
}

IndexDefinition describes an index in a CREATE TABLE statement

func CloneRefOfIndexDefinition ¶

func CloneRefOfIndexDefinition(n *IndexDefinition) *IndexDefinition

CloneRefOfIndexDefinition creates a deep clone of the input.

func CloneSliceOfRefOfIndexDefinition ¶

func CloneSliceOfRefOfIndexDefinition(n []*IndexDefinition) []*IndexDefinition

CloneSliceOfRefOfIndexDefinition creates a deep clone of the input.

func (*IndexDefinition) CachedSize ¶

func (cached *IndexDefinition) CachedSize(alloc bool) int64

func (*IndexDefinition) Format ¶

func (idx *IndexDefinition) Format(buf *TrackedBuffer)

Format formats the node.

func (*IndexDefinition) FormatFast ¶

func (idx *IndexDefinition) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type IndexHint ¶

type IndexHint struct {
	Type    IndexHintType
	ForType IndexHintForType
	Indexes []IdentifierCI
}

IndexHint represents an index hint. More information available on https://dev.mysql.com/doc/refman/8.0/en/index-hints.html

func CloneRefOfIndexHint ¶

func CloneRefOfIndexHint(n *IndexHint) *IndexHint

CloneRefOfIndexHint creates a deep clone of the input.

func (*IndexHint) CachedSize ¶

func (cached *IndexHint) CachedSize(alloc bool) int64

func (*IndexHint) Format ¶

func (node *IndexHint) Format(buf *TrackedBuffer)

Format formats the node.

func (*IndexHint) FormatFast ¶

func (node *IndexHint) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type IndexHintForType ¶

type IndexHintForType int8

IndexHintForType is an enum for FOR specified in an IndexHint

const (
	NoForType IndexHintForType = iota
	JoinForType
	GroupByForType
	OrderByForType
)

Constant for Enum Type - IndexHintForType

func (IndexHintForType) ToString ¶

func (ty IndexHintForType) ToString() string

ToString returns the type as a string

type IndexHintType ¶

type IndexHintType int8

IndexHintType is an enum for IndexHint.Type

const (
	UseOp IndexHintType = iota
	IgnoreOp
	ForceOp
	UseVindexOp
	IgnoreVindexOp
)

Constant for Enum Type - IndexHintType

func (IndexHintType) IsVindexHint ¶

func (ty IndexHintType) IsVindexHint() bool

IsVindexHint returns if the given hint is a Vindex hint or not.

func (IndexHintType) ToString ¶

func (ty IndexHintType) ToString() string

ToString returns the type as a string

type IndexHints ¶

type IndexHints []*IndexHint

IndexHints represents a list of index hints.

func CloneIndexHints ¶

func CloneIndexHints(n IndexHints) IndexHints

CloneIndexHints creates a deep clone of the input.

func (IndexHints) Format ¶

func (node IndexHints) Format(buf *TrackedBuffer)

Format formats the node.

func (IndexHints) FormatFast ¶

func (node IndexHints) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type IndexInfo ¶

type IndexInfo struct {
	Type           IndexType
	Name           IdentifierCI
	ConstraintName IdentifierCI
}

IndexInfo describes the name and type of an index in a CREATE TABLE statement

func CloneRefOfIndexInfo ¶

func CloneRefOfIndexInfo(n *IndexInfo) *IndexInfo

CloneRefOfIndexInfo creates a deep clone of the input.

func (*IndexInfo) CachedSize ¶

func (cached *IndexInfo) CachedSize(alloc bool) int64

func (*IndexInfo) Format ¶

func (ii *IndexInfo) Format(buf *TrackedBuffer)

Format formats the node.

func (*IndexInfo) FormatFast ¶

func (ii *IndexInfo) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*IndexInfo) IsUnique ¶

func (ii *IndexInfo) IsUnique() bool

type IndexOption ¶

type IndexOption struct {
	Name   string
	Value  *Literal
	String string
}

IndexOption is used for trailing options for indexes: COMMENT, KEY_BLOCK_SIZE, USING, WITH PARSER

func CloneRefOfIndexOption ¶

func CloneRefOfIndexOption(n *IndexOption) *IndexOption

CloneRefOfIndexOption creates a deep clone of the input.

func CloneSliceOfRefOfIndexOption ¶

func CloneSliceOfRefOfIndexOption(n []*IndexOption) []*IndexOption

CloneSliceOfRefOfIndexOption creates a deep clone of the input.

func (*IndexOption) CachedSize ¶

func (cached *IndexOption) CachedSize(alloc bool) int64

type IndexType ¶

type IndexType int8

IndexType is the type of index in a DDL statement

const (
	IndexTypeDefault IndexType = iota
	IndexTypePrimary
	IndexTypeUnique
	IndexTypeSpatial
	IndexTypeFullText
)

type Insert ¶

type Insert struct {
	Action   InsertAction
	Comments *ParsedComments
	Ignore   Ignore
	// The Insert as syntax still take TableName.
	// The change is made for semantic analyzer as it takes AliasedTableExpr to provide TableInfo
	Table      *AliasedTableExpr
	Partitions Partitions
	Columns    Columns
	Rows       InsertRows
	RowAlias   *RowAlias
	OnDup      OnDup
}

Insert represents an INSERT or REPLACE statement. Per the MySQL docs, http://dev.mysql.com/doc/refman/5.7/en/replace.html Replace is the counterpart to `INSERT IGNORE`, and works exactly like a normal INSERT except if the row exists. In that case it first deletes the row and re-inserts with new values. For that reason we keep it as an Insert struct. Replaces are currently disallowed in sharded schemas because of the implications the deletion part may have on vindexes. If you add fields here, consider adding them to calls to validateUnshardedRoute.

func CloneRefOfInsert ¶

func CloneRefOfInsert(n *Insert) *Insert

CloneRefOfInsert creates a deep clone of the input.

func (*Insert) CachedSize ¶

func (cached *Insert) CachedSize(alloc bool) int64

func (*Insert) Format ¶

func (node *Insert) Format(buf *TrackedBuffer)

Format formats the node.

func (*Insert) FormatFast ¶

func (node *Insert) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*Insert) GetParsedComments ¶

func (node *Insert) GetParsedComments() *ParsedComments

GetParsedComments implements Insert.

func (*Insert) SetComments ¶

func (node *Insert) SetComments(comments Comments)

SetComments for Insert

type InsertAction ¶

type InsertAction int8

InsertAction is the action for insert.

const (
	InsertAct InsertAction = iota
	ReplaceAct
)

Constants for Enum Type - Insert.Action

type InsertExpr ¶

type InsertExpr struct {
	Str    Expr
	Pos    Expr
	Len    Expr
	NewStr Expr
}

InsertExpr represents an INSERT expression

func CloneRefOfInsertExpr ¶

func CloneRefOfInsertExpr(n *InsertExpr) *InsertExpr

CloneRefOfInsertExpr creates a deep clone of the input.

func (*InsertExpr) CachedSize ¶

func (cached *InsertExpr) CachedSize(alloc bool) int64

func (*InsertExpr) Format ¶

func (node *InsertExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*InsertExpr) FormatFast ¶

func (node *InsertExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*InsertExpr) IsExpr ¶

func (*InsertExpr) IsExpr()

type InsertRows ¶

type InsertRows interface {
	SQLNode
	// contains filtered or unexported methods
}

InsertRows represents the rows for an INSERT statement.

func CloneInsertRows ¶

func CloneInsertRows(in InsertRows) InsertRows

CloneInsertRows creates a deep clone of the input.

type InsertValues ¶

type InsertValues [][]sqltypes.Value

InsertValues is a custom SQL encoder for the values of an insert statement.

func (InsertValues) EncodeSQL ¶

func (iv InsertValues) EncodeSQL(buf *strings.Builder)

EncodeSQL performs the SQL encoding for InsertValues.

type IntervalDateExpr ¶

type IntervalDateExpr struct {
	Syntax   IntervalExprSyntax
	Date     Expr
	Interval Expr
	Unit     IntervalType
}

IntervalDateExpr represents ADDDATE(), DATE_ADD()

func CloneRefOfIntervalDateExpr ¶

func CloneRefOfIntervalDateExpr(n *IntervalDateExpr) *IntervalDateExpr

CloneRefOfIntervalDateExpr creates a deep clone of the input.

func (*IntervalDateExpr) CachedSize ¶

func (cached *IntervalDateExpr) CachedSize(alloc bool) int64

func (*IntervalDateExpr) FnName ¶

func (node *IntervalDateExpr) FnName() string

func (*IntervalDateExpr) Format ¶

func (node *IntervalDateExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*IntervalDateExpr) FormatFast ¶

func (node *IntervalDateExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*IntervalDateExpr) IsExpr ¶

func (*IntervalDateExpr) IsExpr()

func (*IntervalDateExpr) IsSubtraction ¶

func (node *IntervalDateExpr) IsSubtraction() bool

func (*IntervalDateExpr) NormalizedUnit ¶

func (node *IntervalDateExpr) NormalizedUnit() IntervalType

type IntervalExprSyntax ¶

type IntervalExprSyntax int8
const (
	IntervalDateExprDateAdd IntervalExprSyntax = iota
	IntervalDateExprDateSub
	IntervalDateExprAdddate
	IntervalDateExprSubdate
	IntervalDateExprBinaryAdd
	IntervalDateExprBinaryAddLeft
	IntervalDateExprBinarySub
	IntervalDateExprTimestampadd
)

type IntervalFuncExpr ¶

type IntervalFuncExpr struct {
	Expr  Expr
	Exprs Exprs
}

IntervalFuncExpr represents an INTERVAL function expression

func CloneRefOfIntervalFuncExpr ¶

func CloneRefOfIntervalFuncExpr(n *IntervalFuncExpr) *IntervalFuncExpr

CloneRefOfIntervalFuncExpr creates a deep clone of the input.

func (*IntervalFuncExpr) CachedSize ¶

func (cached *IntervalFuncExpr) CachedSize(alloc bool) int64

func (*IntervalFuncExpr) Format ¶

func (node *IntervalFuncExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*IntervalFuncExpr) FormatFast ¶

func (node *IntervalFuncExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*IntervalFuncExpr) IsExpr ¶

func (*IntervalFuncExpr) IsExpr()

type IntervalType ¶

type IntervalType = datetime.IntervalType

*********** Expressions

type IntroducerExpr ¶

type IntroducerExpr struct {
	CharacterSet string
	Expr         Expr
}

IntroducerExpr represents a unary value expression.

func CloneRefOfIntroducerExpr ¶

func CloneRefOfIntroducerExpr(n *IntroducerExpr) *IntroducerExpr

CloneRefOfIntroducerExpr creates a deep clone of the input.

func (*IntroducerExpr) CachedSize ¶

func (cached *IntroducerExpr) CachedSize(alloc bool) int64

func (*IntroducerExpr) Format ¶

func (node *IntroducerExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*IntroducerExpr) FormatFast ¶

func (node *IntroducerExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*IntroducerExpr) IsExpr ¶

func (*IntroducerExpr) IsExpr()

type IsExpr ¶

type IsExpr struct {
	Left  Expr
	Right IsExprOperator
}

IsExpr represents an IS ... or an IS NOT ... expression.

func CloneRefOfIsExpr ¶

func CloneRefOfIsExpr(n *IsExpr) *IsExpr

CloneRefOfIsExpr creates a deep clone of the input.

func (*IsExpr) CachedSize ¶

func (cached *IsExpr) CachedSize(alloc bool) int64

func (*IsExpr) Format ¶

func (node *IsExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*IsExpr) FormatFast ¶

func (node *IsExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*IsExpr) IsExpr ¶

func (*IsExpr) IsExpr()

type IsExprOperator ¶

type IsExprOperator int8

IsExprOperator is an enum for IsExpr.Operator

const (
	IsNullOp IsExprOperator = iota
	IsNotNullOp
	IsTrueOp
	IsNotTrueOp
	IsFalseOp
	IsNotFalseOp
)

Constant for Enum Type - IsExprOperator

func (IsExprOperator) ToString ¶

func (op IsExprOperator) ToString() string

ToString returns the operator as a string

type JSONArrayExpr ¶

type JSONArrayExpr struct {
	Params Exprs
}

JSONArrayExpr represents JSON_ARRAY() More information on https://dev.mysql.com/doc/refman/8.0/en/json-creation-functions.html#function_json-array

func CloneRefOfJSONArrayExpr ¶

func CloneRefOfJSONArrayExpr(n *JSONArrayExpr) *JSONArrayExpr

CloneRefOfJSONArrayExpr creates a deep clone of the input.

func (*JSONArrayExpr) CachedSize ¶

func (cached *JSONArrayExpr) CachedSize(alloc bool) int64

func (*JSONArrayExpr) Format ¶

func (node *JSONArrayExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*JSONArrayExpr) FormatFast ¶

func (node *JSONArrayExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*JSONArrayExpr) IsExpr ¶

func (*JSONArrayExpr) IsExpr()

type JSONAttributeType ¶

type JSONAttributeType int8

JSONAttributeType is an enum to get types of TrimFunc. TrimFunc stand for one of the following: JSON_DEPTH JSON_TYPE JSON_VALID ENUM

const (
	DepthAttributeType JSONAttributeType = iota
	ValidAttributeType
	TypeAttributeType
	LengthAttributeType
)

Constants for Enum Type - JSONAttributeType

func (JSONAttributeType) ToString ¶

func (ty JSONAttributeType) ToString() string

ToString returns the type as a string

type JSONAttributesExpr ¶

type JSONAttributesExpr struct {
	Type    JSONAttributeType
	JSONDoc Expr
	Path    Expr
}

JSONAttributesExpr represents the argument and function for functions returning JSON value attributes More information available on https://dev.mysql.com/doc/refman/8.0/en/json-attribute-functions.html

func CloneRefOfJSONAttributesExpr ¶

func CloneRefOfJSONAttributesExpr(n *JSONAttributesExpr) *JSONAttributesExpr

CloneRefOfJSONAttributesExpr creates a deep clone of the input.

func (*JSONAttributesExpr) CachedSize ¶

func (cached *JSONAttributesExpr) CachedSize(alloc bool) int64

func (*JSONAttributesExpr) Format ¶

func (node *JSONAttributesExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*JSONAttributesExpr) FormatFast ¶

func (node *JSONAttributesExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*JSONAttributesExpr) IsExpr ¶

func (*JSONAttributesExpr) IsExpr()

type JSONContainsExpr ¶

type JSONContainsExpr struct {
	Target    Expr
	Candidate Expr
	PathList  []Expr
}

JSONContainsExpr represents the function and arguments for JSON_CONTAINS() For more information, see https://dev.mysql.com/doc/refman/8.0/en/json-search-functions.html#function_json-contains

func CloneRefOfJSONContainsExpr ¶

func CloneRefOfJSONContainsExpr(n *JSONContainsExpr) *JSONContainsExpr

CloneRefOfJSONContainsExpr creates a deep clone of the input.

func (*JSONContainsExpr) CachedSize ¶

func (cached *JSONContainsExpr) CachedSize(alloc bool) int64

func (*JSONContainsExpr) Format ¶

func (node *JSONContainsExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*JSONContainsExpr) FormatFast ¶

func (node *JSONContainsExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*JSONContainsExpr) IsExpr ¶

func (*JSONContainsExpr) IsExpr()

type JSONContainsPathExpr ¶

type JSONContainsPathExpr struct {
	JSONDoc  Expr
	OneOrAll Expr
	PathList []Expr
}

JSONContainsPathExpr represents the function and arguments for JSON_CONTAINS_PATH() For more information, see https://dev.mysql.com/doc/refman/8.0/en/json-search-functions.html#function_json-contains-path

func CloneRefOfJSONContainsPathExpr ¶

func CloneRefOfJSONContainsPathExpr(n *JSONContainsPathExpr) *JSONContainsPathExpr

CloneRefOfJSONContainsPathExpr creates a deep clone of the input.

func (*JSONContainsPathExpr) CachedSize ¶

func (cached *JSONContainsPathExpr) CachedSize(alloc bool) int64

func (*JSONContainsPathExpr) Format ¶

func (node *JSONContainsPathExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*JSONContainsPathExpr) FormatFast ¶

func (node *JSONContainsPathExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*JSONContainsPathExpr) IsExpr ¶

func (*JSONContainsPathExpr) IsExpr()

type JSONContainsPathType ¶

type JSONContainsPathType int8

JSONContainsPathType is an enum to get types of Trim

type JSONExtractExpr ¶

type JSONExtractExpr struct {
	JSONDoc  Expr
	PathList []Expr
}

JSONExtractExpr represents the function and arguments for JSON_EXTRACT() For more information, see https://dev.mysql.com/doc/refman/8.0/en/json-search-functions.html#function_json-extract

func CloneRefOfJSONExtractExpr ¶

func CloneRefOfJSONExtractExpr(n *JSONExtractExpr) *JSONExtractExpr

CloneRefOfJSONExtractExpr creates a deep clone of the input.

func (*JSONExtractExpr) CachedSize ¶

func (cached *JSONExtractExpr) CachedSize(alloc bool) int64

func (*JSONExtractExpr) Format ¶

func (node *JSONExtractExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*JSONExtractExpr) FormatFast ¶

func (node *JSONExtractExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*JSONExtractExpr) IsExpr ¶

func (*JSONExtractExpr) IsExpr()

type JSONKeysExpr ¶

type JSONKeysExpr struct {
	JSONDoc Expr
	Path    Expr
}

JSONKeysExpr represents the function and arguments for JSON_KEYS() For more information, see https://dev.mysql.com/doc/refman/8.0/en/json-search-functions.html#function_json-keys

func CloneRefOfJSONKeysExpr ¶

func CloneRefOfJSONKeysExpr(n *JSONKeysExpr) *JSONKeysExpr

CloneRefOfJSONKeysExpr creates a deep clone of the input.

func (*JSONKeysExpr) CachedSize ¶

func (cached *JSONKeysExpr) CachedSize(alloc bool) int64

func (*JSONKeysExpr) Format ¶

func (node *JSONKeysExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*JSONKeysExpr) FormatFast ¶

func (node *JSONKeysExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*JSONKeysExpr) IsExpr ¶

func (*JSONKeysExpr) IsExpr()

type JSONObjectExpr ¶

type JSONObjectExpr struct {
	Params []*JSONObjectParam
}

JSONObjectExpr represents JSON_OBJECT() More information on https://dev.mysql.com/doc/refman/8.0/en/json-creation-functions.html#function_json-object

func CloneRefOfJSONObjectExpr ¶

func CloneRefOfJSONObjectExpr(n *JSONObjectExpr) *JSONObjectExpr

CloneRefOfJSONObjectExpr creates a deep clone of the input.

func (*JSONObjectExpr) CachedSize ¶

func (cached *JSONObjectExpr) CachedSize(alloc bool) int64

func (*JSONObjectExpr) Format ¶

func (node *JSONObjectExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*JSONObjectExpr) FormatFast ¶

func (node *JSONObjectExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*JSONObjectExpr) IsExpr ¶

func (*JSONObjectExpr) IsExpr()

type JSONObjectParam ¶

type JSONObjectParam struct {
	Key   Expr
	Value Expr
}

JSONObjectParam defines a key/value parameter for a JSON_OBJECT expression

func CloneRefOfJSONObjectParam ¶

func CloneRefOfJSONObjectParam(n *JSONObjectParam) *JSONObjectParam

CloneRefOfJSONObjectParam creates a deep clone of the input.

func CloneSliceOfRefOfJSONObjectParam ¶

func CloneSliceOfRefOfJSONObjectParam(n []*JSONObjectParam) []*JSONObjectParam

CloneSliceOfRefOfJSONObjectParam creates a deep clone of the input.

func (*JSONObjectParam) CachedSize ¶

func (cached *JSONObjectParam) CachedSize(alloc bool) int64

func (*JSONObjectParam) Format ¶

func (node *JSONObjectParam) Format(buf *TrackedBuffer)

Format formats the node.

func (*JSONObjectParam) FormatFast ¶

func (node *JSONObjectParam) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type JSONOverlapsExpr ¶

type JSONOverlapsExpr struct {
	JSONDoc1 Expr
	JSONDoc2 Expr
}

JSONOverlapsExpr represents the function and arguments for JSON_OVERLAPS() For more information, see https://dev.mysql.com/doc/refman/8.0/en/json-search-functions.html#function_json-overlaps

func CloneRefOfJSONOverlapsExpr ¶

func CloneRefOfJSONOverlapsExpr(n *JSONOverlapsExpr) *JSONOverlapsExpr

CloneRefOfJSONOverlapsExpr creates a deep clone of the input.

func (*JSONOverlapsExpr) CachedSize ¶

func (cached *JSONOverlapsExpr) CachedSize(alloc bool) int64

func (*JSONOverlapsExpr) Format ¶

func (node *JSONOverlapsExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*JSONOverlapsExpr) FormatFast ¶

func (node *JSONOverlapsExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*JSONOverlapsExpr) IsExpr ¶

func (*JSONOverlapsExpr) IsExpr()

type JSONPrettyExpr ¶

type JSONPrettyExpr struct {
	JSONVal Expr
}

JSONPrettyExpr represents the function and argument for JSON_PRETTY() https://dev.mysql.com/doc/refman/8.0/en/json-utility-functions.html#function_json-pretty

func CloneRefOfJSONPrettyExpr ¶

func CloneRefOfJSONPrettyExpr(n *JSONPrettyExpr) *JSONPrettyExpr

CloneRefOfJSONPrettyExpr creates a deep clone of the input.

func (*JSONPrettyExpr) CachedSize ¶

func (cached *JSONPrettyExpr) CachedSize(alloc bool) int64

func (*JSONPrettyExpr) Format ¶

func (node *JSONPrettyExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*JSONPrettyExpr) FormatFast ¶

func (node *JSONPrettyExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*JSONPrettyExpr) IsExpr ¶

func (*JSONPrettyExpr) IsExpr()

type JSONQuoteExpr ¶

type JSONQuoteExpr struct {
	StringArg Expr
}

JSONQuoteExpr represents JSON_QUOTE() More information https://dev.mysql.com/doc/refman/8.0/en/json-creation-functions.html#function_json-quote

func CloneRefOfJSONQuoteExpr ¶

func CloneRefOfJSONQuoteExpr(n *JSONQuoteExpr) *JSONQuoteExpr

CloneRefOfJSONQuoteExpr creates a deep clone of the input.

func (*JSONQuoteExpr) CachedSize ¶

func (cached *JSONQuoteExpr) CachedSize(alloc bool) int64

func (*JSONQuoteExpr) Format ¶

func (node *JSONQuoteExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*JSONQuoteExpr) FormatFast ¶

func (node *JSONQuoteExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*JSONQuoteExpr) IsExpr ¶

func (*JSONQuoteExpr) IsExpr()

type JSONRemoveExpr ¶

type JSONRemoveExpr struct {
	JSONDoc  Expr
	PathList Exprs
}

JSONRemoveExpr represents the JSON_REMOVE() For more information, postVisit https://dev.mysql.com/doc/refman/8.0/en/json-modification-functions.html#function_json-remove

func CloneRefOfJSONRemoveExpr ¶

func CloneRefOfJSONRemoveExpr(n *JSONRemoveExpr) *JSONRemoveExpr

CloneRefOfJSONRemoveExpr creates a deep clone of the input.

func (*JSONRemoveExpr) CachedSize ¶

func (cached *JSONRemoveExpr) CachedSize(alloc bool) int64

func (*JSONRemoveExpr) Format ¶

func (node *JSONRemoveExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*JSONRemoveExpr) FormatFast ¶

func (node *JSONRemoveExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*JSONRemoveExpr) IsExpr ¶

func (*JSONRemoveExpr) IsExpr()

type JSONSchemaValidFuncExpr ¶

type JSONSchemaValidFuncExpr struct {
	Schema   Expr
	Document Expr
}

JSONSchemaValidFuncExpr represents the structure of JSON_SCHEMA_VALID() More information available on https://dev.mysql.com/doc/refman/8.0/en/json-validation-functions.html#function_json-schema-valid

func CloneRefOfJSONSchemaValidFuncExpr ¶

func CloneRefOfJSONSchemaValidFuncExpr(n *JSONSchemaValidFuncExpr) *JSONSchemaValidFuncExpr

CloneRefOfJSONSchemaValidFuncExpr creates a deep clone of the input.

func (*JSONSchemaValidFuncExpr) CachedSize ¶

func (cached *JSONSchemaValidFuncExpr) CachedSize(alloc bool) int64

func (*JSONSchemaValidFuncExpr) Format ¶

func (node *JSONSchemaValidFuncExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*JSONSchemaValidFuncExpr) FormatFast ¶

func (node *JSONSchemaValidFuncExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*JSONSchemaValidFuncExpr) IsExpr ¶

func (*JSONSchemaValidFuncExpr) IsExpr()

type JSONSchemaValidationReportFuncExpr ¶

type JSONSchemaValidationReportFuncExpr struct {
	Schema   Expr
	Document Expr
}

JSONSchemaValidationReportFuncExpr represents the structure of JSON_SCHEMA_VALIDATION_REPORT() More information available on https://dev.mysql.com/doc/refman/8.0/en/json-validation-functions.html#function_json-schema-validation-report

func CloneRefOfJSONSchemaValidationReportFuncExpr ¶

func CloneRefOfJSONSchemaValidationReportFuncExpr(n *JSONSchemaValidationReportFuncExpr) *JSONSchemaValidationReportFuncExpr

CloneRefOfJSONSchemaValidationReportFuncExpr creates a deep clone of the input.

func (*JSONSchemaValidationReportFuncExpr) CachedSize ¶

func (cached *JSONSchemaValidationReportFuncExpr) CachedSize(alloc bool) int64

func (*JSONSchemaValidationReportFuncExpr) Format ¶

Format formats the node.

func (*JSONSchemaValidationReportFuncExpr) FormatFast ¶

func (node *JSONSchemaValidationReportFuncExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*JSONSchemaValidationReportFuncExpr) IsExpr ¶

type JSONSearchExpr ¶

type JSONSearchExpr struct {
	JSONDoc    Expr
	OneOrAll   Expr
	SearchStr  Expr
	EscapeChar Expr
	PathList   []Expr
}

JSONSearchExpr represents the function and arguments for JSON_SEARCH() For more information, see https://dev.mysql.com/doc/refman/8.0/en/json-search-functions.html#function_json-search

func CloneRefOfJSONSearchExpr ¶

func CloneRefOfJSONSearchExpr(n *JSONSearchExpr) *JSONSearchExpr

CloneRefOfJSONSearchExpr creates a deep clone of the input.

func (*JSONSearchExpr) CachedSize ¶

func (cached *JSONSearchExpr) CachedSize(alloc bool) int64

func (*JSONSearchExpr) Format ¶

func (node *JSONSearchExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*JSONSearchExpr) FormatFast ¶

func (node *JSONSearchExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*JSONSearchExpr) IsExpr ¶

func (*JSONSearchExpr) IsExpr()

type JSONStorageFreeExpr ¶

type JSONStorageFreeExpr struct {
	JSONVal Expr
}

JSONStorageFreeExpr represents the function and argument for JSON_STORAGE_FREE() https://dev.mysql.com/doc/refman/8.0/en/json-utility-functions.html#function_json-storage-free

func CloneRefOfJSONStorageFreeExpr ¶

func CloneRefOfJSONStorageFreeExpr(n *JSONStorageFreeExpr) *JSONStorageFreeExpr

CloneRefOfJSONStorageFreeExpr creates a deep clone of the input.

func (*JSONStorageFreeExpr) CachedSize ¶

func (cached *JSONStorageFreeExpr) CachedSize(alloc bool) int64

func (*JSONStorageFreeExpr) Format ¶

func (node *JSONStorageFreeExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*JSONStorageFreeExpr) FormatFast ¶

func (node *JSONStorageFreeExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*JSONStorageFreeExpr) IsExpr ¶

func (*JSONStorageFreeExpr) IsExpr()

type JSONStorageSizeExpr ¶

type JSONStorageSizeExpr struct {
	JSONVal Expr
}

JSONStorageSizeExpr represents the function and argument for JSON_STORAGE_SIZE() https://dev.mysql.com/doc/refman/8.0/en/json-utility-functions.html#function_json-storage-size

func CloneRefOfJSONStorageSizeExpr ¶

func CloneRefOfJSONStorageSizeExpr(n *JSONStorageSizeExpr) *JSONStorageSizeExpr

CloneRefOfJSONStorageSizeExpr creates a deep clone of the input.

func (*JSONStorageSizeExpr) CachedSize ¶

func (cached *JSONStorageSizeExpr) CachedSize(alloc bool) int64

func (*JSONStorageSizeExpr) Format ¶

func (node *JSONStorageSizeExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*JSONStorageSizeExpr) FormatFast ¶

func (node *JSONStorageSizeExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*JSONStorageSizeExpr) IsExpr ¶

func (*JSONStorageSizeExpr) IsExpr()

type JSONTableExpr ¶

type JSONTableExpr struct {
	Expr    Expr
	Alias   IdentifierCS
	Filter  Expr
	Columns []*JtColumnDefinition
}

JSONTableExpr describes the components of JSON_TABLE() For more information, postVisit https://dev.mysql.com/doc/refman/8.0/en/json-table-functions.html#function_json-table

func CloneRefOfJSONTableExpr ¶

func CloneRefOfJSONTableExpr(n *JSONTableExpr) *JSONTableExpr

CloneRefOfJSONTableExpr creates a deep clone of the input.

func (*JSONTableExpr) CachedSize ¶

func (cached *JSONTableExpr) CachedSize(alloc bool) int64

func (*JSONTableExpr) Format ¶

func (node *JSONTableExpr) Format(buf *TrackedBuffer)

func (*JSONTableExpr) FormatFast ¶

func (node *JSONTableExpr) FormatFast(buf *TrackedBuffer)

type JSONUnquoteExpr ¶

type JSONUnquoteExpr struct {
	JSONValue Expr
}

JSONRemoveExpr represents the JSON_UNQUOTE() For more information, postVisit https://dev.mysql.com/doc/refman/8.0/en/json-modification-functions.html#function_json-unquote

func CloneRefOfJSONUnquoteExpr ¶

func CloneRefOfJSONUnquoteExpr(n *JSONUnquoteExpr) *JSONUnquoteExpr

CloneRefOfJSONUnquoteExpr creates a deep clone of the input.

func (*JSONUnquoteExpr) CachedSize ¶

func (cached *JSONUnquoteExpr) CachedSize(alloc bool) int64

func (*JSONUnquoteExpr) Format ¶

func (node *JSONUnquoteExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*JSONUnquoteExpr) FormatFast ¶

func (node *JSONUnquoteExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*JSONUnquoteExpr) IsExpr ¶

func (*JSONUnquoteExpr) IsExpr()

type JSONValueExpr ¶

type JSONValueExpr struct {
	JSONDoc         Expr
	Path            Expr
	ReturningType   *ConvertType
	EmptyOnResponse *JtOnResponse
	ErrorOnResponse *JtOnResponse
}

JSONValueExpr represents the function and arguments for JSON_VALUE() For more information, see https://dev.mysql.com/doc/refman/8.0/en/json-search-functions.html#function_json-value

func CloneRefOfJSONValueExpr ¶

func CloneRefOfJSONValueExpr(n *JSONValueExpr) *JSONValueExpr

CloneRefOfJSONValueExpr creates a deep clone of the input.

func (*JSONValueExpr) CachedSize ¶

func (cached *JSONValueExpr) CachedSize(alloc bool) int64

func (*JSONValueExpr) Format ¶

func (node *JSONValueExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*JSONValueExpr) FormatFast ¶

func (node *JSONValueExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*JSONValueExpr) IsExpr ¶

func (*JSONValueExpr) IsExpr()

type JSONValueMergeExpr ¶

type JSONValueMergeExpr struct {
	Type        JSONValueMergeType
	JSONDoc     Expr
	JSONDocList Exprs
}

JSONValueMergeExpr represents the json value modifier functions which merges documents. Functions falling under this class: JSON_MERGE, JSON_MERGE_PATCH, JSON_MERGE_PRESERVE

func CloneRefOfJSONValueMergeExpr ¶

func CloneRefOfJSONValueMergeExpr(n *JSONValueMergeExpr) *JSONValueMergeExpr

CloneRefOfJSONValueMergeExpr creates a deep clone of the input.

func (*JSONValueMergeExpr) CachedSize ¶

func (cached *JSONValueMergeExpr) CachedSize(alloc bool) int64

func (*JSONValueMergeExpr) Format ¶

func (node *JSONValueMergeExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*JSONValueMergeExpr) FormatFast ¶

func (node *JSONValueMergeExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*JSONValueMergeExpr) IsExpr ¶

func (*JSONValueMergeExpr) IsExpr()

type JSONValueMergeType ¶

type JSONValueMergeType int8

JSONValueModifierType is an enum to get types of TrimFunc. TrimFunc stand for one of the following: JSON_DEPTH JSON_TYPE JSON_VALID ENUM

const (
	JSONMergeType JSONValueMergeType = iota
	JSONMergePatchType
	JSONMergePreserveType
)

Constants for Enum Type - JSONValueMergeType

func (JSONValueMergeType) ToString ¶

func (ty JSONValueMergeType) ToString() string

ToString returns the type as a string

type JSONValueModifierExpr ¶

type JSONValueModifierExpr struct {
	Type    JSONValueModifierType
	JSONDoc Expr
	Params  []*JSONObjectParam
}

*********** Expressions

func CloneRefOfJSONValueModifierExpr ¶

func CloneRefOfJSONValueModifierExpr(n *JSONValueModifierExpr) *JSONValueModifierExpr

CloneRefOfJSONValueModifierExpr creates a deep clone of the input.

func (*JSONValueModifierExpr) CachedSize ¶

func (cached *JSONValueModifierExpr) CachedSize(alloc bool) int64

func (*JSONValueModifierExpr) Format ¶

func (node *JSONValueModifierExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*JSONValueModifierExpr) FormatFast ¶

func (node *JSONValueModifierExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*JSONValueModifierExpr) IsExpr ¶

func (*JSONValueModifierExpr) IsExpr()

type JSONValueModifierType ¶

type JSONValueModifierType int8

JSONValueModifierType is an enum to get types of TrimFunc. TrimFunc stand for one of the following: JSON_DEPTH JSON_TYPE JSON_VALID ENUM

const (
	JSONArrayAppendType JSONValueModifierType = iota
	JSONArrayInsertType
	JSONInsertType
	JSONReplaceType
	JSONSetType
)

Constants for Enum Type - JSONValueModifierType

func (JSONValueModifierType) ToString ¶

func (ty JSONValueModifierType) ToString() string

ToString returns the type as a string

type JoinCondition ¶

type JoinCondition struct {
	On    Expr
	Using Columns
}

JoinCondition represents the join conditions (either a ON or USING clause) of a JoinTableExpr.

func CloneRefOfJoinCondition ¶

func CloneRefOfJoinCondition(n *JoinCondition) *JoinCondition

CloneRefOfJoinCondition creates a deep clone of the input.

func NewJoinCondition ¶

func NewJoinCondition(on Expr, using Columns) *JoinCondition

NewJoinCondition makes a new JoinCondition

func (*JoinCondition) CachedSize ¶

func (cached *JoinCondition) CachedSize(alloc bool) int64

func (*JoinCondition) Format ¶

func (node *JoinCondition) Format(buf *TrackedBuffer)

Format formats the node.

func (*JoinCondition) FormatFast ¶

func (node *JoinCondition) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type JoinTableExpr ¶

type JoinTableExpr struct {
	LeftExpr  TableExpr
	Join      JoinType
	RightExpr TableExpr
	Condition *JoinCondition
}

JoinTableExpr represents a TableExpr that's a JOIN operation.

func CloneRefOfJoinTableExpr ¶

func CloneRefOfJoinTableExpr(n *JoinTableExpr) *JoinTableExpr

CloneRefOfJoinTableExpr creates a deep clone of the input.

func NewJoinTableExpr ¶

func NewJoinTableExpr(leftExpr TableExpr, join JoinType, rightExpr TableExpr, condition *JoinCondition) *JoinTableExpr

NewJoinTableExpr makes a new JoinTableExpr

func (*JoinTableExpr) CachedSize ¶

func (cached *JoinTableExpr) CachedSize(alloc bool) int64

func (*JoinTableExpr) Format ¶

func (node *JoinTableExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*JoinTableExpr) FormatFast ¶

func (node *JoinTableExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type JoinType ¶

type JoinType int8

JoinType represents the type of Join for JoinTableExpr

const (
	NormalJoinType JoinType = iota
	StraightJoinType
	LeftJoinType
	RightJoinType
	NaturalJoinType
	NaturalLeftJoinType
	NaturalRightJoinType
)

Constants for Enum Type - JoinType

func (JoinType) IsCommutative ¶

func (joinType JoinType) IsCommutative() bool

IsCommutative returns whether the join type supports rearranging or not.

func (JoinType) IsInner ¶

func (joinType JoinType) IsInner() bool

IsInner returns whether the join type is an inner join or not.

func (JoinType) ToString ¶

func (joinType JoinType) ToString() string

ToString returns the string associated with JoinType

type JtColumnDefinition ¶

type JtColumnDefinition struct {
	JtOrdinal    *JtOrdinalColDef
	JtPath       *JtPathColDef
	JtNestedPath *JtNestedPathColDef
}

JtColumnDefinition represents the structure of column definition in JSON_TABLE

func CloneRefOfJtColumnDefinition ¶

func CloneRefOfJtColumnDefinition(n *JtColumnDefinition) *JtColumnDefinition

CloneRefOfJtColumnDefinition creates a deep clone of the input.

func CloneSliceOfRefOfJtColumnDefinition ¶

func CloneSliceOfRefOfJtColumnDefinition(n []*JtColumnDefinition) []*JtColumnDefinition

CloneSliceOfRefOfJtColumnDefinition creates a deep clone of the input.

func (*JtColumnDefinition) CachedSize ¶

func (cached *JtColumnDefinition) CachedSize(alloc bool) int64

func (*JtColumnDefinition) Format ¶

func (node *JtColumnDefinition) Format(buf *TrackedBuffer)

func (*JtColumnDefinition) FormatFast ¶

func (node *JtColumnDefinition) FormatFast(buf *TrackedBuffer)

type JtNestedPathColDef ¶

type JtNestedPathColDef struct {
	Path    Expr
	Columns []*JtColumnDefinition
}

JtNestedPathColDef is type of column definition with nested column definitions

func CloneRefOfJtNestedPathColDef ¶

func CloneRefOfJtNestedPathColDef(n *JtNestedPathColDef) *JtNestedPathColDef

CloneRefOfJtNestedPathColDef creates a deep clone of the input.

func (*JtNestedPathColDef) CachedSize ¶

func (cached *JtNestedPathColDef) CachedSize(alloc bool) int64

type JtOnResponse ¶

type JtOnResponse struct {
	ResponseType JtOnResponseType
	Expr         Expr
}

JtOnResponse specifies for a column the JtOnResponseType along with the expression for default and error

func CloneRefOfJtOnResponse ¶

func CloneRefOfJtOnResponse(n *JtOnResponse) *JtOnResponse

CloneRefOfJtOnResponse creates a deep clone of the input.

func (*JtOnResponse) CachedSize ¶

func (cached *JtOnResponse) CachedSize(alloc bool) int64

func (*JtOnResponse) Format ¶

func (node *JtOnResponse) Format(buf *TrackedBuffer)

func (*JtOnResponse) FormatFast ¶

func (node *JtOnResponse) FormatFast(buf *TrackedBuffer)

type JtOnResponseType ¶

type JtOnResponseType int

JtOnResponseType describes the type of column: default, error or null

const (
	ErrorJSONType JtOnResponseType = iota
	NullJSONType
	DefaultJSONType
)

Constant for Enum Type - JtOnResponseType

type JtOrdinalColDef ¶

type JtOrdinalColDef struct {
	Name IdentifierCI
}

JtOrdinalColDef is a type of column definition similar to using AUTO_INCREMENT with a column

func CloneRefOfJtOrdinalColDef ¶

func CloneRefOfJtOrdinalColDef(n *JtOrdinalColDef) *JtOrdinalColDef

CloneRefOfJtOrdinalColDef creates a deep clone of the input.

func (*JtOrdinalColDef) CachedSize ¶

func (cached *JtOrdinalColDef) CachedSize(alloc bool) int64

type JtPathColDef ¶

type JtPathColDef struct {
	Name            IdentifierCI
	Type            *ColumnType
	JtColExists     bool
	Path            Expr
	EmptyOnResponse *JtOnResponse
	ErrorOnResponse *JtOnResponse
}

JtPathColDef is a type of column definition specifying the path in JSON structure to extract values

func CloneRefOfJtPathColDef ¶

func CloneRefOfJtPathColDef(n *JtPathColDef) *JtPathColDef

CloneRefOfJtPathColDef creates a deep clone of the input.

func (*JtPathColDef) CachedSize ¶

func (cached *JtPathColDef) CachedSize(alloc bool) int64

type KeyState ¶

type KeyState struct {
	Enable bool
}

KeyState is used to disable or enable the keys in an alter table statement

func CloneRefOfKeyState ¶

func CloneRefOfKeyState(n *KeyState) *KeyState

CloneRefOfKeyState creates a deep clone of the input.

func (*KeyState) CachedSize ¶

func (cached *KeyState) CachedSize(alloc bool) int64

func (*KeyState) Format ¶

func (node *KeyState) Format(buf *TrackedBuffer)

Format formats the node

func (*KeyState) FormatFast ¶

func (node *KeyState) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type Kill ¶

type Kill struct {
	Type          KillType
	ProcesslistID uint64
}

Kill represents a kill statement

func CloneRefOfKill ¶

func CloneRefOfKill(n *Kill) *Kill

CloneRefOfKill creates a deep clone of the input.

func (*Kill) CachedSize ¶

func (cached *Kill) CachedSize(alloc bool) int64

func (*Kill) Format ¶

func (node *Kill) Format(buf *TrackedBuffer)

Format formats the kill statement

func (*Kill) FormatFast ¶

func (node *Kill) FormatFast(buf *TrackedBuffer)

FormatFast formats the kill statement

type KillType ¶

type KillType int8

KillType is an enum for Kill.Type

const (
	ConnectionType KillType = iota
	QueryType
)

Constant for Enum Type - KillType

func (KillType) ToString ¶

func (ty KillType) ToString() string

ToString returns the type as a string

type LagLeadExpr ¶

type LagLeadExpr struct {
	Type                LagLeadExprType
	Expr                Expr
	N                   Expr
	Default             Expr
	OverClause          *OverClause
	NullTreatmentClause *NullTreatmentClause
}

LagLeadExpr stand for the following: LAG, LEAD

func CloneRefOfLagLeadExpr ¶

func CloneRefOfLagLeadExpr(n *LagLeadExpr) *LagLeadExpr

CloneRefOfLagLeadExpr creates a deep clone of the input.

func (*LagLeadExpr) CachedSize ¶

func (cached *LagLeadExpr) CachedSize(alloc bool) int64

func (*LagLeadExpr) Format ¶

func (node *LagLeadExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*LagLeadExpr) FormatFast ¶

func (node *LagLeadExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*LagLeadExpr) IsExpr ¶

func (*LagLeadExpr) IsExpr()

type LagLeadExprType ¶

type LagLeadExprType int8

LagLeadExprType is an enum to get types of LagLeadExpr.

const (
	LagExprType LagLeadExprType = iota
	LeadExprType
)

Constants for Enum Type - FirstOrLastValueExprType

func (LagLeadExprType) ToString ¶

func (ty LagLeadExprType) ToString() string

ToString returns the type as a string

type LengthScaleOption ¶

type LengthScaleOption struct {
	Length *int
	Scale  *int
}

LengthScaleOption is used for types that have an optional length and scale

type Limit ¶

type Limit struct {
	Offset, Rowcount Expr
}

Limit represents a LIMIT clause.

func CloneRefOfLimit ¶

func CloneRefOfLimit(n *Limit) *Limit

CloneRefOfLimit creates a deep clone of the input.

func NewLimit ¶

func NewLimit(offset, rowCount int) *Limit

NewLimit makes a new Limit

func NewLimitWithoutOffset ¶

func NewLimitWithoutOffset(rowCount int) *Limit

NewLimitWithoutOffset makes a new Limit without an offset

func (*Limit) CachedSize ¶

func (cached *Limit) CachedSize(alloc bool) int64

func (*Limit) Format ¶

func (node *Limit) Format(buf *TrackedBuffer)

Format formats the node.

func (*Limit) FormatFast ¶

func (node *Limit) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type LineStringExpr ¶

type LineStringExpr struct {
	PointParams Exprs
}

LineString represents LineString(POINT(x,y), POINT(x,y), ..) expression

func CloneRefOfLineStringExpr ¶

func CloneRefOfLineStringExpr(n *LineStringExpr) *LineStringExpr

CloneRefOfLineStringExpr creates a deep clone of the input.

func (*LineStringExpr) CachedSize ¶

func (cached *LineStringExpr) CachedSize(alloc bool) int64

func (*LineStringExpr) Format ¶

func (node *LineStringExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*LineStringExpr) FormatFast ¶

func (node *LineStringExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*LineStringExpr) IsExpr ¶

func (*LineStringExpr) IsExpr()

type LinestrPropType ¶

type LinestrPropType int8

LinestrPropType is an enum that enumerates the kind of line string property functions: EndPoint IsClosed Length NumPoints PointN StartPoint

const (
	EndPoint LinestrPropType = iota
	IsClosed
	Length
	NumPoints
	PointN
	StartPoint
)

Enum Types of linestring property functions

func (LinestrPropType) ToString ¶

func (ty LinestrPropType) ToString() string

ToString returns the type as a string

type LinestrPropertyFuncExpr ¶

type LinestrPropertyFuncExpr struct {
	Property       LinestrPropType
	Linestring     Expr
	PropertyDefArg Expr
}

*********** Expressions

func CloneRefOfLinestrPropertyFuncExpr ¶

func CloneRefOfLinestrPropertyFuncExpr(n *LinestrPropertyFuncExpr) *LinestrPropertyFuncExpr

CloneRefOfLinestrPropertyFuncExpr creates a deep clone of the input.

func (*LinestrPropertyFuncExpr) CachedSize ¶

func (cached *LinestrPropertyFuncExpr) CachedSize(alloc bool) int64

func (*LinestrPropertyFuncExpr) Format ¶

func (node *LinestrPropertyFuncExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*LinestrPropertyFuncExpr) FormatFast ¶

func (node *LinestrPropertyFuncExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*LinestrPropertyFuncExpr) IsExpr ¶

func (*LinestrPropertyFuncExpr) IsExpr()

type ListArg ¶

type ListArg string

ListArg represents a named list argument.

func NewListArg ¶

func NewListArg(in string) ListArg

NewListArg builds a new ListArg.

func (ListArg) Format ¶

func (node ListArg) Format(buf *TrackedBuffer)

Format formats the node.

func (ListArg) FormatFast ¶

func (node ListArg) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (ListArg) IsExpr ¶

func (ListArg) IsExpr()

func (ListArg) String ¶

func (node ListArg) String() string

String returns ListArg as a string.

type Literal ¶

type Literal struct {
	Type ValType
	Val  string
}

Literal represents a fixed value.

func CloneRefOfLiteral ¶

func CloneRefOfLiteral(n *Literal) *Literal

CloneRefOfLiteral creates a deep clone of the input.

func NewBitLiteral ¶

func NewBitLiteral(in string) *Literal

NewBitLiteral builds a new BitNum containing a bit literal.

func NewDateLiteral ¶

func NewDateLiteral(in string) *Literal

NewDateLiteral builds a new Date.

func NewDecimalLiteral ¶

func NewDecimalLiteral(in string) *Literal

func NewFloatLiteral ¶

func NewFloatLiteral(in string) *Literal

NewFloatLiteral builds a new FloatVal.

func NewHexLiteral ¶

func NewHexLiteral(in string) *Literal

NewHexLiteral builds a new HexVal.

func NewHexNumLiteral ¶

func NewHexNumLiteral(in string) *Literal

NewHexNumLiteral builds a new HexNum.

func NewIntLiteral ¶

func NewIntLiteral(in string) *Literal

NewIntLiteral builds a new IntVal.

func NewStrLiteral ¶

func NewStrLiteral(in string) *Literal

NewStrLiteral builds a new StrVal.

func NewTimeLiteral ¶

func NewTimeLiteral(in string) *Literal

NewTimeLiteral builds a new Date.

func NewTimestampLiteral ¶

func NewTimestampLiteral(in string) *Literal

NewTimestampLiteral builds a new Date.

func (*Literal) Bytes ¶

func (node *Literal) Bytes() []byte

Bytes return the []byte

func (*Literal) CachedSize ¶

func (cached *Literal) CachedSize(alloc bool) int64

func (*Literal) Format ¶

func (node *Literal) Format(buf *TrackedBuffer)

Format formats the node.

func (*Literal) FormatFast ¶

func (node *Literal) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*Literal) HexDecode ¶

func (node *Literal) HexDecode() ([]byte, error)

HexDecode decodes the hexval into bytes.

func (*Literal) IsExpr ¶

func (*Literal) IsExpr()

func (*Literal) SQLType ¶

func (node *Literal) SQLType() sqltypes.Type

type Load ¶

type Load struct {
}

Load represents a LOAD statement

func CloneRefOfLoad ¶

func CloneRefOfLoad(n *Load) *Load

CloneRefOfLoad creates a deep clone of the input.

func (*Load) Format ¶

func (node *Load) Format(buf *TrackedBuffer)

Format formats the node.

func (*Load) FormatFast ¶

func (node *Load) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type LocateExpr ¶

type LocateExpr struct {
	SubStr Expr
	Str    Expr
	Pos    Expr
}

LocateExpr represents a LOCATE function expression

func CloneRefOfLocateExpr ¶

func CloneRefOfLocateExpr(n *LocateExpr) *LocateExpr

CloneRefOfLocateExpr creates a deep clone of the input.

func (*LocateExpr) CachedSize ¶

func (cached *LocateExpr) CachedSize(alloc bool) int64

func (*LocateExpr) Format ¶

func (node *LocateExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*LocateExpr) FormatFast ¶

func (node *LocateExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*LocateExpr) IsExpr ¶

func (*LocateExpr) IsExpr()

type Lock ¶

type Lock int8

Lock is an enum for the type of lock in the statement

const (
	NoLock Lock = iota
	ShareModeLock
	ForShareLock
	ForShareLockNoWait
	ForShareLockSkipLocked
	ForUpdateLock
	ForUpdateLockNoWait
	ForUpdateLockSkipLocked
)

Constants for Enum Type - Lock

func (Lock) GetHighestOrderLock ¶

func (lock Lock) GetHighestOrderLock(newLock Lock) Lock

GetHighestOrderLock returns the higher level lock between the current lock and the new lock

func (Lock) ToString ¶

func (lock Lock) ToString() string

ToString returns the string associated with the type of lock

type LockOption ¶

type LockOption struct {
	Type LockOptionType
}

LockOption is used to specify the type of lock to use in an alter table statement

func CloneRefOfLockOption ¶

func CloneRefOfLockOption(n *LockOption) *LockOption

CloneRefOfLockOption creates a deep clone of the input.

func (*LockOption) CachedSize ¶

func (cached *LockOption) CachedSize(alloc bool) int64

func (*LockOption) Format ¶

func (node *LockOption) Format(buf *TrackedBuffer)

Format formats the node

func (*LockOption) FormatFast ¶

func (node *LockOption) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type LockOptionType ¶

type LockOptionType int8

LockOptionType is an enum for LockOption.Type

const (
	DefaultType LockOptionType = iota
	NoneType
	SharedType
	ExclusiveType
)

LockOptionType constants

func (LockOptionType) ToString ¶

func (lock LockOptionType) ToString() string

ToString returns the LockOptionType as a string

type LockTables ¶

type LockTables struct {
	Tables TableAndLockTypes
}

LockTables represents the lock statement

func CloneRefOfLockTables ¶

func CloneRefOfLockTables(n *LockTables) *LockTables

CloneRefOfLockTables creates a deep clone of the input.

func (*LockTables) CachedSize ¶

func (cached *LockTables) CachedSize(alloc bool) int64

func (*LockTables) Format ¶

func (node *LockTables) Format(buf *TrackedBuffer)

Format formats the LockTables node.

func (*LockTables) FormatFast ¶

func (node *LockTables) FormatFast(buf *TrackedBuffer)

FormatFast formats the LockTables node.

type LockType ¶

type LockType int8

LockType is an enum for Lock Types

const (
	UnknownLockType LockType = iota
	Read
	ReadLocal
	Write
	LowPriorityWrite
)

LockType constants

func (LockType) ToString ¶

func (ty LockType) ToString() string

ToString returns the type as a string

type LockingFunc ¶

type LockingFunc struct {
	Type    LockingFuncType
	Name    Expr
	Timeout Expr
}

LockingFunc represents the advisory lock functions.

func CloneRefOfLockingFunc ¶

func CloneRefOfLockingFunc(n *LockingFunc) *LockingFunc

CloneRefOfLockingFunc creates a deep clone of the input.

func (*LockingFunc) CachedSize ¶

func (cached *LockingFunc) CachedSize(alloc bool) int64

func (*LockingFunc) Format ¶

func (node *LockingFunc) Format(buf *TrackedBuffer)

Format formats the node.

func (*LockingFunc) FormatFast ¶

func (node *LockingFunc) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*LockingFunc) IsExpr ¶

func (*LockingFunc) IsExpr()

type LockingFuncType ¶

type LockingFuncType int8

LockingFuncType is an enum that get types of LockingFunc

const (
	GetLock LockingFuncType = iota
	IsFreeLock
	IsUsedLock
	ReleaseAllLocks
	ReleaseLock
)

Constants for Enum Type - LockingFuncType

func (LockingFuncType) ToString ¶

func (ty LockingFuncType) ToString() string

ToString returns the type as a string

type MarginComments ¶

type MarginComments struct {
	Leading  string
	Trailing string
}

MarginComments holds the leading and trailing comments that surround a query.

func SplitMarginComments ¶

func SplitMarginComments(sql string) (query string, comments MarginComments)

SplitMarginComments pulls out any leading or trailing comments from a raw sql query. This function also trims leading (if there's a comment) and trailing whitespace.

type MatchAction ¶

type MatchAction int

MatchAction indicates the type of match for a referential constraint, so a `MATCH FULL`, `MATCH SIMPLE` or `MATCH PARTIAL`.

const (
	// DefaultMatch indicates no action was explicitly specified.
	DefaultMatch MatchAction = iota
	Full
	Partial
	Simple
)

func (MatchAction) Format ¶

func (a MatchAction) Format(buf *TrackedBuffer)

Format formats the node.

func (MatchAction) FormatFast ¶

func (a MatchAction) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type MatchExpr ¶

type MatchExpr struct {
	Columns []*ColName
	Expr    Expr
	Option  MatchExprOption
}

MatchExpr represents a call to the MATCH function

func CloneRefOfMatchExpr ¶

func CloneRefOfMatchExpr(n *MatchExpr) *MatchExpr

CloneRefOfMatchExpr creates a deep clone of the input.

func (*MatchExpr) CachedSize ¶

func (cached *MatchExpr) CachedSize(alloc bool) int64

func (*MatchExpr) Format ¶

func (node *MatchExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*MatchExpr) FormatFast ¶

func (node *MatchExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*MatchExpr) IsExpr ¶

func (*MatchExpr) IsExpr()

type MatchExprOption ¶

type MatchExprOption int8

MatchExprOption is an enum for MatchExpr.Option

const (
	NoOption MatchExprOption = iota
	BooleanModeOpt
	NaturalLanguageModeOpt
	NaturalLanguageModeWithQueryExpansionOpt
	QueryExpansionOpt
)

Constant for Enum Type - MatchExprOption

func (MatchExprOption) ToString ¶

func (option MatchExprOption) ToString() string

ToString returns the option as a string

type Max ¶

type Max struct {
	Arg        Expr
	Distinct   bool
	OverClause *OverClause
}

*********** Expressions

func CloneRefOfMax ¶

func CloneRefOfMax(n *Max) *Max

CloneRefOfMax creates a deep clone of the input.

func (*Max) AggrName ¶

func (*Max) AggrName() string

func (*Max) CachedSize ¶

func (cached *Max) CachedSize(alloc bool) int64

func (*Max) Format ¶

func (node *Max) Format(buf *TrackedBuffer)

func (*Max) FormatFast ¶

func (node *Max) FormatFast(buf *TrackedBuffer)

func (*Max) GetArg ¶

func (max *Max) GetArg() Expr

func (*Max) GetArgs ¶

func (max *Max) GetArgs() Exprs

func (*Max) IsDistinct ¶

func (max *Max) IsDistinct() bool

func (*Max) IsExpr ¶

func (*Max) IsExpr()

func (*Max) SetDistinct ¶

func (max *Max) SetDistinct(distinct bool)

type MemberOfExpr ¶

type MemberOfExpr struct {
	Value   Expr
	JSONArr Expr
}

MemberOf represents the function and arguments for MEMBER OF() For more information, see https://dev.mysql.com/doc/refman/8.0/en/json-search-functions.html#operator_member-of

func CloneRefOfMemberOfExpr ¶

func CloneRefOfMemberOfExpr(n *MemberOfExpr) *MemberOfExpr

CloneRefOfMemberOfExpr creates a deep clone of the input.

func (*MemberOfExpr) CachedSize ¶

func (cached *MemberOfExpr) CachedSize(alloc bool) int64

func (*MemberOfExpr) Format ¶

func (node *MemberOfExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*MemberOfExpr) FormatFast ¶

func (node *MemberOfExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*MemberOfExpr) IsExpr ¶

func (*MemberOfExpr) IsExpr()

type Min ¶

type Min struct {
	Arg        Expr
	Distinct   bool
	OverClause *OverClause
}

*********** Expressions

func CloneRefOfMin ¶

func CloneRefOfMin(n *Min) *Min

CloneRefOfMin creates a deep clone of the input.

func (*Min) AggrName ¶

func (*Min) AggrName() string

func (*Min) CachedSize ¶

func (cached *Min) CachedSize(alloc bool) int64

func (*Min) Format ¶

func (node *Min) Format(buf *TrackedBuffer)

func (*Min) FormatFast ¶

func (node *Min) FormatFast(buf *TrackedBuffer)

func (*Min) GetArg ¶

func (min *Min) GetArg() Expr

func (*Min) GetArgs ¶

func (min *Min) GetArgs() Exprs

func (*Min) IsDistinct ¶

func (min *Min) IsDistinct() bool

func (*Min) IsExpr ¶

func (*Min) IsExpr()

func (*Min) SetDistinct ¶

func (min *Min) SetDistinct(distinct bool)

type ModifyColumn ¶

type ModifyColumn struct {
	NewColDefinition *ColumnDefinition
	First            bool
	After            *ColName
}

ModifyColumn is used to change the column definition in alter table command

func CloneRefOfModifyColumn ¶

func CloneRefOfModifyColumn(n *ModifyColumn) *ModifyColumn

CloneRefOfModifyColumn creates a deep clone of the input.

func (*ModifyColumn) CachedSize ¶

func (cached *ModifyColumn) CachedSize(alloc bool) int64

func (*ModifyColumn) Format ¶

func (node *ModifyColumn) Format(buf *TrackedBuffer)

Format formats the node

func (*ModifyColumn) FormatFast ¶

func (node *ModifyColumn) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type MultiLinestringExpr ¶

type MultiLinestringExpr struct {
	LinestringParams Exprs
}

MultiPoint represents a geometry collection for linestrings

func CloneRefOfMultiLinestringExpr ¶

func CloneRefOfMultiLinestringExpr(n *MultiLinestringExpr) *MultiLinestringExpr

CloneRefOfMultiLinestringExpr creates a deep clone of the input.

func (*MultiLinestringExpr) CachedSize ¶

func (cached *MultiLinestringExpr) CachedSize(alloc bool) int64

func (*MultiLinestringExpr) Format ¶

func (node *MultiLinestringExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*MultiLinestringExpr) FormatFast ¶

func (node *MultiLinestringExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*MultiLinestringExpr) IsExpr ¶

func (*MultiLinestringExpr) IsExpr()

type MultiPointExpr ¶

type MultiPointExpr struct {
	PointParams Exprs
}

MultiPoint represents a geometry collection for points

func CloneRefOfMultiPointExpr ¶

func CloneRefOfMultiPointExpr(n *MultiPointExpr) *MultiPointExpr

CloneRefOfMultiPointExpr creates a deep clone of the input.

func (*MultiPointExpr) CachedSize ¶

func (cached *MultiPointExpr) CachedSize(alloc bool) int64

func (*MultiPointExpr) Format ¶

func (node *MultiPointExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*MultiPointExpr) FormatFast ¶

func (node *MultiPointExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*MultiPointExpr) IsExpr ¶

func (*MultiPointExpr) IsExpr()

type MultiPolygonExpr ¶

type MultiPolygonExpr struct {
	PolygonParams Exprs
}

MultiPolygon represents a geometry collection for polygons

func CloneRefOfMultiPolygonExpr ¶

func CloneRefOfMultiPolygonExpr(n *MultiPolygonExpr) *MultiPolygonExpr

CloneRefOfMultiPolygonExpr creates a deep clone of the input.

func (*MultiPolygonExpr) CachedSize ¶

func (cached *MultiPolygonExpr) CachedSize(alloc bool) int64

func (*MultiPolygonExpr) Format ¶

func (node *MultiPolygonExpr) Format(buf *TrackedBuffer)

func (*MultiPolygonExpr) FormatFast ¶

func (node *MultiPolygonExpr) FormatFast(buf *TrackedBuffer)

func (*MultiPolygonExpr) IsExpr ¶

func (*MultiPolygonExpr) IsExpr()

type NTHValueExpr ¶

type NTHValueExpr struct {
	Expr                Expr
	N                   Expr
	OverClause          *OverClause
	FromFirstLastClause *FromFirstLastClause
	NullTreatmentClause *NullTreatmentClause
}

NTHValueExpr stands for the NTH_VALUE()

func CloneRefOfNTHValueExpr ¶

func CloneRefOfNTHValueExpr(n *NTHValueExpr) *NTHValueExpr

CloneRefOfNTHValueExpr creates a deep clone of the input.

func (*NTHValueExpr) CachedSize ¶

func (cached *NTHValueExpr) CachedSize(alloc bool) int64

func (*NTHValueExpr) Format ¶

func (node *NTHValueExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*NTHValueExpr) FormatFast ¶

func (node *NTHValueExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*NTHValueExpr) IsExpr ¶

func (*NTHValueExpr) IsExpr()

type NamedWindow ¶

type NamedWindow struct {
	Windows WindowDefinitions
}

Types for window functions

func CloneRefOfNamedWindow ¶

func CloneRefOfNamedWindow(n *NamedWindow) *NamedWindow

CloneRefOfNamedWindow creates a deep clone of the input.

func (*NamedWindow) CachedSize ¶

func (cached *NamedWindow) CachedSize(alloc bool) int64

func (*NamedWindow) Format ¶

func (node *NamedWindow) Format(buf *TrackedBuffer)

Format formats the node.

func (*NamedWindow) FormatFast ¶

func (node *NamedWindow) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*NamedWindow) IsExpr ¶

func (*NamedWindow) IsExpr()

type NamedWindows ¶

type NamedWindows []*NamedWindow

Types for window functions

func CloneNamedWindows ¶

func CloneNamedWindows(n NamedWindows) NamedWindows

CloneNamedWindows creates a deep clone of the input.

func (NamedWindows) Format ¶

func (node NamedWindows) Format(buf *TrackedBuffer)

Format formats the node.

func (NamedWindows) FormatFast ¶

func (node NamedWindows) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type Nextval ¶

type Nextval struct {
	Expr Expr
}

Nextval defines the NEXT VALUE expression.

func CloneRefOfNextval ¶

func CloneRefOfNextval(n *Nextval) *Nextval

CloneRefOfNextval creates a deep clone of the input.

func (*Nextval) CachedSize ¶

func (cached *Nextval) CachedSize(alloc bool) int64

func (*Nextval) Format ¶

func (node *Nextval) Format(buf *TrackedBuffer)

Format formats the node.

func (*Nextval) FormatFast ¶

func (node *Nextval) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type NodeFormatter ¶

type NodeFormatter func(buf *TrackedBuffer, node SQLNode)

NodeFormatter defines the signature of a custom node formatter function that can be given to TrackedBuffer for code generation.

type NotExpr ¶

type NotExpr struct {
	Expr Expr
}

NotExpr represents a NOT expression.

func CloneRefOfNotExpr ¶

func CloneRefOfNotExpr(n *NotExpr) *NotExpr

CloneRefOfNotExpr creates a deep clone of the input.

func NewNotExpr ¶

func NewNotExpr(expr Expr) *NotExpr

NewNotExpr makes a new NotExpr

func (*NotExpr) CachedSize ¶

func (cached *NotExpr) CachedSize(alloc bool) int64

func (*NotExpr) Format ¶

func (node *NotExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*NotExpr) FormatFast ¶

func (node *NotExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*NotExpr) IsExpr ¶

func (*NotExpr) IsExpr()

type NtileExpr ¶

type NtileExpr struct {
	N          Expr
	OverClause *OverClause
}

NtileExpr stands for the NTILE()

func CloneRefOfNtileExpr ¶

func CloneRefOfNtileExpr(n *NtileExpr) *NtileExpr

CloneRefOfNtileExpr creates a deep clone of the input.

func (*NtileExpr) CachedSize ¶

func (cached *NtileExpr) CachedSize(alloc bool) int64

func (*NtileExpr) Format ¶

func (node *NtileExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*NtileExpr) FormatFast ¶

func (node *NtileExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*NtileExpr) IsExpr ¶

func (*NtileExpr) IsExpr()

type NullTreatmentClause ¶

type NullTreatmentClause struct {
	Type NullTreatmentType
}

NullTreatmentClause refers to null_treatment According to SQL Docs: Some window functions permit a null_treatment clause that specifies how to handle NULL values when calculating results. This clause is optional. It is part of the SQL standard, but the MySQL implementation permits only RESPECT NULLS (which is also the default). This means that NULL values are considered when calculating results. IGNORE NULLS is parsed, but produces an error.

func CloneRefOfNullTreatmentClause ¶

func CloneRefOfNullTreatmentClause(n *NullTreatmentClause) *NullTreatmentClause

CloneRefOfNullTreatmentClause creates a deep clone of the input.

func (*NullTreatmentClause) Format ¶

func (node *NullTreatmentClause) Format(buf *TrackedBuffer)

Format formats the node

func (*NullTreatmentClause) FormatFast ¶

func (node *NullTreatmentClause) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type NullTreatmentType ¶

type NullTreatmentType int8

NullTreatmentType is an enum to get types for NullTreatmentClause

const (
	RespectNullsType NullTreatmentType = iota
	IgnoreNullsType
)

Constants for Enum Type - NullTreatmentType

func (NullTreatmentType) ToString ¶

func (ty NullTreatmentType) ToString() string

ToString returns the type as a string

type NullVal ¶

type NullVal struct{}

NullVal represents a NULL value.

func CloneRefOfNullVal ¶

func CloneRefOfNullVal(n *NullVal) *NullVal

CloneRefOfNullVal creates a deep clone of the input.

func (*NullVal) Format ¶

func (node *NullVal) Format(buf *TrackedBuffer)

Format formats the node.

func (*NullVal) FormatFast ¶

func (node *NullVal) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*NullVal) IsExpr ¶

func (*NullVal) IsExpr()

type Offset ¶

type Offset struct {
	V        int
	Original Expr
}

Offset is an AST type that is used during planning and never produced by the parser it is the column offset from the incoming result stream

func CloneRefOfOffset ¶

func CloneRefOfOffset(n *Offset) *Offset

CloneRefOfOffset creates a deep clone of the input.

func NewOffset ¶

func NewOffset(v int, original Expr) *Offset

NewOffset creates an offset and returns it

func (*Offset) CachedSize ¶

func (cached *Offset) CachedSize(alloc bool) int64

func (*Offset) Format ¶

func (node *Offset) Format(buf *TrackedBuffer)

Format formats the node.

func (*Offset) FormatFast ¶

func (node *Offset) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*Offset) IsExpr ¶

func (*Offset) IsExpr()

type OnDup ¶

type OnDup UpdateExprs

OnDup represents an ON DUPLICATE KEY clause.

func CloneOnDup ¶

func CloneOnDup(n OnDup) OnDup

CloneOnDup creates a deep clone of the input.

func (OnDup) Format ¶

func (node OnDup) Format(buf *TrackedBuffer)

Format formats the node.

func (OnDup) FormatFast ¶

func (node OnDup) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type OptLike ¶

type OptLike struct {
	LikeTable TableName
}

OptLike works for create table xxx like xxx

func CloneRefOfOptLike ¶

func CloneRefOfOptLike(n *OptLike) *OptLike

CloneRefOfOptLike creates a deep clone of the input.

func (*OptLike) CachedSize ¶

func (cached *OptLike) CachedSize(alloc bool) int64

func (*OptLike) Format ¶

func (node *OptLike) Format(buf *TrackedBuffer)

Format formats the node.

func (*OptLike) FormatFast ¶

func (node *OptLike) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type Options ¶

type Options struct {
	MySQLServerVersion string
	TruncateUILen      int
	TruncateErrLen     int
}

type OrExpr ¶

type OrExpr struct {
	Left, Right Expr
}

OrExpr represents an OR expression.

func CloneRefOfOrExpr ¶

func CloneRefOfOrExpr(n *OrExpr) *OrExpr

CloneRefOfOrExpr creates a deep clone of the input.

func (*OrExpr) CachedSize ¶

func (cached *OrExpr) CachedSize(alloc bool) int64

func (*OrExpr) Format ¶

func (node *OrExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*OrExpr) FormatFast ¶

func (node *OrExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*OrExpr) IsExpr ¶

func (*OrExpr) IsExpr()

type Order ¶

type Order struct {
	Expr      Expr
	Direction OrderDirection
}

Order represents an ordering expression.

func CloneRefOfOrder ¶

func CloneRefOfOrder(n *Order) *Order

CloneRefOfOrder creates a deep clone of the input.

func NewOrder ¶

func NewOrder(expr Expr, direction OrderDirection) *Order

NewOrder makes a new Order

func (*Order) CachedSize ¶

func (cached *Order) CachedSize(alloc bool) int64

func (*Order) Format ¶

func (node *Order) Format(buf *TrackedBuffer)

Format formats the node.

func (*Order) FormatFast ¶

func (node *Order) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type OrderAndLimit ¶

type OrderAndLimit interface {
	AddOrder(*Order)
	SetLimit(*Limit)
}

Statements

type OrderBy ¶

type OrderBy []*Order

OrderBy represents an ORDER By clause.

func CloneOrderBy ¶

func CloneOrderBy(n OrderBy) OrderBy

CloneOrderBy creates a deep clone of the input.

func (OrderBy) Format ¶

func (node OrderBy) Format(buf *TrackedBuffer)

Format formats the node.

func (OrderBy) FormatFast ¶

func (node OrderBy) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type OrderByOption ¶

type OrderByOption struct {
	Cols Columns
}

OrderByOption clause is used to specify the order by in an alter table statement

func CloneRefOfOrderByOption ¶

func CloneRefOfOrderByOption(n *OrderByOption) *OrderByOption

CloneRefOfOrderByOption creates a deep clone of the input.

func (*OrderByOption) CachedSize ¶

func (cached *OrderByOption) CachedSize(alloc bool) int64

func (*OrderByOption) Format ¶

func (node *OrderByOption) Format(buf *TrackedBuffer)

Format formats the node

func (*OrderByOption) FormatFast ¶

func (node *OrderByOption) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type OrderDirection ¶

type OrderDirection int8

OrderDirection is an enum for the direction in which to order - asc or desc.

const (
	AscOrder OrderDirection = iota
	DescOrder
)

Constant for Enum Type - OrderDirection

func (OrderDirection) ToString ¶

func (dir OrderDirection) ToString() string

ToString returns the direction as a string

type OtherAdmin ¶

type OtherAdmin struct{}

OtherAdmin represents a misc statement that relies on ADMIN privileges, such as REPAIR, OPTIMIZE, or TRUNCATE statement. It should be used only as an indicator. It does not contain the full AST for the statement.

func CloneRefOfOtherAdmin ¶

func CloneRefOfOtherAdmin(n *OtherAdmin) *OtherAdmin

CloneRefOfOtherAdmin creates a deep clone of the input.

func (*OtherAdmin) Format ¶

func (node *OtherAdmin) Format(buf *TrackedBuffer)

Format formats the node.

func (*OtherAdmin) FormatFast ¶

func (node *OtherAdmin) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type OverClause ¶

type OverClause struct {
	WindowName IdentifierCI
	WindowSpec *WindowSpecification
}

OverClause refers to over_clause More information available here: https://dev.mysql.com/doc/refman/8.0/en/window-functions-usage.html

func CloneRefOfOverClause ¶

func CloneRefOfOverClause(n *OverClause) *OverClause

CloneRefOfOverClause creates a deep clone of the input.

func (*OverClause) CachedSize ¶

func (cached *OverClause) CachedSize(alloc bool) int64

func (*OverClause) Format ¶

func (node *OverClause) Format(buf *TrackedBuffer)

Format formats the node

func (*OverClause) FormatFast ¶

func (node *OverClause) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type ParenTableExpr ¶

type ParenTableExpr struct {
	Exprs TableExprs
}

ParenTableExpr represents a parenthesized list of TableExpr.

func CloneRefOfParenTableExpr ¶

func CloneRefOfParenTableExpr(n *ParenTableExpr) *ParenTableExpr

CloneRefOfParenTableExpr creates a deep clone of the input.

func (*ParenTableExpr) CachedSize ¶

func (cached *ParenTableExpr) CachedSize(alloc bool) int64

func (*ParenTableExpr) Format ¶

func (node *ParenTableExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*ParenTableExpr) FormatFast ¶

func (node *ParenTableExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type ParsedComments ¶

type ParsedComments struct {
	// contains filtered or unexported fields
}

func CloneRefOfParsedComments ¶

func CloneRefOfParsedComments(n *ParsedComments) *ParsedComments

CloneRefOfParsedComments creates a deep clone of the input.

func (*ParsedComments) AddQueryHint ¶

func (node *ParsedComments) AddQueryHint(queryHint string) (Comments, error)

AddQueryHint adds the given string to list of comment. If the list is empty, one will be created containing the query hint. If the list already contains a query hint, the given string will be merged with the existing one. This is done because only one query hint is allowed per query.

func (*ParsedComments) CachedSize ¶

func (cached *ParsedComments) CachedSize(alloc bool) int64

func (*ParsedComments) Directives ¶

func (c *ParsedComments) Directives() *CommentDirectives

Directives parses the comment list for any execution directives of the form:

/*vt+ OPTION_ONE=1 OPTION_TWO OPTION_THREE=abcd */

It returns the map of the directive values or nil if there aren't any.

func (*ParsedComments) Format ¶

func (node *ParsedComments) Format(buf *TrackedBuffer)

Format formats the node.

func (*ParsedComments) FormatFast ¶

func (node *ParsedComments) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*ParsedComments) GetComments ¶

func (c *ParsedComments) GetComments() Comments

func (*ParsedComments) GetMySQLSetVarValue ¶

func (c *ParsedComments) GetMySQLSetVarValue(key string) string

GetMySQLSetVarValue gets the value of the given variable if it is part of a /*+ SET_VAR() */ MySQL optimizer hint.

func (*ParsedComments) Length ¶

func (c *ParsedComments) Length() int

func (*ParsedComments) Prepend ¶

func (c *ParsedComments) Prepend(comment string) Comments

func (*ParsedComments) ResetDirectives ¶

func (c *ParsedComments) ResetDirectives()

ResetDirectives sets the _directives member to `nil`, which means the next call to Directives() will re-evaluate it.

func (*ParsedComments) SetMySQLSetVarValue ¶

func (c *ParsedComments) SetMySQLSetVarValue(key string, value string) (newComments Comments)

SetMySQLSetVarValue updates or sets the value of the given variable as part of a /*+ SET_VAR() */ MySQL optimizer hint.

type ParsedQuery ¶

type ParsedQuery struct {
	Query string
	// contains filtered or unexported fields
}

ParsedQuery represents a parsed query where bind locations are precomputed for fast substitutions.

func BuildParsedQuery ¶

func BuildParsedQuery(in string, vars ...any) *ParsedQuery

BuildParsedQuery builds a ParsedQuery from the input.

func NewParsedQuery ¶

func NewParsedQuery(node SQLNode) *ParsedQuery

NewParsedQuery returns a ParsedQuery of the ast.

func (*ParsedQuery) Append ¶

func (pq *ParsedQuery) Append(buf *strings.Builder, bindVariables map[string]*querypb.BindVariable, extras map[string]Encodable) error

Append appends the generated query to the provided buffer.

func (*ParsedQuery) BindLocations ¶

func (pq *ParsedQuery) BindLocations() []BindLocation

func (*ParsedQuery) CachedSize ¶

func (cached *ParsedQuery) CachedSize(alloc bool) int64

func (*ParsedQuery) GenerateQuery ¶

func (pq *ParsedQuery) GenerateQuery(bindVariables map[string]*querypb.BindVariable, extras map[string]Encodable) (string, error)

GenerateQuery generates a query by substituting the specified bindVariables. The extras parameter specifies special parameters that can perform custom encoding.

func (*ParsedQuery) MarshalJSON ¶

func (pq *ParsedQuery) MarshalJSON() ([]byte, error)

MarshalJSON is a custom JSON marshaler for ParsedQuery.

type Parser ¶

type Parser struct {
	// contains filtered or unexported fields
}

func New ¶

func New(opts Options) (*Parser, error)

func NewTestParser ¶

func NewTestParser() *Parser

func (*Parser) CachedSize ¶

func (cached *Parser) CachedSize(alloc bool) int64

func (*Parser) GetTruncateErrLen ¶

func (p *Parser) GetTruncateErrLen() int

GetTruncateErrLen is a function used to read the value of truncateErrLen

func (*Parser) IsMySQL80AndAbove ¶

func (p *Parser) IsMySQL80AndAbove() bool

func (*Parser) NewStringTokenizer ¶

func (p *Parser) NewStringTokenizer(sql string) *Tokenizer

NewStringTokenizer creates a new Tokenizer for the sql string.

func (*Parser) NormalizeAlphabetically ¶

func (p *Parser) NormalizeAlphabetically(query string) (normalized string, err error)

NormalizeAlphabetically rewrites given query such that: - WHERE 'AND' expressions are reordered alphabetically

func (*Parser) Parse ¶

func (p *Parser) Parse(sql string) (Statement, error)

Parse behaves like Parse2 but does not return a set of bind variables

func (*Parser) Parse2 ¶

func (p *Parser) Parse2(sql string) (Statement, BindVars, error)

Parse2 parses the SQL in full and returns a Statement, which is the AST representation of the query, and a set of BindVars, which are all the bind variables that were found in the original SQL query. If a DDL statement is partially parsed but still contains a syntax error, the error is ignored and the DDL is returned anyway.

func (*Parser) ParseExpr ¶

func (p *Parser) ParseExpr(sql string) (Expr, error)

ParseExpr parses an expression and transforms it to an AST

func (*Parser) ParseStrictDDL ¶

func (p *Parser) ParseStrictDDL(sql string) (Statement, error)

ParseStrictDDL is the same as Parse except it errors on partially parsed DDL statements.

func (*Parser) ParseTable ¶

func (p *Parser) ParseTable(input string) (keyspace, table string, err error)

ParseTable parses the input as a qualified table name. It handles all valid literal escaping.

func (*Parser) QueryMatchesTemplates ¶

func (p *Parser) QueryMatchesTemplates(query string, queryTemplates []string) (match bool, err error)

QueryMatchesTemplates sees if the given query has the same fingerprint as one of the given templates (one is enough)

func (*Parser) RedactSQLQuery ¶

func (p *Parser) RedactSQLQuery(sql string) (string, error)

RedactSQLQuery returns a sql string with the params stripped out for display

func (*Parser) ReplaceTableQualifiers ¶

func (p *Parser) ReplaceTableQualifiers(query, olddb, newdb string) (string, error)

ReplaceTableQualifiers takes a statement's table expressions and replaces any cases of the provided database name with the specified replacement name. Note: both database names provided should be unescaped strings.

func (*Parser) ReplaceTableQualifiersMultiQuery ¶

func (p *Parser) ReplaceTableQualifiersMultiQuery(multiQuery, olddb, newdb string) (string, error)

ReplaceTableQualifiersMultiQuery accepts a multi-query string and modifies it via ReplaceTableQualifiers, one query at a time.

func (*Parser) SetTruncateErrLen ¶

func (p *Parser) SetTruncateErrLen(l int)

func (*Parser) SplitStatement ¶

func (p *Parser) SplitStatement(blob string) (string, string, error)

SplitStatement returns the first sql statement up to either a ';' or EOF and the remainder from the given buffer

func (*Parser) SplitStatementToPieces ¶

func (p *Parser) SplitStatementToPieces(blob string) (pieces []string, err error)

SplitStatementToPieces split raw sql statement that may have multi sql pieces to sql pieces returns the sql pieces blob contains; or error if sql cannot be parsed

func (*Parser) SplitStatements ¶

func (p *Parser) SplitStatements(blob string) (statements []Statement, err error)

SplitStatements splits a given blob into multiple SQL statements.

func (*Parser) TableFromStatement ¶

func (p *Parser) TableFromStatement(sql string) (TableName, error)

TableFromStatement returns the qualified table name for the query. This works only for select statements.

func (*Parser) TruncateForLog ¶

func (p *Parser) TruncateForLog(query string) string

TruncateForLog is used when displaying queries as part of error logs to avoid overwhelming logging systems with potentially long queries and bind value data.

func (*Parser) TruncateForUI ¶

func (p *Parser) TruncateForUI(query string) string

TruncateForUI is used when displaying queries on various Vitess status pages to keep the pages small enough to load and render properly

type PartitionByType ¶

type PartitionByType int8

PartitionByType is an enum storing how we are partitioning a table

const (
	HashType PartitionByType = iota
	KeyType
	RangeType
	ListType
)

Constant for Enum Type - PartitionByType

func (PartitionByType) ToString ¶

func (partitionType PartitionByType) ToString() string

ToString returns the partition type as a string

type PartitionDefinition ¶

type PartitionDefinition struct {
	Name    IdentifierCI
	Options *PartitionDefinitionOptions
}

PartitionDefinition describes a very minimal partition definition

func CloneRefOfPartitionDefinition ¶

func CloneRefOfPartitionDefinition(n *PartitionDefinition) *PartitionDefinition

CloneRefOfPartitionDefinition creates a deep clone of the input.

func CloneSliceOfRefOfPartitionDefinition ¶

func CloneSliceOfRefOfPartitionDefinition(n []*PartitionDefinition) []*PartitionDefinition

CloneSliceOfRefOfPartitionDefinition creates a deep clone of the input.

func (*PartitionDefinition) CachedSize ¶

func (cached *PartitionDefinition) CachedSize(alloc bool) int64

func (*PartitionDefinition) Format ¶

func (node *PartitionDefinition) Format(buf *TrackedBuffer)

Format formats the node

func (*PartitionDefinition) FormatFast ¶

func (node *PartitionDefinition) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type PartitionDefinitionOptions ¶

type PartitionDefinitionOptions struct {
	ValueRange              *PartitionValueRange
	Comment                 *Literal
	Engine                  *PartitionEngine
	DataDirectory           *Literal
	IndexDirectory          *Literal
	MaxRows                 *int
	MinRows                 *int
	TableSpace              string
	SubPartitionDefinitions SubPartitionDefinitions
}

func CloneRefOfPartitionDefinitionOptions ¶

func CloneRefOfPartitionDefinitionOptions(n *PartitionDefinitionOptions) *PartitionDefinitionOptions

CloneRefOfPartitionDefinitionOptions creates a deep clone of the input.

func (*PartitionDefinitionOptions) CachedSize ¶

func (cached *PartitionDefinitionOptions) CachedSize(alloc bool) int64

func (*PartitionDefinitionOptions) Format ¶

func (node *PartitionDefinitionOptions) Format(buf *TrackedBuffer)

Format formats the node

func (*PartitionDefinitionOptions) FormatFast ¶

func (node *PartitionDefinitionOptions) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type PartitionEngine ¶

type PartitionEngine struct {
	Storage bool
	Name    string
}

func CloneRefOfPartitionEngine ¶

func CloneRefOfPartitionEngine(n *PartitionEngine) *PartitionEngine

CloneRefOfPartitionEngine creates a deep clone of the input.

func (*PartitionEngine) CachedSize ¶

func (cached *PartitionEngine) CachedSize(alloc bool) int64

func (*PartitionEngine) Format ¶

func (node *PartitionEngine) Format(buf *TrackedBuffer)

Format formats the node

func (*PartitionEngine) FormatFast ¶

func (node *PartitionEngine) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type PartitionOption ¶

type PartitionOption struct {
	Type         PartitionByType
	IsLinear     bool
	KeyAlgorithm int
	ColList      Columns
	Expr         Expr
	Partitions   int
	SubPartition *SubPartition
	Definitions  []*PartitionDefinition
}

PartitionOption describes partitioning control (for create table statements)

func CloneRefOfPartitionOption ¶

func CloneRefOfPartitionOption(n *PartitionOption) *PartitionOption

CloneRefOfPartitionOption creates a deep clone of the input.

func (*PartitionOption) CachedSize ¶

func (cached *PartitionOption) CachedSize(alloc bool) int64

func (*PartitionOption) Format ¶

func (node *PartitionOption) Format(buf *TrackedBuffer)

Format formats the node.

func (*PartitionOption) FormatFast ¶

func (node *PartitionOption) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type PartitionSpec ¶

type PartitionSpec struct {
	Action            PartitionSpecAction
	Names             Partitions
	Number            *Literal
	IsAll             bool
	TableName         TableName
	WithoutValidation bool
	Definitions       []*PartitionDefinition
}

PartitionSpec describe partition actions (for alter statements)

func CloneRefOfPartitionSpec ¶

func CloneRefOfPartitionSpec(n *PartitionSpec) *PartitionSpec

CloneRefOfPartitionSpec creates a deep clone of the input.

func (*PartitionSpec) CachedSize ¶

func (cached *PartitionSpec) CachedSize(alloc bool) int64

func (*PartitionSpec) Format ¶

func (node *PartitionSpec) Format(buf *TrackedBuffer)

Format formats the node.

func (*PartitionSpec) FormatFast ¶

func (node *PartitionSpec) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type PartitionSpecAction ¶

type PartitionSpecAction int8

PartitionSpecAction is an enum for PartitionSpec.Action

const (
	ReorganizeAction PartitionSpecAction = iota
	AddAction
	DiscardAction
	DropAction
	ImportAction
	TruncateAction
	CoalesceAction
	ExchangeAction
	AnalyzeAction
	CheckAction
	OptimizeAction
	RebuildAction
	RepairAction
	RemoveAction
	UpgradeAction
)

Constant for Enum Type - PartitionSpecAction

type PartitionValueRange ¶

type PartitionValueRange struct {
	Type     PartitionValueRangeType
	Range    ValTuple
	Maxvalue bool
}

func CloneRefOfPartitionValueRange ¶

func CloneRefOfPartitionValueRange(n *PartitionValueRange) *PartitionValueRange

CloneRefOfPartitionValueRange creates a deep clone of the input.

func (*PartitionValueRange) CachedSize ¶

func (cached *PartitionValueRange) CachedSize(alloc bool) int64

func (*PartitionValueRange) Format ¶

func (node *PartitionValueRange) Format(buf *TrackedBuffer)

Format formats the node

func (*PartitionValueRange) FormatFast ¶

func (node *PartitionValueRange) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type PartitionValueRangeType ¶

type PartitionValueRangeType int8

PartitionValueRangeType is an enum for PartitionValueRange.Type

const (
	LessThanType PartitionValueRangeType = iota
	InType
)

Constant for Enum Type - PartitionValueRangeType

func (PartitionValueRangeType) ToString ¶

func (t PartitionValueRangeType) ToString() string

ToString returns the partition value range type as a string

type Partitions ¶

type Partitions Columns

Partitions is a type alias for Columns so we can handle printing efficiently

func ClonePartitions ¶

func ClonePartitions(n Partitions) Partitions

ClonePartitions creates a deep clone of the input.

func (Partitions) Format ¶

func (node Partitions) Format(buf *TrackedBuffer)

Format formats the node

func (Partitions) FormatFast ¶

func (node Partitions) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type PerformanceSchemaFuncExpr ¶

type PerformanceSchemaFuncExpr struct {
	Type     PerformanceSchemaType
	Argument Expr
}

PerformanceSchemaFuncExpr stands for Performance Schema Functions Argument has different meanings for different types For FORMAT_BYTES, it means count For FORMAT_PICO_TIME, it means time_val For PS_THREAD_ID it means connection_id For more details, postVisit https://dev.mysql.com/doc/refman/8.0/en/performance-schema-functions.html

func CloneRefOfPerformanceSchemaFuncExpr ¶

func CloneRefOfPerformanceSchemaFuncExpr(n *PerformanceSchemaFuncExpr) *PerformanceSchemaFuncExpr

CloneRefOfPerformanceSchemaFuncExpr creates a deep clone of the input.

func (*PerformanceSchemaFuncExpr) CachedSize ¶

func (cached *PerformanceSchemaFuncExpr) CachedSize(alloc bool) int64

func (*PerformanceSchemaFuncExpr) Format ¶

func (node *PerformanceSchemaFuncExpr) Format(buf *TrackedBuffer)

func (*PerformanceSchemaFuncExpr) FormatFast ¶

func (node *PerformanceSchemaFuncExpr) FormatFast(buf *TrackedBuffer)

func (*PerformanceSchemaFuncExpr) IsExpr ¶

func (*PerformanceSchemaFuncExpr) IsExpr()

type PerformanceSchemaType ¶

type PerformanceSchemaType int8

PerformanceSchemaType is an enum that get types of LockingFunc

const (
	FormatBytesType PerformanceSchemaType = iota
	FormatPicoTimeType
	PsCurrentThreadIDType
	PsThreadIDType
)

Constants for Enum Type - PerformanceSchemaType

func (PerformanceSchemaType) ToString ¶

func (ty PerformanceSchemaType) ToString() string

ToString returns the type as a string

type PointExpr ¶

type PointExpr struct {
	XCordinate Expr
	YCordinate Expr
}

PointExpr represents POINT(x,y) expression

func CloneRefOfPointExpr ¶

func CloneRefOfPointExpr(n *PointExpr) *PointExpr

CloneRefOfPointExpr creates a deep clone of the input.

func (*PointExpr) CachedSize ¶

func (cached *PointExpr) CachedSize(alloc bool) int64

func (*PointExpr) Format ¶

func (node *PointExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*PointExpr) FormatFast ¶

func (node *PointExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*PointExpr) IsExpr ¶

func (*PointExpr) IsExpr()

type PointPropertyFuncExpr ¶

type PointPropertyFuncExpr struct {
	Property   PointPropertyType
	Point      Expr
	ValueToSet Expr
}

*********** Expressions

func CloneRefOfPointPropertyFuncExpr ¶

func CloneRefOfPointPropertyFuncExpr(n *PointPropertyFuncExpr) *PointPropertyFuncExpr

CloneRefOfPointPropertyFuncExpr creates a deep clone of the input.

func (*PointPropertyFuncExpr) CachedSize ¶

func (cached *PointPropertyFuncExpr) CachedSize(alloc bool) int64

func (*PointPropertyFuncExpr) Format ¶

func (node *PointPropertyFuncExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*PointPropertyFuncExpr) FormatFast ¶

func (node *PointPropertyFuncExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*PointPropertyFuncExpr) IsExpr ¶

func (*PointPropertyFuncExpr) IsExpr()

type PointPropertyType ¶

type PointPropertyType int8

PointPropertyType is an that enumerates the kind of point property functions: XCordinate YCordinate Latitude Longitude

const (
	XCordinate PointPropertyType = iota
	YCordinate
	Latitude
	Longitude
)

Enum Types of point property functions

func (PointPropertyType) ToString ¶

func (ty PointPropertyType) ToString() string

ToString returns the type as a string

type PolygonExpr ¶

type PolygonExpr struct {
	LinestringParams Exprs
}

PolygonExpr represents Polygon(LineString(POINT(x,y), POINT(x,y), ..)) expressions

func CloneRefOfPolygonExpr ¶

func CloneRefOfPolygonExpr(n *PolygonExpr) *PolygonExpr

CloneRefOfPolygonExpr creates a deep clone of the input.

func (*PolygonExpr) CachedSize ¶

func (cached *PolygonExpr) CachedSize(alloc bool) int64

func (*PolygonExpr) Format ¶

func (node *PolygonExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*PolygonExpr) FormatFast ¶

func (node *PolygonExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*PolygonExpr) IsExpr ¶

func (*PolygonExpr) IsExpr()

type PolygonPropType ¶

type PolygonPropType int8

PolygonPropType is an enum that enumerates the kind of polygon property functions: Area Centroid ExteriorRing InteriorRingN NumInteriorRing

const (
	Area PolygonPropType = iota
	Centroid
	ExteriorRing
	InteriorRingN
	NumInteriorRings
)

Enum Types of linestring property functions

func (PolygonPropType) ToString ¶

func (ty PolygonPropType) ToString() string

ToString returns the type as a string

type PolygonPropertyFuncExpr ¶

type PolygonPropertyFuncExpr struct {
	Property       PolygonPropType
	Polygon        Expr
	PropertyDefArg Expr
}

*********** Expressions

func CloneRefOfPolygonPropertyFuncExpr ¶

func CloneRefOfPolygonPropertyFuncExpr(n *PolygonPropertyFuncExpr) *PolygonPropertyFuncExpr

CloneRefOfPolygonPropertyFuncExpr creates a deep clone of the input.

func (*PolygonPropertyFuncExpr) CachedSize ¶

func (cached *PolygonPropertyFuncExpr) CachedSize(alloc bool) int64

func (*PolygonPropertyFuncExpr) Format ¶

func (node *PolygonPropertyFuncExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*PolygonPropertyFuncExpr) FormatFast ¶

func (node *PolygonPropertyFuncExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*PolygonPropertyFuncExpr) IsExpr ¶

func (*PolygonPropertyFuncExpr) IsExpr()

type PositionedErr ¶

type PositionedErr struct {
	Err  string
	Pos  int
	Near string
}

PositionedErr holds context related to parser errors

func (PositionedErr) Error ¶

func (p PositionedErr) Error() string

type Precendence ¶

type Precendence int

Precendence is used to know the precedence between operators, so we can introduce parens when needed in the String representation of the AST

const (
	Syntactic Precendence = iota
	P1
	P2
	P3
	P4
	P5
	P6
	P7
	P8
	P9
	P10
	P11
	P12
	P13
	P14
	P15
	P16
	P17
)

type PrepareStmt ¶

type PrepareStmt struct {
	Name      IdentifierCI
	Statement Expr
	Comments  *ParsedComments
}

PrepareStmt represents a Prepare Statement More info available on https://dev.mysql.com/doc/refman/8.0/en/sql-prepared-statements.html

func CloneRefOfPrepareStmt ¶

func CloneRefOfPrepareStmt(n *PrepareStmt) *PrepareStmt

CloneRefOfPrepareStmt creates a deep clone of the input.

func (*PrepareStmt) CachedSize ¶

func (cached *PrepareStmt) CachedSize(alloc bool) int64

func (*PrepareStmt) Format ¶

func (node *PrepareStmt) Format(buf *TrackedBuffer)

Format formats the node.

func (*PrepareStmt) FormatFast ¶

func (node *PrepareStmt) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type PurgeBinaryLogs ¶

type PurgeBinaryLogs struct {
	To     string
	Before string
}

PurgeBinaryLogs represents a PURGE BINARY LOGS statement

func CloneRefOfPurgeBinaryLogs ¶

func CloneRefOfPurgeBinaryLogs(n *PurgeBinaryLogs) *PurgeBinaryLogs

CloneRefOfPurgeBinaryLogs creates a deep clone of the input.

func (*PurgeBinaryLogs) CachedSize ¶

func (cached *PurgeBinaryLogs) CachedSize(alloc bool) int64

func (*PurgeBinaryLogs) Format ¶

func (node *PurgeBinaryLogs) Format(buf *TrackedBuffer)

Format formats the node.

func (*PurgeBinaryLogs) FormatFast ¶

func (node *PurgeBinaryLogs) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type QueryGenerator ¶

type QueryGenerator interface {
	IsQueryGenerator()
	ExprGenerator
}

type RangeCondOperator ¶

type RangeCondOperator int8

RangeCondOperator is an enum for RangeCond.Operator

type ReferenceAction ¶

type ReferenceAction int

ReferenceAction indicates the action takes by a referential constraint e.g. the `CASCADE` in a `FOREIGN KEY .. ON DELETE CASCADE` table definition.

const (
	// DefaultAction indicates no action was explicitly specified.
	DefaultAction ReferenceAction = iota
	Restrict
	Cascade
	NoAction
	SetNull
	SetDefault
)

These map to the SQL-defined reference actions. See https://dev.mysql.com/doc/refman/8.0/en/create-table-foreign-keys.html#foreign-keys-referential-actions

func (ReferenceAction) Format ¶

func (a ReferenceAction) Format(buf *TrackedBuffer)

Format formats the node.

func (ReferenceAction) FormatFast ¶

func (a ReferenceAction) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (ReferenceAction) IsCascade ¶

func (ra ReferenceAction) IsCascade() bool

IsCascade returns true if the reference action is of cascade type.

func (ReferenceAction) IsRestrict ¶

func (ra ReferenceAction) IsRestrict() bool

IsRestrict returns true if the reference action is of restrict type.

type ReferenceDefinition ¶

type ReferenceDefinition struct {
	ReferencedTable   TableName
	ReferencedColumns Columns
	Match             MatchAction
	OnDelete          ReferenceAction
	OnUpdate          ReferenceAction
}

ReferenceDefinition describes the referenced tables and columns that the foreign key references

func CloneRefOfReferenceDefinition ¶

func CloneRefOfReferenceDefinition(n *ReferenceDefinition) *ReferenceDefinition

CloneRefOfReferenceDefinition creates a deep clone of the input.

func (*ReferenceDefinition) CachedSize ¶

func (cached *ReferenceDefinition) CachedSize(alloc bool) int64

func (*ReferenceDefinition) Format ¶

func (ref *ReferenceDefinition) Format(buf *TrackedBuffer)

Format formats the node.

func (*ReferenceDefinition) FormatFast ¶

func (ref *ReferenceDefinition) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type RegexpInstrExpr ¶

type RegexpInstrExpr struct {
	Expr         Expr
	Pattern      Expr
	Position     Expr
	Occurrence   Expr
	ReturnOption Expr
	MatchType    Expr
}

RegexpInstrExpr represents REGEXP_INSTR() For more information, see https://dev.mysql.com/doc/refman/8.0/en/regexp.html#function_regexp-instr

func CloneRefOfRegexpInstrExpr ¶

func CloneRefOfRegexpInstrExpr(n *RegexpInstrExpr) *RegexpInstrExpr

CloneRefOfRegexpInstrExpr creates a deep clone of the input.

func (*RegexpInstrExpr) CachedSize ¶

func (cached *RegexpInstrExpr) CachedSize(alloc bool) int64

func (*RegexpInstrExpr) Format ¶

func (node *RegexpInstrExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*RegexpInstrExpr) FormatFast ¶

func (node *RegexpInstrExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*RegexpInstrExpr) IsExpr ¶

func (*RegexpInstrExpr) IsExpr()

type RegexpLikeExpr ¶

type RegexpLikeExpr struct {
	Expr      Expr
	Pattern   Expr
	MatchType Expr
}

RegexpLikeExpr represents REGEXP_LIKE() For more information, see https://dev.mysql.com/doc/refman/8.0/en/regexp.html#function_regexp-like

func CloneRefOfRegexpLikeExpr ¶

func CloneRefOfRegexpLikeExpr(n *RegexpLikeExpr) *RegexpLikeExpr

CloneRefOfRegexpLikeExpr creates a deep clone of the input.

func (*RegexpLikeExpr) CachedSize ¶

func (cached *RegexpLikeExpr) CachedSize(alloc bool) int64

func (*RegexpLikeExpr) Format ¶

func (node *RegexpLikeExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*RegexpLikeExpr) FormatFast ¶

func (node *RegexpLikeExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*RegexpLikeExpr) IsExpr ¶

func (*RegexpLikeExpr) IsExpr()

type RegexpReplaceExpr ¶

type RegexpReplaceExpr struct {
	Expr       Expr
	Pattern    Expr
	Repl       Expr
	Occurrence Expr
	Position   Expr
	MatchType  Expr
}

RegexpReplaceExpr represents REGEXP_REPLACE() For more information, see https://dev.mysql.com/doc/refman/8.0/en/regexp.html#function_regexp-replace

func CloneRefOfRegexpReplaceExpr ¶

func CloneRefOfRegexpReplaceExpr(n *RegexpReplaceExpr) *RegexpReplaceExpr

CloneRefOfRegexpReplaceExpr creates a deep clone of the input.

func (*RegexpReplaceExpr) CachedSize ¶

func (cached *RegexpReplaceExpr) CachedSize(alloc bool) int64

func (*RegexpReplaceExpr) Format ¶

func (node *RegexpReplaceExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*RegexpReplaceExpr) FormatFast ¶

func (node *RegexpReplaceExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*RegexpReplaceExpr) IsExpr ¶

func (*RegexpReplaceExpr) IsExpr()

type RegexpSubstrExpr ¶

type RegexpSubstrExpr struct {
	Expr       Expr
	Pattern    Expr
	Occurrence Expr
	Position   Expr
	MatchType  Expr
}

RegexpSubstrExpr represents REGEXP_SUBSTR() For more information, see https://dev.mysql.com/doc/refman/8.0/en/regexp.html#function_regexp-substr

func CloneRefOfRegexpSubstrExpr ¶

func CloneRefOfRegexpSubstrExpr(n *RegexpSubstrExpr) *RegexpSubstrExpr

CloneRefOfRegexpSubstrExpr creates a deep clone of the input.

func (*RegexpSubstrExpr) CachedSize ¶

func (cached *RegexpSubstrExpr) CachedSize(alloc bool) int64

func (*RegexpSubstrExpr) Format ¶

func (node *RegexpSubstrExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*RegexpSubstrExpr) FormatFast ¶

func (node *RegexpSubstrExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*RegexpSubstrExpr) IsExpr ¶

func (*RegexpSubstrExpr) IsExpr()

type Release ¶

type Release struct {
	Name IdentifierCI
}

Release represents a release savepoint statement.

func CloneRefOfRelease ¶

func CloneRefOfRelease(n *Release) *Release

CloneRefOfRelease creates a deep clone of the input.

func (*Release) CachedSize ¶

func (cached *Release) CachedSize(alloc bool) int64

func (*Release) Format ¶

func (node *Release) Format(buf *TrackedBuffer)

Format formats the node.

func (*Release) FormatFast ¶

func (node *Release) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type RenameColumn ¶

type RenameColumn struct {
	OldName *ColName
	NewName *ColName
}

RenameColumn is used to change the column definition in alter table command

func CloneRefOfRenameColumn ¶

func CloneRefOfRenameColumn(n *RenameColumn) *RenameColumn

CloneRefOfRenameColumn creates a deep clone of the input.

func (*RenameColumn) CachedSize ¶

func (cached *RenameColumn) CachedSize(alloc bool) int64

func (*RenameColumn) Format ¶

func (node *RenameColumn) Format(buf *TrackedBuffer)

Format formats the node

func (*RenameColumn) FormatFast ¶

func (node *RenameColumn) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type RenameIndex ¶

type RenameIndex struct {
	OldName IdentifierCI
	NewName IdentifierCI
}

RenameIndex clause is used to rename indexes in an alter table statement

func CloneRefOfRenameIndex ¶

func CloneRefOfRenameIndex(n *RenameIndex) *RenameIndex

CloneRefOfRenameIndex creates a deep clone of the input.

func (*RenameIndex) CachedSize ¶

func (cached *RenameIndex) CachedSize(alloc bool) int64

func (*RenameIndex) Format ¶

func (node *RenameIndex) Format(buf *TrackedBuffer)

Format formats the node

func (*RenameIndex) FormatFast ¶

func (node *RenameIndex) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type RenameTable ¶

type RenameTable struct {
	TablePairs []*RenameTablePair
}

RenameTable represents a RENAME TABLE statement.

func CloneRefOfRenameTable ¶

func CloneRefOfRenameTable(n *RenameTable) *RenameTable

CloneRefOfRenameTable creates a deep clone of the input.

func (*RenameTable) AffectedTables ¶

func (node *RenameTable) AffectedTables() TableNames

AffectedTables returns the list table names affected by the DDLStatement.

func (*RenameTable) CachedSize ¶

func (cached *RenameTable) CachedSize(alloc bool) int64

func (*RenameTable) Format ¶

func (node *RenameTable) Format(buf *TrackedBuffer)

Format formats the node.

func (*RenameTable) FormatFast ¶

func (node *RenameTable) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*RenameTable) GetAction ¶

func (node *RenameTable) GetAction() DDLAction

GetAction implements the DDLStatement interface

func (*RenameTable) GetFromTables ¶

func (node *RenameTable) GetFromTables() TableNames

GetFromTables implements the DDLStatement interface

func (*RenameTable) GetIfExists ¶

func (node *RenameTable) GetIfExists() bool

GetIfExists implements the DDLStatement interface

func (*RenameTable) GetIfNotExists ¶

func (node *RenameTable) GetIfNotExists() bool

GetIfNotExists implements the DDLStatement interface

func (*RenameTable) GetIsReplace ¶

func (node *RenameTable) GetIsReplace() bool

GetIsReplace implements the DDLStatement interface

func (*RenameTable) GetOptLike ¶

func (node *RenameTable) GetOptLike() *OptLike

GetOptLike implements the DDLStatement interface

func (*RenameTable) GetParsedComments ¶

func (node *RenameTable) GetParsedComments() *ParsedComments

GetParsedComments implements Commented interface.

func (*RenameTable) GetTable ¶

func (node *RenameTable) GetTable() TableName

GetTable implements the DDLStatement interface

func (*RenameTable) GetTableSpec ¶

func (node *RenameTable) GetTableSpec() *TableSpec

GetTableSpec implements the DDLStatement interface

func (*RenameTable) GetToTables ¶

func (node *RenameTable) GetToTables() TableNames

GetToTables implements the DDLStatement interface

func (*RenameTable) IsFullyParsed ¶

func (*RenameTable) IsFullyParsed() bool

IsFullyParsed implements the DDLStatement interface

func (*RenameTable) IsTemporary ¶

func (*RenameTable) IsTemporary() bool

IsTemporary implements the DDLStatement interface

func (*RenameTable) SetComments ¶

func (node *RenameTable) SetComments(comments Comments)

SetComments implements Commented interface.

func (*RenameTable) SetFromTables ¶

func (node *RenameTable) SetFromTables(tables TableNames)

SetFromTables implements DDLStatement.

func (*RenameTable) SetFullyParsed ¶

func (node *RenameTable) SetFullyParsed(fullyParsed bool)

SetFullyParsed implements the DDLStatement interface

func (*RenameTable) SetTable ¶

func (node *RenameTable) SetTable(qualifier string, name string)

SetTable implements DDLStatement.

type RenameTableName ¶

type RenameTableName struct {
	Table TableName
}

RenameTableName clause is used to rename the table in an alter table statement

func CloneRefOfRenameTableName ¶

func CloneRefOfRenameTableName(n *RenameTableName) *RenameTableName

CloneRefOfRenameTableName creates a deep clone of the input.

func (*RenameTableName) CachedSize ¶

func (cached *RenameTableName) CachedSize(alloc bool) int64

func (*RenameTableName) Format ¶

func (node *RenameTableName) Format(buf *TrackedBuffer)

Format formats the node

func (*RenameTableName) FormatFast ¶

func (node *RenameTableName) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type RenameTablePair ¶

type RenameTablePair struct {
	FromTable TableName
	ToTable   TableName
}

RenameTablePair represents the name of the original table and what it is going to be set in a RENAME TABLE statement.

func CloneRefOfRenameTablePair ¶

func CloneRefOfRenameTablePair(n *RenameTablePair) *RenameTablePair

CloneRefOfRenameTablePair creates a deep clone of the input.

func CloneSliceOfRefOfRenameTablePair ¶

func CloneSliceOfRefOfRenameTablePair(n []*RenameTablePair) []*RenameTablePair

CloneSliceOfRefOfRenameTablePair creates a deep clone of the input.

func (*RenameTablePair) CachedSize ¶

func (cached *RenameTablePair) CachedSize(alloc bool) int64

type ReservedVars ¶

type ReservedVars struct {
	// contains filtered or unexported fields
}

ReservedVars keeps track of the bind variable names that have already been used in a parsed query.

func NewReservedVars ¶

func NewReservedVars(prefix string, known BindVars) *ReservedVars

NewReservedVars allocates a ReservedVar instance that will generate unique variable names starting with the given `prefix` and making sure that they don't conflict with the given set of `known` variables.

func (*ReservedVars) ReserveAll ¶

func (r *ReservedVars) ReserveAll(names ...string) bool

ReserveAll tries to reserve all the given variable names. If they're all available, they are reserved and the function returns true. Otherwise, the function returns false.

func (*ReservedVars) ReserveColName ¶

func (r *ReservedVars) ReserveColName(col *ColName) string

ReserveColName reserves a variable name for the given column; if a variable with the same name already exists, it'll be suffixed with a numberic identifier to make it unique.

func (*ReservedVars) ReserveHasValuesSubQuery ¶

func (r *ReservedVars) ReserveHasValuesSubQuery() string

ReserveHasValuesSubQuery returns the next argument name to replace subquery with has value.

func (*ReservedVars) ReserveSubQuery ¶

func (r *ReservedVars) ReserveSubQuery() string

ReserveSubQuery returns the next argument name to replace subquery with pullout value.

func (*ReservedVars) ReserveSubQueryWithHasValues ¶

func (r *ReservedVars) ReserveSubQueryWithHasValues() (string, string)

ReserveSubQueryWithHasValues returns the next argument name to replace subquery with pullout value.

func (*ReservedVars) ReserveVariable ¶

func (r *ReservedVars) ReserveVariable(compliantName string) string

type RevertMigration ¶

type RevertMigration struct {
	UUID     string
	Comments *ParsedComments
}

RevertMigration represents a REVERT VITESS_MIGRATION statement

func CloneRefOfRevertMigration ¶

func CloneRefOfRevertMigration(n *RevertMigration) *RevertMigration

CloneRefOfRevertMigration creates a deep clone of the input.

func (*RevertMigration) CachedSize ¶

func (cached *RevertMigration) CachedSize(alloc bool) int64

func (*RevertMigration) Format ¶

func (node *RevertMigration) Format(buf *TrackedBuffer)

Format formats the node.

func (*RevertMigration) FormatFast ¶

func (node *RevertMigration) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*RevertMigration) SetComments ¶

func (node *RevertMigration) SetComments(comments Comments)

SetComments for RevertMigration, does not implement DDLStatement

type RewriteASTResult ¶

type RewriteASTResult struct {
	*BindVarNeeds
	AST Statement // The rewritten AST
}

RewriteASTResult contains the rewritten ast and meta information about it

func PrepareAST ¶

func PrepareAST(
	in Statement,
	reservedVars *ReservedVars,
	bindVars map[string]*querypb.BindVariable,
	parameterize bool,
	keyspace string,
	selectLimit int,
	setVarComment string,
	sysVars map[string]string,
	fkChecksState *bool,
	views VSchemaViews,
) (*RewriteASTResult, error)

PrepareAST will normalize the query

func RewriteAST ¶

func RewriteAST(
	in Statement,
	keyspace string,
	selectLimit int,
	setVarComment string,
	sysVars map[string]string,
	fkChecksState *bool,
	views VSchemaViews,
) (*RewriteASTResult, error)

RewriteAST rewrites the whole AST, replacing function calls and adding column aliases to queries. SET_VAR comments are also added to the AST if required.

type Rollback ¶

type Rollback struct{}

Rollback represents a Rollback statement.

func CloneRefOfRollback ¶

func CloneRefOfRollback(n *Rollback) *Rollback

CloneRefOfRollback creates a deep clone of the input.

func (*Rollback) Format ¶

func (node *Rollback) Format(buf *TrackedBuffer)

Format formats the node.

func (*Rollback) FormatFast ¶

func (node *Rollback) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type RootNode ¶

type RootNode struct {
	SQLNode
}

RootNode is the root node of the AST when rewriting. It is the first element of the tree.

func CloneRefOfRootNode ¶

func CloneRefOfRootNode(n *RootNode) *RootNode

CloneRefOfRootNode creates a deep clone of the input.

func CloneRootNode ¶

func CloneRootNode(n RootNode) RootNode

CloneRootNode creates a deep clone of the input.

type RowAlias ¶

type RowAlias struct {
	TableName IdentifierCS
	Columns   Columns
}

func CloneRefOfRowAlias ¶

func CloneRefOfRowAlias(n *RowAlias) *RowAlias

CloneRefOfRowAlias creates a deep clone of the input.

func (*RowAlias) CachedSize ¶

func (cached *RowAlias) CachedSize(alloc bool) int64

func (*RowAlias) Format ¶

func (node *RowAlias) Format(buf *TrackedBuffer)

func (*RowAlias) FormatFast ¶

func (node *RowAlias) FormatFast(buf *TrackedBuffer)

type SQLNode ¶

type SQLNode interface {
	Format(buf *TrackedBuffer)
	FormatFast(buf *TrackedBuffer)
}

SQLNode defines the interface for all nodes generated by the parser.

func CloneSQLNode ¶

func CloneSQLNode(in SQLNode) SQLNode

CloneSQLNode creates a deep clone of the input.

func CopyOnRewrite ¶

func CopyOnRewrite(
	node SQLNode,
	pre func(node, parent SQLNode) bool,
	post func(cursor *CopyOnWriteCursor),
	cloned func(before, after SQLNode),
) SQLNode

CopyOnRewrite traverses a syntax tree recursively, starting with root, and calling pre and post for each node as described below. Rewrite returns a syntax tree, where some nodes can be shared with the original syntax tree.

If pre is not nil, it is called for each node before the node's children are traversed (pre-order). If pre returns false, no children are traversed, but post is still called for that node.

If post is not nil, and a prior call of pre didn't return false, post is called for each node after its children are traversed (post-order).

In the post call, the cursor can be used to abort the current traversal altogether.

Also in the post call, a user can replace the current node. When a node is replaced, all the ancestors of the node are cloned, so that the original syntax tree remains untouched

The `cloned` function will be called for all nodes that are cloned or replaced, to give the user a chance to copy any metadata that needs copying.

Only fields that refer to AST nodes are considered children; i.e., fields of basic types (strings, []byte, etc.) are ignored.

func Rewrite ¶

func Rewrite(node SQLNode, pre, post ApplyFunc) (result SQLNode)

Rewrite traverses a syntax tree recursively, starting with root, and calling pre and post for each node as described below. Rewrite returns the syntax tree, possibly modified.

If pre is not nil, it is called for each node before the node's children are traversed (pre-order). If pre returns false, no children are traversed, and post is not called for that node.

If post is not nil, and a prior call of pre didn't return false, post is called for each node after its children are traversed (post-order). If post returns false, traversal is terminated and Apply returns immediately.

Only fields that refer to AST nodes are considered children; i.e., fields of basic types (strings, []byte, etc.) are ignored.

func RewritePredicate ¶

func RewritePredicate(ast SQLNode) SQLNode

RewritePredicate walks the input AST and rewrites any boolean logic into a simpler form This simpler form is CNF plus logic for extracting predicates from OR, plus logic for turning ORs into IN

func SafeRewrite ¶

func SafeRewrite(
	node SQLNode,
	shouldVisitChildren func(node SQLNode, parent SQLNode) bool,
	up ApplyFunc,
) SQLNode

SafeRewrite does not allow replacing nodes on the down walk of the tree walking Long term this is the only Rewrite functionality we want

type SRollback ¶

type SRollback struct {
	Name IdentifierCI
}

SRollback represents a rollback to savepoint statement.

func CloneRefOfSRollback ¶

func CloneRefOfSRollback(n *SRollback) *SRollback

CloneRefOfSRollback creates a deep clone of the input.

func (*SRollback) CachedSize ¶

func (cached *SRollback) CachedSize(alloc bool) int64

func (*SRollback) Format ¶

func (node *SRollback) Format(buf *TrackedBuffer)

Format formats the node.

func (*SRollback) FormatFast ¶

func (node *SRollback) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type Savepoint ¶

type Savepoint struct {
	Name IdentifierCI
}

Savepoint represents a savepoint statement.

func CloneRefOfSavepoint ¶

func CloneRefOfSavepoint(n *Savepoint) *Savepoint

CloneRefOfSavepoint creates a deep clone of the input.

func (*Savepoint) CachedSize ¶

func (cached *Savepoint) CachedSize(alloc bool) int64

func (*Savepoint) Format ¶

func (node *Savepoint) Format(buf *TrackedBuffer)

Format formats the node.

func (*Savepoint) FormatFast ¶

func (node *Savepoint) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type Scope ¶

type Scope int8

Scope is an enum for scope of query

const (
	NoScope             Scope = iota
	SessionScope              // [SESSION | @@SESSION.| @@LOCAL. | @@] This is the default if no scope is given
	GlobalScope               // {GLOBAL | @@GLOBAL.} system_var_name
	VitessMetadataScope       // @@vitess_metadata.system_var_name
	PersistSysScope           // {PERSIST_ONLY | @@PERSIST_ONLY.} system_var_name
	PersistOnlySysScope       // {PERSIST_ONLY | @@PERSIST_ONLY.} system_var_name
	VariableScope             // @var_name   This is used for user defined variables.
	NextTxScope               // This is used for transaction related variables like transaction_isolation, transaction_read_write and set transaction statement.
)

Constants for scope of variables See https://dev.mysql.com/doc/refman/8.0/en/set-variable.html

func (Scope) ToString ¶

func (scope Scope) ToString() string

ToString returns the string associated with the Scope enum

type Select ¶

type Select struct {
	Cache            *bool // a reference here so it can be nil
	Distinct         bool
	StraightJoinHint bool
	SQLCalcFoundRows bool
	// The With field needs to come before the FROM clause, so any CTEs have been handled before we analyze it
	With        *With
	From        []TableExpr
	Comments    *ParsedComments
	SelectExprs SelectExprs
	Where       *Where
	GroupBy     *GroupBy
	Having      *Where
	Windows     NamedWindows
	OrderBy     OrderBy
	Limit       *Limit
	Lock        Lock
	Into        *SelectInto
}

Select represents a SELECT statement.

func CloneRefOfSelect ¶

func CloneRefOfSelect(n *Select) *Select

CloneRefOfSelect creates a deep clone of the input.

func GetAllSelects ¶

func GetAllSelects(selStmt SelectStatement) []*Select

GetAllSelects gets all the select statement s

func GetFirstSelect ¶

func GetFirstSelect(selStmt SelectStatement) *Select

GetFirstSelect gets the first select statement

func NewSelect ¶

func NewSelect(
	comments Comments,
	exprs SelectExprs,
	selectOptions []string,
	into *SelectInto,
	from TableExprs,
	where *Where,
	groupBy *GroupBy,
	having *Where,
	windows NamedWindows,
) *Select

NewSelect is used to create a select statement

func (*Select) AddGroupBy ¶

func (node *Select) AddGroupBy(expr Expr)

AddGroupBy adds a grouping expression, unless it's already present

func (*Select) AddHaving ¶

func (node *Select) AddHaving(expr Expr)

AddHaving adds the boolean expression to the HAVING clause as an AND condition.

func (*Select) AddOrder ¶

func (node *Select) AddOrder(order *Order)

AddOrder adds an order by element

func (*Select) AddSelectExprs ¶

func (node *Select) AddSelectExprs(selectExprs SelectExprs)

func (*Select) AddWhere ¶

func (node *Select) AddWhere(expr Expr)

AddWhere adds the boolean expression to the WHERE clause as an AND condition.

func (*Select) CachedSize ¶

func (cached *Select) CachedSize(alloc bool) int64

func (*Select) Format ¶

func (node *Select) Format(buf *TrackedBuffer)

Format formats the node.

func (*Select) FormatFast ¶

func (node *Select) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*Select) GetColumnCount ¶

func (node *Select) GetColumnCount() int

GetColumnCount return SelectExprs count.

func (*Select) GetColumns ¶

func (node *Select) GetColumns() SelectExprs

GetColumns gets the columns

func (*Select) GetFrom ¶

func (node *Select) GetFrom() []TableExpr

func (*Select) GetLimit ¶

func (node *Select) GetLimit() *Limit

GetLimit gets the limit

func (*Select) GetLock ¶

func (node *Select) GetLock() Lock

GetLock returns the lock clause

func (*Select) GetOrderBy ¶

func (node *Select) GetOrderBy() OrderBy

GetOrderBy gets the order by clause

func (*Select) GetParsedComments ¶

func (node *Select) GetParsedComments() *ParsedComments

GetParsedComments implements the Commented interface

func (*Select) GetWherePredicate ¶

func (node *Select) GetWherePredicate() Expr

func (*Select) GroupByExprs ¶

func (node *Select) GroupByExprs() []Expr

GroupByExprs returns the group by expressions

func (*Select) IsDistinct ¶

func (node *Select) IsDistinct() bool

IsDistinct implements the SelectStatement interface

func (*Select) MakeDistinct ¶

func (node *Select) MakeDistinct()

MakeDistinct makes the statement distinct

func (*Select) SetComments ¶

func (node *Select) SetComments(comments Comments)

SetComments implements the Commented interface

func (*Select) SetFrom ¶

func (node *Select) SetFrom(exprs []TableExpr)

func (*Select) SetInto ¶

func (node *Select) SetInto(into *SelectInto)

SetInto sets the into clause

func (*Select) SetLimit ¶

func (node *Select) SetLimit(limit *Limit)

SetLimit sets the limit clause

func (*Select) SetLock ¶

func (node *Select) SetLock(lock Lock)

SetLock sets the lock clause

func (*Select) SetOrderBy ¶

func (node *Select) SetOrderBy(orderBy OrderBy)

SetOrderBy sets the order by clause

func (*Select) SetWherePredicate ¶

func (node *Select) SetWherePredicate(expr Expr)

func (*Select) SetWith ¶

func (node *Select) SetWith(with *With)

SetWith sets the with clause to a select statement

type SelectExpr ¶

type SelectExpr interface {
	SQLNode
	// contains filtered or unexported methods
}

SelectExpr represents a SELECT expression.

func CloneSelectExpr ¶

func CloneSelectExpr(in SelectExpr) SelectExpr

CloneSelectExpr creates a deep clone of the input.

type SelectExprs ¶

type SelectExprs []SelectExpr

SelectExprs represents SELECT expressions.

func CloneSelectExprs ¶

func CloneSelectExprs(n SelectExprs) SelectExprs

CloneSelectExprs creates a deep clone of the input.

func (SelectExprs) AllAggregation ¶

func (s SelectExprs) AllAggregation() bool

AllAggregation returns true if all the expressions contain aggregation

func (SelectExprs) Format ¶

func (node SelectExprs) Format(buf *TrackedBuffer)

Format formats the node.

func (SelectExprs) FormatFast ¶

func (node SelectExprs) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type SelectInto ¶

type SelectInto struct {
	Type         SelectIntoType
	FileName     string
	Charset      ColumnCharset
	FormatOption string
	ExportOption string
	Manifest     string
	Overwrite    string
}

SelectInto is a struct that represent the INTO part of a select query

func CloneRefOfSelectInto ¶

func CloneRefOfSelectInto(n *SelectInto) *SelectInto

CloneRefOfSelectInto creates a deep clone of the input.

func (*SelectInto) CachedSize ¶

func (cached *SelectInto) CachedSize(alloc bool) int64

func (*SelectInto) Format ¶

func (node *SelectInto) Format(buf *TrackedBuffer)

Format formats the node.

func (*SelectInto) FormatFast ¶

func (node *SelectInto) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type SelectIntoType ¶

type SelectIntoType int8

SelectIntoType is an enum for SelectInto.Type

const (
	IntoOutfile SelectIntoType = iota
	IntoOutfileS3
	IntoDumpfile
)

Constant for Enum Type - SelectIntoType

func (SelectIntoType) ToString ¶

func (sel SelectIntoType) ToString() string

ToString returns the type as a string

type SelectStatement ¶

type SelectStatement interface {
	Statement
	InsertRows
	OrderAndLimit

	GetLock() Lock
	SetLock(lock Lock)
	SetInto(into *SelectInto)
	SetWith(with *With)
	MakeDistinct()
	GetColumnCount() int
	GetColumns() SelectExprs
	Commented
	IsDistinct() bool
	GetOrderBy() OrderBy
	SetOrderBy(OrderBy)
	GetLimit() *Limit
	// contains filtered or unexported methods
}

SelectStatement any SELECT statement.

func CloneSelectStatement ¶

func CloneSelectStatement(in SelectStatement) SelectStatement

CloneSelectStatement creates a deep clone of the input.

type Set ¶

type Set struct {
	Comments *ParsedComments
	Exprs    SetExprs
}

Set represents a SET statement.

func CloneRefOfSet ¶

func CloneRefOfSet(n *Set) *Set

CloneRefOfSet creates a deep clone of the input.

func NewSetStatement ¶

func NewSetStatement(comments *ParsedComments, exprs SetExprs) *Set

NewSetStatement returns a Set struct

func (*Set) CachedSize ¶

func (cached *Set) CachedSize(alloc bool) int64

func (*Set) Format ¶

func (node *Set) Format(buf *TrackedBuffer)

Format formats the node.

func (*Set) FormatFast ¶

func (node *Set) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type SetExpr ¶

type SetExpr struct {
	Var  *Variable
	Expr Expr
}

SetExpr represents a set expression.

func CloneRefOfSetExpr ¶

func CloneRefOfSetExpr(n *SetExpr) *SetExpr

CloneRefOfSetExpr creates a deep clone of the input.

func (*SetExpr) CachedSize ¶

func (cached *SetExpr) CachedSize(alloc bool) int64

func (*SetExpr) Format ¶

func (node *SetExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*SetExpr) FormatFast ¶

func (node *SetExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type SetExprs ¶

type SetExprs []*SetExpr

SetExprs represents a list of set expressions.

func CloneSetExprs ¶

func CloneSetExprs(n SetExprs) SetExprs

CloneSetExprs creates a deep clone of the input.

func UpdateSetExprsScope ¶

func UpdateSetExprsScope(setExprs SetExprs, scope Scope) SetExprs

UpdateSetExprsScope updates the scope of the variables in SetExprs.

func (SetExprs) Format ¶

func (node SetExprs) Format(buf *TrackedBuffer)

Format formats the node.

func (SetExprs) FormatFast ¶

func (node SetExprs) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type Show ¶

type Show struct {
	Internal ShowInternal
}

Show represents a show statement.

func CloneRefOfShow ¶

func CloneRefOfShow(n *Show) *Show

CloneRefOfShow creates a deep clone of the input.

func (*Show) CachedSize ¶

func (cached *Show) CachedSize(alloc bool) int64

func (*Show) Format ¶

func (node *Show) Format(buf *TrackedBuffer)

Format formats the node.

func (*Show) FormatFast ¶

func (node *Show) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type ShowBasic ¶

type ShowBasic struct {
	Command ShowCommandType
	Full    bool
	Tbl     TableName
	DbName  IdentifierCS
	Filter  *ShowFilter
}

ShowBasic is of ShowInternal type, holds Simple SHOW queries with a filter.

func CloneRefOfShowBasic ¶

func CloneRefOfShowBasic(n *ShowBasic) *ShowBasic

CloneRefOfShowBasic creates a deep clone of the input.

func (*ShowBasic) CachedSize ¶

func (cached *ShowBasic) CachedSize(alloc bool) int64

func (*ShowBasic) Format ¶

func (node *ShowBasic) Format(buf *TrackedBuffer)

Format formats the node.

func (*ShowBasic) FormatFast ¶

func (node *ShowBasic) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type ShowCommandType ¶

type ShowCommandType int8

ShowCommandType represents the show statement type.

const (
	UnknownCommandType ShowCommandType = iota
	Charset
	Collation
	Column
	CreateDb
	CreateE
	CreateF
	CreateProc
	CreateTbl
	CreateTr
	CreateV
	Database
	Engines
	FunctionC
	Function
	GtidExecGlobal
	Index
	OpenTable
	Plugins
	Privilege
	ProcedureC
	Procedure
	StatusGlobal
	StatusSession
	Table
	TableStatus
	Trigger
	VariableGlobal
	VariableSession
	VGtidExecGlobal
	VitessMigrations
	VitessReplicationStatus
	VitessShards
	VitessTablets
	VitessTarget
	VitessVariables
	VschemaTables
	VschemaKeyspaces
	VschemaVindexes
	Warnings
	Keyspace
)

ShowCommandType constants

func (ShowCommandType) ToString ¶

func (ty ShowCommandType) ToString() string

ToString returns ShowCommandType as a string

type ShowCreate ¶

type ShowCreate struct {
	Command ShowCommandType
	Op      TableName
}

ShowCreate is of ShowInternal type, holds SHOW CREATE queries.

func CloneRefOfShowCreate ¶

func CloneRefOfShowCreate(n *ShowCreate) *ShowCreate

CloneRefOfShowCreate creates a deep clone of the input.

func (*ShowCreate) CachedSize ¶

func (cached *ShowCreate) CachedSize(alloc bool) int64

func (*ShowCreate) Format ¶

func (node *ShowCreate) Format(buf *TrackedBuffer)

Format formats the node.

func (*ShowCreate) FormatFast ¶

func (node *ShowCreate) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type ShowFilter ¶

type ShowFilter struct {
	Like   string
	Filter Expr
}

ShowFilter is show tables filter

func CloneRefOfShowFilter ¶

func CloneRefOfShowFilter(n *ShowFilter) *ShowFilter

CloneRefOfShowFilter creates a deep clone of the input.

func (*ShowFilter) CachedSize ¶

func (cached *ShowFilter) CachedSize(alloc bool) int64

func (*ShowFilter) Format ¶

func (node *ShowFilter) Format(buf *TrackedBuffer)

Format formats the node.

func (*ShowFilter) FormatFast ¶

func (node *ShowFilter) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type ShowInternal ¶

type ShowInternal interface {
	SQLNode
	// contains filtered or unexported methods
}

ShowInternal will represent all the show statement types.

func CloneShowInternal ¶

func CloneShowInternal(in ShowInternal) ShowInternal

CloneShowInternal creates a deep clone of the input.

type ShowMigrationLogs ¶

type ShowMigrationLogs struct {
	UUID     string
	Comments *ParsedComments
}

ShowMigrationLogs represents a SHOW VITESS_MIGRATION '<uuid>' LOGS statement

func CloneRefOfShowMigrationLogs ¶

func CloneRefOfShowMigrationLogs(n *ShowMigrationLogs) *ShowMigrationLogs

CloneRefOfShowMigrationLogs creates a deep clone of the input.

func (*ShowMigrationLogs) CachedSize ¶

func (cached *ShowMigrationLogs) CachedSize(alloc bool) int64

func (*ShowMigrationLogs) Format ¶

func (node *ShowMigrationLogs) Format(buf *TrackedBuffer)

Format formats the node.

func (*ShowMigrationLogs) FormatFast ¶

func (node *ShowMigrationLogs) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type ShowOther ¶

type ShowOther struct {
	Command string
}

ShowOther is of ShowInternal type, holds show queries that is not handled specially.

func CloneRefOfShowOther ¶

func CloneRefOfShowOther(n *ShowOther) *ShowOther

CloneRefOfShowOther creates a deep clone of the input.

func (*ShowOther) CachedSize ¶

func (cached *ShowOther) CachedSize(alloc bool) int64

func (*ShowOther) Format ¶

func (node *ShowOther) Format(buf *TrackedBuffer)

Format formats the node.

func (*ShowOther) FormatFast ¶

func (node *ShowOther) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type ShowTablesOpt ¶

type ShowTablesOpt struct {
	Full   string
	DbName string
	Filter *ShowFilter
}

ShowTablesOpt is show tables option

type ShowThrottledApps ¶

type ShowThrottledApps struct {
	Comments Comments
}

ShowThrottledApps represents a SHOW VITESS_THROTTLED_APPS statement

func CloneRefOfShowThrottledApps ¶

func CloneRefOfShowThrottledApps(n *ShowThrottledApps) *ShowThrottledApps

CloneRefOfShowThrottledApps creates a deep clone of the input.

func (*ShowThrottledApps) CachedSize ¶

func (cached *ShowThrottledApps) CachedSize(alloc bool) int64

func (*ShowThrottledApps) Format ¶

func (node *ShowThrottledApps) Format(buf *TrackedBuffer)

Format formats the node.

func (*ShowThrottledApps) FormatFast ¶

func (node *ShowThrottledApps) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type ShowThrottlerStatus ¶

type ShowThrottlerStatus struct {
	Comments Comments
}

ShowThrottlerStatus represents a SHOW VITESS_THROTTLED_APPS statement

func CloneRefOfShowThrottlerStatus ¶

func CloneRefOfShowThrottlerStatus(n *ShowThrottlerStatus) *ShowThrottlerStatus

CloneRefOfShowThrottlerStatus creates a deep clone of the input.

func (*ShowThrottlerStatus) CachedSize ¶

func (cached *ShowThrottlerStatus) CachedSize(alloc bool) int64

func (*ShowThrottlerStatus) Format ¶

func (node *ShowThrottlerStatus) Format(buf *TrackedBuffer)

Format formats the node.

func (*ShowThrottlerStatus) FormatFast ¶

func (node *ShowThrottlerStatus) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type SimpleTableExpr ¶

type SimpleTableExpr interface {
	SQLNode
	// contains filtered or unexported methods
}

SimpleTableExpr represents a simple table expression.

func CloneSimpleTableExpr ¶

func CloneSimpleTableExpr(in SimpleTableExpr) SimpleTableExpr

CloneSimpleTableExpr creates a deep clone of the input.

type StarExpr ¶

type StarExpr struct {
	TableName TableName
}

StarExpr defines a '*' or 'table.*' expression.

func CloneRefOfStarExpr ¶

func CloneRefOfStarExpr(n *StarExpr) *StarExpr

CloneRefOfStarExpr creates a deep clone of the input.

func (*StarExpr) CachedSize ¶

func (cached *StarExpr) CachedSize(alloc bool) int64

func (*StarExpr) Format ¶

func (node *StarExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*StarExpr) FormatFast ¶

func (node *StarExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type Statement ¶

type Statement interface {
	SQLNode
	// contains filtered or unexported methods
}

Statement represents a statement.

func CloneStatement ¶

func CloneStatement(in Statement) Statement

CloneStatement creates a deep clone of the input.

func ParseNext ¶

func ParseNext(tokenizer *Tokenizer) (Statement, error)

ParseNext parses a single SQL statement from the tokenizer returning a Statement which is the AST representation of the query. The tokenizer will always read up to the end of the statement, allowing for the next call to ParseNext to parse any subsequent SQL statements. When there are no more statements to parse, an error of io.EOF is returned.

func ParseNextStrictDDL ¶

func ParseNextStrictDDL(tokenizer *Tokenizer) (Statement, error)

ParseNextStrictDDL is the same as ParseNext except it errors on partially parsed DDL statements.

type StatementType ¶

type StatementType int

StatementType encodes the type of a SQL statement

const (
	StmtSelect StatementType = iota
	StmtStream
	StmtInsert
	StmtReplace
	StmtUpdate
	StmtDelete
	StmtDDL
	StmtBegin
	StmtCommit
	StmtRollback
	StmtSet
	StmtShow
	StmtUse
	StmtOther
	StmtAnalyze
	StmtUnknown
	StmtComment
	StmtPriv
	StmtExplain
	StmtSavepoint
	StmtSRollback
	StmtRelease
	StmtVStream
	StmtLockTables
	StmtUnlockTables
	StmtFlush
	StmtCallProc
	StmtRevert
	StmtShowMigrationLogs
	StmtCommentOnly
	StmtPrepare
	StmtExecute
	StmtDeallocate
	StmtKill
)

These constants are used to identify the SQL statement type. Changing this list will require reviewing all calls to Preview.

func ASTToStatementType ¶

func ASTToStatementType(stmt Statement) StatementType

ASTToStatementType returns a StatementType from an AST stmt

func Preview ¶

func Preview(sql string) StatementType

Preview analyzes the beginning of the query using a simpler and faster textual comparison to identify the statement type.

func (StatementType) String ¶

func (s StatementType) String() string

type Std ¶

type Std struct {
	Arg        Expr
	OverClause *OverClause
}

*********** Expressions

func CloneRefOfStd ¶

func CloneRefOfStd(n *Std) *Std

CloneRefOfStd creates a deep clone of the input.

func (*Std) AggrName ¶

func (*Std) AggrName() string

func (*Std) CachedSize ¶

func (cached *Std) CachedSize(alloc bool) int64

func (*Std) Format ¶

func (node *Std) Format(buf *TrackedBuffer)

func (*Std) FormatFast ¶

func (node *Std) FormatFast(buf *TrackedBuffer)

func (*Std) GetArg ¶

func (std *Std) GetArg() Expr

func (*Std) GetArgs ¶

func (std *Std) GetArgs() Exprs

func (*Std) IsExpr ¶

func (*Std) IsExpr()

type StdDev ¶

type StdDev struct {
	Arg        Expr
	OverClause *OverClause
}

*********** Expressions

func CloneRefOfStdDev ¶

func CloneRefOfStdDev(n *StdDev) *StdDev

CloneRefOfStdDev creates a deep clone of the input.

func (*StdDev) AggrName ¶

func (*StdDev) AggrName() string

func (*StdDev) CachedSize ¶

func (cached *StdDev) CachedSize(alloc bool) int64

func (*StdDev) Format ¶

func (node *StdDev) Format(buf *TrackedBuffer)

func (*StdDev) FormatFast ¶

func (node *StdDev) FormatFast(buf *TrackedBuffer)

func (*StdDev) GetArg ¶

func (stdD *StdDev) GetArg() Expr

func (*StdDev) GetArgs ¶

func (stdD *StdDev) GetArgs() Exprs

func (*StdDev) IsExpr ¶

func (*StdDev) IsExpr()

type StdPop ¶

type StdPop struct {
	Arg        Expr
	OverClause *OverClause
}

*********** Expressions

func CloneRefOfStdPop ¶

func CloneRefOfStdPop(n *StdPop) *StdPop

CloneRefOfStdPop creates a deep clone of the input.

func (*StdPop) AggrName ¶

func (*StdPop) AggrName() string

func (*StdPop) CachedSize ¶

func (cached *StdPop) CachedSize(alloc bool) int64

func (*StdPop) Format ¶

func (node *StdPop) Format(buf *TrackedBuffer)

func (*StdPop) FormatFast ¶

func (node *StdPop) FormatFast(buf *TrackedBuffer)

func (*StdPop) GetArg ¶

func (stdP *StdPop) GetArg() Expr

func (*StdPop) GetArgs ¶

func (stdP *StdPop) GetArgs() Exprs

func (*StdPop) IsExpr ¶

func (*StdPop) IsExpr()

type StdSamp ¶

type StdSamp struct {
	Arg        Expr
	OverClause *OverClause
}

*********** Expressions

func CloneRefOfStdSamp ¶

func CloneRefOfStdSamp(n *StdSamp) *StdSamp

CloneRefOfStdSamp creates a deep clone of the input.

func (*StdSamp) AggrName ¶

func (*StdSamp) AggrName() string

func (*StdSamp) CachedSize ¶

func (cached *StdSamp) CachedSize(alloc bool) int64

func (*StdSamp) Format ¶

func (node *StdSamp) Format(buf *TrackedBuffer)

func (*StdSamp) FormatFast ¶

func (node *StdSamp) FormatFast(buf *TrackedBuffer)

func (*StdSamp) GetArg ¶

func (stdS *StdSamp) GetArg() Expr

func (*StdSamp) GetArgs ¶

func (stdS *StdSamp) GetArgs() Exprs

func (*StdSamp) IsExpr ¶

func (*StdSamp) IsExpr()

type Stream ¶

type Stream struct {
	Comments   *ParsedComments
	SelectExpr SelectExpr
	Table      TableName
}

Stream represents a SELECT statement.

func CloneRefOfStream ¶

func CloneRefOfStream(n *Stream) *Stream

CloneRefOfStream creates a deep clone of the input.

func (*Stream) CachedSize ¶

func (cached *Stream) CachedSize(alloc bool) int64

func (*Stream) Format ¶

func (node *Stream) Format(buf *TrackedBuffer)

Format formats the node.

func (*Stream) FormatFast ¶

func (node *Stream) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*Stream) GetParsedComments ¶

func (node *Stream) GetParsedComments() *ParsedComments

GetParsedComments implements Stream.

func (*Stream) SetComments ¶

func (node *Stream) SetComments(comments Comments)

SetComments for Stream

type SubPartition ¶

type SubPartition struct {
	Type          PartitionByType
	IsLinear      bool
	KeyAlgorithm  int
	ColList       Columns
	Expr          Expr
	SubPartitions int
}

SubPartition describes subpartitions control

func CloneRefOfSubPartition ¶

func CloneRefOfSubPartition(n *SubPartition) *SubPartition

CloneRefOfSubPartition creates a deep clone of the input.

func (*SubPartition) CachedSize ¶

func (cached *SubPartition) CachedSize(alloc bool) int64

func (*SubPartition) Format ¶

func (node *SubPartition) Format(buf *TrackedBuffer)

Format formats the node.

func (*SubPartition) FormatFast ¶

func (node *SubPartition) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type SubPartitionDefinition ¶

type SubPartitionDefinition struct {
	Name    IdentifierCI
	Options *SubPartitionDefinitionOptions
}

Subpartition Definition Corresponds to the subpartition_definition option of partition_definition

func CloneRefOfSubPartitionDefinition ¶

func CloneRefOfSubPartitionDefinition(n *SubPartitionDefinition) *SubPartitionDefinition

CloneRefOfSubPartitionDefinition creates a deep clone of the input.

func (*SubPartitionDefinition) CachedSize ¶

func (cached *SubPartitionDefinition) CachedSize(alloc bool) int64

func (*SubPartitionDefinition) Format ¶

func (node *SubPartitionDefinition) Format(buf *TrackedBuffer)

Format formats the node

func (*SubPartitionDefinition) FormatFast ¶

func (node *SubPartitionDefinition) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type SubPartitionDefinitionOptions ¶

type SubPartitionDefinitionOptions struct {
	Comment        *Literal
	Engine         *PartitionEngine
	DataDirectory  *Literal
	IndexDirectory *Literal
	MaxRows        *int
	MinRows        *int
	TableSpace     string
}

Different options/attributes that can be provided to a subpartition_definition.

func CloneRefOfSubPartitionDefinitionOptions ¶

func CloneRefOfSubPartitionDefinitionOptions(n *SubPartitionDefinitionOptions) *SubPartitionDefinitionOptions

CloneRefOfSubPartitionDefinitionOptions creates a deep clone of the input.

func (*SubPartitionDefinitionOptions) CachedSize ¶

func (cached *SubPartitionDefinitionOptions) CachedSize(alloc bool) int64

func (*SubPartitionDefinitionOptions) Format ¶

func (node *SubPartitionDefinitionOptions) Format(buf *TrackedBuffer)

Format formats the node

func (*SubPartitionDefinitionOptions) FormatFast ¶

func (node *SubPartitionDefinitionOptions) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type SubPartitionDefinitions ¶

type SubPartitionDefinitions []*SubPartitionDefinition

This is a list of SubPartitionDefinition

func CloneSubPartitionDefinitions ¶

func CloneSubPartitionDefinitions(n SubPartitionDefinitions) SubPartitionDefinitions

CloneSubPartitionDefinitions creates a deep clone of the input.

func (SubPartitionDefinitions) Format ¶

func (node SubPartitionDefinitions) Format(buf *TrackedBuffer)

Format formats the node

func (SubPartitionDefinitions) FormatFast ¶

func (node SubPartitionDefinitions) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type Subquery ¶

type Subquery struct {
	Select SelectStatement
}

Subquery represents a subquery used as an value expression.

func CloneRefOfSubquery ¶

func CloneRefOfSubquery(n *Subquery) *Subquery

CloneRefOfSubquery creates a deep clone of the input.

func NewSubquery ¶

func NewSubquery(selectStatement SelectStatement) *Subquery

NewSubquery makes a new Subquery

func (*Subquery) CachedSize ¶

func (cached *Subquery) CachedSize(alloc bool) int64

func (*Subquery) Format ¶

func (node *Subquery) Format(buf *TrackedBuffer)

Format formats the node.

func (*Subquery) FormatFast ¶

func (node *Subquery) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*Subquery) IsExpr ¶

func (*Subquery) IsExpr()

type SubstrExpr ¶

type SubstrExpr struct {
	Name Expr
	From Expr
	To   Expr
}

SubstrExpr represents a calls to - SubstrExpr(expression, expression, expression) - SubstrExpr(expression, expression) - SubstrExpr(expression FROM expression) - SubstrExpr(expression FROM expression FOR expression)

func CloneRefOfSubstrExpr ¶

func CloneRefOfSubstrExpr(n *SubstrExpr) *SubstrExpr

CloneRefOfSubstrExpr creates a deep clone of the input.

func (*SubstrExpr) CachedSize ¶

func (cached *SubstrExpr) CachedSize(alloc bool) int64

func (*SubstrExpr) Format ¶

func (node *SubstrExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*SubstrExpr) FormatFast ¶

func (node *SubstrExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*SubstrExpr) IsExpr ¶

func (*SubstrExpr) IsExpr()

type Sum ¶

type Sum struct {
	Arg        Expr
	Distinct   bool
	OverClause *OverClause
}

*********** Expressions

func CloneRefOfSum ¶

func CloneRefOfSum(n *Sum) *Sum

CloneRefOfSum creates a deep clone of the input.

func (*Sum) AggrName ¶

func (*Sum) AggrName() string

func (*Sum) CachedSize ¶

func (cached *Sum) CachedSize(alloc bool) int64

func (*Sum) Format ¶

func (node *Sum) Format(buf *TrackedBuffer)

func (*Sum) FormatFast ¶

func (node *Sum) FormatFast(buf *TrackedBuffer)

func (*Sum) GetArg ¶

func (sum *Sum) GetArg() Expr

func (*Sum) GetArgs ¶

func (sum *Sum) GetArgs() Exprs

func (*Sum) IsDistinct ¶

func (sum *Sum) IsDistinct() bool

func (*Sum) IsExpr ¶

func (*Sum) IsExpr()

func (*Sum) SetDistinct ¶

func (sum *Sum) SetDistinct(distinct bool)

type SupportOptimizerHint ¶

type SupportOptimizerHint interface {
	Commented
	// contains filtered or unexported methods
}

SupportOptimizerHint represents a statement that accepts optimizer hints.

type TableAndLockType ¶

type TableAndLockType struct {
	Table TableExpr
	Lock  LockType
}

TableAndLockType contains table and lock association

func CloneRefOfTableAndLockType ¶

func CloneRefOfTableAndLockType(n *TableAndLockType) *TableAndLockType

CloneRefOfTableAndLockType creates a deep clone of the input.

func (*TableAndLockType) CachedSize ¶

func (cached *TableAndLockType) CachedSize(alloc bool) int64

type TableAndLockTypes ¶

type TableAndLockTypes []*TableAndLockType

TableAndLockTypes is a slice of TableAndLockType

func CloneTableAndLockTypes ¶

func CloneTableAndLockTypes(n TableAndLockTypes) TableAndLockTypes

CloneTableAndLockTypes creates a deep clone of the input.

type TableExpr ¶

type TableExpr interface {
	SQLNode
	// contains filtered or unexported methods
}

TableExpr represents a table expression.

func CloneSliceOfTableExpr ¶

func CloneSliceOfTableExpr(n []TableExpr) []TableExpr

CloneSliceOfTableExpr creates a deep clone of the input.

func CloneTableExpr ¶

func CloneTableExpr(in TableExpr) TableExpr

CloneTableExpr creates a deep clone of the input.

type TableExprs ¶

type TableExprs []TableExpr

TableExprs represents a list of table expressions.

func CloneTableExprs ¶

func CloneTableExprs(n TableExprs) TableExprs

CloneTableExprs creates a deep clone of the input.

func (TableExprs) Format ¶

func (node TableExprs) Format(buf *TrackedBuffer)

Format formats the node.

func (TableExprs) FormatFast ¶

func (node TableExprs) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type TableName ¶

type TableName struct {
	Name, Qualifier IdentifierCS
}

TableName represents a table name. Qualifier, if specified, represents a database or keyspace. TableName is a value struct whose fields are case sensitive. This means two TableName vars can be compared for equality and a TableName can also be used as key in a map.

func CloneRefOfTableName ¶

func CloneRefOfTableName(n *TableName) *TableName

CloneRefOfTableName creates a deep clone of the input.

func CloneTableName ¶

func CloneTableName(n TableName) TableName

CloneTableName creates a deep clone of the input.

func NewTableName ¶

func NewTableName(name string) TableName

NewTableName makes a new TableName

func NewTableNameWithQualifier ¶

func NewTableNameWithQualifier(name, qualifier string) TableName

NewTableNameWithQualifier makes a new TableName with a qualifier

func (*TableName) CachedSize ¶

func (cached *TableName) CachedSize(alloc bool) int64

func (TableName) Format ¶

func (node TableName) Format(buf *TrackedBuffer)

Format formats the node.

func (TableName) FormatFast ¶

func (node TableName) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (TableName) IsEmpty ¶

func (node TableName) IsEmpty() bool

IsEmpty returns true if TableName is nil or empty.

func (TableName) NonEmpty ¶

func (node TableName) NonEmpty() bool

type TableNames ¶

type TableNames []TableName

TableNames is a list of TableName.

func CloneTableNames ¶

func CloneTableNames(n TableNames) TableNames

CloneTableNames creates a deep clone of the input.

func (TableNames) Format ¶

func (node TableNames) Format(buf *TrackedBuffer)

Format formats the node.

func (TableNames) FormatFast ¶

func (node TableNames) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type TableOption ¶

type TableOption struct {
	Name          string
	Value         *Literal
	String        string
	Tables        TableNames
	CaseSensitive bool
}

TableOption is used for create table options like AUTO_INCREMENT, INSERT_METHOD, etc

func CloneRefOfTableOption ¶

func CloneRefOfTableOption(n *TableOption) *TableOption

CloneRefOfTableOption creates a deep clone of the input.

func (*TableOption) CachedSize ¶

func (cached *TableOption) CachedSize(alloc bool) int64

type TableOptions ¶

type TableOptions []*TableOption

TableOptions specifies a list of table options

func CloneTableOptions ¶

func CloneTableOptions(n TableOptions) TableOptions

CloneTableOptions creates a deep clone of the input.

func (TableOptions) Format ¶

func (node TableOptions) Format(buf *TrackedBuffer)

Format formats the node

func (TableOptions) FormatFast ¶

func (node TableOptions) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type TableSpec ¶

type TableSpec struct {
	Columns         []*ColumnDefinition
	Indexes         []*IndexDefinition
	Constraints     []*ConstraintDefinition
	Options         TableOptions
	PartitionOption *PartitionOption
}

TableSpec describes the structure of a table from a CREATE TABLE statement

func CloneRefOfTableSpec ¶

func CloneRefOfTableSpec(n *TableSpec) *TableSpec

CloneRefOfTableSpec creates a deep clone of the input.

func (*TableSpec) AddColumn ¶

func (ts *TableSpec) AddColumn(cd *ColumnDefinition)

AddColumn appends the given column to the list in the spec

func (*TableSpec) AddConstraint ¶

func (ts *TableSpec) AddConstraint(cd *ConstraintDefinition)

AddConstraint appends the given index to the list in the spec

func (*TableSpec) AddIndex ¶

func (ts *TableSpec) AddIndex(id *IndexDefinition)

AddIndex appends the given index to the list in the spec

func (*TableSpec) CachedSize ¶

func (cached *TableSpec) CachedSize(alloc bool) int64

func (*TableSpec) Format ¶

func (ts *TableSpec) Format(buf *TrackedBuffer)

Format formats the node.

func (*TableSpec) FormatFast ¶

func (ts *TableSpec) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type TablespaceOperation ¶

type TablespaceOperation struct {
	Import bool
}

TablespaceOperation is used to discard or import the tablespace in an alter table statement

func CloneRefOfTablespaceOperation ¶

func CloneRefOfTablespaceOperation(n *TablespaceOperation) *TablespaceOperation

CloneRefOfTablespaceOperation creates a deep clone of the input.

func (*TablespaceOperation) CachedSize ¶

func (cached *TablespaceOperation) CachedSize(alloc bool) int64

func (*TablespaceOperation) Format ¶

func (node *TablespaceOperation) Format(buf *TrackedBuffer)

Format formats the node

func (*TablespaceOperation) FormatFast ¶

func (node *TablespaceOperation) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type TimestampDiffExpr ¶

type TimestampDiffExpr struct {
	Expr1 Expr
	Expr2 Expr
	Unit  IntervalType
}

TimestampDiffExpr represents the function and arguments for TIMESTAMPDIFF functions.

func CloneRefOfTimestampDiffExpr ¶

func CloneRefOfTimestampDiffExpr(n *TimestampDiffExpr) *TimestampDiffExpr

CloneRefOfTimestampDiffExpr creates a deep clone of the input.

func (*TimestampDiffExpr) CachedSize ¶

func (cached *TimestampDiffExpr) CachedSize(alloc bool) int64

func (*TimestampDiffExpr) Format ¶

func (node *TimestampDiffExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*TimestampDiffExpr) FormatFast ¶

func (node *TimestampDiffExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*TimestampDiffExpr) IsExpr ¶

func (*TimestampDiffExpr) IsExpr()

type Tokenizer ¶

type Tokenizer struct {
	AllowComments       bool
	SkipSpecialComments bool
	SkipToEnd           bool
	LastError           error
	ParseTree           Statement
	BindVars            map[string]struct{}

	Pos int
	// contains filtered or unexported fields
}

Tokenizer is the struct used to generate SQL tokens for the parser.

func (*Tokenizer) Error ¶

func (tkn *Tokenizer) Error(err string)

Error is called by go yacc if there's a parsing error.

func (*Tokenizer) Lex ¶

func (tkn *Tokenizer) Lex(lval *yySymType) int

Lex returns the next token form the Tokenizer. This function is used by go yacc.

func (*Tokenizer) Scan ¶

func (tkn *Tokenizer) Scan() (int, string)

Scan scans the tokenizer for the next token and returns the token type and an optional value.

type TrackedBuffer ¶

type TrackedBuffer struct {
	*strings.Builder
	// contains filtered or unexported fields
}

TrackedBuffer is used to rebuild a query from the ast. bindLocations keeps track of locations in the buffer that use bind variables for efficient future substitutions. nodeFormatter is the formatting function the buffer will use to format a node. By default(nil), it's FormatNode. But you can supply a different formatting function if you want to generate a query that's different from the default.

func NewTrackedBuffer ¶

func NewTrackedBuffer(nodeFormatter NodeFormatter) *TrackedBuffer

NewTrackedBuffer creates a new TrackedBuffer.

func (*TrackedBuffer) HasBindVars ¶

func (buf *TrackedBuffer) HasBindVars() bool

HasBindVars returns true if the parsed query uses bind vars.

func (*TrackedBuffer) Myprintf ¶

func (buf *TrackedBuffer) Myprintf(format string, values ...any)

Myprintf mimics fmt.Fprintf(buf, ...), but limited to Node(%v), Node.Value(%s) and string(%s). It also allows a %a for a value argument, in which case it adds tracking info for future substitutions. It adds parens as needed to follow precedence rules when printing expressions. To handle parens correctly for left associative binary operators, use %l and %r to tell the TrackedBuffer which value is on the LHS and RHS

The name must be something other than the usual Printf() to avoid "go vet" warnings due to our custom format specifiers. *** THIS METHOD SHOULD NOT BE USED FROM ast.go. USE astPrintf INSTEAD ***

func (*TrackedBuffer) ParsedQuery ¶

func (buf *TrackedBuffer) ParsedQuery() *ParsedQuery

ParsedQuery returns a ParsedQuery that contains bind locations for easy substitution.

func (*TrackedBuffer) SetEscapeAllIdentifiers ¶

func (buf *TrackedBuffer) SetEscapeAllIdentifiers()

SetEscapeAllIdentifiers sets whether ALL identifiers in the serialized SQL query should be quoted and escaped. By default, identifiers are only escaped if they match the name of a SQL keyword or they contain characters that must be escaped. Enabling this option will prevent the optimized fastFormat routines from running.

func (*TrackedBuffer) SetEscapeNoIdentifier ¶

func (buf *TrackedBuffer) SetEscapeNoIdentifier()

SetEscapeNoIdentifier sets whether NO identifiers in the serialized SQL query should be quoted and escaped. Warning: this can lead to query output that is not valid SQL Enabling this option will prevent the optimized fastFormat routines from running.

func (*TrackedBuffer) SetUpperCase ¶

func (buf *TrackedBuffer) SetUpperCase(enable bool)

SetUpperCase sets whether all SQL statements formatted by this TrackedBuffer will be normalized into uppercase. By default, formatted statements are normalized into lowercase. Enabling this option will prevent the optimized fastFormat routines from running.

func (*TrackedBuffer) WriteArg ¶

func (buf *TrackedBuffer) WriteArg(prefix, arg string)

WriteArg writes a value argument into the buffer along with tracking information for future substitutions.

func (*TrackedBuffer) WriteLiteral ¶

func (buf *TrackedBuffer) WriteLiteral(lit string)

func (*TrackedBuffer) WriteNode ¶

func (buf *TrackedBuffer) WriteNode(node SQLNode) *TrackedBuffer

WriteNode function, initiates the writing of a single SQLNode tree by passing through to Myprintf with a default format string

type TrimFuncExpr ¶

type TrimFuncExpr struct {
	TrimFuncType TrimFuncType
	Type         TrimType
	TrimArg      Expr
	StringArg    Expr
}

TrimFuncExpr represents a TRIM function More information available on https://dev.mysql.com/doc/refman/5.7/en/string-functions.html#function_trim

func CloneRefOfTrimFuncExpr ¶

func CloneRefOfTrimFuncExpr(n *TrimFuncExpr) *TrimFuncExpr

CloneRefOfTrimFuncExpr creates a deep clone of the input.

func (*TrimFuncExpr) CachedSize ¶

func (cached *TrimFuncExpr) CachedSize(alloc bool) int64

func (*TrimFuncExpr) Format ¶

func (node *TrimFuncExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*TrimFuncExpr) FormatFast ¶

func (node *TrimFuncExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*TrimFuncExpr) IsExpr ¶

func (*TrimFuncExpr) IsExpr()

type TrimFuncType ¶

type TrimFuncType int8

TrimFuncType is an enum to get types of TrimFunc. TrimFunc stand for one of the following: LTRIM, RTRIM, TRIM

const (
	NormalTrimType TrimFuncType = iota
	LTrimType
	RTrimType
)

Constants for Enum Type - TrimFuncType

func (TrimFuncType) ToString ¶

func (ty TrimFuncType) ToString() string

ToString returns the type as a string

type TrimType ¶

type TrimType int8

TrimType is an enum to get types of Trim

const (
	NoTrimType TrimType = iota
	BothTrimType
	LeadingTrimType
	TrailingTrimType
)

Constants for Enum Type - TrimType

func (TrimType) ToString ¶

func (ty TrimType) ToString() string

ToString returns the type as a string

type TruncateTable ¶

type TruncateTable struct {
	Table TableName
}

TruncateTable represents a TRUNCATE TABLE statement.

func CloneRefOfTruncateTable ¶

func CloneRefOfTruncateTable(n *TruncateTable) *TruncateTable

CloneRefOfTruncateTable creates a deep clone of the input.

func (*TruncateTable) AffectedTables ¶

func (node *TruncateTable) AffectedTables() TableNames

AffectedTables implements DDLStatement.

func (*TruncateTable) CachedSize ¶

func (cached *TruncateTable) CachedSize(alloc bool) int64

func (*TruncateTable) Format ¶

func (node *TruncateTable) Format(buf *TrackedBuffer)

Format formats the node

func (*TruncateTable) FormatFast ¶

func (node *TruncateTable) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*TruncateTable) GetAction ¶

func (node *TruncateTable) GetAction() DDLAction

GetAction implements the DDLStatement interface

func (*TruncateTable) GetFromTables ¶

func (node *TruncateTable) GetFromTables() TableNames

GetFromTables implements the DDLStatement interface

func (*TruncateTable) GetIfExists ¶

func (node *TruncateTable) GetIfExists() bool

GetIfExists implements the DDLStatement interface

func (*TruncateTable) GetIfNotExists ¶

func (node *TruncateTable) GetIfNotExists() bool

GetIfNotExists implements the DDLStatement interface

func (*TruncateTable) GetIsReplace ¶

func (node *TruncateTable) GetIsReplace() bool

GetIsReplace implements the DDLStatement interface

func (*TruncateTable) GetOptLike ¶

func (node *TruncateTable) GetOptLike() *OptLike

GetOptLike implements the DDLStatement interface

func (*TruncateTable) GetParsedComments ¶

func (node *TruncateTable) GetParsedComments() *ParsedComments

GetParsedComments implements Commented interface.

func (*TruncateTable) GetTable ¶

func (node *TruncateTable) GetTable() TableName

GetTable implements the DDLStatement interface

func (*TruncateTable) GetTableSpec ¶

func (node *TruncateTable) GetTableSpec() *TableSpec

GetTableSpec implements the DDLStatement interface

func (*TruncateTable) GetToTables ¶

func (node *TruncateTable) GetToTables() TableNames

GetToTables implements the DDLStatement interface

func (*TruncateTable) IsFullyParsed ¶

func (*TruncateTable) IsFullyParsed() bool

IsFullyParsed implements the DDLStatement interface

func (*TruncateTable) IsTemporary ¶

func (*TruncateTable) IsTemporary() bool

IsTemporary implements the DDLStatement interface

func (*TruncateTable) SetComments ¶

func (node *TruncateTable) SetComments(comments Comments)

SetComments implements Commented interface.

func (*TruncateTable) SetFromTables ¶

func (node *TruncateTable) SetFromTables(tables TableNames)

SetFromTables implements DDLStatement.

func (*TruncateTable) SetFullyParsed ¶

func (*TruncateTable) SetFullyParsed(bool)

SetFullyParsed implements the DDLStatement interface

func (*TruncateTable) SetTable ¶

func (node *TruncateTable) SetTable(qualifier string, name string)

SetTable implements DDLStatement.

type TupleEqualityList ¶

type TupleEqualityList struct {
	Columns []IdentifierCI
	Rows    [][]sqltypes.Value
}

TupleEqualityList is for generating equality constraints for tables that have composite primary keys.

func (*TupleEqualityList) EncodeSQL ¶

func (tpl *TupleEqualityList) EncodeSQL(buf *strings.Builder)

EncodeSQL generates the where clause constraints for the tuple equality.

type TxAccessMode ¶

type TxAccessMode int8

TxAccessMode is an enum for Transaction Access Mode

const (
	WithConsistentSnapshot TxAccessMode = iota
	ReadWrite
	ReadOnly
)

Transaction access mode

func CloneSliceOfTxAccessMode ¶

func CloneSliceOfTxAccessMode(n []TxAccessMode) []TxAccessMode

CloneSliceOfTxAccessMode creates a deep clone of the input.

func (TxAccessMode) ToString ¶

func (ty TxAccessMode) ToString() string

ToString returns the TxAccessMode type as a string

type UnaryExpr ¶

type UnaryExpr struct {
	Operator UnaryExprOperator
	Expr     Expr
}

UnaryExpr represents a unary value expression.

func CloneRefOfUnaryExpr ¶

func CloneRefOfUnaryExpr(n *UnaryExpr) *UnaryExpr

CloneRefOfUnaryExpr creates a deep clone of the input.

func (*UnaryExpr) CachedSize ¶

func (cached *UnaryExpr) CachedSize(alloc bool) int64

func (*UnaryExpr) Format ¶

func (node *UnaryExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*UnaryExpr) FormatFast ¶

func (node *UnaryExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*UnaryExpr) IsExpr ¶

func (*UnaryExpr) IsExpr()

type UnaryExprOperator ¶

type UnaryExprOperator int8

UnaryExprOperator is an enum for UnaryExpr.Operator

const (
	UPlusOp UnaryExprOperator = iota
	UMinusOp
	TildaOp
	BangOp
	NStringOp
)

Constant for Enum Type - UnaryExprOperator

func (UnaryExprOperator) ToString ¶

func (op UnaryExprOperator) ToString() string

ToString returns the operator as a string

type Union ¶

type Union struct {
	With     *With
	Left     SelectStatement
	Right    SelectStatement
	Distinct bool
	OrderBy  OrderBy
	Limit    *Limit
	Lock     Lock
	Into     *SelectInto
}

Union represents a UNION statement.

func CloneRefOfUnion ¶

func CloneRefOfUnion(n *Union) *Union

CloneRefOfUnion creates a deep clone of the input.

func (*Union) AddOrder ¶

func (node *Union) AddOrder(order *Order)

AddOrder adds an order by element

func (*Union) CachedSize ¶

func (cached *Union) CachedSize(alloc bool) int64

func (*Union) Format ¶

func (node *Union) Format(buf *TrackedBuffer)

Format formats the node.

func (*Union) FormatFast ¶

func (node *Union) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*Union) GetColumnCount ¶

func (node *Union) GetColumnCount() int

GetColumnCount implements the SelectStatement interface

func (*Union) GetColumns ¶

func (node *Union) GetColumns() SelectExprs

GetColumns gets the columns

func (*Union) GetLimit ¶

func (node *Union) GetLimit() *Limit

GetLimit gets the limit

func (*Union) GetLock ¶

func (node *Union) GetLock() Lock

GetLock returns the lock clause

func (*Union) GetOrderBy ¶

func (node *Union) GetOrderBy() OrderBy

GetOrderBy gets the order by clause

func (*Union) GetParsedComments ¶

func (node *Union) GetParsedComments() *ParsedComments

GetParsedComments implements the SelectStatement interface

func (*Union) IsDistinct ¶

func (node *Union) IsDistinct() bool

IsDistinct implements the SelectStatement interface

func (*Union) MakeDistinct ¶

func (node *Union) MakeDistinct()

MakeDistinct implements the SelectStatement interface

func (*Union) SetComments ¶

func (node *Union) SetComments(comments Comments)

SetComments implements the SelectStatement interface

func (*Union) SetInto ¶

func (node *Union) SetInto(into *SelectInto)

SetInto sets the into clause

func (*Union) SetLimit ¶

func (node *Union) SetLimit(limit *Limit)

SetLimit sets the limit clause

func (*Union) SetLock ¶

func (node *Union) SetLock(lock Lock)

SetLock sets the lock clause

func (*Union) SetOrderBy ¶

func (node *Union) SetOrderBy(orderBy OrderBy)

SetOrderBy sets the order by clause

func (*Union) SetWith ¶

func (node *Union) SetWith(with *With)

SetWith sets the with clause to a union statement

type UnlockTables ¶

type UnlockTables struct{}

UnlockTables represents the unlock statement

func CloneRefOfUnlockTables ¶

func CloneRefOfUnlockTables(n *UnlockTables) *UnlockTables

CloneRefOfUnlockTables creates a deep clone of the input.

func (*UnlockTables) Format ¶

func (node *UnlockTables) Format(buf *TrackedBuffer)

Format formats the UnlockTables node.

func (*UnlockTables) FormatFast ¶

func (node *UnlockTables) FormatFast(buf *TrackedBuffer)

FormatFast formats the UnlockTables node.

type Update ¶

type Update struct {
	With       *With
	Comments   *ParsedComments
	Ignore     Ignore
	TableExprs []TableExpr
	Exprs      UpdateExprs
	Where      *Where
	OrderBy    OrderBy
	Limit      *Limit
}

Update represents an UPDATE statement. If you add fields here, consider adding them to calls to validateUnshardedRoute.

func CloneRefOfUpdate ¶

func CloneRefOfUpdate(n *Update) *Update

CloneRefOfUpdate creates a deep clone of the input.

func (*Update) AddOrder ¶

func (node *Update) AddOrder(order *Order)

func (*Update) AddWhere ¶

func (node *Update) AddWhere(expr Expr)

AddWhere adds the boolean expression to the WHERE clause as an AND condition.

func (*Update) CachedSize ¶

func (cached *Update) CachedSize(alloc bool) int64

func (*Update) Format ¶

func (node *Update) Format(buf *TrackedBuffer)

Format formats the node.

func (*Update) FormatFast ¶

func (node *Update) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*Update) GetFrom ¶

func (node *Update) GetFrom() []TableExpr

func (*Update) GetParsedComments ¶

func (node *Update) GetParsedComments() *ParsedComments

GetParsedComments implements Update.

func (*Update) GetWherePredicate ¶

func (node *Update) GetWherePredicate() Expr

func (*Update) SetComments ¶

func (node *Update) SetComments(comments Comments)

SetComments for Update

func (*Update) SetFrom ¶

func (node *Update) SetFrom(exprs []TableExpr)

func (*Update) SetLimit ¶

func (node *Update) SetLimit(limit *Limit)

func (*Update) SetWherePredicate ¶

func (node *Update) SetWherePredicate(expr Expr)

type UpdateExpr ¶

type UpdateExpr struct {
	Name *ColName
	Expr Expr
}

UpdateExpr represents an update expression.

func CloneRefOfUpdateExpr ¶

func CloneRefOfUpdateExpr(n *UpdateExpr) *UpdateExpr

CloneRefOfUpdateExpr creates a deep clone of the input.

func (*UpdateExpr) CachedSize ¶

func (cached *UpdateExpr) CachedSize(alloc bool) int64

func (*UpdateExpr) Format ¶

func (node *UpdateExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*UpdateExpr) FormatFast ¶

func (node *UpdateExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type UpdateExprs ¶

type UpdateExprs []*UpdateExpr

UpdateExprs represents a list of update expressions.

func CloneUpdateExprs ¶

func CloneUpdateExprs(n UpdateExprs) UpdateExprs

CloneUpdateExprs creates a deep clone of the input.

func (UpdateExprs) Format ¶

func (node UpdateExprs) Format(buf *TrackedBuffer)

Format formats the node.

func (UpdateExprs) FormatFast ¶

func (node UpdateExprs) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type UpdateXMLExpr ¶

type UpdateXMLExpr struct {
	Target    Expr
	XPathExpr Expr
	NewXML    Expr
}

UpdateXMLExpr stands for UpdateXML() XML function Return replaced XML fragment For more details, postVisit https://dev.mysql.com/doc/refman/8.0/en/xml-functions.html#function_updatexml

func CloneRefOfUpdateXMLExpr ¶

func CloneRefOfUpdateXMLExpr(n *UpdateXMLExpr) *UpdateXMLExpr

CloneRefOfUpdateXMLExpr creates a deep clone of the input.

func (*UpdateXMLExpr) CachedSize ¶

func (cached *UpdateXMLExpr) CachedSize(alloc bool) int64

func (*UpdateXMLExpr) Format ¶

func (node *UpdateXMLExpr) Format(buf *TrackedBuffer)

Format formats the node

func (*UpdateXMLExpr) FormatFast ¶

func (node *UpdateXMLExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

func (*UpdateXMLExpr) IsExpr ¶

func (*UpdateXMLExpr) IsExpr()

type Use ¶

type Use struct {
	DBName IdentifierCS
}

Use represents a use statement.

func CloneRefOfUse ¶

func CloneRefOfUse(n *Use) *Use

CloneRefOfUse creates a deep clone of the input.

func (*Use) CachedSize ¶

func (cached *Use) CachedSize(alloc bool) int64

func (*Use) Format ¶

func (node *Use) Format(buf *TrackedBuffer)

Format formats the node.

func (*Use) FormatFast ¶

func (node *Use) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type VExplainStmt ¶

type VExplainStmt struct {
	Type      VExplainType
	Statement Statement
	Comments  *ParsedComments
}

VExplainStmt represents an VtExplain statement

func CloneRefOfVExplainStmt ¶

func CloneRefOfVExplainStmt(n *VExplainStmt) *VExplainStmt

CloneRefOfVExplainStmt creates a deep clone of the input.

func (*VExplainStmt) CachedSize ¶

func (cached *VExplainStmt) CachedSize(alloc bool) int64

func (*VExplainStmt) Format ¶

func (node *VExplainStmt) Format(buf *TrackedBuffer)

Format formats the node.

func (*VExplainStmt) FormatFast ¶

func (node *VExplainStmt) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*VExplainStmt) GetParsedComments ¶

func (node *VExplainStmt) GetParsedComments() *ParsedComments

GetParsedComments implements Commented interface.

func (*VExplainStmt) SetComments ¶

func (node *VExplainStmt) SetComments(comments Comments)

SetComments implements Commented interface.

type VExplainType ¶

type VExplainType int8

VExplainType is an enum for VExplainStmt.Type

const (
	QueriesVExplainType VExplainType = iota
	PlanVExplainType
	AllVExplainType
)

Constant for Enum Type - VExplainType

func (VExplainType) ToString ¶

func (ty VExplainType) ToString() string

ToString returns the type as a string

type VSchemaViews ¶

type VSchemaViews interface {
	FindView(name TableName) SelectStatement
}

type VStream ¶

type VStream struct {
	Comments   *ParsedComments
	SelectExpr SelectExpr
	Table      TableName
	Where      *Where
	Limit      *Limit
}

VStream represents a VSTREAM statement.

func CloneRefOfVStream ¶

func CloneRefOfVStream(n *VStream) *VStream

CloneRefOfVStream creates a deep clone of the input.

func (*VStream) CachedSize ¶

func (cached *VStream) CachedSize(alloc bool) int64

func (*VStream) Format ¶

func (node *VStream) Format(buf *TrackedBuffer)

Format formats the node.

func (*VStream) FormatFast ¶

func (node *VStream) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*VStream) GetParsedComments ¶

func (node *VStream) GetParsedComments() *ParsedComments

GetParsedComments implements VStream.

func (*VStream) SetComments ¶

func (node *VStream) SetComments(comments Comments)

SetComments for VStream

type ValTuple ¶

type ValTuple Exprs

ValTuple represents a tuple of actual values.

func CloneValTuple ¶

func CloneValTuple(n ValTuple) ValTuple

CloneValTuple creates a deep clone of the input.

func (ValTuple) Format ¶

func (node ValTuple) Format(buf *TrackedBuffer)

Format formats the node.

func (ValTuple) FormatFast ¶

func (node ValTuple) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (ValTuple) IsExpr ¶

func (ValTuple) IsExpr()

type ValType ¶

type ValType int

ValType specifies the type for Literal.

type Validation ¶

type Validation struct {
	With bool
}

Validation clause is used to specify whether to use validation or not

func CloneRefOfValidation ¶

func CloneRefOfValidation(n *Validation) *Validation

CloneRefOfValidation creates a deep clone of the input.

func (*Validation) CachedSize ¶

func (cached *Validation) CachedSize(alloc bool) int64

func (*Validation) Format ¶

func (node *Validation) Format(buf *TrackedBuffer)

Format formats the node

func (*Validation) FormatFast ¶

func (node *Validation) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type Values ¶

type Values []ValTuple

Values represents a VALUES clause.

func CloneValues ¶

func CloneValues(n Values) Values

CloneValues creates a deep clone of the input.

func (Values) Format ¶

func (node Values) Format(buf *TrackedBuffer)

Format formats the node.

func (Values) FormatFast ¶

func (node Values) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type ValuesFuncExpr ¶

type ValuesFuncExpr struct {
	Name *ColName
}

ValuesFuncExpr represents a function call.

func CloneRefOfValuesFuncExpr ¶

func CloneRefOfValuesFuncExpr(n *ValuesFuncExpr) *ValuesFuncExpr

CloneRefOfValuesFuncExpr creates a deep clone of the input.

func (*ValuesFuncExpr) CachedSize ¶

func (cached *ValuesFuncExpr) CachedSize(alloc bool) int64

func (*ValuesFuncExpr) Format ¶

func (node *ValuesFuncExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*ValuesFuncExpr) FormatFast ¶

func (node *ValuesFuncExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*ValuesFuncExpr) IsExpr ¶

func (*ValuesFuncExpr) IsExpr()

type VarPop ¶

type VarPop struct {
	Arg        Expr
	OverClause *OverClause
}

*********** Expressions

func CloneRefOfVarPop ¶

func CloneRefOfVarPop(n *VarPop) *VarPop

CloneRefOfVarPop creates a deep clone of the input.

func (*VarPop) AggrName ¶

func (*VarPop) AggrName() string

func (*VarPop) CachedSize ¶

func (cached *VarPop) CachedSize(alloc bool) int64

func (*VarPop) Format ¶

func (node *VarPop) Format(buf *TrackedBuffer)

func (*VarPop) FormatFast ¶

func (node *VarPop) FormatFast(buf *TrackedBuffer)

func (*VarPop) GetArg ¶

func (varP *VarPop) GetArg() Expr

func (*VarPop) GetArgs ¶

func (varP *VarPop) GetArgs() Exprs

func (*VarPop) IsExpr ¶

func (*VarPop) IsExpr()

type VarSamp ¶

type VarSamp struct {
	Arg        Expr
	OverClause *OverClause
}

*********** Expressions

func CloneRefOfVarSamp ¶

func CloneRefOfVarSamp(n *VarSamp) *VarSamp

CloneRefOfVarSamp creates a deep clone of the input.

func (*VarSamp) AggrName ¶

func (*VarSamp) AggrName() string

func (*VarSamp) CachedSize ¶

func (cached *VarSamp) CachedSize(alloc bool) int64

func (*VarSamp) Format ¶

func (node *VarSamp) Format(buf *TrackedBuffer)

func (*VarSamp) FormatFast ¶

func (node *VarSamp) FormatFast(buf *TrackedBuffer)

func (*VarSamp) GetArg ¶

func (varS *VarSamp) GetArg() Expr

func (*VarSamp) GetArgs ¶

func (varS *VarSamp) GetArgs() Exprs

func (*VarSamp) IsExpr ¶

func (*VarSamp) IsExpr()

type Variable ¶

type Variable struct {
	Scope Scope
	Name  IdentifierCI
}

*********** Expressions

func CloneRefOfVariable ¶

func CloneRefOfVariable(n *Variable) *Variable

CloneRefOfVariable creates a deep clone of the input.

func CloneSliceOfRefOfVariable ¶

func CloneSliceOfRefOfVariable(n []*Variable) []*Variable

CloneSliceOfRefOfVariable creates a deep clone of the input.

func NewSetVariable ¶

func NewSetVariable(str string, scope Scope) *Variable

NewSetVariable returns a variable that can be used with SET.

func NewVariableExpression ¶

func NewVariableExpression(str string, at AtCount) *Variable

NewVariableExpression returns an expression the evaluates to a variable at runtime. The AtCount and the prefix of the name of the variable will decide how it's evaluated

func (*Variable) CachedSize ¶

func (cached *Variable) CachedSize(alloc bool) int64

func (*Variable) Format ¶

func (node *Variable) Format(buf *TrackedBuffer)

Format formats the node.

func (*Variable) FormatFast ¶

func (node *Variable) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*Variable) IsExpr ¶

func (*Variable) IsExpr()

type Variance ¶

type Variance struct {
	Arg        Expr
	OverClause *OverClause
}

*********** Expressions

func CloneRefOfVariance ¶

func CloneRefOfVariance(n *Variance) *Variance

CloneRefOfVariance creates a deep clone of the input.

func (*Variance) AggrName ¶

func (*Variance) AggrName() string

func (*Variance) CachedSize ¶

func (cached *Variance) CachedSize(alloc bool) int64

func (*Variance) Format ¶

func (node *Variance) Format(buf *TrackedBuffer)

func (*Variance) FormatFast ¶

func (node *Variance) FormatFast(buf *TrackedBuffer)

func (*Variance) GetArg ¶

func (variance *Variance) GetArg() Expr

func (*Variance) GetArgs ¶

func (variance *Variance) GetArgs() Exprs

func (*Variance) IsExpr ¶

func (*Variance) IsExpr()

type VindexParam ¶

type VindexParam struct {
	Key IdentifierCI
	Val string
}

VindexParam defines a key/value parameter for a CREATE VINDEX statement

func CloneRefOfVindexParam ¶

func CloneRefOfVindexParam(n *VindexParam) *VindexParam

CloneRefOfVindexParam creates a deep clone of the input.

func CloneSliceOfVindexParam ¶

func CloneSliceOfVindexParam(n []VindexParam) []VindexParam

CloneSliceOfVindexParam creates a deep clone of the input.

func CloneVindexParam ¶

func CloneVindexParam(n VindexParam) VindexParam

CloneVindexParam creates a deep clone of the input.

func (*VindexParam) CachedSize ¶

func (cached *VindexParam) CachedSize(alloc bool) int64

func (VindexParam) Format ¶

func (node VindexParam) Format(buf *TrackedBuffer)

Format formats the node.

func (VindexParam) FormatFast ¶

func (node VindexParam) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type VindexSpec ¶

type VindexSpec struct {
	Name   IdentifierCI
	Type   IdentifierCI
	Params []VindexParam
}

VindexSpec defines a vindex for a CREATE VINDEX or DROP VINDEX statement

func CloneRefOfVindexSpec ¶

func CloneRefOfVindexSpec(n *VindexSpec) *VindexSpec

CloneRefOfVindexSpec creates a deep clone of the input.

func (*VindexSpec) CachedSize ¶

func (cached *VindexSpec) CachedSize(alloc bool) int64

func (*VindexSpec) Format ¶

func (node *VindexSpec) Format(buf *TrackedBuffer)

Format formats the node. The "CREATE VINDEX" preamble was formatted in the containing DDL node Format, so this just prints the type, any parameters, and optionally the owner

func (*VindexSpec) FormatFast ¶

func (node *VindexSpec) FormatFast(buf *TrackedBuffer)

FormatFast formats the node. The "CREATE VINDEX" preamble was formatted in the containing DDL node Format, so this just prints the type, any parameters, and optionally the owner

func (*VindexSpec) ParseParams ¶

func (node *VindexSpec) ParseParams() (string, map[string]string)

ParseParams parses the vindex parameter list, pulling out the special-case "owner" parameter

type Visit ¶

type Visit func(node SQLNode) (kontinue bool, err error)

Visit defines the signature of a function that can be used to postVisit all nodes of a parse tree. returning false on kontinue means that children will not be visited returning an error will abort the visitation and return the error

type WeightStringFuncExpr ¶

type WeightStringFuncExpr struct {
	Expr Expr
	As   *ConvertType
}

WeightStringFuncExpr represents the function and arguments for WEIGHT_STRING('string' AS [CHAR|BINARY](n))

func CloneRefOfWeightStringFuncExpr ¶

func CloneRefOfWeightStringFuncExpr(n *WeightStringFuncExpr) *WeightStringFuncExpr

CloneRefOfWeightStringFuncExpr creates a deep clone of the input.

func (*WeightStringFuncExpr) CachedSize ¶

func (cached *WeightStringFuncExpr) CachedSize(alloc bool) int64

func (*WeightStringFuncExpr) Format ¶

func (node *WeightStringFuncExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*WeightStringFuncExpr) FormatFast ¶

func (node *WeightStringFuncExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*WeightStringFuncExpr) IsExpr ¶

func (*WeightStringFuncExpr) IsExpr()

type When ¶

type When struct {
	Cond Expr
	Val  Expr
}

When represents a WHEN sub-expression.

func CloneRefOfWhen ¶

func CloneRefOfWhen(n *When) *When

CloneRefOfWhen creates a deep clone of the input.

func CloneSliceOfRefOfWhen ¶

func CloneSliceOfRefOfWhen(n []*When) []*When

CloneSliceOfRefOfWhen creates a deep clone of the input.

func (*When) CachedSize ¶

func (cached *When) CachedSize(alloc bool) int64

func (*When) Format ¶

func (node *When) Format(buf *TrackedBuffer)

Format formats the node.

func (*When) FormatFast ¶

func (node *When) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type Where ¶

type Where struct {
	Type WhereType
	Expr Expr
}

Where represents a WHERE or HAVING clause.

func CloneRefOfWhere ¶

func CloneRefOfWhere(n *Where) *Where

CloneRefOfWhere creates a deep clone of the input.

func NewWhere ¶

func NewWhere(typ WhereType, expr Expr) *Where

NewWhere creates a WHERE or HAVING clause out of a Expr. If the expression is nil, it returns nil.

func (*Where) CachedSize ¶

func (cached *Where) CachedSize(alloc bool) int64

func (*Where) Format ¶

func (node *Where) Format(buf *TrackedBuffer)

Format formats the node.

func (*Where) FormatFast ¶

func (node *Where) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type WhereType ¶

type WhereType int8

WhereType is an enum for Where.Type

const (
	WhereClause WhereType = iota
	HavingClause
)

Constants for Enum Type - WhereType

func (WhereType) ToString ¶

func (whereType WhereType) ToString() string

ToString returns the string associated with WhereType

type WindowDefinition ¶

type WindowDefinition struct {
	Name       IdentifierCI
	WindowSpec *WindowSpecification
}

Types for window functions

func CloneRefOfWindowDefinition ¶

func CloneRefOfWindowDefinition(n *WindowDefinition) *WindowDefinition

CloneRefOfWindowDefinition creates a deep clone of the input.

func (*WindowDefinition) CachedSize ¶

func (cached *WindowDefinition) CachedSize(alloc bool) int64

func (*WindowDefinition) Format ¶

func (node *WindowDefinition) Format(buf *TrackedBuffer)

Format formats the node.

func (*WindowDefinition) FormatFast ¶

func (node *WindowDefinition) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type WindowDefinitions ¶

type WindowDefinitions []*WindowDefinition

Types for window functions

func CloneWindowDefinitions ¶

func CloneWindowDefinitions(n WindowDefinitions) WindowDefinitions

CloneWindowDefinitions creates a deep clone of the input.

func (WindowDefinitions) Format ¶

func (node WindowDefinitions) Format(buf *TrackedBuffer)

Format formats the node.

func (WindowDefinitions) FormatFast ¶

func (node WindowDefinitions) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type WindowSpecification ¶

type WindowSpecification struct {
	Name            IdentifierCI
	PartitionClause Exprs
	OrderClause     OrderBy
	FrameClause     *FrameClause
}

WindowSpecification represents window_spec More information available here: https://dev.mysql.com/doc/refman/8.0/en/window-functions-usage.html

func CloneRefOfWindowSpecification ¶

func CloneRefOfWindowSpecification(n *WindowSpecification) *WindowSpecification

CloneRefOfWindowSpecification creates a deep clone of the input.

func (*WindowSpecification) CachedSize ¶

func (cached *WindowSpecification) CachedSize(alloc bool) int64

func (*WindowSpecification) Format ¶

func (node *WindowSpecification) Format(buf *TrackedBuffer)

Format formats the node

func (*WindowSpecification) FormatFast ¶

func (node *WindowSpecification) FormatFast(buf *TrackedBuffer)

FormatFast formats the node

type With ¶

type With struct {
	CTEs      []*CommonTableExpr
	Recursive bool
}

With contains the lists of common table expression and specifies if it is recursive or not

func CloneRefOfWith ¶

func CloneRefOfWith(n *With) *With

CloneRefOfWith creates a deep clone of the input.

func (*With) CachedSize ¶

func (cached *With) CachedSize(alloc bool) int64

func (*With) Format ¶

func (node *With) Format(buf *TrackedBuffer)

Format formats the node.

func (*With) FormatFast ¶

func (node *With) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

type XorExpr ¶

type XorExpr struct {
	Left, Right Expr
}

XorExpr represents an XOR expression.

func CloneRefOfXorExpr ¶

func CloneRefOfXorExpr(n *XorExpr) *XorExpr

CloneRefOfXorExpr creates a deep clone of the input.

func (*XorExpr) CachedSize ¶

func (cached *XorExpr) CachedSize(alloc bool) int64

func (*XorExpr) Format ¶

func (node *XorExpr) Format(buf *TrackedBuffer)

Format formats the node.

func (*XorExpr) FormatFast ¶

func (node *XorExpr) FormatFast(buf *TrackedBuffer)

FormatFast formats the node.

func (*XorExpr) IsExpr ¶

func (*XorExpr) IsExpr()

Directories ¶

Path Synopsis
dependency
hack
Package hack gives you some efficient functionality at the cost of breaking some Go rules.
Package hack gives you some efficient functionality at the cost of breaking some Go rules.
sqltypes
Package sqltypes implements interfaces and types that represent SQL values.
Package sqltypes implements interfaces and types that represent SQL values.

Jump to

Keyboard shortcuts

? : This menu
/ : Search site
f or F : Jump to
y or Y : Canonical URL