1. 实现配置文件解析
2. 实现数据库连接
This commit is contained in:
		
							
								
								
									
										9
									
								
								vendor/github.com/jackc/pgpassfile/.travis.yml
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										9
									
								
								vendor/github.com/jackc/pgpassfile/.travis.yml
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,9 @@ | ||||
| language: go | ||||
|  | ||||
| go: | ||||
|   - 1.x | ||||
|   - tip | ||||
|  | ||||
| matrix: | ||||
|   allow_failures: | ||||
|     - go: tip | ||||
							
								
								
									
										22
									
								
								vendor/github.com/jackc/pgpassfile/LICENSE
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										22
									
								
								vendor/github.com/jackc/pgpassfile/LICENSE
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,22 @@ | ||||
| Copyright (c) 2019 Jack Christensen | ||||
|  | ||||
| MIT License | ||||
|  | ||||
| Permission is hereby granted, free of charge, to any person obtaining | ||||
| a copy of this software and associated documentation files (the | ||||
| "Software"), to deal in the Software without restriction, including | ||||
| without limitation the rights to use, copy, modify, merge, publish, | ||||
| distribute, sublicense, and/or sell copies of the Software, and to | ||||
| permit persons to whom the Software is furnished to do so, subject to | ||||
| the following conditions: | ||||
|  | ||||
| The above copyright notice and this permission notice shall be | ||||
| included in all copies or substantial portions of the Software. | ||||
|  | ||||
| THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, | ||||
| EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF | ||||
| MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND | ||||
| NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE | ||||
| LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION | ||||
| OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION | ||||
| WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. | ||||
							
								
								
									
										8
									
								
								vendor/github.com/jackc/pgpassfile/README.md
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										8
									
								
								vendor/github.com/jackc/pgpassfile/README.md
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,8 @@ | ||||
| [](https://godoc.org/github.com/jackc/pgpassfile) | ||||
| [](https://travis-ci.org/jackc/pgpassfile) | ||||
|  | ||||
| # pgpassfile | ||||
|  | ||||
| Package pgpassfile is a parser PostgreSQL .pgpass files. | ||||
|  | ||||
| Extracted and rewritten from original implementation in https://github.com/jackc/pgx. | ||||
							
								
								
									
										110
									
								
								vendor/github.com/jackc/pgpassfile/pgpass.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										110
									
								
								vendor/github.com/jackc/pgpassfile/pgpass.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,110 @@ | ||||
| // Package pgpassfile is a parser PostgreSQL .pgpass files. | ||||
| package pgpassfile | ||||
|  | ||||
| import ( | ||||
| 	"bufio" | ||||
| 	"io" | ||||
| 	"os" | ||||
| 	"regexp" | ||||
| 	"strings" | ||||
| ) | ||||
|  | ||||
| // Entry represents a line in a PG passfile. | ||||
| type Entry struct { | ||||
| 	Hostname string | ||||
| 	Port     string | ||||
| 	Database string | ||||
| 	Username string | ||||
| 	Password string | ||||
| } | ||||
|  | ||||
| // Passfile is the in memory data structure representing a PG passfile. | ||||
| type Passfile struct { | ||||
| 	Entries []*Entry | ||||
| } | ||||
|  | ||||
| // ReadPassfile reads the file at path and parses it into a Passfile. | ||||
| func ReadPassfile(path string) (*Passfile, error) { | ||||
| 	f, err := os.Open(path) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	defer f.Close() | ||||
|  | ||||
| 	return ParsePassfile(f) | ||||
| } | ||||
|  | ||||
| // ParsePassfile reads r and parses it into a Passfile. | ||||
| func ParsePassfile(r io.Reader) (*Passfile, error) { | ||||
| 	passfile := &Passfile{} | ||||
|  | ||||
| 	scanner := bufio.NewScanner(r) | ||||
| 	for scanner.Scan() { | ||||
| 		entry := parseLine(scanner.Text()) | ||||
| 		if entry != nil { | ||||
| 			passfile.Entries = append(passfile.Entries, entry) | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	return passfile, scanner.Err() | ||||
| } | ||||
|  | ||||
| // Match (not colons or escaped colon or escaped backslash)+. Essentially gives a split on unescaped | ||||
| // colon. | ||||
| var colonSplitterRegexp = regexp.MustCompile("(([^:]|(\\:)))+") | ||||
|  | ||||
| // var colonSplitterRegexp = regexp.MustCompile("((?:[^:]|(?:\\:)|(?:\\\\))+)") | ||||
|  | ||||
| // parseLine parses a line into an *Entry. It returns nil on comment lines or any other unparsable | ||||
| // line. | ||||
| func parseLine(line string) *Entry { | ||||
| 	const ( | ||||
| 		tmpBackslash = "\r" | ||||
| 		tmpColon     = "\n" | ||||
| 	) | ||||
|  | ||||
| 	line = strings.TrimSpace(line) | ||||
|  | ||||
| 	if strings.HasPrefix(line, "#") { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	line = strings.Replace(line, `\\`, tmpBackslash, -1) | ||||
| 	line = strings.Replace(line, `\:`, tmpColon, -1) | ||||
|  | ||||
| 	parts := strings.Split(line, ":") | ||||
| 	if len(parts) != 5 { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	// Unescape escaped colons and backslashes | ||||
| 	for i := range parts { | ||||
| 		parts[i] = strings.Replace(parts[i], tmpBackslash, `\`, -1) | ||||
| 		parts[i] = strings.Replace(parts[i], tmpColon, `:`, -1) | ||||
| 	} | ||||
|  | ||||
| 	return &Entry{ | ||||
| 		Hostname: parts[0], | ||||
| 		Port:     parts[1], | ||||
| 		Database: parts[2], | ||||
| 		Username: parts[3], | ||||
| 		Password: parts[4], | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // FindPassword finds the password for the provided hostname, port, database, and username. For a | ||||
| // Unix domain socket hostname must be set to "localhost". An empty string will be returned if no | ||||
| // match is found. | ||||
| // | ||||
| // See https://www.postgresql.org/docs/current/libpq-pgpass.html for more password file information. | ||||
| func (pf *Passfile) FindPassword(hostname, port, database, username string) (password string) { | ||||
| 	for _, e := range pf.Entries { | ||||
| 		if (e.Hostname == "*" || e.Hostname == hostname) && | ||||
| 			(e.Port == "*" || e.Port == port) && | ||||
| 			(e.Database == "*" || e.Database == database) && | ||||
| 			(e.Username == "*" || e.Username == username) { | ||||
| 			return e.Password | ||||
| 		} | ||||
| 	} | ||||
| 	return "" | ||||
| } | ||||
							
								
								
									
										9
									
								
								vendor/github.com/jackc/pgservicefile/.travis.yml
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										9
									
								
								vendor/github.com/jackc/pgservicefile/.travis.yml
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,9 @@ | ||||
| language: go | ||||
|  | ||||
| go: | ||||
|   - 1.x | ||||
|   - tip | ||||
|  | ||||
| matrix: | ||||
|   allow_failures: | ||||
|     - go: tip | ||||
							
								
								
									
										22
									
								
								vendor/github.com/jackc/pgservicefile/LICENSE
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										22
									
								
								vendor/github.com/jackc/pgservicefile/LICENSE
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,22 @@ | ||||
| Copyright (c) 2020 Jack Christensen | ||||
|  | ||||
| MIT License | ||||
|  | ||||
| Permission is hereby granted, free of charge, to any person obtaining | ||||
| a copy of this software and associated documentation files (the | ||||
| "Software"), to deal in the Software without restriction, including | ||||
| without limitation the rights to use, copy, modify, merge, publish, | ||||
| distribute, sublicense, and/or sell copies of the Software, and to | ||||
| permit persons to whom the Software is furnished to do so, subject to | ||||
| the following conditions: | ||||
|  | ||||
| The above copyright notice and this permission notice shall be | ||||
| included in all copies or substantial portions of the Software. | ||||
|  | ||||
| THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, | ||||
| EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF | ||||
| MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND | ||||
| NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE | ||||
| LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION | ||||
| OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION | ||||
| WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. | ||||
							
								
								
									
										6
									
								
								vendor/github.com/jackc/pgservicefile/README.md
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										6
									
								
								vendor/github.com/jackc/pgservicefile/README.md
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,6 @@ | ||||
| [](https://godoc.org/github.com/jackc/pgservicefile) | ||||
| [](https://travis-ci.org/jackc/pgservicefile) | ||||
|  | ||||
| # pgservicefile | ||||
|  | ||||
| Package pgservicefile is a parser for PostgreSQL service files (e.g. `.pg_service.conf`). | ||||
							
								
								
									
										79
									
								
								vendor/github.com/jackc/pgservicefile/pgservicefile.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										79
									
								
								vendor/github.com/jackc/pgservicefile/pgservicefile.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,79 @@ | ||||
| // Package pgservicefile is a parser for PostgreSQL service files (e.g. .pg_service.conf). | ||||
| package pgservicefile | ||||
|  | ||||
| import ( | ||||
| 	"bufio" | ||||
| 	"errors" | ||||
| 	"fmt" | ||||
| 	"io" | ||||
| 	"os" | ||||
| 	"strings" | ||||
| ) | ||||
|  | ||||
| type Service struct { | ||||
| 	Name     string | ||||
| 	Settings map[string]string | ||||
| } | ||||
|  | ||||
| type Servicefile struct { | ||||
| 	Services       []*Service | ||||
| 	servicesByName map[string]*Service | ||||
| } | ||||
|  | ||||
| // GetService returns the named service. | ||||
| func (sf *Servicefile) GetService(name string) (*Service, error) { | ||||
| 	service, present := sf.servicesByName[name] | ||||
| 	if !present { | ||||
| 		return nil, errors.New("not found") | ||||
| 	} | ||||
| 	return service, nil | ||||
| } | ||||
|  | ||||
| // ReadServicefile reads the file at path and parses it into a Servicefile. | ||||
| func ReadServicefile(path string) (*Servicefile, error) { | ||||
| 	f, err := os.Open(path) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	defer f.Close() | ||||
|  | ||||
| 	return ParseServicefile(f) | ||||
| } | ||||
|  | ||||
| // ParseServicefile reads r and parses it into a Servicefile. | ||||
| func ParseServicefile(r io.Reader) (*Servicefile, error) { | ||||
| 	servicefile := &Servicefile{} | ||||
|  | ||||
| 	var service *Service | ||||
| 	scanner := bufio.NewScanner(r) | ||||
| 	lineNum := 0 | ||||
| 	for scanner.Scan() { | ||||
| 		lineNum += 1 | ||||
| 		line := scanner.Text() | ||||
| 		line = strings.TrimSpace(line) | ||||
|  | ||||
| 		if line == "" || strings.HasPrefix(line, "#") { | ||||
| 			// ignore comments and empty lines | ||||
| 		} else if strings.HasPrefix(line, "[") && strings.HasSuffix(line, "]") { | ||||
| 			service = &Service{Name: line[1 : len(line)-1], Settings: make(map[string]string)} | ||||
| 			servicefile.Services = append(servicefile.Services, service) | ||||
| 		} else { | ||||
| 			parts := strings.SplitN(line, "=", 2) | ||||
| 			if len(parts) != 2 { | ||||
| 				return nil, fmt.Errorf("unable to parse line %d", lineNum) | ||||
| 			} | ||||
|  | ||||
| 			key := strings.TrimSpace(parts[0]) | ||||
| 			value := strings.TrimSpace(parts[1]) | ||||
|  | ||||
| 			service.Settings[key] = value | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	servicefile.servicesByName = make(map[string]*Service, len(servicefile.Services)) | ||||
| 	for _, service := range servicefile.Services { | ||||
| 		servicefile.servicesByName[service.Name] = service | ||||
| 	} | ||||
|  | ||||
| 	return servicefile, scanner.Err() | ||||
| } | ||||
							
								
								
									
										27
									
								
								vendor/github.com/jackc/pgx/v5/.gitignore
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										27
									
								
								vendor/github.com/jackc/pgx/v5/.gitignore
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,27 @@ | ||||
| # Compiled Object files, Static and Dynamic libs (Shared Objects) | ||||
| *.o | ||||
| *.a | ||||
| *.so | ||||
|  | ||||
| # Folders | ||||
| _obj | ||||
| _test | ||||
|  | ||||
| # Architecture specific extensions/prefixes | ||||
| *.[568vq] | ||||
| [568vq].out | ||||
|  | ||||
| *.cgo1.go | ||||
| *.cgo2.c | ||||
| _cgo_defun.c | ||||
| _cgo_gotypes.go | ||||
| _cgo_export.* | ||||
|  | ||||
| _testmain.go | ||||
|  | ||||
| *.exe | ||||
|  | ||||
| .envrc | ||||
| /.testdb | ||||
|  | ||||
| .DS_Store | ||||
							
								
								
									
										311
									
								
								vendor/github.com/jackc/pgx/v5/CHANGELOG.md
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										311
									
								
								vendor/github.com/jackc/pgx/v5/CHANGELOG.md
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,311 @@ | ||||
| # 5.4.3 (August 5, 2023) | ||||
|  | ||||
| * Fix: QCharArrayOID was defined with the wrong OID (Christoph Engelbert) | ||||
| * Fix: connect_timeout for sslmode=allow|prefer (smaher-edb) | ||||
| * Fix: pgxpool: background health check cannot overflow pool | ||||
| * Fix: Check for nil in defer when sending batch (recover properly from panic) | ||||
| * Fix: json scan of non-string pointer to pointer | ||||
| * Fix: zeronull.Timestamptz should use pgtype.Timestamptz | ||||
| * Fix: NewConnsCount was not correctly counting connections created by Acquire directly. (James Hartig) | ||||
| * RowTo(AddrOf)StructByPos ignores fields with "-" db tag | ||||
| * Optimization: improve text format numeric parsing (horpto) | ||||
|  | ||||
| # 5.4.2 (July 11, 2023) | ||||
|  | ||||
| * Fix: RowScanner errors are fatal to Rows | ||||
| * Fix: Enable failover efforts when pg_hba.conf disallows non-ssl connections (Brandon Kauffman) | ||||
| * Hstore text codec internal improvements (Evan Jones) | ||||
| * Fix: Stop timers for background reader when not in use. Fixes memory leak when closing connections (Adrian-Stefan Mares) | ||||
| * Fix: Stop background reader as soon as possible. | ||||
| * Add PgConn.SyncConn(). This combined with the above fix makes it safe to directly use the underlying net.Conn. | ||||
|  | ||||
| # 5.4.1 (June 18, 2023) | ||||
|  | ||||
| * Fix: concurrency bug with pgtypeDefaultMap and simple protocol (Lev Zakharov) | ||||
| * Add TxOptions.BeginQuery to allow overriding the default BEGIN query | ||||
|  | ||||
| # 5.4.0 (June 14, 2023) | ||||
|  | ||||
| * Replace platform specific syscalls for non-blocking IO with more traditional goroutines and deadlines. This returns to the v4 approach with some additional improvements and fixes. This restores the ability to use a pgx.Conn over an ssh.Conn as well as other non-TCP or Unix socket connections. In addition, it is a significantly simpler implementation that is less likely to have cross platform issues. | ||||
| * Optimization: The default type registrations are now shared among all connections. This saves about 100KB of memory per connection. `pgtype.Type` and `pgtype.Codec` values are now required to be immutable after registration. This was already necessary in most cases but wasn't documented until now. (Lev Zakharov) | ||||
| * Fix: Ensure pgxpool.Pool.QueryRow.Scan releases connection on panic | ||||
| * CancelRequest: don't try to read the reply (Nicola Murino) | ||||
| * Fix: correctly handle bool type aliases (Wichert Akkerman) | ||||
| * Fix: pgconn.CancelRequest: Fix unix sockets: don't use RemoteAddr() | ||||
| * Fix: pgx.Conn memory leak with prepared statement caching (Evan Jones) | ||||
| * Add BeforeClose to pgxpool.Pool (Evan Cordell) | ||||
| * Fix: various hstore fixes and optimizations (Evan Jones) | ||||
| * Fix: RowToStructByPos with embedded unexported struct | ||||
| * Support different bool string representations (Lev Zakharov) | ||||
| * Fix: error when using BatchResults.Exec on a select that returns an error after some rows. | ||||
| * Fix: pipelineBatchResults.Exec() not returning error from ResultReader | ||||
| * Fix: pipeline batch results not closing pipeline when error occurs while reading directly from results instead of using | ||||
|     a callback. | ||||
| * Fix: scanning a table type into a struct | ||||
| * Fix: scan array of record to pointer to slice of struct | ||||
| * Fix: handle null for json (Cemre Mengu) | ||||
| * Batch Query callback is called even when there is an error | ||||
| * Add RowTo(AddrOf)StructByNameLax (Audi P. Risa P) | ||||
|  | ||||
| # 5.3.1 (February 27, 2023) | ||||
|  | ||||
| * Fix: Support v4 and v5 stdlib in same program (Tomáš Procházka) | ||||
| * Fix: sql.Scanner not being used in certain cases | ||||
| * Add text format jsonpath support | ||||
| * Fix: fake non-blocking read adaptive wait time | ||||
|  | ||||
| # 5.3.0 (February 11, 2023) | ||||
|  | ||||
| * Fix: json values work with sql.Scanner | ||||
| * Fixed / improved error messages (Mark Chambers and Yevgeny Pats) | ||||
| * Fix: support scan into single dimensional arrays | ||||
| * Fix: MaxConnLifetimeJitter setting actually jitter (Ben Weintraub) | ||||
| * Fix: driver.Value representation of bytea should be []byte not string | ||||
| * Fix: better handling of unregistered OIDs | ||||
| * CopyFrom can use query cache to avoid extra round trip to get OIDs (Alejandro Do Nascimento Mora) | ||||
| * Fix: encode to json ignoring driver.Valuer | ||||
| * Support sql.Scanner on renamed base type | ||||
| * Fix: pgtype.Numeric text encoding of negative numbers (Mark Chambers) | ||||
| * Fix: connect with multiple hostnames when one can't be resolved | ||||
| * Upgrade puddle to remove dependency on uber/atomic and fix alignment issue on 32-bit platform | ||||
| * Fix: scanning json column into **string | ||||
| * Multiple reductions in memory allocations | ||||
| * Fake non-blocking read adapts its max wait time | ||||
| * Improve CopyFrom performance and reduce memory usage | ||||
| * Fix: encode []any to array | ||||
| * Fix: LoadType for composite with dropped attributes (Felix Röhrich) | ||||
| * Support v4 and v5 stdlib in same program | ||||
| * Fix: text format array decoding with string of "NULL" | ||||
| * Prefer binary format for arrays | ||||
|  | ||||
| # 5.2.0 (December 5, 2022) | ||||
|  | ||||
| * `tracelog.TraceLog` implements the pgx.PrepareTracer interface. (Vitalii Solodilov) | ||||
| * Optimize creating begin transaction SQL string (Petr Evdokimov and ksco) | ||||
| * `Conn.LoadType` supports range and multirange types (Vitalii Solodilov) | ||||
| * Fix scan `uint` and `uint64` `ScanNumeric`. This resolves a PostgreSQL `numeric` being incorrectly scanned into `uint` and `uint64`. | ||||
|  | ||||
| # 5.1.1 (November 17, 2022) | ||||
|  | ||||
| * Fix simple query sanitizer where query text contains a Unicode replacement character. | ||||
| * Remove erroneous `name` argument from `DeallocateAll()`. Technically, this is a breaking change, but given that method was only added 5 days ago this change was accepted. (Bodo Kaiser) | ||||
|  | ||||
| # 5.1.0 (November 12, 2022) | ||||
|  | ||||
| * Update puddle to v2.1.2. This resolves a race condition and a deadlock in pgxpool. | ||||
| * `QueryRewriter.RewriteQuery` now returns an error. Technically, this is a breaking change for any external implementers, but given the minimal likelihood that there are actually any external implementers this change was accepted. | ||||
| * Expose `GetSSLPassword` support to pgx. | ||||
| * Fix encode `ErrorResponse` unknown field handling. This would only affect pgproto3 being used directly as a proxy with a non-PostgreSQL server that included additional error fields. | ||||
| * Fix date text format encoding with 5 digit years. | ||||
| * Fix date values passed to a `sql.Scanner` as `string` instead of `time.Time`. | ||||
| * DateCodec.DecodeValue can return `pgtype.InfinityModifier` instead of `string` for infinite values. This now matches the behavior of the timestamp types. | ||||
| * Add domain type support to `Conn.LoadType()`. | ||||
| * Add `RowToStructByName` and `RowToAddrOfStructByName`. (Pavlo Golub) | ||||
| * Add `Conn.DeallocateAll()` to clear all prepared statements including the statement cache. (Bodo Kaiser) | ||||
|  | ||||
| # 5.0.4 (October 24, 2022) | ||||
|  | ||||
| * Fix: CollectOneRow prefers PostgreSQL error over pgx.ErrorNoRows | ||||
| * Fix: some reflect Kind checks to first check for nil | ||||
| * Bump golang.org/x/text dependency to placate snyk | ||||
| * Fix: RowToStructByPos on structs with multiple anonymous sub-structs (Baptiste Fontaine) | ||||
| * Fix: Exec checks if tx is closed | ||||
|  | ||||
| # 5.0.3 (October 14, 2022) | ||||
|  | ||||
| * Fix `driver.Valuer` handling edge cases that could cause infinite loop or crash | ||||
|  | ||||
| # v5.0.2 (October 8, 2022) | ||||
|  | ||||
| * Fix date encoding in text format to always use 2 digits for month and day | ||||
| * Prefer driver.Valuer over wrap plans when encoding | ||||
| * Fix scan to pointer to pointer to renamed type | ||||
| * Allow scanning NULL even if PG and Go types are incompatible | ||||
|  | ||||
| # v5.0.1 (September 24, 2022) | ||||
|  | ||||
| * Fix 32-bit atomic usage | ||||
| * Add MarshalJSON for Float8 (yogipristiawan) | ||||
| * Add `[` and `]` to text encoding of `Lseg` | ||||
| * Fix sqlScannerWrapper NULL handling | ||||
|  | ||||
| # v5.0.0 (September 17, 2022) | ||||
|  | ||||
| ## Merged Packages | ||||
|  | ||||
| `github.com/jackc/pgtype`, `github.com/jackc/pgconn`, and `github.com/jackc/pgproto3` are now included in the main | ||||
| `github.com/jackc/pgx` repository. Previously there was confusion as to where issues should be reported, additional | ||||
| release work due to releasing multiple packages, and less clear changelogs. | ||||
|  | ||||
| ## pgconn | ||||
|  | ||||
| `CommandTag` is now an opaque type instead of directly exposing an underlying `[]byte`. | ||||
|  | ||||
| The return value `ResultReader.Values()` is no longer safe to retain a reference to after a subsequent call to `NextRow()` or `Close()`. | ||||
|  | ||||
| `Trace()` method adds low level message tracing similar to the `PQtrace` function in `libpq`. | ||||
|  | ||||
| pgconn now uses non-blocking IO. This is a significant internal restructuring, but it should not cause any visible changes on its own. However, it is important in implementing other new features. | ||||
|  | ||||
| `CheckConn()` checks a connection's liveness by doing a non-blocking read. This can be used to detect database restarts or network interruptions without executing a query or a ping. | ||||
|  | ||||
| pgconn now supports pipeline mode. | ||||
|  | ||||
| `*PgConn.ReceiveResults` removed. Use pipeline mode instead. | ||||
|  | ||||
| `Timeout()` no longer considers `context.Canceled` as a timeout error. `context.DeadlineExceeded` still is considered a timeout error. | ||||
|  | ||||
| ## pgxpool | ||||
|  | ||||
| `Connect` and `ConnectConfig` have been renamed to `New` and `NewWithConfig` respectively. The `LazyConnect` option has been removed. Pools always lazily connect. | ||||
|  | ||||
| ## pgtype | ||||
|  | ||||
| The `pgtype` package has been significantly changed. | ||||
|  | ||||
| ### NULL Representation | ||||
|  | ||||
| Previously, types had a `Status` field that could be `Undefined`, `Null`, or `Present`. This has been changed to a | ||||
| `Valid` `bool` field to harmonize with how `database/sql` represents `NULL` and to make the zero value useable. | ||||
|  | ||||
| Previously, a type that implemented `driver.Valuer` would have the `Value` method called even on a nil pointer. All nils | ||||
| whether typed or untyped now represent `NULL`. | ||||
|  | ||||
| ### Codec and Value Split | ||||
|  | ||||
| Previously, the type system combined decoding and encoding values with the value types. e.g. Type `Int8` both handled | ||||
| encoding and decoding the PostgreSQL representation and acted as a value object. This caused some difficulties when | ||||
| there was not an exact 1 to 1 relationship between the Go types and the PostgreSQL types For example, scanning a | ||||
| PostgreSQL binary `numeric` into a Go `float64` was awkward (see https://github.com/jackc/pgtype/issues/147). This | ||||
| concepts have been separated. A `Codec` only has responsibility for encoding and decoding values. Value types are | ||||
| generally defined by implementing an interface that a particular `Codec` understands (e.g. `PointScanner` and | ||||
| `PointValuer` for the PostgreSQL `point` type). | ||||
|  | ||||
| ### Array Types | ||||
|  | ||||
| All array types are now handled by `ArrayCodec` instead of using code generation for each new array type. This also | ||||
| means that less common array types such as `point[]` are now supported. `Array[T]` supports PostgreSQL multi-dimensional | ||||
| arrays. | ||||
|  | ||||
| ### Composite Types | ||||
|  | ||||
| Composite types must be registered before use. `CompositeFields` may still be used to construct and destruct composite | ||||
| values, but any type may now implement `CompositeIndexGetter` and `CompositeIndexScanner` to be used as a composite. | ||||
|  | ||||
| ### Range Types | ||||
|  | ||||
| Range types are now handled with types `RangeCodec` and `Range[T]`. This allows additional user defined range types to | ||||
| easily be handled. Multirange types are handled similarly with `MultirangeCodec` and `Multirange[T]`. | ||||
|  | ||||
| ### pgxtype | ||||
|  | ||||
| `LoadDataType` moved to `*Conn` as `LoadType`. | ||||
|  | ||||
| ### Bytea | ||||
|  | ||||
| The `Bytea` and `GenericBinary` types have been replaced. Use the following instead: | ||||
|  | ||||
| * `[]byte` - For normal usage directly use `[]byte`. | ||||
| * `DriverBytes` - Uses driver memory only available until next database method call. Avoids a copy and an allocation. | ||||
| * `PreallocBytes` - Uses preallocated byte slice to avoid an allocation. | ||||
| * `UndecodedBytes` - Avoids any decoding. Allows working with raw bytes. | ||||
|  | ||||
| ### Dropped lib/pq Support | ||||
|  | ||||
| `pgtype` previously supported and was tested against [lib/pq](https://github.com/lib/pq). While it will continue to work | ||||
| in most cases this is no longer supported. | ||||
|  | ||||
| ### database/sql Scan | ||||
|  | ||||
| Previously, most `Scan` implementations would convert `[]byte` to `string` automatically to decode a text value. Now | ||||
| only `string` is handled. This is to allow the possibility of future binary support in `database/sql` mode by | ||||
| considering `[]byte` to be binary format and `string` text format. This change should have no effect for any use with | ||||
| `pgx`. The previous behavior was only necessary for `lib/pq` compatibility. | ||||
|  | ||||
| Added `*Map.SQLScanner` to create a `sql.Scanner` for types such as `[]int32` and `Range[T]` that do not implement | ||||
| `sql.Scanner` directly. | ||||
|  | ||||
| ### Number Type Fields Include Bit size | ||||
|  | ||||
| `Int2`, `Int4`, `Int8`, `Float4`, `Float8`, and `Uint32` fields now include bit size. e.g. `Int` is renamed to `Int64`. | ||||
| This matches the convention set by `database/sql`. In addition, for comparable types like `pgtype.Int8` and | ||||
| `sql.NullInt64` the structures are identical. This means they can be directly converted one to another. | ||||
|  | ||||
| ### 3rd Party Type Integrations | ||||
|  | ||||
| * Extracted integrations with https://github.com/shopspring/decimal and https://github.com/gofrs/uuid to | ||||
|   https://github.com/jackc/pgx-shopspring-decimal and https://github.com/jackc/pgx-gofrs-uuid respectively. This trims | ||||
|   the pgx dependency tree. | ||||
|  | ||||
| ### Other Changes | ||||
|  | ||||
| * `Bit` and `Varbit` are both replaced by the `Bits` type. | ||||
| * `CID`, `OID`, `OIDValue`, and `XID` are replaced by the `Uint32` type. | ||||
| * `Hstore` is now defined as `map[string]*string`. | ||||
| * `JSON` and `JSONB` types removed. Use `[]byte` or `string` directly. | ||||
| * `QChar` type removed. Use `rune` or `byte` directly. | ||||
| * `Inet` and `Cidr` types removed. Use `netip.Addr` and `netip.Prefix` directly. These types are more memory efficient than the previous `net.IPNet`. | ||||
| * `Macaddr` type removed. Use `net.HardwareAddr` directly. | ||||
| * Renamed `pgtype.ConnInfo` to `pgtype.Map`. | ||||
| * Renamed `pgtype.DataType` to `pgtype.Type`. | ||||
| * Renamed `pgtype.None` to `pgtype.Finite`. | ||||
| * `RegisterType` now accepts a `*Type` instead of `Type`. | ||||
| * Assorted array helper methods and types made private. | ||||
|  | ||||
| ## stdlib | ||||
|  | ||||
| * Removed `AcquireConn` and `ReleaseConn` as that functionality has been built in since Go 1.13. | ||||
|  | ||||
| ## Reduced Memory Usage by Reusing Read Buffers | ||||
|  | ||||
| Previously, the connection read buffer would allocate large chunks of memory and never reuse them. This allowed | ||||
| transferring ownership to anything such as scanned values without incurring an additional allocation and memory copy. | ||||
| However, this came at the cost of overall increased memory allocation size. But worse it was also possible to pin large | ||||
| chunks of memory by retaining a reference to a small value that originally came directly from the read buffer. Now | ||||
| ownership remains with the read buffer and anything needing to retain a value must make a copy. | ||||
|  | ||||
| ## Query Execution Modes | ||||
|  | ||||
| Control over automatic prepared statement caching and simple protocol use are now combined into query execution mode. | ||||
| See documentation for `QueryExecMode`. | ||||
|  | ||||
| ## QueryRewriter Interface and NamedArgs | ||||
|  | ||||
| pgx now supports named arguments with the `NamedArgs` type. This is implemented via the new `QueryRewriter` interface which | ||||
| allows arbitrary rewriting of query SQL and arguments. | ||||
|  | ||||
| ## RowScanner Interface | ||||
|  | ||||
| The `RowScanner` interface allows a single argument to Rows.Scan to scan the entire row. | ||||
|  | ||||
| ## Rows Result Helpers | ||||
|  | ||||
| * `CollectRows` and `RowTo*` functions simplify collecting results into a slice. | ||||
| * `CollectOneRow` collects one row using `RowTo*` functions. | ||||
| * `ForEachRow` simplifies scanning each row and executing code using the scanned values. `ForEachRow` replaces `QueryFunc`. | ||||
|  | ||||
| ## Tx Helpers | ||||
|  | ||||
| Rather than every type that implemented `Begin` or `BeginTx` methods also needing to implement `BeginFunc` and | ||||
| `BeginTxFunc` these methods have been converted to functions that take a db that implements `Begin` or `BeginTx`. | ||||
|  | ||||
| ## Improved Batch Query Ergonomics | ||||
|  | ||||
| Previously, the code for building a batch went in one place before the call to `SendBatch`, and the code for reading the | ||||
| results went in one place after the call to `SendBatch`. This could make it difficult to match up the query and the code | ||||
| to handle the results. Now `Queue` returns a `QueuedQuery` which has methods `Query`, `QueryRow`, and `Exec` which can | ||||
| be used to register a callback function that will handle the result. Callback functions are called automatically when | ||||
| `BatchResults.Close` is called. | ||||
|  | ||||
| ## SendBatch Uses Pipeline Mode When Appropriate | ||||
|  | ||||
| Previously, a batch with 10 unique parameterized statements executed 100 times would entail 11 network round trips. 1 | ||||
| for each prepare / describe and 1 for executing them all. Now pipeline mode is used to prepare / describe all statements | ||||
| in a single network round trip. So it would only take 2 round trips. | ||||
|  | ||||
| ## Tracing and Logging | ||||
|  | ||||
| Internal logging support has been replaced with tracing hooks. This allows custom tracing integration with tools like OpenTelemetry. Package tracelog provides an adapter for pgx v4 loggers to act as a tracer. | ||||
|  | ||||
| All integrations with 3rd party loggers have been extracted to separate repositories. This trims the pgx dependency | ||||
| tree. | ||||
							
								
								
									
										134
									
								
								vendor/github.com/jackc/pgx/v5/CONTRIBUTING.md
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										134
									
								
								vendor/github.com/jackc/pgx/v5/CONTRIBUTING.md
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,134 @@ | ||||
| # Contributing | ||||
|  | ||||
| ## Discuss Significant Changes | ||||
|  | ||||
| Before you invest a significant amount of time on a change, please create a discussion or issue describing your | ||||
| proposal. This will help to ensure your proposed change has a reasonable chance of being merged. | ||||
|  | ||||
| ## Avoid Dependencies | ||||
|  | ||||
| Adding a dependency is a big deal. While on occasion a new dependency may be accepted, the default answer to any change | ||||
| that adds a dependency is no. | ||||
|  | ||||
| ## Development Environment Setup | ||||
|  | ||||
| pgx tests naturally require a PostgreSQL database. It will connect to the database specified in the `PGX_TEST_DATABASE` | ||||
| environment variable. The `PGX_TEST_DATABASE` environment variable can either be a URL or key-value pairs. In addition, | ||||
| the standard `PG*` environment variables will be respected. Consider using [direnv](https://github.com/direnv/direnv) to | ||||
| simplify environment variable handling. | ||||
|  | ||||
| ### Using an Existing PostgreSQL Cluster | ||||
|  | ||||
| If you already have a PostgreSQL development server this is the quickest way to start and run the majority of the pgx | ||||
| test suite. Some tests will be skipped that require server configuration changes (e.g. those testing different | ||||
| authentication methods). | ||||
|  | ||||
| Create and setup a test database: | ||||
|  | ||||
| ``` | ||||
| export PGDATABASE=pgx_test | ||||
| createdb | ||||
| psql -c 'create extension hstore;' | ||||
| psql -c 'create domain uint64 as numeric(20,0);' | ||||
| ``` | ||||
|  | ||||
| Ensure a `postgres` user exists. This happens by default in normal PostgreSQL installs, but some installation methods | ||||
| such as Homebrew do not. | ||||
|  | ||||
| ``` | ||||
| createuser -s postgres | ||||
| ``` | ||||
|  | ||||
| Ensure your `PGX_TEST_DATABASE` environment variable points to the database you just created and run the tests. | ||||
|  | ||||
| ``` | ||||
| export PGX_TEST_DATABASE="host=/private/tmp database=pgx_test" | ||||
| go test ./... | ||||
| ``` | ||||
|  | ||||
| This will run the vast majority of the tests, but some tests will be skipped (e.g. those testing different connection methods). | ||||
|  | ||||
| ### Creating a New PostgreSQL Cluster Exclusively for Testing | ||||
|  | ||||
| The following environment variables need to be set both for initial setup and whenever the tests are run. (direnv is | ||||
| highly recommended). Depending on your platform, you may need to change the host for `PGX_TEST_UNIX_SOCKET_CONN_STRING`. | ||||
|  | ||||
| ``` | ||||
| export PGPORT=5015 | ||||
| export PGUSER=postgres | ||||
| export PGDATABASE=pgx_test | ||||
| export POSTGRESQL_DATA_DIR=postgresql | ||||
|  | ||||
| export PGX_TEST_DATABASE="host=127.0.0.1 database=pgx_test user=pgx_md5 password=secret" | ||||
| export PGX_TEST_UNIX_SOCKET_CONN_STRING="host=/private/tmp database=pgx_test" | ||||
| export PGX_TEST_TCP_CONN_STRING="host=127.0.0.1 database=pgx_test user=pgx_md5 password=secret" | ||||
| export PGX_TEST_SCRAM_PASSWORD_CONN_STRING="host=127.0.0.1 user=pgx_scram password=secret database=pgx_test" | ||||
| export PGX_TEST_MD5_PASSWORD_CONN_STRING="host=127.0.0.1 database=pgx_test user=pgx_md5 password=secret" | ||||
| export PGX_TEST_PLAIN_PASSWORD_CONN_STRING="host=127.0.0.1 user=pgx_pw password=secret" | ||||
| export PGX_TEST_TLS_CONN_STRING="host=localhost user=pgx_ssl password=secret sslmode=verify-full sslrootcert=`pwd`/.testdb/ca.pem" | ||||
| export PGX_SSL_PASSWORD=certpw | ||||
| export PGX_TEST_TLS_CLIENT_CONN_STRING="host=localhost user=pgx_sslcert sslmode=verify-full sslrootcert=`pwd`/.testdb/ca.pem database=pgx_test sslcert=`pwd`/.testdb/pgx_sslcert.crt sslkey=`pwd`/.testdb/pgx_sslcert.key" | ||||
| ``` | ||||
|  | ||||
| Create a new database cluster. | ||||
|  | ||||
| ``` | ||||
| initdb --locale=en_US -E UTF-8 --username=postgres .testdb/$POSTGRESQL_DATA_DIR | ||||
|  | ||||
| echo "listen_addresses = '127.0.0.1'" >> .testdb/$POSTGRESQL_DATA_DIR/postgresql.conf | ||||
| echo "port = $PGPORT" >> .testdb/$POSTGRESQL_DATA_DIR/postgresql.conf | ||||
| cat testsetup/postgresql_ssl.conf >> .testdb/$POSTGRESQL_DATA_DIR/postgresql.conf | ||||
| cp testsetup/pg_hba.conf .testdb/$POSTGRESQL_DATA_DIR/pg_hba.conf | ||||
| cp testsetup/ca.cnf .testdb | ||||
| cp testsetup/localhost.cnf .testdb | ||||
| cp testsetup/pgx_sslcert.cnf .testdb | ||||
|  | ||||
| cd .testdb | ||||
|  | ||||
| # Generate a CA public / private key pair. | ||||
| openssl genrsa -out ca.key 4096 | ||||
| openssl req -x509 -config ca.cnf -new -nodes -key ca.key -sha256 -days 365 -subj '/O=pgx-test-root' -out ca.pem | ||||
|  | ||||
| # Generate the certificate for localhost (the server). | ||||
| openssl genrsa -out localhost.key 2048 | ||||
| openssl req -new -config localhost.cnf -key localhost.key -out localhost.csr | ||||
| openssl x509 -req -in localhost.csr -CA ca.pem -CAkey ca.key -CAcreateserial -out localhost.crt -days 364 -sha256 -extfile localhost.cnf -extensions v3_req | ||||
|  | ||||
| # Copy certificates to server directory and set permissions. | ||||
| cp ca.pem $POSTGRESQL_DATA_DIR/root.crt | ||||
| cp localhost.key $POSTGRESQL_DATA_DIR/server.key | ||||
| chmod 600 $POSTGRESQL_DATA_DIR/server.key | ||||
| cp localhost.crt $POSTGRESQL_DATA_DIR/server.crt | ||||
|  | ||||
| # Generate the certificate for client authentication. | ||||
| openssl genrsa -des3 -out pgx_sslcert.key -passout pass:certpw 2048 | ||||
| openssl req -new -config pgx_sslcert.cnf -key pgx_sslcert.key -passin pass:certpw -out pgx_sslcert.csr | ||||
| openssl x509 -req -in pgx_sslcert.csr -CA ca.pem -CAkey ca.key -CAcreateserial -out pgx_sslcert.crt -days 363 -sha256 -extfile pgx_sslcert.cnf -extensions v3_req | ||||
|  | ||||
| cd .. | ||||
| ``` | ||||
|  | ||||
|  | ||||
| Start the new cluster. This will be necessary whenever you are running pgx tests. | ||||
|  | ||||
| ``` | ||||
| postgres -D .testdb/$POSTGRESQL_DATA_DIR | ||||
| ``` | ||||
|  | ||||
| Setup the test database in the new cluster. | ||||
|  | ||||
| ``` | ||||
| createdb | ||||
| psql --no-psqlrc -f testsetup/postgresql_setup.sql | ||||
| ``` | ||||
|  | ||||
| ### PgBouncer | ||||
|  | ||||
| There are tests specific for PgBouncer that will be executed if `PGX_TEST_PGBOUNCER_CONN_STRING` is set. | ||||
|  | ||||
| ### Optional Tests | ||||
|  | ||||
| pgx supports multiple connection types and means of authentication. These tests are optional. They will only run if the | ||||
| appropriate environment variables are set. In addition, there may be tests specific to particular PostgreSQL versions, | ||||
| non-PostgreSQL servers (e.g. CockroachDB), or connection poolers (e.g. PgBouncer). `go test ./... -v | grep SKIP` to see | ||||
| if any tests are being skipped. | ||||
							
								
								
									
										22
									
								
								vendor/github.com/jackc/pgx/v5/LICENSE
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										22
									
								
								vendor/github.com/jackc/pgx/v5/LICENSE
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,22 @@ | ||||
| Copyright (c) 2013-2021 Jack Christensen | ||||
|  | ||||
| MIT License | ||||
|  | ||||
| Permission is hereby granted, free of charge, to any person obtaining | ||||
| a copy of this software and associated documentation files (the | ||||
| "Software"), to deal in the Software without restriction, including | ||||
| without limitation the rights to use, copy, modify, merge, publish, | ||||
| distribute, sublicense, and/or sell copies of the Software, and to | ||||
| permit persons to whom the Software is furnished to do so, subject to | ||||
| the following conditions: | ||||
|  | ||||
| The above copyright notice and this permission notice shall be | ||||
| included in all copies or substantial portions of the Software. | ||||
|  | ||||
| THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, | ||||
| EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF | ||||
| MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND | ||||
| NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE | ||||
| LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION | ||||
| OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION | ||||
| WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. | ||||
							
								
								
									
										169
									
								
								vendor/github.com/jackc/pgx/v5/README.md
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										169
									
								
								vendor/github.com/jackc/pgx/v5/README.md
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,169 @@ | ||||
| [](https://pkg.go.dev/github.com/jackc/pgx/v5) | ||||
| [](https://github.com/jackc/pgx/actions/workflows/ci.yml) | ||||
|  | ||||
| # pgx - PostgreSQL Driver and Toolkit | ||||
|  | ||||
| pgx is a pure Go driver and toolkit for PostgreSQL. | ||||
|  | ||||
| The pgx driver is a low-level, high performance interface that exposes PostgreSQL-specific features such as `LISTEN` / | ||||
| `NOTIFY` and `COPY`. It also includes an adapter for the standard `database/sql` interface. | ||||
|  | ||||
| The toolkit component is a related set of packages that implement PostgreSQL functionality such as parsing the wire protocol | ||||
| and type mapping between PostgreSQL and Go. These underlying packages can be used to implement alternative drivers, | ||||
| proxies, load balancers, logical replication clients, etc. | ||||
|  | ||||
| ## Example Usage | ||||
|  | ||||
| ```go | ||||
| package main | ||||
|  | ||||
| import ( | ||||
| 	"context" | ||||
| 	"fmt" | ||||
| 	"os" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5" | ||||
| ) | ||||
|  | ||||
| func main() { | ||||
| 	// urlExample := "postgres://username:password@localhost:5432/database_name" | ||||
| 	conn, err := pgx.Connect(context.Background(), os.Getenv("DATABASE_URL")) | ||||
| 	if err != nil { | ||||
| 		fmt.Fprintf(os.Stderr, "Unable to connect to database: %v\n", err) | ||||
| 		os.Exit(1) | ||||
| 	} | ||||
| 	defer conn.Close(context.Background()) | ||||
|  | ||||
| 	var name string | ||||
| 	var weight int64 | ||||
| 	err = conn.QueryRow(context.Background(), "select name, weight from widgets where id=$1", 42).Scan(&name, &weight) | ||||
| 	if err != nil { | ||||
| 		fmt.Fprintf(os.Stderr, "QueryRow failed: %v\n", err) | ||||
| 		os.Exit(1) | ||||
| 	} | ||||
|  | ||||
| 	fmt.Println(name, weight) | ||||
| } | ||||
| ``` | ||||
|  | ||||
| See the [getting started guide](https://github.com/jackc/pgx/wiki/Getting-started-with-pgx) for more information. | ||||
|  | ||||
| ## Features | ||||
|  | ||||
| * Support for approximately 70 different PostgreSQL types | ||||
| * Automatic statement preparation and caching | ||||
| * Batch queries | ||||
| * Single-round trip query mode | ||||
| * Full TLS connection control | ||||
| * Binary format support for custom types (allows for much quicker encoding/decoding) | ||||
| * `COPY` protocol support for faster bulk data loads | ||||
| * Tracing and logging support | ||||
| * Connection pool with after-connect hook for arbitrary connection setup | ||||
| * `LISTEN` / `NOTIFY` | ||||
| * Conversion of PostgreSQL arrays to Go slice mappings for integers, floats, and strings | ||||
| * `hstore` support | ||||
| * `json` and `jsonb` support | ||||
| * Maps `inet` and `cidr` PostgreSQL types to `netip.Addr` and `netip.Prefix` | ||||
| * Large object support | ||||
| * NULL mapping to pointer to pointer | ||||
| * Supports `database/sql.Scanner` and `database/sql/driver.Valuer` interfaces for custom types | ||||
| * Notice response handling | ||||
| * Simulated nested transactions with savepoints | ||||
|  | ||||
| ## Choosing Between the pgx and database/sql Interfaces | ||||
|  | ||||
| The pgx interface is faster. Many PostgreSQL specific features such as `LISTEN` / `NOTIFY` and `COPY` are not available | ||||
| through the `database/sql` interface. | ||||
|  | ||||
| The pgx interface is recommended when: | ||||
|  | ||||
| 1. The application only targets PostgreSQL. | ||||
| 2. No other libraries that require `database/sql` are in use. | ||||
|  | ||||
| It is also possible to use the `database/sql` interface and convert a connection to the lower-level pgx interface as needed. | ||||
|  | ||||
| ## Testing | ||||
|  | ||||
| See CONTRIBUTING.md for setup instructions. | ||||
|  | ||||
| ## Supported Go and PostgreSQL Versions | ||||
|  | ||||
| pgx supports the same versions of Go and PostgreSQL that are supported by their respective teams. For [Go](https://golang.org/doc/devel/release.html#policy) that is the two most recent major releases and for [PostgreSQL](https://www.postgresql.org/support/versioning/) the major releases in the last 5 years. This means pgx supports Go 1.19 and higher and PostgreSQL 11 and higher. pgx also is tested against the latest version of [CockroachDB](https://www.cockroachlabs.com/product/). | ||||
|  | ||||
| ## Version Policy | ||||
|  | ||||
| pgx follows semantic versioning for the documented public API on stable releases. `v5` is the latest stable major version. | ||||
|  | ||||
| ## PGX Family Libraries | ||||
|  | ||||
| ### [github.com/jackc/pglogrepl](https://github.com/jackc/pglogrepl) | ||||
|  | ||||
| pglogrepl provides functionality to act as a client for PostgreSQL logical replication. | ||||
|  | ||||
| ### [github.com/jackc/pgmock](https://github.com/jackc/pgmock) | ||||
|  | ||||
| pgmock offers the ability to create a server that mocks the PostgreSQL wire protocol. This is used internally to test pgx by purposely inducing unusual errors. pgproto3 and pgmock together provide most of the foundational tooling required to implement a PostgreSQL proxy or MitM (such as for a custom connection pooler). | ||||
|  | ||||
| ### [github.com/jackc/tern](https://github.com/jackc/tern) | ||||
|  | ||||
| tern is a stand-alone SQL migration system. | ||||
|  | ||||
| ### [github.com/jackc/pgerrcode](https://github.com/jackc/pgerrcode) | ||||
|  | ||||
| pgerrcode contains constants for the PostgreSQL error codes. | ||||
|  | ||||
| ## Adapters for 3rd Party Types | ||||
|  | ||||
| * [github.com/jackc/pgx-gofrs-uuid](https://github.com/jackc/pgx-gofrs-uuid) | ||||
| * [github.com/jackc/pgx-shopspring-decimal](https://github.com/jackc/pgx-shopspring-decimal) | ||||
| * [github.com/vgarvardt/pgx-google-uuid](https://github.com/vgarvardt/pgx-google-uuid) | ||||
|  | ||||
|  | ||||
| ## Adapters for 3rd Party Tracers | ||||
|  | ||||
| * [https://github.com/jackhopner/pgx-xray-tracer](https://github.com/jackhopner/pgx-xray-tracer) | ||||
|  | ||||
| ## Adapters for 3rd Party Loggers | ||||
|  | ||||
| These adapters can be used with the tracelog package. | ||||
|  | ||||
| * [github.com/jackc/pgx-go-kit-log](https://github.com/jackc/pgx-go-kit-log) | ||||
| * [github.com/jackc/pgx-log15](https://github.com/jackc/pgx-log15) | ||||
| * [github.com/jackc/pgx-logrus](https://github.com/jackc/pgx-logrus) | ||||
| * [github.com/jackc/pgx-zap](https://github.com/jackc/pgx-zap) | ||||
| * [github.com/jackc/pgx-zerolog](https://github.com/jackc/pgx-zerolog) | ||||
| * [github.com/mcosta74/pgx-slog](https://github.com/mcosta74/pgx-slog) | ||||
| * [github.com/kataras/pgx-golog](https://github.com/kataras/pgx-golog) | ||||
|  | ||||
| ## 3rd Party Libraries with PGX Support | ||||
|  | ||||
| ### [github.com/pashagolub/pgxmock](https://github.com/pashagolub/pgxmock) | ||||
|  | ||||
| pgxmock is a mock library implementing pgx interfaces. | ||||
| pgxmock has one and only purpose - to simulate pgx behavior in tests, without needing a real database connection. | ||||
|  | ||||
| ### [github.com/georgysavva/scany](https://github.com/georgysavva/scany) | ||||
|  | ||||
| Library for scanning data from a database into Go structs and more. | ||||
|  | ||||
| ### [github.com/vingarcia/ksql](https://github.com/vingarcia/ksql) | ||||
|  | ||||
| A carefully designed SQL client for making using SQL easier, | ||||
| more productive, and less error-prone on Golang. | ||||
|  | ||||
| ### [https://github.com/otan/gopgkrb5](https://github.com/otan/gopgkrb5) | ||||
|  | ||||
| Adds GSSAPI / Kerberos authentication support. | ||||
|  | ||||
| ### [github.com/wcamarao/pmx](https://github.com/wcamarao/pmx) | ||||
|  | ||||
| Explicit data mapping and scanning library for Go structs and slices. | ||||
|  | ||||
| ### [github.com/stephenafamo/scan](https://github.com/stephenafamo/scan) | ||||
|  | ||||
| Type safe and flexible package for scanning database data into Go types. | ||||
| Supports, structs, maps, slices and custom mapping functions. | ||||
|  | ||||
| ### [https://github.com/z0ne-dev/mgx](https://github.com/z0ne-dev/mgx) | ||||
|  | ||||
| Code first migration library for native pgx (no database/sql abstraction). | ||||
							
								
								
									
										18
									
								
								vendor/github.com/jackc/pgx/v5/Rakefile
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										18
									
								
								vendor/github.com/jackc/pgx/v5/Rakefile
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,18 @@ | ||||
| require "erb" | ||||
|  | ||||
| rule '.go' => '.go.erb' do |task| | ||||
|   erb = ERB.new(File.read(task.source)) | ||||
|   File.write(task.name, "// Do not edit. Generated from #{task.source}\n" + erb.result(binding)) | ||||
|   sh "goimports", "-w", task.name | ||||
| end | ||||
|  | ||||
| generated_code_files = [ | ||||
|   "pgtype/int.go", | ||||
|   "pgtype/int_test.go", | ||||
|   "pgtype/integration_benchmark_test.go", | ||||
|   "pgtype/zeronull/int.go", | ||||
|   "pgtype/zeronull/int_test.go" | ||||
| ] | ||||
|  | ||||
| desc "Generate code" | ||||
| task generate: generated_code_files | ||||
							
								
								
									
										431
									
								
								vendor/github.com/jackc/pgx/v5/batch.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										431
									
								
								vendor/github.com/jackc/pgx/v5/batch.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,431 @@ | ||||
| package pgx | ||||
|  | ||||
| import ( | ||||
| 	"context" | ||||
| 	"errors" | ||||
| 	"fmt" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/pgconn" | ||||
| ) | ||||
|  | ||||
| // QueuedQuery is a query that has been queued for execution via a Batch. | ||||
| type QueuedQuery struct { | ||||
| 	query     string | ||||
| 	arguments []any | ||||
| 	fn        batchItemFunc | ||||
| 	sd        *pgconn.StatementDescription | ||||
| } | ||||
|  | ||||
| type batchItemFunc func(br BatchResults) error | ||||
|  | ||||
| // Query sets fn to be called when the response to qq is received. | ||||
| func (qq *QueuedQuery) Query(fn func(rows Rows) error) { | ||||
| 	qq.fn = func(br BatchResults) error { | ||||
| 		rows, _ := br.Query() | ||||
| 		defer rows.Close() | ||||
|  | ||||
| 		err := fn(rows) | ||||
| 		if err != nil { | ||||
| 			return err | ||||
| 		} | ||||
| 		rows.Close() | ||||
|  | ||||
| 		return rows.Err() | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // Query sets fn to be called when the response to qq is received. | ||||
| func (qq *QueuedQuery) QueryRow(fn func(row Row) error) { | ||||
| 	qq.fn = func(br BatchResults) error { | ||||
| 		row := br.QueryRow() | ||||
| 		return fn(row) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // Exec sets fn to be called when the response to qq is received. | ||||
| func (qq *QueuedQuery) Exec(fn func(ct pgconn.CommandTag) error) { | ||||
| 	qq.fn = func(br BatchResults) error { | ||||
| 		ct, err := br.Exec() | ||||
| 		if err != nil { | ||||
| 			return err | ||||
| 		} | ||||
|  | ||||
| 		return fn(ct) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // Batch queries are a way of bundling multiple queries together to avoid | ||||
| // unnecessary network round trips. A Batch must only be sent once. | ||||
| type Batch struct { | ||||
| 	queuedQueries []*QueuedQuery | ||||
| } | ||||
|  | ||||
| // Queue queues a query to batch b. query can be an SQL query or the name of a prepared statement. | ||||
| func (b *Batch) Queue(query string, arguments ...any) *QueuedQuery { | ||||
| 	qq := &QueuedQuery{ | ||||
| 		query:     query, | ||||
| 		arguments: arguments, | ||||
| 	} | ||||
| 	b.queuedQueries = append(b.queuedQueries, qq) | ||||
| 	return qq | ||||
| } | ||||
|  | ||||
| // Len returns number of queries that have been queued so far. | ||||
| func (b *Batch) Len() int { | ||||
| 	return len(b.queuedQueries) | ||||
| } | ||||
|  | ||||
| type BatchResults interface { | ||||
| 	// Exec reads the results from the next query in the batch as if the query has been sent with Conn.Exec. Prefer | ||||
| 	// calling Exec on the QueuedQuery. | ||||
| 	Exec() (pgconn.CommandTag, error) | ||||
|  | ||||
| 	// Query reads the results from the next query in the batch as if the query has been sent with Conn.Query. Prefer | ||||
| 	// calling Query on the QueuedQuery. | ||||
| 	Query() (Rows, error) | ||||
|  | ||||
| 	// QueryRow reads the results from the next query in the batch as if the query has been sent with Conn.QueryRow. | ||||
| 	// Prefer calling QueryRow on the QueuedQuery. | ||||
| 	QueryRow() Row | ||||
|  | ||||
| 	// Close closes the batch operation. All unread results are read and any callback functions registered with | ||||
| 	// QueuedQuery.Query, QueuedQuery.QueryRow, or QueuedQuery.Exec will be called. If a callback function returns an | ||||
| 	// error or the batch encounters an error subsequent callback functions will not be called. | ||||
| 	// | ||||
| 	// Close must be called before the underlying connection can be used again. Any error that occurred during a batch | ||||
| 	// operation may have made it impossible to resyncronize the connection with the server. In this case the underlying | ||||
| 	// connection will have been closed. | ||||
| 	// | ||||
| 	// Close is safe to call multiple times. If it returns an error subsequent calls will return the same error. Callback | ||||
| 	// functions will not be rerun. | ||||
| 	Close() error | ||||
| } | ||||
|  | ||||
| type batchResults struct { | ||||
| 	ctx       context.Context | ||||
| 	conn      *Conn | ||||
| 	mrr       *pgconn.MultiResultReader | ||||
| 	err       error | ||||
| 	b         *Batch | ||||
| 	qqIdx     int | ||||
| 	closed    bool | ||||
| 	endTraced bool | ||||
| } | ||||
|  | ||||
| // Exec reads the results from the next query in the batch as if the query has been sent with Exec. | ||||
| func (br *batchResults) Exec() (pgconn.CommandTag, error) { | ||||
| 	if br.err != nil { | ||||
| 		return pgconn.CommandTag{}, br.err | ||||
| 	} | ||||
| 	if br.closed { | ||||
| 		return pgconn.CommandTag{}, fmt.Errorf("batch already closed") | ||||
| 	} | ||||
|  | ||||
| 	query, arguments, _ := br.nextQueryAndArgs() | ||||
|  | ||||
| 	if !br.mrr.NextResult() { | ||||
| 		err := br.mrr.Close() | ||||
| 		if err == nil { | ||||
| 			err = errors.New("no result") | ||||
| 		} | ||||
| 		if br.conn.batchTracer != nil { | ||||
| 			br.conn.batchTracer.TraceBatchQuery(br.ctx, br.conn, TraceBatchQueryData{ | ||||
| 				SQL:  query, | ||||
| 				Args: arguments, | ||||
| 				Err:  err, | ||||
| 			}) | ||||
| 		} | ||||
| 		return pgconn.CommandTag{}, err | ||||
| 	} | ||||
|  | ||||
| 	commandTag, err := br.mrr.ResultReader().Close() | ||||
| 	if err != nil { | ||||
| 		br.err = err | ||||
| 		br.mrr.Close() | ||||
| 	} | ||||
|  | ||||
| 	if br.conn.batchTracer != nil { | ||||
| 		br.conn.batchTracer.TraceBatchQuery(br.ctx, br.conn, TraceBatchQueryData{ | ||||
| 			SQL:        query, | ||||
| 			Args:       arguments, | ||||
| 			CommandTag: commandTag, | ||||
| 			Err:        br.err, | ||||
| 		}) | ||||
| 	} | ||||
|  | ||||
| 	return commandTag, br.err | ||||
| } | ||||
|  | ||||
| // Query reads the results from the next query in the batch as if the query has been sent with Query. | ||||
| func (br *batchResults) Query() (Rows, error) { | ||||
| 	query, arguments, ok := br.nextQueryAndArgs() | ||||
| 	if !ok { | ||||
| 		query = "batch query" | ||||
| 	} | ||||
|  | ||||
| 	if br.err != nil { | ||||
| 		return &baseRows{err: br.err, closed: true}, br.err | ||||
| 	} | ||||
|  | ||||
| 	if br.closed { | ||||
| 		alreadyClosedErr := fmt.Errorf("batch already closed") | ||||
| 		return &baseRows{err: alreadyClosedErr, closed: true}, alreadyClosedErr | ||||
| 	} | ||||
|  | ||||
| 	rows := br.conn.getRows(br.ctx, query, arguments) | ||||
| 	rows.batchTracer = br.conn.batchTracer | ||||
|  | ||||
| 	if !br.mrr.NextResult() { | ||||
| 		rows.err = br.mrr.Close() | ||||
| 		if rows.err == nil { | ||||
| 			rows.err = errors.New("no result") | ||||
| 		} | ||||
| 		rows.closed = true | ||||
|  | ||||
| 		if br.conn.batchTracer != nil { | ||||
| 			br.conn.batchTracer.TraceBatchQuery(br.ctx, br.conn, TraceBatchQueryData{ | ||||
| 				SQL:  query, | ||||
| 				Args: arguments, | ||||
| 				Err:  rows.err, | ||||
| 			}) | ||||
| 		} | ||||
|  | ||||
| 		return rows, rows.err | ||||
| 	} | ||||
|  | ||||
| 	rows.resultReader = br.mrr.ResultReader() | ||||
| 	return rows, nil | ||||
| } | ||||
|  | ||||
| // QueryRow reads the results from the next query in the batch as if the query has been sent with QueryRow. | ||||
| func (br *batchResults) QueryRow() Row { | ||||
| 	rows, _ := br.Query() | ||||
| 	return (*connRow)(rows.(*baseRows)) | ||||
|  | ||||
| } | ||||
|  | ||||
| // Close closes the batch operation. Any error that occurred during a batch operation may have made it impossible to | ||||
| // resyncronize the connection with the server. In this case the underlying connection will have been closed. | ||||
| func (br *batchResults) Close() error { | ||||
| 	defer func() { | ||||
| 		if !br.endTraced { | ||||
| 			if br.conn != nil && br.conn.batchTracer != nil { | ||||
| 				br.conn.batchTracer.TraceBatchEnd(br.ctx, br.conn, TraceBatchEndData{Err: br.err}) | ||||
| 			} | ||||
| 			br.endTraced = true | ||||
| 		} | ||||
| 	}() | ||||
|  | ||||
| 	if br.err != nil { | ||||
| 		return br.err | ||||
| 	} | ||||
|  | ||||
| 	if br.closed { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	// Read and run fn for all remaining items | ||||
| 	for br.err == nil && !br.closed && br.b != nil && br.qqIdx < len(br.b.queuedQueries) { | ||||
| 		if br.b.queuedQueries[br.qqIdx].fn != nil { | ||||
| 			err := br.b.queuedQueries[br.qqIdx].fn(br) | ||||
| 			if err != nil { | ||||
| 				br.err = err | ||||
| 			} | ||||
| 		} else { | ||||
| 			br.Exec() | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	br.closed = true | ||||
|  | ||||
| 	err := br.mrr.Close() | ||||
| 	if br.err == nil { | ||||
| 		br.err = err | ||||
| 	} | ||||
|  | ||||
| 	return br.err | ||||
| } | ||||
|  | ||||
| func (br *batchResults) earlyError() error { | ||||
| 	return br.err | ||||
| } | ||||
|  | ||||
| func (br *batchResults) nextQueryAndArgs() (query string, args []any, ok bool) { | ||||
| 	if br.b != nil && br.qqIdx < len(br.b.queuedQueries) { | ||||
| 		bi := br.b.queuedQueries[br.qqIdx] | ||||
| 		query = bi.query | ||||
| 		args = bi.arguments | ||||
| 		ok = true | ||||
| 		br.qqIdx++ | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| type pipelineBatchResults struct { | ||||
| 	ctx       context.Context | ||||
| 	conn      *Conn | ||||
| 	pipeline  *pgconn.Pipeline | ||||
| 	lastRows  *baseRows | ||||
| 	err       error | ||||
| 	b         *Batch | ||||
| 	qqIdx     int | ||||
| 	closed    bool | ||||
| 	endTraced bool | ||||
| } | ||||
|  | ||||
| // Exec reads the results from the next query in the batch as if the query has been sent with Exec. | ||||
| func (br *pipelineBatchResults) Exec() (pgconn.CommandTag, error) { | ||||
| 	if br.err != nil { | ||||
| 		return pgconn.CommandTag{}, br.err | ||||
| 	} | ||||
| 	if br.closed { | ||||
| 		return pgconn.CommandTag{}, fmt.Errorf("batch already closed") | ||||
| 	} | ||||
| 	if br.lastRows != nil && br.lastRows.err != nil { | ||||
| 		return pgconn.CommandTag{}, br.err | ||||
| 	} | ||||
|  | ||||
| 	query, arguments, _ := br.nextQueryAndArgs() | ||||
|  | ||||
| 	results, err := br.pipeline.GetResults() | ||||
| 	if err != nil { | ||||
| 		br.err = err | ||||
| 		return pgconn.CommandTag{}, br.err | ||||
| 	} | ||||
| 	var commandTag pgconn.CommandTag | ||||
| 	switch results := results.(type) { | ||||
| 	case *pgconn.ResultReader: | ||||
| 		commandTag, br.err = results.Close() | ||||
| 	default: | ||||
| 		return pgconn.CommandTag{}, fmt.Errorf("unexpected pipeline result: %T", results) | ||||
| 	} | ||||
|  | ||||
| 	if br.conn.batchTracer != nil { | ||||
| 		br.conn.batchTracer.TraceBatchQuery(br.ctx, br.conn, TraceBatchQueryData{ | ||||
| 			SQL:        query, | ||||
| 			Args:       arguments, | ||||
| 			CommandTag: commandTag, | ||||
| 			Err:        br.err, | ||||
| 		}) | ||||
| 	} | ||||
|  | ||||
| 	return commandTag, br.err | ||||
| } | ||||
|  | ||||
| // Query reads the results from the next query in the batch as if the query has been sent with Query. | ||||
| func (br *pipelineBatchResults) Query() (Rows, error) { | ||||
| 	if br.err != nil { | ||||
| 		return &baseRows{err: br.err, closed: true}, br.err | ||||
| 	} | ||||
|  | ||||
| 	if br.closed { | ||||
| 		alreadyClosedErr := fmt.Errorf("batch already closed") | ||||
| 		return &baseRows{err: alreadyClosedErr, closed: true}, alreadyClosedErr | ||||
| 	} | ||||
|  | ||||
| 	if br.lastRows != nil && br.lastRows.err != nil { | ||||
| 		br.err = br.lastRows.err | ||||
| 		return &baseRows{err: br.err, closed: true}, br.err | ||||
| 	} | ||||
|  | ||||
| 	query, arguments, ok := br.nextQueryAndArgs() | ||||
| 	if !ok { | ||||
| 		query = "batch query" | ||||
| 	} | ||||
|  | ||||
| 	rows := br.conn.getRows(br.ctx, query, arguments) | ||||
| 	rows.batchTracer = br.conn.batchTracer | ||||
| 	br.lastRows = rows | ||||
|  | ||||
| 	results, err := br.pipeline.GetResults() | ||||
| 	if err != nil { | ||||
| 		br.err = err | ||||
| 		rows.err = err | ||||
| 		rows.closed = true | ||||
|  | ||||
| 		if br.conn.batchTracer != nil { | ||||
| 			br.conn.batchTracer.TraceBatchQuery(br.ctx, br.conn, TraceBatchQueryData{ | ||||
| 				SQL:  query, | ||||
| 				Args: arguments, | ||||
| 				Err:  err, | ||||
| 			}) | ||||
| 		} | ||||
| 	} else { | ||||
| 		switch results := results.(type) { | ||||
| 		case *pgconn.ResultReader: | ||||
| 			rows.resultReader = results | ||||
| 		default: | ||||
| 			err = fmt.Errorf("unexpected pipeline result: %T", results) | ||||
| 			br.err = err | ||||
| 			rows.err = err | ||||
| 			rows.closed = true | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	return rows, rows.err | ||||
| } | ||||
|  | ||||
| // QueryRow reads the results from the next query in the batch as if the query has been sent with QueryRow. | ||||
| func (br *pipelineBatchResults) QueryRow() Row { | ||||
| 	rows, _ := br.Query() | ||||
| 	return (*connRow)(rows.(*baseRows)) | ||||
|  | ||||
| } | ||||
|  | ||||
| // Close closes the batch operation. Any error that occurred during a batch operation may have made it impossible to | ||||
| // resyncronize the connection with the server. In this case the underlying connection will have been closed. | ||||
| func (br *pipelineBatchResults) Close() error { | ||||
| 	defer func() { | ||||
| 		if !br.endTraced { | ||||
| 			if br.conn.batchTracer != nil { | ||||
| 				br.conn.batchTracer.TraceBatchEnd(br.ctx, br.conn, TraceBatchEndData{Err: br.err}) | ||||
| 			} | ||||
| 			br.endTraced = true | ||||
| 		} | ||||
| 	}() | ||||
|  | ||||
| 	if br.err == nil && br.lastRows != nil && br.lastRows.err != nil { | ||||
| 		br.err = br.lastRows.err | ||||
| 		return br.err | ||||
| 	} | ||||
|  | ||||
| 	if br.closed { | ||||
| 		return br.err | ||||
| 	} | ||||
|  | ||||
| 	// Read and run fn for all remaining items | ||||
| 	for br.err == nil && !br.closed && br.b != nil && br.qqIdx < len(br.b.queuedQueries) { | ||||
| 		if br.b.queuedQueries[br.qqIdx].fn != nil { | ||||
| 			err := br.b.queuedQueries[br.qqIdx].fn(br) | ||||
| 			if err != nil { | ||||
| 				br.err = err | ||||
| 			} | ||||
| 		} else { | ||||
| 			br.Exec() | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	br.closed = true | ||||
|  | ||||
| 	err := br.pipeline.Close() | ||||
| 	if br.err == nil { | ||||
| 		br.err = err | ||||
| 	} | ||||
|  | ||||
| 	return br.err | ||||
| } | ||||
|  | ||||
| func (br *pipelineBatchResults) earlyError() error { | ||||
| 	return br.err | ||||
| } | ||||
|  | ||||
| func (br *pipelineBatchResults) nextQueryAndArgs() (query string, args []any, ok bool) { | ||||
| 	if br.b != nil && br.qqIdx < len(br.b.queuedQueries) { | ||||
| 		bi := br.b.queuedQueries[br.qqIdx] | ||||
| 		query = bi.query | ||||
| 		args = bi.arguments | ||||
| 		ok = true | ||||
| 		br.qqIdx++ | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
							
								
								
									
										1346
									
								
								vendor/github.com/jackc/pgx/v5/conn.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										1346
									
								
								vendor/github.com/jackc/pgx/v5/conn.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
										
											
												File diff suppressed because it is too large
												Load Diff
											
										
									
								
							
							
								
								
									
										249
									
								
								vendor/github.com/jackc/pgx/v5/copy_from.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										249
									
								
								vendor/github.com/jackc/pgx/v5/copy_from.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,249 @@ | ||||
| package pgx | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"context" | ||||
| 	"fmt" | ||||
| 	"io" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| 	"github.com/jackc/pgx/v5/pgconn" | ||||
| ) | ||||
|  | ||||
| // CopyFromRows returns a CopyFromSource interface over the provided rows slice | ||||
| // making it usable by *Conn.CopyFrom. | ||||
| func CopyFromRows(rows [][]any) CopyFromSource { | ||||
| 	return ©FromRows{rows: rows, idx: -1} | ||||
| } | ||||
|  | ||||
| type copyFromRows struct { | ||||
| 	rows [][]any | ||||
| 	idx  int | ||||
| } | ||||
|  | ||||
| func (ctr *copyFromRows) Next() bool { | ||||
| 	ctr.idx++ | ||||
| 	return ctr.idx < len(ctr.rows) | ||||
| } | ||||
|  | ||||
| func (ctr *copyFromRows) Values() ([]any, error) { | ||||
| 	return ctr.rows[ctr.idx], nil | ||||
| } | ||||
|  | ||||
| func (ctr *copyFromRows) Err() error { | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // CopyFromSlice returns a CopyFromSource interface over a dynamic func | ||||
| // making it usable by *Conn.CopyFrom. | ||||
| func CopyFromSlice(length int, next func(int) ([]any, error)) CopyFromSource { | ||||
| 	return ©FromSlice{next: next, idx: -1, len: length} | ||||
| } | ||||
|  | ||||
| type copyFromSlice struct { | ||||
| 	next func(int) ([]any, error) | ||||
| 	idx  int | ||||
| 	len  int | ||||
| 	err  error | ||||
| } | ||||
|  | ||||
| func (cts *copyFromSlice) Next() bool { | ||||
| 	cts.idx++ | ||||
| 	return cts.idx < cts.len | ||||
| } | ||||
|  | ||||
| func (cts *copyFromSlice) Values() ([]any, error) { | ||||
| 	values, err := cts.next(cts.idx) | ||||
| 	if err != nil { | ||||
| 		cts.err = err | ||||
| 	} | ||||
| 	return values, err | ||||
| } | ||||
|  | ||||
| func (cts *copyFromSlice) Err() error { | ||||
| 	return cts.err | ||||
| } | ||||
|  | ||||
| // CopyFromSource is the interface used by *Conn.CopyFrom as the source for copy data. | ||||
| type CopyFromSource interface { | ||||
| 	// Next returns true if there is another row and makes the next row data | ||||
| 	// available to Values(). When there are no more rows available or an error | ||||
| 	// has occurred it returns false. | ||||
| 	Next() bool | ||||
|  | ||||
| 	// Values returns the values for the current row. | ||||
| 	Values() ([]any, error) | ||||
|  | ||||
| 	// Err returns any error that has been encountered by the CopyFromSource. If | ||||
| 	// this is not nil *Conn.CopyFrom will abort the copy. | ||||
| 	Err() error | ||||
| } | ||||
|  | ||||
| type copyFrom struct { | ||||
| 	conn          *Conn | ||||
| 	tableName     Identifier | ||||
| 	columnNames   []string | ||||
| 	rowSrc        CopyFromSource | ||||
| 	readerErrChan chan error | ||||
| 	mode          QueryExecMode | ||||
| } | ||||
|  | ||||
| func (ct *copyFrom) run(ctx context.Context) (int64, error) { | ||||
| 	if ct.conn.copyFromTracer != nil { | ||||
| 		ctx = ct.conn.copyFromTracer.TraceCopyFromStart(ctx, ct.conn, TraceCopyFromStartData{ | ||||
| 			TableName:   ct.tableName, | ||||
| 			ColumnNames: ct.columnNames, | ||||
| 		}) | ||||
| 	} | ||||
|  | ||||
| 	quotedTableName := ct.tableName.Sanitize() | ||||
| 	cbuf := &bytes.Buffer{} | ||||
| 	for i, cn := range ct.columnNames { | ||||
| 		if i != 0 { | ||||
| 			cbuf.WriteString(", ") | ||||
| 		} | ||||
| 		cbuf.WriteString(quoteIdentifier(cn)) | ||||
| 	} | ||||
| 	quotedColumnNames := cbuf.String() | ||||
|  | ||||
| 	var sd *pgconn.StatementDescription | ||||
| 	switch ct.mode { | ||||
| 	case QueryExecModeExec, QueryExecModeSimpleProtocol: | ||||
| 		// These modes don't support the binary format. Before the inclusion of the | ||||
| 		// QueryExecModes, Conn.Prepare was called on every COPY operation to get | ||||
| 		// the OIDs. These prepared statements were not cached. | ||||
| 		// | ||||
| 		// Since that's the same behavior provided by QueryExecModeDescribeExec, | ||||
| 		// we'll default to that mode. | ||||
| 		ct.mode = QueryExecModeDescribeExec | ||||
| 		fallthrough | ||||
| 	case QueryExecModeCacheStatement, QueryExecModeCacheDescribe, QueryExecModeDescribeExec: | ||||
| 		var err error | ||||
| 		sd, err = ct.conn.getStatementDescription( | ||||
| 			ctx, | ||||
| 			ct.mode, | ||||
| 			fmt.Sprintf("select %s from %s", quotedColumnNames, quotedTableName), | ||||
| 		) | ||||
| 		if err != nil { | ||||
| 			return 0, fmt.Errorf("statement description failed: %w", err) | ||||
| 		} | ||||
| 	default: | ||||
| 		return 0, fmt.Errorf("unknown QueryExecMode: %v", ct.mode) | ||||
| 	} | ||||
|  | ||||
| 	r, w := io.Pipe() | ||||
| 	doneChan := make(chan struct{}) | ||||
|  | ||||
| 	go func() { | ||||
| 		defer close(doneChan) | ||||
|  | ||||
| 		// Purposely NOT using defer w.Close(). See https://github.com/golang/go/issues/24283. | ||||
| 		buf := ct.conn.wbuf | ||||
|  | ||||
| 		buf = append(buf, "PGCOPY\n\377\r\n\000"...) | ||||
| 		buf = pgio.AppendInt32(buf, 0) | ||||
| 		buf = pgio.AppendInt32(buf, 0) | ||||
|  | ||||
| 		moreRows := true | ||||
| 		for moreRows { | ||||
| 			var err error | ||||
| 			moreRows, buf, err = ct.buildCopyBuf(buf, sd) | ||||
| 			if err != nil { | ||||
| 				w.CloseWithError(err) | ||||
| 				return | ||||
| 			} | ||||
|  | ||||
| 			if ct.rowSrc.Err() != nil { | ||||
| 				w.CloseWithError(ct.rowSrc.Err()) | ||||
| 				return | ||||
| 			} | ||||
|  | ||||
| 			if len(buf) > 0 { | ||||
| 				_, err = w.Write(buf) | ||||
| 				if err != nil { | ||||
| 					w.Close() | ||||
| 					return | ||||
| 				} | ||||
| 			} | ||||
|  | ||||
| 			buf = buf[:0] | ||||
| 		} | ||||
|  | ||||
| 		w.Close() | ||||
| 	}() | ||||
|  | ||||
| 	commandTag, err := ct.conn.pgConn.CopyFrom(ctx, r, fmt.Sprintf("copy %s ( %s ) from stdin binary;", quotedTableName, quotedColumnNames)) | ||||
|  | ||||
| 	r.Close() | ||||
| 	<-doneChan | ||||
|  | ||||
| 	if ct.conn.copyFromTracer != nil { | ||||
| 		ct.conn.copyFromTracer.TraceCopyFromEnd(ctx, ct.conn, TraceCopyFromEndData{ | ||||
| 			CommandTag: commandTag, | ||||
| 			Err:        err, | ||||
| 		}) | ||||
| 	} | ||||
|  | ||||
| 	return commandTag.RowsAffected(), err | ||||
| } | ||||
|  | ||||
| func (ct *copyFrom) buildCopyBuf(buf []byte, sd *pgconn.StatementDescription) (bool, []byte, error) { | ||||
| 	const sendBufSize = 65536 - 5 // The packet has a 5-byte header | ||||
| 	lastBufLen := 0 | ||||
| 	largestRowLen := 0 | ||||
|  | ||||
| 	for ct.rowSrc.Next() { | ||||
| 		lastBufLen = len(buf) | ||||
|  | ||||
| 		values, err := ct.rowSrc.Values() | ||||
| 		if err != nil { | ||||
| 			return false, nil, err | ||||
| 		} | ||||
| 		if len(values) != len(ct.columnNames) { | ||||
| 			return false, nil, fmt.Errorf("expected %d values, got %d values", len(ct.columnNames), len(values)) | ||||
| 		} | ||||
|  | ||||
| 		buf = pgio.AppendInt16(buf, int16(len(ct.columnNames))) | ||||
| 		for i, val := range values { | ||||
| 			buf, err = encodeCopyValue(ct.conn.typeMap, buf, sd.Fields[i].DataTypeOID, val) | ||||
| 			if err != nil { | ||||
| 				return false, nil, err | ||||
| 			} | ||||
| 		} | ||||
|  | ||||
| 		rowLen := len(buf) - lastBufLen | ||||
| 		if rowLen > largestRowLen { | ||||
| 			largestRowLen = rowLen | ||||
| 		} | ||||
|  | ||||
| 		// Try not to overflow size of the buffer PgConn.CopyFrom will be reading into. If that happens then the nature of | ||||
| 		// io.Pipe means that the next Read will be short. This can lead to pathological send sizes such as 65531, 13, 65531 | ||||
| 		// 13, 65531, 13, 65531, 13. | ||||
| 		if len(buf) > sendBufSize-largestRowLen { | ||||
| 			return true, buf, nil | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	return false, buf, nil | ||||
| } | ||||
|  | ||||
| // CopyFrom uses the PostgreSQL copy protocol to perform bulk data insertion. It returns the number of rows copied and | ||||
| // an error. | ||||
| // | ||||
| // CopyFrom requires all values use the binary format. A pgtype.Type that supports the binary format must be registered | ||||
| // for the type of each column. Almost all types implemented by pgx support the binary format. | ||||
| // | ||||
| // Even though enum types appear to be strings they still must be registered to use with CopyFrom. This can be done with | ||||
| // Conn.LoadType and pgtype.Map.RegisterType. | ||||
| func (c *Conn) CopyFrom(ctx context.Context, tableName Identifier, columnNames []string, rowSrc CopyFromSource) (int64, error) { | ||||
| 	ct := ©From{ | ||||
| 		conn:          c, | ||||
| 		tableName:     tableName, | ||||
| 		columnNames:   columnNames, | ||||
| 		rowSrc:        rowSrc, | ||||
| 		readerErrChan: make(chan error), | ||||
| 		mode:          c.config.DefaultQueryExecMode, | ||||
| 	} | ||||
|  | ||||
| 	return ct.run(ctx) | ||||
| } | ||||
							
								
								
									
										193
									
								
								vendor/github.com/jackc/pgx/v5/doc.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										193
									
								
								vendor/github.com/jackc/pgx/v5/doc.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,193 @@ | ||||
| // Package pgx is a PostgreSQL database driver. | ||||
| /* | ||||
| pgx provides a native PostgreSQL driver and can act as a database/sql driver. The native PostgreSQL interface is similar | ||||
| to the database/sql interface while providing better speed and access to PostgreSQL specific features. Use | ||||
| github.com/jackc/pgx/v5/stdlib to use pgx as a database/sql compatible driver. See that package's documentation for | ||||
| details. | ||||
|  | ||||
| Establishing a Connection | ||||
|  | ||||
| The primary way of establishing a connection is with [pgx.Connect]: | ||||
|  | ||||
|     conn, err := pgx.Connect(context.Background(), os.Getenv("DATABASE_URL")) | ||||
|  | ||||
| The database connection string can be in URL or DSN format. Both PostgreSQL settings and pgx settings can be specified | ||||
| here. In addition, a config struct can be created by [ParseConfig] and modified before establishing the connection with | ||||
| [ConnectConfig] to configure settings such as tracing that cannot be configured with a connection string. | ||||
|  | ||||
| Connection Pool | ||||
|  | ||||
| [*pgx.Conn] represents a single connection to the database and is not concurrency safe. Use package | ||||
| github.com/jackc/pgx/v5/pgxpool for a concurrency safe connection pool. | ||||
|  | ||||
| Query Interface | ||||
|  | ||||
| pgx implements Query in the familiar database/sql style. However, pgx provides generic functions such as CollectRows and | ||||
| ForEachRow that are a simpler and safer way of processing rows than manually calling rows.Next(), rows.Scan, and | ||||
| rows.Err(). | ||||
|  | ||||
| CollectRows can be used collect all returned rows into a slice. | ||||
|  | ||||
|     rows, _ := conn.Query(context.Background(), "select generate_series(1,$1)", 5) | ||||
|     numbers, err := pgx.CollectRows(rows, pgx.RowTo[int32]) | ||||
|     if err != nil { | ||||
|       return err | ||||
|     } | ||||
|     // numbers => [1 2 3 4 5] | ||||
|  | ||||
| ForEachRow can be used to execute a callback function for every row. This is often easier than iterating over rows | ||||
| directly. | ||||
|  | ||||
|     var sum, n int32 | ||||
|     rows, _ := conn.Query(context.Background(), "select generate_series(1,$1)", 10) | ||||
|     _, err := pgx.ForEachRow(rows, []any{&n}, func() error { | ||||
|       sum += n | ||||
|       return nil | ||||
|     }) | ||||
|     if err != nil { | ||||
|       return err | ||||
|     } | ||||
|  | ||||
| pgx also implements QueryRow in the same style as database/sql. | ||||
|  | ||||
|     var name string | ||||
|     var weight int64 | ||||
|     err := conn.QueryRow(context.Background(), "select name, weight from widgets where id=$1", 42).Scan(&name, &weight) | ||||
|     if err != nil { | ||||
|         return err | ||||
|     } | ||||
|  | ||||
| Use Exec to execute a query that does not return a result set. | ||||
|  | ||||
|     commandTag, err := conn.Exec(context.Background(), "delete from widgets where id=$1", 42) | ||||
|     if err != nil { | ||||
|         return err | ||||
|     } | ||||
|     if commandTag.RowsAffected() != 1 { | ||||
|         return errors.New("No row found to delete") | ||||
|     } | ||||
|  | ||||
| PostgreSQL Data Types | ||||
|  | ||||
| pgx uses the pgtype package to converting Go values to and from PostgreSQL values. It supports many PostgreSQL types | ||||
| directly and is customizable and extendable. User defined data types such as enums, domains,  and composite types may | ||||
| require type registration. See that package's documentation for details. | ||||
|  | ||||
| Transactions | ||||
|  | ||||
| Transactions are started by calling Begin. | ||||
|  | ||||
|     tx, err := conn.Begin(context.Background()) | ||||
|     if err != nil { | ||||
|         return err | ||||
|     } | ||||
|     // Rollback is safe to call even if the tx is already closed, so if | ||||
|     // the tx commits successfully, this is a no-op | ||||
|     defer tx.Rollback(context.Background()) | ||||
|  | ||||
|     _, err = tx.Exec(context.Background(), "insert into foo(id) values (1)") | ||||
|     if err != nil { | ||||
|         return err | ||||
|     } | ||||
|  | ||||
|     err = tx.Commit(context.Background()) | ||||
|     if err != nil { | ||||
|         return err | ||||
|     } | ||||
|  | ||||
| The Tx returned from Begin also implements the Begin method. This can be used to implement pseudo nested transactions. | ||||
| These are internally implemented with savepoints. | ||||
|  | ||||
| Use BeginTx to control the transaction mode. BeginTx also can be used to ensure a new transaction is created instead of | ||||
| a pseudo nested transaction. | ||||
|  | ||||
| BeginFunc and BeginTxFunc are functions that begin a transaction, execute a function, and commit or rollback the | ||||
| transaction depending on the return value of the function. These can be simpler and less error prone to use. | ||||
|  | ||||
|     err = pgx.BeginFunc(context.Background(), conn, func(tx pgx.Tx) error { | ||||
|         _, err := tx.Exec(context.Background(), "insert into foo(id) values (1)") | ||||
|         return err | ||||
|     }) | ||||
|     if err != nil { | ||||
|         return err | ||||
|     } | ||||
|  | ||||
| Prepared Statements | ||||
|  | ||||
| Prepared statements can be manually created with the Prepare method. However, this is rarely necessary because pgx | ||||
| includes an automatic statement cache by default. Queries run through the normal Query, QueryRow, and Exec functions are | ||||
| automatically prepared on first execution and the prepared statement is reused on subsequent executions. See ParseConfig | ||||
| for information on how to customize or disable the statement cache. | ||||
|  | ||||
| Copy Protocol | ||||
|  | ||||
| Use CopyFrom to efficiently insert multiple rows at a time using the PostgreSQL copy protocol. CopyFrom accepts a | ||||
| CopyFromSource interface. If the data is already in a [][]any use CopyFromRows to wrap it in a CopyFromSource interface. | ||||
| Or implement CopyFromSource to avoid buffering the entire data set in memory. | ||||
|  | ||||
|     rows := [][]any{ | ||||
|         {"John", "Smith", int32(36)}, | ||||
|         {"Jane", "Doe", int32(29)}, | ||||
|     } | ||||
|  | ||||
|     copyCount, err := conn.CopyFrom( | ||||
|         context.Background(), | ||||
|         pgx.Identifier{"people"}, | ||||
|         []string{"first_name", "last_name", "age"}, | ||||
|         pgx.CopyFromRows(rows), | ||||
|     ) | ||||
|  | ||||
| When you already have a typed array using CopyFromSlice can be more convenient. | ||||
|  | ||||
|     rows := []User{ | ||||
|         {"John", "Smith", 36}, | ||||
|         {"Jane", "Doe", 29}, | ||||
|     } | ||||
|  | ||||
|     copyCount, err := conn.CopyFrom( | ||||
|         context.Background(), | ||||
|         pgx.Identifier{"people"}, | ||||
|         []string{"first_name", "last_name", "age"}, | ||||
|         pgx.CopyFromSlice(len(rows), func(i int) ([]any, error) { | ||||
|             return []any{rows[i].FirstName, rows[i].LastName, rows[i].Age}, nil | ||||
|         }), | ||||
|     ) | ||||
|  | ||||
| CopyFrom can be faster than an insert with as few as 5 rows. | ||||
|  | ||||
| Listen and Notify | ||||
|  | ||||
| pgx can listen to the PostgreSQL notification system with the `Conn.WaitForNotification` method. It blocks until a | ||||
| notification is received or the context is canceled. | ||||
|  | ||||
|     _, err := conn.Exec(context.Background(), "listen channelname") | ||||
|     if err != nil { | ||||
|         return err | ||||
|     } | ||||
|  | ||||
|     notification, err := conn.WaitForNotification(context.Background()) | ||||
|     if err != nil { | ||||
|         return err | ||||
|     } | ||||
|     // do something with notification | ||||
|  | ||||
|  | ||||
| Tracing and Logging | ||||
|  | ||||
| pgx supports tracing by setting ConnConfig.Tracer. | ||||
|  | ||||
| In addition, the tracelog package provides the TraceLog type which lets a traditional logger act as a Tracer. | ||||
|  | ||||
| For debug tracing of the actual PostgreSQL wire protocol messages see github.com/jackc/pgx/v5/pgproto3. | ||||
|  | ||||
| Lower Level PostgreSQL Functionality | ||||
|  | ||||
| github.com/jackc/pgx/v5/pgconn contains a lower level PostgreSQL driver roughly at the level of libpq. pgx.Conn in | ||||
| implemented on top of pgconn. The Conn.PgConn() method can be used to access this lower layer. | ||||
|  | ||||
| PgBouncer | ||||
|  | ||||
| By default pgx automatically uses prepared statements. Prepared statements are incompaptible with PgBouncer. This can be | ||||
| disabled by setting a different QueryExecMode in ConnConfig.DefaultQueryExecMode. | ||||
| */ | ||||
| package pgx | ||||
							
								
								
									
										218
									
								
								vendor/github.com/jackc/pgx/v5/extended_query_builder.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										218
									
								
								vendor/github.com/jackc/pgx/v5/extended_query_builder.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,218 @@ | ||||
| package pgx | ||||
|  | ||||
| import ( | ||||
| 	"database/sql/driver" | ||||
| 	"fmt" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/anynil" | ||||
| 	"github.com/jackc/pgx/v5/pgconn" | ||||
| 	"github.com/jackc/pgx/v5/pgtype" | ||||
| ) | ||||
|  | ||||
| // ExtendedQueryBuilder is used to choose the parameter formats, to format the parameters and to choose the result | ||||
| // formats for an extended query. | ||||
| type ExtendedQueryBuilder struct { | ||||
| 	ParamValues     [][]byte | ||||
| 	paramValueBytes []byte | ||||
| 	ParamFormats    []int16 | ||||
| 	ResultFormats   []int16 | ||||
| } | ||||
|  | ||||
| // Build sets ParamValues, ParamFormats, and ResultFormats for use with *PgConn.ExecParams or *PgConn.ExecPrepared. If | ||||
| // sd is nil then QueryExecModeExec behavior will be used. | ||||
| func (eqb *ExtendedQueryBuilder) Build(m *pgtype.Map, sd *pgconn.StatementDescription, args []any) error { | ||||
| 	eqb.reset() | ||||
|  | ||||
| 	anynil.NormalizeSlice(args) | ||||
|  | ||||
| 	if sd == nil { | ||||
| 		return eqb.appendParamsForQueryExecModeExec(m, args) | ||||
| 	} | ||||
|  | ||||
| 	if len(sd.ParamOIDs) != len(args) { | ||||
| 		return fmt.Errorf("mismatched param and argument count") | ||||
| 	} | ||||
|  | ||||
| 	for i := range args { | ||||
| 		err := eqb.appendParam(m, sd.ParamOIDs[i], -1, args[i]) | ||||
| 		if err != nil { | ||||
| 			err = fmt.Errorf("failed to encode args[%d]: %v", i, err) | ||||
| 			return err | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	for i := range sd.Fields { | ||||
| 		eqb.appendResultFormat(m.FormatCodeForOID(sd.Fields[i].DataTypeOID)) | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // appendParam appends a parameter to the query. format may be -1 to automatically choose the format. If arg is nil it | ||||
| // must be an untyped nil. | ||||
| func (eqb *ExtendedQueryBuilder) appendParam(m *pgtype.Map, oid uint32, format int16, arg any) error { | ||||
| 	if format == -1 { | ||||
| 		preferredFormat := eqb.chooseParameterFormatCode(m, oid, arg) | ||||
| 		preferredErr := eqb.appendParam(m, oid, preferredFormat, arg) | ||||
| 		if preferredErr == nil { | ||||
| 			return nil | ||||
| 		} | ||||
|  | ||||
| 		var otherFormat int16 | ||||
| 		if preferredFormat == TextFormatCode { | ||||
| 			otherFormat = BinaryFormatCode | ||||
| 		} else { | ||||
| 			otherFormat = TextFormatCode | ||||
| 		} | ||||
|  | ||||
| 		otherErr := eqb.appendParam(m, oid, otherFormat, arg) | ||||
| 		if otherErr == nil { | ||||
| 			return nil | ||||
| 		} | ||||
|  | ||||
| 		return preferredErr // return the error from the preferred format | ||||
| 	} | ||||
|  | ||||
| 	v, err := eqb.encodeExtendedParamValue(m, oid, format, arg) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	eqb.ParamFormats = append(eqb.ParamFormats, format) | ||||
| 	eqb.ParamValues = append(eqb.ParamValues, v) | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // appendResultFormat appends a result format to the query. | ||||
| func (eqb *ExtendedQueryBuilder) appendResultFormat(format int16) { | ||||
| 	eqb.ResultFormats = append(eqb.ResultFormats, format) | ||||
| } | ||||
|  | ||||
| // reset readies eqb to build another query. | ||||
| func (eqb *ExtendedQueryBuilder) reset() { | ||||
| 	eqb.ParamValues = eqb.ParamValues[0:0] | ||||
| 	eqb.paramValueBytes = eqb.paramValueBytes[0:0] | ||||
| 	eqb.ParamFormats = eqb.ParamFormats[0:0] | ||||
| 	eqb.ResultFormats = eqb.ResultFormats[0:0] | ||||
|  | ||||
| 	if cap(eqb.ParamValues) > 64 { | ||||
| 		eqb.ParamValues = make([][]byte, 0, 64) | ||||
| 	} | ||||
|  | ||||
| 	if cap(eqb.paramValueBytes) > 256 { | ||||
| 		eqb.paramValueBytes = make([]byte, 0, 256) | ||||
| 	} | ||||
|  | ||||
| 	if cap(eqb.ParamFormats) > 64 { | ||||
| 		eqb.ParamFormats = make([]int16, 0, 64) | ||||
| 	} | ||||
| 	if cap(eqb.ResultFormats) > 64 { | ||||
| 		eqb.ResultFormats = make([]int16, 0, 64) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func (eqb *ExtendedQueryBuilder) encodeExtendedParamValue(m *pgtype.Map, oid uint32, formatCode int16, arg any) ([]byte, error) { | ||||
| 	if anynil.Is(arg) { | ||||
| 		return nil, nil | ||||
| 	} | ||||
|  | ||||
| 	if eqb.paramValueBytes == nil { | ||||
| 		eqb.paramValueBytes = make([]byte, 0, 128) | ||||
| 	} | ||||
|  | ||||
| 	pos := len(eqb.paramValueBytes) | ||||
|  | ||||
| 	buf, err := m.Encode(oid, formatCode, arg, eqb.paramValueBytes) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	if buf == nil { | ||||
| 		return nil, nil | ||||
| 	} | ||||
| 	eqb.paramValueBytes = buf | ||||
| 	return eqb.paramValueBytes[pos:], nil | ||||
| } | ||||
|  | ||||
| // chooseParameterFormatCode determines the correct format code for an | ||||
| // argument to a prepared statement. It defaults to TextFormatCode if no | ||||
| // determination can be made. | ||||
| func (eqb *ExtendedQueryBuilder) chooseParameterFormatCode(m *pgtype.Map, oid uint32, arg any) int16 { | ||||
| 	switch arg.(type) { | ||||
| 	case string, *string: | ||||
| 		return TextFormatCode | ||||
| 	} | ||||
|  | ||||
| 	return m.FormatCodeForOID(oid) | ||||
| } | ||||
|  | ||||
| // appendParamsForQueryExecModeExec appends the args to eqb. | ||||
| // | ||||
| // Parameters must be encoded in the text format because of differences in type conversion between timestamps and | ||||
| // dates. In QueryExecModeExec we don't know what the actual PostgreSQL type is. To determine the type we use the | ||||
| // Go type to OID type mapping registered by RegisterDefaultPgType. However, the Go time.Time represents both | ||||
| // PostgreSQL timestamp[tz] and date. To use the binary format we would need to also specify what the PostgreSQL | ||||
| // type OID is. But that would mean telling PostgreSQL that we have sent a timestamp[tz] when what is needed is a date. | ||||
| // This means that the value is converted from text to timestamp[tz] to date. This means it does a time zone conversion | ||||
| // before converting it to date. This means that dates can be shifted by one day. In text format without that double | ||||
| // type conversion it takes the date directly and ignores time zone (i.e. it works). | ||||
| // | ||||
| // Given that the whole point of QueryExecModeExec is to operate without having to know the PostgreSQL types there is | ||||
| // no way to safely use binary or to specify the parameter OIDs. | ||||
| func (eqb *ExtendedQueryBuilder) appendParamsForQueryExecModeExec(m *pgtype.Map, args []any) error { | ||||
| 	for _, arg := range args { | ||||
| 		if arg == nil { | ||||
| 			err := eqb.appendParam(m, 0, TextFormatCode, arg) | ||||
| 			if err != nil { | ||||
| 				return err | ||||
| 			} | ||||
| 		} else { | ||||
| 			dt, ok := m.TypeForValue(arg) | ||||
| 			if !ok { | ||||
| 				var tv pgtype.TextValuer | ||||
| 				if tv, ok = arg.(pgtype.TextValuer); ok { | ||||
| 					t, err := tv.TextValue() | ||||
| 					if err != nil { | ||||
| 						return err | ||||
| 					} | ||||
|  | ||||
| 					dt, ok = m.TypeForOID(pgtype.TextOID) | ||||
| 					if ok { | ||||
| 						arg = t | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 			if !ok { | ||||
| 				var dv driver.Valuer | ||||
| 				if dv, ok = arg.(driver.Valuer); ok { | ||||
| 					v, err := dv.Value() | ||||
| 					if err != nil { | ||||
| 						return err | ||||
| 					} | ||||
| 					dt, ok = m.TypeForValue(v) | ||||
| 					if ok { | ||||
| 						arg = v | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 			if !ok { | ||||
| 				var str fmt.Stringer | ||||
| 				if str, ok = arg.(fmt.Stringer); ok { | ||||
| 					dt, ok = m.TypeForOID(pgtype.TextOID) | ||||
| 					if ok { | ||||
| 						arg = str.String() | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 			if !ok { | ||||
| 				return &unknownArgumentTypeQueryExecModeExecError{arg: arg} | ||||
| 			} | ||||
| 			err := eqb.appendParam(m, dt.OID, TextFormatCode, arg) | ||||
| 			if err != nil { | ||||
| 				return err | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										36
									
								
								vendor/github.com/jackc/pgx/v5/internal/anynil/anynil.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										36
									
								
								vendor/github.com/jackc/pgx/v5/internal/anynil/anynil.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,36 @@ | ||||
| package anynil | ||||
|  | ||||
| import "reflect" | ||||
|  | ||||
| // Is returns true if value is any type of nil. e.g. nil or []byte(nil). | ||||
| func Is(value any) bool { | ||||
| 	if value == nil { | ||||
| 		return true | ||||
| 	} | ||||
|  | ||||
| 	refVal := reflect.ValueOf(value) | ||||
| 	switch refVal.Kind() { | ||||
| 	case reflect.Chan, reflect.Func, reflect.Map, reflect.Ptr, reflect.UnsafePointer, reflect.Interface, reflect.Slice: | ||||
| 		return refVal.IsNil() | ||||
| 	default: | ||||
| 		return false | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // Normalize converts typed nils (e.g. []byte(nil)) into untyped nil. Other values are returned unmodified. | ||||
| func Normalize(v any) any { | ||||
| 	if Is(v) { | ||||
| 		return nil | ||||
| 	} | ||||
| 	return v | ||||
| } | ||||
|  | ||||
| // NormalizeSlice converts all typed nils (e.g. []byte(nil)) in s into untyped nils. Other values are unmodified. s is | ||||
| // mutated in place. | ||||
| func NormalizeSlice(s []any) { | ||||
| 	for i := range s { | ||||
| 		if Is(s[i]) { | ||||
| 			s[i] = nil | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
							
								
								
									
										70
									
								
								vendor/github.com/jackc/pgx/v5/internal/iobufpool/iobufpool.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										70
									
								
								vendor/github.com/jackc/pgx/v5/internal/iobufpool/iobufpool.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,70 @@ | ||||
| // Package iobufpool implements a global segregated-fit pool of buffers for IO. | ||||
| // | ||||
| // It uses *[]byte instead of []byte to avoid the sync.Pool allocation with Put. Unfortunately, using a pointer to avoid | ||||
| // an allocation is purposely not documented. https://github.com/golang/go/issues/16323 | ||||
| package iobufpool | ||||
|  | ||||
| import "sync" | ||||
|  | ||||
| const minPoolExpOf2 = 8 | ||||
|  | ||||
| var pools [18]*sync.Pool | ||||
|  | ||||
| func init() { | ||||
| 	for i := range pools { | ||||
| 		bufLen := 1 << (minPoolExpOf2 + i) | ||||
| 		pools[i] = &sync.Pool{ | ||||
| 			New: func() any { | ||||
| 				buf := make([]byte, bufLen) | ||||
| 				return &buf | ||||
| 			}, | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // Get gets a []byte of len size with cap <= size*2. | ||||
| func Get(size int) *[]byte { | ||||
| 	i := getPoolIdx(size) | ||||
| 	if i >= len(pools) { | ||||
| 		buf := make([]byte, size) | ||||
| 		return &buf | ||||
| 	} | ||||
|  | ||||
| 	ptrBuf := (pools[i].Get().(*[]byte)) | ||||
| 	*ptrBuf = (*ptrBuf)[:size] | ||||
|  | ||||
| 	return ptrBuf | ||||
| } | ||||
|  | ||||
| func getPoolIdx(size int) int { | ||||
| 	size-- | ||||
| 	size >>= minPoolExpOf2 | ||||
| 	i := 0 | ||||
| 	for size > 0 { | ||||
| 		size >>= 1 | ||||
| 		i++ | ||||
| 	} | ||||
|  | ||||
| 	return i | ||||
| } | ||||
|  | ||||
| // Put returns buf to the pool. | ||||
| func Put(buf *[]byte) { | ||||
| 	i := putPoolIdx(cap(*buf)) | ||||
| 	if i < 0 { | ||||
| 		return | ||||
| 	} | ||||
|  | ||||
| 	pools[i].Put(buf) | ||||
| } | ||||
|  | ||||
| func putPoolIdx(size int) int { | ||||
| 	minPoolSize := 1 << minPoolExpOf2 | ||||
| 	for i := range pools { | ||||
| 		if size == minPoolSize<<i { | ||||
| 			return i | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	return -1 | ||||
| } | ||||
							
								
								
									
										6
									
								
								vendor/github.com/jackc/pgx/v5/internal/pgio/README.md
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										6
									
								
								vendor/github.com/jackc/pgx/v5/internal/pgio/README.md
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,6 @@ | ||||
| # pgio | ||||
|  | ||||
| Package pgio is a low-level toolkit building messages in the PostgreSQL wire protocol. | ||||
|  | ||||
| pgio provides functions for appending integers to a []byte while doing byte | ||||
| order conversion. | ||||
							
								
								
									
										6
									
								
								vendor/github.com/jackc/pgx/v5/internal/pgio/doc.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										6
									
								
								vendor/github.com/jackc/pgx/v5/internal/pgio/doc.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,6 @@ | ||||
| // Package pgio is a low-level toolkit building messages in the PostgreSQL wire protocol. | ||||
| /* | ||||
| pgio provides functions for appending integers to a []byte while doing byte | ||||
| order conversion. | ||||
| */ | ||||
| package pgio | ||||
							
								
								
									
										40
									
								
								vendor/github.com/jackc/pgx/v5/internal/pgio/write.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										40
									
								
								vendor/github.com/jackc/pgx/v5/internal/pgio/write.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,40 @@ | ||||
| package pgio | ||||
|  | ||||
| import "encoding/binary" | ||||
|  | ||||
| func AppendUint16(buf []byte, n uint16) []byte { | ||||
| 	wp := len(buf) | ||||
| 	buf = append(buf, 0, 0) | ||||
| 	binary.BigEndian.PutUint16(buf[wp:], n) | ||||
| 	return buf | ||||
| } | ||||
|  | ||||
| func AppendUint32(buf []byte, n uint32) []byte { | ||||
| 	wp := len(buf) | ||||
| 	buf = append(buf, 0, 0, 0, 0) | ||||
| 	binary.BigEndian.PutUint32(buf[wp:], n) | ||||
| 	return buf | ||||
| } | ||||
|  | ||||
| func AppendUint64(buf []byte, n uint64) []byte { | ||||
| 	wp := len(buf) | ||||
| 	buf = append(buf, 0, 0, 0, 0, 0, 0, 0, 0) | ||||
| 	binary.BigEndian.PutUint64(buf[wp:], n) | ||||
| 	return buf | ||||
| } | ||||
|  | ||||
| func AppendInt16(buf []byte, n int16) []byte { | ||||
| 	return AppendUint16(buf, uint16(n)) | ||||
| } | ||||
|  | ||||
| func AppendInt32(buf []byte, n int32) []byte { | ||||
| 	return AppendUint32(buf, uint32(n)) | ||||
| } | ||||
|  | ||||
| func AppendInt64(buf []byte, n int64) []byte { | ||||
| 	return AppendUint64(buf, uint64(n)) | ||||
| } | ||||
|  | ||||
| func SetInt32(buf []byte, n int32) { | ||||
| 	binary.BigEndian.PutUint32(buf, uint32(n)) | ||||
| } | ||||
							
								
								
									
										322
									
								
								vendor/github.com/jackc/pgx/v5/internal/sanitize/sanitize.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										322
									
								
								vendor/github.com/jackc/pgx/v5/internal/sanitize/sanitize.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,322 @@ | ||||
| package sanitize | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"encoding/hex" | ||||
| 	"fmt" | ||||
| 	"strconv" | ||||
| 	"strings" | ||||
| 	"time" | ||||
| 	"unicode/utf8" | ||||
| ) | ||||
|  | ||||
| // Part is either a string or an int. A string is raw SQL. An int is a | ||||
| // argument placeholder. | ||||
| type Part any | ||||
|  | ||||
| type Query struct { | ||||
| 	Parts []Part | ||||
| } | ||||
|  | ||||
| // utf.DecodeRune returns the utf8.RuneError for errors. But that is actually rune U+FFFD -- the unicode replacement | ||||
| // character. utf8.RuneError is not an error if it is also width 3. | ||||
| // | ||||
| // https://github.com/jackc/pgx/issues/1380 | ||||
| const replacementcharacterwidth = 3 | ||||
|  | ||||
| func (q *Query) Sanitize(args ...any) (string, error) { | ||||
| 	argUse := make([]bool, len(args)) | ||||
| 	buf := &bytes.Buffer{} | ||||
|  | ||||
| 	for _, part := range q.Parts { | ||||
| 		var str string | ||||
| 		switch part := part.(type) { | ||||
| 		case string: | ||||
| 			str = part | ||||
| 		case int: | ||||
| 			argIdx := part - 1 | ||||
| 			if argIdx >= len(args) { | ||||
| 				return "", fmt.Errorf("insufficient arguments") | ||||
| 			} | ||||
| 			arg := args[argIdx] | ||||
| 			switch arg := arg.(type) { | ||||
| 			case nil: | ||||
| 				str = "null" | ||||
| 			case int64: | ||||
| 				str = strconv.FormatInt(arg, 10) | ||||
| 			case float64: | ||||
| 				str = strconv.FormatFloat(arg, 'f', -1, 64) | ||||
| 			case bool: | ||||
| 				str = strconv.FormatBool(arg) | ||||
| 			case []byte: | ||||
| 				str = QuoteBytes(arg) | ||||
| 			case string: | ||||
| 				str = QuoteString(arg) | ||||
| 			case time.Time: | ||||
| 				str = arg.Truncate(time.Microsecond).Format("'2006-01-02 15:04:05.999999999Z07:00:00'") | ||||
| 			default: | ||||
| 				return "", fmt.Errorf("invalid arg type: %T", arg) | ||||
| 			} | ||||
| 			argUse[argIdx] = true | ||||
| 		default: | ||||
| 			return "", fmt.Errorf("invalid Part type: %T", part) | ||||
| 		} | ||||
| 		buf.WriteString(str) | ||||
| 	} | ||||
|  | ||||
| 	for i, used := range argUse { | ||||
| 		if !used { | ||||
| 			return "", fmt.Errorf("unused argument: %d", i) | ||||
| 		} | ||||
| 	} | ||||
| 	return buf.String(), nil | ||||
| } | ||||
|  | ||||
| func NewQuery(sql string) (*Query, error) { | ||||
| 	l := &sqlLexer{ | ||||
| 		src:     sql, | ||||
| 		stateFn: rawState, | ||||
| 	} | ||||
|  | ||||
| 	for l.stateFn != nil { | ||||
| 		l.stateFn = l.stateFn(l) | ||||
| 	} | ||||
|  | ||||
| 	query := &Query{Parts: l.parts} | ||||
|  | ||||
| 	return query, nil | ||||
| } | ||||
|  | ||||
| func QuoteString(str string) string { | ||||
| 	return "'" + strings.ReplaceAll(str, "'", "''") + "'" | ||||
| } | ||||
|  | ||||
| func QuoteBytes(buf []byte) string { | ||||
| 	return `'\x` + hex.EncodeToString(buf) + "'" | ||||
| } | ||||
|  | ||||
| type sqlLexer struct { | ||||
| 	src     string | ||||
| 	start   int | ||||
| 	pos     int | ||||
| 	nested  int // multiline comment nesting level. | ||||
| 	stateFn stateFn | ||||
| 	parts   []Part | ||||
| } | ||||
|  | ||||
| type stateFn func(*sqlLexer) stateFn | ||||
|  | ||||
| func rawState(l *sqlLexer) stateFn { | ||||
| 	for { | ||||
| 		r, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 		l.pos += width | ||||
|  | ||||
| 		switch r { | ||||
| 		case 'e', 'E': | ||||
| 			nextRune, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 			if nextRune == '\'' { | ||||
| 				l.pos += width | ||||
| 				return escapeStringState | ||||
| 			} | ||||
| 		case '\'': | ||||
| 			return singleQuoteState | ||||
| 		case '"': | ||||
| 			return doubleQuoteState | ||||
| 		case '$': | ||||
| 			nextRune, _ := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 			if '0' <= nextRune && nextRune <= '9' { | ||||
| 				if l.pos-l.start > 0 { | ||||
| 					l.parts = append(l.parts, l.src[l.start:l.pos-width]) | ||||
| 				} | ||||
| 				l.start = l.pos | ||||
| 				return placeholderState | ||||
| 			} | ||||
| 		case '-': | ||||
| 			nextRune, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 			if nextRune == '-' { | ||||
| 				l.pos += width | ||||
| 				return oneLineCommentState | ||||
| 			} | ||||
| 		case '/': | ||||
| 			nextRune, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 			if nextRune == '*' { | ||||
| 				l.pos += width | ||||
| 				return multilineCommentState | ||||
| 			} | ||||
| 		case utf8.RuneError: | ||||
| 			if width != replacementcharacterwidth { | ||||
| 				if l.pos-l.start > 0 { | ||||
| 					l.parts = append(l.parts, l.src[l.start:l.pos]) | ||||
| 					l.start = l.pos | ||||
| 				} | ||||
| 				return nil | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func singleQuoteState(l *sqlLexer) stateFn { | ||||
| 	for { | ||||
| 		r, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 		l.pos += width | ||||
|  | ||||
| 		switch r { | ||||
| 		case '\'': | ||||
| 			nextRune, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 			if nextRune != '\'' { | ||||
| 				return rawState | ||||
| 			} | ||||
| 			l.pos += width | ||||
| 		case utf8.RuneError: | ||||
| 			if width != replacementcharacterwidth { | ||||
| 				if l.pos-l.start > 0 { | ||||
| 					l.parts = append(l.parts, l.src[l.start:l.pos]) | ||||
| 					l.start = l.pos | ||||
| 				} | ||||
| 				return nil | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func doubleQuoteState(l *sqlLexer) stateFn { | ||||
| 	for { | ||||
| 		r, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 		l.pos += width | ||||
|  | ||||
| 		switch r { | ||||
| 		case '"': | ||||
| 			nextRune, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 			if nextRune != '"' { | ||||
| 				return rawState | ||||
| 			} | ||||
| 			l.pos += width | ||||
| 		case utf8.RuneError: | ||||
| 			if width != replacementcharacterwidth { | ||||
| 				if l.pos-l.start > 0 { | ||||
| 					l.parts = append(l.parts, l.src[l.start:l.pos]) | ||||
| 					l.start = l.pos | ||||
| 				} | ||||
| 				return nil | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // placeholderState consumes a placeholder value. The $ must have already has | ||||
| // already been consumed. The first rune must be a digit. | ||||
| func placeholderState(l *sqlLexer) stateFn { | ||||
| 	num := 0 | ||||
|  | ||||
| 	for { | ||||
| 		r, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 		l.pos += width | ||||
|  | ||||
| 		if '0' <= r && r <= '9' { | ||||
| 			num *= 10 | ||||
| 			num += int(r - '0') | ||||
| 		} else { | ||||
| 			l.parts = append(l.parts, num) | ||||
| 			l.pos -= width | ||||
| 			l.start = l.pos | ||||
| 			return rawState | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func escapeStringState(l *sqlLexer) stateFn { | ||||
| 	for { | ||||
| 		r, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 		l.pos += width | ||||
|  | ||||
| 		switch r { | ||||
| 		case '\\': | ||||
| 			_, width = utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 			l.pos += width | ||||
| 		case '\'': | ||||
| 			nextRune, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 			if nextRune != '\'' { | ||||
| 				return rawState | ||||
| 			} | ||||
| 			l.pos += width | ||||
| 		case utf8.RuneError: | ||||
| 			if width != replacementcharacterwidth { | ||||
| 				if l.pos-l.start > 0 { | ||||
| 					l.parts = append(l.parts, l.src[l.start:l.pos]) | ||||
| 					l.start = l.pos | ||||
| 				} | ||||
| 				return nil | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func oneLineCommentState(l *sqlLexer) stateFn { | ||||
| 	for { | ||||
| 		r, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 		l.pos += width | ||||
|  | ||||
| 		switch r { | ||||
| 		case '\\': | ||||
| 			_, width = utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 			l.pos += width | ||||
| 		case '\n', '\r': | ||||
| 			return rawState | ||||
| 		case utf8.RuneError: | ||||
| 			if width != replacementcharacterwidth { | ||||
| 				if l.pos-l.start > 0 { | ||||
| 					l.parts = append(l.parts, l.src[l.start:l.pos]) | ||||
| 					l.start = l.pos | ||||
| 				} | ||||
| 				return nil | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func multilineCommentState(l *sqlLexer) stateFn { | ||||
| 	for { | ||||
| 		r, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 		l.pos += width | ||||
|  | ||||
| 		switch r { | ||||
| 		case '/': | ||||
| 			nextRune, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 			if nextRune == '*' { | ||||
| 				l.pos += width | ||||
| 				l.nested++ | ||||
| 			} | ||||
| 		case '*': | ||||
| 			nextRune, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 			if nextRune != '/' { | ||||
| 				continue | ||||
| 			} | ||||
|  | ||||
| 			l.pos += width | ||||
| 			if l.nested == 0 { | ||||
| 				return rawState | ||||
| 			} | ||||
| 			l.nested-- | ||||
|  | ||||
| 		case utf8.RuneError: | ||||
| 			if width != replacementcharacterwidth { | ||||
| 				if l.pos-l.start > 0 { | ||||
| 					l.parts = append(l.parts, l.src[l.start:l.pos]) | ||||
| 					l.start = l.pos | ||||
| 				} | ||||
| 				return nil | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // SanitizeSQL replaces placeholder values with args. It quotes and escapes args | ||||
| // as necessary. This function is only safe when standard_conforming_strings is | ||||
| // on. | ||||
| func SanitizeSQL(sql string, args ...any) (string, error) { | ||||
| 	query, err := NewQuery(sql) | ||||
| 	if err != nil { | ||||
| 		return "", err | ||||
| 	} | ||||
| 	return query.Sanitize(args...) | ||||
| } | ||||
							
								
								
									
										98
									
								
								vendor/github.com/jackc/pgx/v5/internal/stmtcache/lru_cache.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										98
									
								
								vendor/github.com/jackc/pgx/v5/internal/stmtcache/lru_cache.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,98 @@ | ||||
| package stmtcache | ||||
|  | ||||
| import ( | ||||
| 	"container/list" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/pgconn" | ||||
| ) | ||||
|  | ||||
| // LRUCache implements Cache with a Least Recently Used (LRU) cache. | ||||
| type LRUCache struct { | ||||
| 	cap          int | ||||
| 	m            map[string]*list.Element | ||||
| 	l            *list.List | ||||
| 	invalidStmts []*pgconn.StatementDescription | ||||
| } | ||||
|  | ||||
| // NewLRUCache creates a new LRUCache. cap is the maximum size of the cache. | ||||
| func NewLRUCache(cap int) *LRUCache { | ||||
| 	return &LRUCache{ | ||||
| 		cap: cap, | ||||
| 		m:   make(map[string]*list.Element), | ||||
| 		l:   list.New(), | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // Get returns the statement description for sql. Returns nil if not found. | ||||
| func (c *LRUCache) Get(key string) *pgconn.StatementDescription { | ||||
| 	if el, ok := c.m[key]; ok { | ||||
| 		c.l.MoveToFront(el) | ||||
| 		return el.Value.(*pgconn.StatementDescription) | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
|  | ||||
| } | ||||
|  | ||||
| // Put stores sd in the cache. Put panics if sd.SQL is "". Put does nothing if sd.SQL already exists in the cache. | ||||
| func (c *LRUCache) Put(sd *pgconn.StatementDescription) { | ||||
| 	if sd.SQL == "" { | ||||
| 		panic("cannot store statement description with empty SQL") | ||||
| 	} | ||||
|  | ||||
| 	if _, present := c.m[sd.SQL]; present { | ||||
| 		return | ||||
| 	} | ||||
|  | ||||
| 	if c.l.Len() == c.cap { | ||||
| 		c.invalidateOldest() | ||||
| 	} | ||||
|  | ||||
| 	el := c.l.PushFront(sd) | ||||
| 	c.m[sd.SQL] = el | ||||
| } | ||||
|  | ||||
| // Invalidate invalidates statement description identified by sql. Does nothing if not found. | ||||
| func (c *LRUCache) Invalidate(sql string) { | ||||
| 	if el, ok := c.m[sql]; ok { | ||||
| 		delete(c.m, sql) | ||||
| 		c.invalidStmts = append(c.invalidStmts, el.Value.(*pgconn.StatementDescription)) | ||||
| 		c.l.Remove(el) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // InvalidateAll invalidates all statement descriptions. | ||||
| func (c *LRUCache) InvalidateAll() { | ||||
| 	el := c.l.Front() | ||||
| 	for el != nil { | ||||
| 		c.invalidStmts = append(c.invalidStmts, el.Value.(*pgconn.StatementDescription)) | ||||
| 		el = el.Next() | ||||
| 	} | ||||
|  | ||||
| 	c.m = make(map[string]*list.Element) | ||||
| 	c.l = list.New() | ||||
| } | ||||
|  | ||||
| func (c *LRUCache) HandleInvalidated() []*pgconn.StatementDescription { | ||||
| 	invalidStmts := c.invalidStmts | ||||
| 	c.invalidStmts = nil | ||||
| 	return invalidStmts | ||||
| } | ||||
|  | ||||
| // Len returns the number of cached prepared statement descriptions. | ||||
| func (c *LRUCache) Len() int { | ||||
| 	return c.l.Len() | ||||
| } | ||||
|  | ||||
| // Cap returns the maximum number of cached prepared statement descriptions. | ||||
| func (c *LRUCache) Cap() int { | ||||
| 	return c.cap | ||||
| } | ||||
|  | ||||
| func (c *LRUCache) invalidateOldest() { | ||||
| 	oldest := c.l.Back() | ||||
| 	sd := oldest.Value.(*pgconn.StatementDescription) | ||||
| 	c.invalidStmts = append(c.invalidStmts, sd) | ||||
| 	delete(c.m, sd.SQL) | ||||
| 	c.l.Remove(oldest) | ||||
| } | ||||
							
								
								
									
										57
									
								
								vendor/github.com/jackc/pgx/v5/internal/stmtcache/stmtcache.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										57
									
								
								vendor/github.com/jackc/pgx/v5/internal/stmtcache/stmtcache.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,57 @@ | ||||
| // Package stmtcache is a cache for statement descriptions. | ||||
| package stmtcache | ||||
|  | ||||
| import ( | ||||
| 	"strconv" | ||||
| 	"sync/atomic" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/pgconn" | ||||
| ) | ||||
|  | ||||
| var stmtCounter int64 | ||||
|  | ||||
| // NextStatementName returns a statement name that will be unique for the lifetime of the program. | ||||
| func NextStatementName() string { | ||||
| 	n := atomic.AddInt64(&stmtCounter, 1) | ||||
| 	return "stmtcache_" + strconv.FormatInt(n, 10) | ||||
| } | ||||
|  | ||||
| // Cache caches statement descriptions. | ||||
| type Cache interface { | ||||
| 	// Get returns the statement description for sql. Returns nil if not found. | ||||
| 	Get(sql string) *pgconn.StatementDescription | ||||
|  | ||||
| 	// Put stores sd in the cache. Put panics if sd.SQL is "". Put does nothing if sd.SQL already exists in the cache. | ||||
| 	Put(sd *pgconn.StatementDescription) | ||||
|  | ||||
| 	// Invalidate invalidates statement description identified by sql. Does nothing if not found. | ||||
| 	Invalidate(sql string) | ||||
|  | ||||
| 	// InvalidateAll invalidates all statement descriptions. | ||||
| 	InvalidateAll() | ||||
|  | ||||
| 	// HandleInvalidated returns a slice of all statement descriptions invalidated since the last call to HandleInvalidated. | ||||
| 	HandleInvalidated() []*pgconn.StatementDescription | ||||
|  | ||||
| 	// Len returns the number of cached prepared statement descriptions. | ||||
| 	Len() int | ||||
|  | ||||
| 	// Cap returns the maximum number of cached prepared statement descriptions. | ||||
| 	Cap() int | ||||
| } | ||||
|  | ||||
| func IsStatementInvalid(err error) bool { | ||||
| 	pgErr, ok := err.(*pgconn.PgError) | ||||
| 	if !ok { | ||||
| 		return false | ||||
| 	} | ||||
|  | ||||
| 	// https://github.com/jackc/pgx/issues/1162 | ||||
| 	// | ||||
| 	// We used to look for the message "cached plan must not change result type". However, that message can be localized. | ||||
| 	// Unfortunately, error code "0A000" - "FEATURE NOT SUPPORTED" is used for many different errors and the only way to | ||||
| 	// tell the difference is by the message. But all that happens is we clear a statement that we otherwise wouldn't | ||||
| 	// have so it should be safe. | ||||
| 	possibleInvalidCachedPlanError := pgErr.Code == "0A000" | ||||
| 	return possibleInvalidCachedPlanError | ||||
| } | ||||
							
								
								
									
										71
									
								
								vendor/github.com/jackc/pgx/v5/internal/stmtcache/unlimited_cache.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										71
									
								
								vendor/github.com/jackc/pgx/v5/internal/stmtcache/unlimited_cache.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,71 @@ | ||||
| package stmtcache | ||||
|  | ||||
| import ( | ||||
| 	"math" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/pgconn" | ||||
| ) | ||||
|  | ||||
| // UnlimitedCache implements Cache with no capacity limit. | ||||
| type UnlimitedCache struct { | ||||
| 	m            map[string]*pgconn.StatementDescription | ||||
| 	invalidStmts []*pgconn.StatementDescription | ||||
| } | ||||
|  | ||||
| // NewUnlimitedCache creates a new UnlimitedCache. | ||||
| func NewUnlimitedCache() *UnlimitedCache { | ||||
| 	return &UnlimitedCache{ | ||||
| 		m: make(map[string]*pgconn.StatementDescription), | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // Get returns the statement description for sql. Returns nil if not found. | ||||
| func (c *UnlimitedCache) Get(sql string) *pgconn.StatementDescription { | ||||
| 	return c.m[sql] | ||||
| } | ||||
|  | ||||
| // Put stores sd in the cache. Put panics if sd.SQL is "". Put does nothing if sd.SQL already exists in the cache. | ||||
| func (c *UnlimitedCache) Put(sd *pgconn.StatementDescription) { | ||||
| 	if sd.SQL == "" { | ||||
| 		panic("cannot store statement description with empty SQL") | ||||
| 	} | ||||
|  | ||||
| 	if _, present := c.m[sd.SQL]; present { | ||||
| 		return | ||||
| 	} | ||||
|  | ||||
| 	c.m[sd.SQL] = sd | ||||
| } | ||||
|  | ||||
| // Invalidate invalidates statement description identified by sql. Does nothing if not found. | ||||
| func (c *UnlimitedCache) Invalidate(sql string) { | ||||
| 	if sd, ok := c.m[sql]; ok { | ||||
| 		delete(c.m, sql) | ||||
| 		c.invalidStmts = append(c.invalidStmts, sd) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // InvalidateAll invalidates all statement descriptions. | ||||
| func (c *UnlimitedCache) InvalidateAll() { | ||||
| 	for _, sd := range c.m { | ||||
| 		c.invalidStmts = append(c.invalidStmts, sd) | ||||
| 	} | ||||
|  | ||||
| 	c.m = make(map[string]*pgconn.StatementDescription) | ||||
| } | ||||
|  | ||||
| func (c *UnlimitedCache) HandleInvalidated() []*pgconn.StatementDescription { | ||||
| 	invalidStmts := c.invalidStmts | ||||
| 	c.invalidStmts = nil | ||||
| 	return invalidStmts | ||||
| } | ||||
|  | ||||
| // Len returns the number of cached prepared statement descriptions. | ||||
| func (c *UnlimitedCache) Len() int { | ||||
| 	return len(c.m) | ||||
| } | ||||
|  | ||||
| // Cap returns the maximum number of cached prepared statement descriptions. | ||||
| func (c *UnlimitedCache) Cap() int { | ||||
| 	return math.MaxInt | ||||
| } | ||||
							
								
								
									
										121
									
								
								vendor/github.com/jackc/pgx/v5/large_objects.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										121
									
								
								vendor/github.com/jackc/pgx/v5/large_objects.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,121 @@ | ||||
| package pgx | ||||
|  | ||||
| import ( | ||||
| 	"context" | ||||
| 	"errors" | ||||
| 	"io" | ||||
| ) | ||||
|  | ||||
| // LargeObjects is a structure used to access the large objects API. It is only valid within the transaction where it | ||||
| // was created. | ||||
| // | ||||
| // For more details see: http://www.postgresql.org/docs/current/static/largeobjects.html | ||||
| type LargeObjects struct { | ||||
| 	tx Tx | ||||
| } | ||||
|  | ||||
| type LargeObjectMode int32 | ||||
|  | ||||
| const ( | ||||
| 	LargeObjectModeWrite LargeObjectMode = 0x20000 | ||||
| 	LargeObjectModeRead  LargeObjectMode = 0x40000 | ||||
| ) | ||||
|  | ||||
| // Create creates a new large object. If oid is zero, the server assigns an unused OID. | ||||
| func (o *LargeObjects) Create(ctx context.Context, oid uint32) (uint32, error) { | ||||
| 	err := o.tx.QueryRow(ctx, "select lo_create($1)", oid).Scan(&oid) | ||||
| 	return oid, err | ||||
| } | ||||
|  | ||||
| // Open opens an existing large object with the given mode. ctx will also be used for all operations on the opened large | ||||
| // object. | ||||
| func (o *LargeObjects) Open(ctx context.Context, oid uint32, mode LargeObjectMode) (*LargeObject, error) { | ||||
| 	var fd int32 | ||||
| 	err := o.tx.QueryRow(ctx, "select lo_open($1, $2)", oid, mode).Scan(&fd) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	return &LargeObject{fd: fd, tx: o.tx, ctx: ctx}, nil | ||||
| } | ||||
|  | ||||
| // Unlink removes a large object from the database. | ||||
| func (o *LargeObjects) Unlink(ctx context.Context, oid uint32) error { | ||||
| 	var result int32 | ||||
| 	err := o.tx.QueryRow(ctx, "select lo_unlink($1)", oid).Scan(&result) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	if result != 1 { | ||||
| 		return errors.New("failed to remove large object") | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // A LargeObject is a large object stored on the server. It is only valid within the transaction that it was initialized | ||||
| // in. It uses the context it was initialized with for all operations. It implements these interfaces: | ||||
| // | ||||
| //	io.Writer | ||||
| //	io.Reader | ||||
| //	io.Seeker | ||||
| //	io.Closer | ||||
| type LargeObject struct { | ||||
| 	ctx context.Context | ||||
| 	tx  Tx | ||||
| 	fd  int32 | ||||
| } | ||||
|  | ||||
| // Write writes p to the large object and returns the number of bytes written and an error if not all of p was written. | ||||
| func (o *LargeObject) Write(p []byte) (int, error) { | ||||
| 	var n int | ||||
| 	err := o.tx.QueryRow(o.ctx, "select lowrite($1, $2)", o.fd, p).Scan(&n) | ||||
| 	if err != nil { | ||||
| 		return n, err | ||||
| 	} | ||||
|  | ||||
| 	if n < 0 { | ||||
| 		return 0, errors.New("failed to write to large object") | ||||
| 	} | ||||
|  | ||||
| 	return n, nil | ||||
| } | ||||
|  | ||||
| // Read reads up to len(p) bytes into p returning the number of bytes read. | ||||
| func (o *LargeObject) Read(p []byte) (int, error) { | ||||
| 	var res []byte | ||||
| 	err := o.tx.QueryRow(o.ctx, "select loread($1, $2)", o.fd, len(p)).Scan(&res) | ||||
| 	copy(p, res) | ||||
| 	if err != nil { | ||||
| 		return len(res), err | ||||
| 	} | ||||
|  | ||||
| 	if len(res) < len(p) { | ||||
| 		err = io.EOF | ||||
| 	} | ||||
| 	return len(res), err | ||||
| } | ||||
|  | ||||
| // Seek moves the current location pointer to the new location specified by offset. | ||||
| func (o *LargeObject) Seek(offset int64, whence int) (n int64, err error) { | ||||
| 	err = o.tx.QueryRow(o.ctx, "select lo_lseek64($1, $2, $3)", o.fd, offset, whence).Scan(&n) | ||||
| 	return n, err | ||||
| } | ||||
|  | ||||
| // Tell returns the current read or write location of the large object descriptor. | ||||
| func (o *LargeObject) Tell() (n int64, err error) { | ||||
| 	err = o.tx.QueryRow(o.ctx, "select lo_tell64($1)", o.fd).Scan(&n) | ||||
| 	return n, err | ||||
| } | ||||
|  | ||||
| // Truncate the large object to size. | ||||
| func (o *LargeObject) Truncate(size int64) (err error) { | ||||
| 	_, err = o.tx.Exec(o.ctx, "select lo_truncate64($1, $2)", o.fd, size) | ||||
| 	return err | ||||
| } | ||||
|  | ||||
| // Close the large object descriptor. | ||||
| func (o *LargeObject) Close() error { | ||||
| 	_, err := o.tx.Exec(o.ctx, "select lo_close($1)", o.fd) | ||||
| 	return err | ||||
| } | ||||
							
								
								
									
										266
									
								
								vendor/github.com/jackc/pgx/v5/named_args.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										266
									
								
								vendor/github.com/jackc/pgx/v5/named_args.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,266 @@ | ||||
| package pgx | ||||
|  | ||||
| import ( | ||||
| 	"context" | ||||
| 	"strconv" | ||||
| 	"strings" | ||||
| 	"unicode/utf8" | ||||
| ) | ||||
|  | ||||
| // NamedArgs can be used as the first argument to a query method. It will replace every '@' named placeholder with a '$' | ||||
| // ordinal placeholder and construct the appropriate arguments. | ||||
| // | ||||
| // For example, the following two queries are equivalent: | ||||
| // | ||||
| //	conn.Query(ctx, "select * from widgets where foo = @foo and bar = @bar", pgx.NamedArgs{"foo": 1, "bar": 2}) | ||||
| //	conn.Query(ctx, "select * from widgets where foo = $1 and bar = $2", 1, 2) | ||||
| type NamedArgs map[string]any | ||||
|  | ||||
| // RewriteQuery implements the QueryRewriter interface. | ||||
| func (na NamedArgs) RewriteQuery(ctx context.Context, conn *Conn, sql string, args []any) (newSQL string, newArgs []any, err error) { | ||||
| 	l := &sqlLexer{ | ||||
| 		src:           sql, | ||||
| 		stateFn:       rawState, | ||||
| 		nameToOrdinal: make(map[namedArg]int, len(na)), | ||||
| 	} | ||||
|  | ||||
| 	for l.stateFn != nil { | ||||
| 		l.stateFn = l.stateFn(l) | ||||
| 	} | ||||
|  | ||||
| 	sb := strings.Builder{} | ||||
| 	for _, p := range l.parts { | ||||
| 		switch p := p.(type) { | ||||
| 		case string: | ||||
| 			sb.WriteString(p) | ||||
| 		case namedArg: | ||||
| 			sb.WriteRune('$') | ||||
| 			sb.WriteString(strconv.Itoa(l.nameToOrdinal[p])) | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	newArgs = make([]any, len(l.nameToOrdinal)) | ||||
| 	for name, ordinal := range l.nameToOrdinal { | ||||
| 		newArgs[ordinal-1] = na[string(name)] | ||||
| 	} | ||||
|  | ||||
| 	return sb.String(), newArgs, nil | ||||
| } | ||||
|  | ||||
| type namedArg string | ||||
|  | ||||
| type sqlLexer struct { | ||||
| 	src     string | ||||
| 	start   int | ||||
| 	pos     int | ||||
| 	nested  int // multiline comment nesting level. | ||||
| 	stateFn stateFn | ||||
| 	parts   []any | ||||
|  | ||||
| 	nameToOrdinal map[namedArg]int | ||||
| } | ||||
|  | ||||
| type stateFn func(*sqlLexer) stateFn | ||||
|  | ||||
| func rawState(l *sqlLexer) stateFn { | ||||
| 	for { | ||||
| 		r, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 		l.pos += width | ||||
|  | ||||
| 		switch r { | ||||
| 		case 'e', 'E': | ||||
| 			nextRune, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 			if nextRune == '\'' { | ||||
| 				l.pos += width | ||||
| 				return escapeStringState | ||||
| 			} | ||||
| 		case '\'': | ||||
| 			return singleQuoteState | ||||
| 		case '"': | ||||
| 			return doubleQuoteState | ||||
| 		case '@': | ||||
| 			nextRune, _ := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 			if isLetter(nextRune) { | ||||
| 				if l.pos-l.start > 0 { | ||||
| 					l.parts = append(l.parts, l.src[l.start:l.pos-width]) | ||||
| 				} | ||||
| 				l.start = l.pos | ||||
| 				return namedArgState | ||||
| 			} | ||||
| 		case '-': | ||||
| 			nextRune, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 			if nextRune == '-' { | ||||
| 				l.pos += width | ||||
| 				return oneLineCommentState | ||||
| 			} | ||||
| 		case '/': | ||||
| 			nextRune, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 			if nextRune == '*' { | ||||
| 				l.pos += width | ||||
| 				return multilineCommentState | ||||
| 			} | ||||
| 		case utf8.RuneError: | ||||
| 			if l.pos-l.start > 0 { | ||||
| 				l.parts = append(l.parts, l.src[l.start:l.pos]) | ||||
| 				l.start = l.pos | ||||
| 			} | ||||
| 			return nil | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func isLetter(r rune) bool { | ||||
| 	return (r >= 'a' && r <= 'z') || (r >= 'A' && r <= 'Z') | ||||
| } | ||||
|  | ||||
| func namedArgState(l *sqlLexer) stateFn { | ||||
| 	for { | ||||
| 		r, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 		l.pos += width | ||||
|  | ||||
| 		if r == utf8.RuneError { | ||||
| 			if l.pos-l.start > 0 { | ||||
| 				na := namedArg(l.src[l.start:l.pos]) | ||||
| 				if _, found := l.nameToOrdinal[na]; !found { | ||||
| 					l.nameToOrdinal[na] = len(l.nameToOrdinal) + 1 | ||||
| 				} | ||||
| 				l.parts = append(l.parts, na) | ||||
| 				l.start = l.pos | ||||
| 			} | ||||
| 			return nil | ||||
| 		} else if !(isLetter(r) || (r >= '0' && r <= '9') || r == '_') { | ||||
| 			l.pos -= width | ||||
| 			na := namedArg(l.src[l.start:l.pos]) | ||||
| 			if _, found := l.nameToOrdinal[na]; !found { | ||||
| 				l.nameToOrdinal[na] = len(l.nameToOrdinal) + 1 | ||||
| 			} | ||||
| 			l.parts = append(l.parts, namedArg(na)) | ||||
| 			l.start = l.pos | ||||
| 			return rawState | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func singleQuoteState(l *sqlLexer) stateFn { | ||||
| 	for { | ||||
| 		r, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 		l.pos += width | ||||
|  | ||||
| 		switch r { | ||||
| 		case '\'': | ||||
| 			nextRune, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 			if nextRune != '\'' { | ||||
| 				return rawState | ||||
| 			} | ||||
| 			l.pos += width | ||||
| 		case utf8.RuneError: | ||||
| 			if l.pos-l.start > 0 { | ||||
| 				l.parts = append(l.parts, l.src[l.start:l.pos]) | ||||
| 				l.start = l.pos | ||||
| 			} | ||||
| 			return nil | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func doubleQuoteState(l *sqlLexer) stateFn { | ||||
| 	for { | ||||
| 		r, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 		l.pos += width | ||||
|  | ||||
| 		switch r { | ||||
| 		case '"': | ||||
| 			nextRune, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 			if nextRune != '"' { | ||||
| 				return rawState | ||||
| 			} | ||||
| 			l.pos += width | ||||
| 		case utf8.RuneError: | ||||
| 			if l.pos-l.start > 0 { | ||||
| 				l.parts = append(l.parts, l.src[l.start:l.pos]) | ||||
| 				l.start = l.pos | ||||
| 			} | ||||
| 			return nil | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func escapeStringState(l *sqlLexer) stateFn { | ||||
| 	for { | ||||
| 		r, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 		l.pos += width | ||||
|  | ||||
| 		switch r { | ||||
| 		case '\\': | ||||
| 			_, width = utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 			l.pos += width | ||||
| 		case '\'': | ||||
| 			nextRune, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 			if nextRune != '\'' { | ||||
| 				return rawState | ||||
| 			} | ||||
| 			l.pos += width | ||||
| 		case utf8.RuneError: | ||||
| 			if l.pos-l.start > 0 { | ||||
| 				l.parts = append(l.parts, l.src[l.start:l.pos]) | ||||
| 				l.start = l.pos | ||||
| 			} | ||||
| 			return nil | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func oneLineCommentState(l *sqlLexer) stateFn { | ||||
| 	for { | ||||
| 		r, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 		l.pos += width | ||||
|  | ||||
| 		switch r { | ||||
| 		case '\\': | ||||
| 			_, width = utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 			l.pos += width | ||||
| 		case '\n', '\r': | ||||
| 			return rawState | ||||
| 		case utf8.RuneError: | ||||
| 			if l.pos-l.start > 0 { | ||||
| 				l.parts = append(l.parts, l.src[l.start:l.pos]) | ||||
| 				l.start = l.pos | ||||
| 			} | ||||
| 			return nil | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func multilineCommentState(l *sqlLexer) stateFn { | ||||
| 	for { | ||||
| 		r, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 		l.pos += width | ||||
|  | ||||
| 		switch r { | ||||
| 		case '/': | ||||
| 			nextRune, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 			if nextRune == '*' { | ||||
| 				l.pos += width | ||||
| 				l.nested++ | ||||
| 			} | ||||
| 		case '*': | ||||
| 			nextRune, width := utf8.DecodeRuneInString(l.src[l.pos:]) | ||||
| 			if nextRune != '/' { | ||||
| 				continue | ||||
| 			} | ||||
|  | ||||
| 			l.pos += width | ||||
| 			if l.nested == 0 { | ||||
| 				return rawState | ||||
| 			} | ||||
| 			l.nested-- | ||||
|  | ||||
| 		case utf8.RuneError: | ||||
| 			if l.pos-l.start > 0 { | ||||
| 				l.parts = append(l.parts, l.src[l.start:l.pos]) | ||||
| 				l.start = l.pos | ||||
| 			} | ||||
| 			return nil | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
							
								
								
									
										29
									
								
								vendor/github.com/jackc/pgx/v5/pgconn/README.md
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										29
									
								
								vendor/github.com/jackc/pgx/v5/pgconn/README.md
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,29 @@ | ||||
| # pgconn | ||||
|  | ||||
| Package pgconn is a low-level PostgreSQL database driver. It operates at nearly the same level as the C library libpq. | ||||
| It is primarily intended to serve as the foundation for higher level libraries such as https://github.com/jackc/pgx. | ||||
| Applications should handle normal queries with a higher level library and only use pgconn directly when required for | ||||
| low-level access to PostgreSQL functionality. | ||||
|  | ||||
| ## Example Usage | ||||
|  | ||||
| ```go | ||||
| pgConn, err := pgconn.Connect(context.Background(), os.Getenv("DATABASE_URL")) | ||||
| if err != nil { | ||||
| 	log.Fatalln("pgconn failed to connect:", err) | ||||
| } | ||||
| defer pgConn.Close(context.Background()) | ||||
|  | ||||
| result := pgConn.ExecParams(context.Background(), "SELECT email FROM users WHERE id=$1", [][]byte{[]byte("123")}, nil, nil, nil) | ||||
| for result.NextRow() { | ||||
| 	fmt.Println("User 123 has email:", string(result.Values()[0])) | ||||
| } | ||||
| _, err = result.Close() | ||||
| if err != nil { | ||||
| 	log.Fatalln("failed reading result:", err) | ||||
| } | ||||
| ``` | ||||
|  | ||||
| ## Testing | ||||
|  | ||||
| See CONTRIBUTING.md for setup instructions. | ||||
							
								
								
									
										272
									
								
								vendor/github.com/jackc/pgx/v5/pgconn/auth_scram.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										272
									
								
								vendor/github.com/jackc/pgx/v5/pgconn/auth_scram.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,272 @@ | ||||
| // SCRAM-SHA-256 authentication | ||||
| // | ||||
| // Resources: | ||||
| //   https://tools.ietf.org/html/rfc5802 | ||||
| //   https://tools.ietf.org/html/rfc8265 | ||||
| //   https://www.postgresql.org/docs/current/sasl-authentication.html | ||||
| // | ||||
| // Inspiration drawn from other implementations: | ||||
| //   https://github.com/lib/pq/pull/608 | ||||
| //   https://github.com/lib/pq/pull/788 | ||||
| //   https://github.com/lib/pq/pull/833 | ||||
|  | ||||
| package pgconn | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"crypto/hmac" | ||||
| 	"crypto/rand" | ||||
| 	"crypto/sha256" | ||||
| 	"encoding/base64" | ||||
| 	"errors" | ||||
| 	"fmt" | ||||
| 	"strconv" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/pgproto3" | ||||
| 	"golang.org/x/crypto/pbkdf2" | ||||
| 	"golang.org/x/text/secure/precis" | ||||
| ) | ||||
|  | ||||
| const clientNonceLen = 18 | ||||
|  | ||||
| // Perform SCRAM authentication. | ||||
| func (c *PgConn) scramAuth(serverAuthMechanisms []string) error { | ||||
| 	sc, err := newScramClient(serverAuthMechanisms, c.config.Password) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	// Send client-first-message in a SASLInitialResponse | ||||
| 	saslInitialResponse := &pgproto3.SASLInitialResponse{ | ||||
| 		AuthMechanism: "SCRAM-SHA-256", | ||||
| 		Data:          sc.clientFirstMessage(), | ||||
| 	} | ||||
| 	c.frontend.Send(saslInitialResponse) | ||||
| 	err = c.flushWithPotentialWriteReadDeadlock() | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	// Receive server-first-message payload in a AuthenticationSASLContinue. | ||||
| 	saslContinue, err := c.rxSASLContinue() | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	err = sc.recvServerFirstMessage(saslContinue.Data) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	// Send client-final-message in a SASLResponse | ||||
| 	saslResponse := &pgproto3.SASLResponse{ | ||||
| 		Data: []byte(sc.clientFinalMessage()), | ||||
| 	} | ||||
| 	c.frontend.Send(saslResponse) | ||||
| 	err = c.flushWithPotentialWriteReadDeadlock() | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	// Receive server-final-message payload in a AuthenticationSASLFinal. | ||||
| 	saslFinal, err := c.rxSASLFinal() | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	return sc.recvServerFinalMessage(saslFinal.Data) | ||||
| } | ||||
|  | ||||
| func (c *PgConn) rxSASLContinue() (*pgproto3.AuthenticationSASLContinue, error) { | ||||
| 	msg, err := c.receiveMessage() | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	switch m := msg.(type) { | ||||
| 	case *pgproto3.AuthenticationSASLContinue: | ||||
| 		return m, nil | ||||
| 	case *pgproto3.ErrorResponse: | ||||
| 		return nil, ErrorResponseToPgError(m) | ||||
| 	} | ||||
|  | ||||
| 	return nil, fmt.Errorf("expected AuthenticationSASLContinue message but received unexpected message %T", msg) | ||||
| } | ||||
|  | ||||
| func (c *PgConn) rxSASLFinal() (*pgproto3.AuthenticationSASLFinal, error) { | ||||
| 	msg, err := c.receiveMessage() | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	switch m := msg.(type) { | ||||
| 	case *pgproto3.AuthenticationSASLFinal: | ||||
| 		return m, nil | ||||
| 	case *pgproto3.ErrorResponse: | ||||
| 		return nil, ErrorResponseToPgError(m) | ||||
| 	} | ||||
|  | ||||
| 	return nil, fmt.Errorf("expected AuthenticationSASLFinal message but received unexpected message %T", msg) | ||||
| } | ||||
|  | ||||
| type scramClient struct { | ||||
| 	serverAuthMechanisms []string | ||||
| 	password             []byte | ||||
| 	clientNonce          []byte | ||||
|  | ||||
| 	clientFirstMessageBare []byte | ||||
|  | ||||
| 	serverFirstMessage   []byte | ||||
| 	clientAndServerNonce []byte | ||||
| 	salt                 []byte | ||||
| 	iterations           int | ||||
|  | ||||
| 	saltedPassword []byte | ||||
| 	authMessage    []byte | ||||
| } | ||||
|  | ||||
| func newScramClient(serverAuthMechanisms []string, password string) (*scramClient, error) { | ||||
| 	sc := &scramClient{ | ||||
| 		serverAuthMechanisms: serverAuthMechanisms, | ||||
| 	} | ||||
|  | ||||
| 	// Ensure server supports SCRAM-SHA-256 | ||||
| 	hasScramSHA256 := false | ||||
| 	for _, mech := range sc.serverAuthMechanisms { | ||||
| 		if mech == "SCRAM-SHA-256" { | ||||
| 			hasScramSHA256 = true | ||||
| 			break | ||||
| 		} | ||||
| 	} | ||||
| 	if !hasScramSHA256 { | ||||
| 		return nil, errors.New("server does not support SCRAM-SHA-256") | ||||
| 	} | ||||
|  | ||||
| 	// precis.OpaqueString is equivalent to SASLprep for password. | ||||
| 	var err error | ||||
| 	sc.password, err = precis.OpaqueString.Bytes([]byte(password)) | ||||
| 	if err != nil { | ||||
| 		// PostgreSQL allows passwords invalid according to SCRAM / SASLprep. | ||||
| 		sc.password = []byte(password) | ||||
| 	} | ||||
|  | ||||
| 	buf := make([]byte, clientNonceLen) | ||||
| 	_, err = rand.Read(buf) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	sc.clientNonce = make([]byte, base64.RawStdEncoding.EncodedLen(len(buf))) | ||||
| 	base64.RawStdEncoding.Encode(sc.clientNonce, buf) | ||||
|  | ||||
| 	return sc, nil | ||||
| } | ||||
|  | ||||
| func (sc *scramClient) clientFirstMessage() []byte { | ||||
| 	sc.clientFirstMessageBare = []byte(fmt.Sprintf("n=,r=%s", sc.clientNonce)) | ||||
| 	return []byte(fmt.Sprintf("n,,%s", sc.clientFirstMessageBare)) | ||||
| } | ||||
|  | ||||
| func (sc *scramClient) recvServerFirstMessage(serverFirstMessage []byte) error { | ||||
| 	sc.serverFirstMessage = serverFirstMessage | ||||
| 	buf := serverFirstMessage | ||||
| 	if !bytes.HasPrefix(buf, []byte("r=")) { | ||||
| 		return errors.New("invalid SCRAM server-first-message received from server: did not include r=") | ||||
| 	} | ||||
| 	buf = buf[2:] | ||||
|  | ||||
| 	idx := bytes.IndexByte(buf, ',') | ||||
| 	if idx == -1 { | ||||
| 		return errors.New("invalid SCRAM server-first-message received from server: did not include s=") | ||||
| 	} | ||||
| 	sc.clientAndServerNonce = buf[:idx] | ||||
| 	buf = buf[idx+1:] | ||||
|  | ||||
| 	if !bytes.HasPrefix(buf, []byte("s=")) { | ||||
| 		return errors.New("invalid SCRAM server-first-message received from server: did not include s=") | ||||
| 	} | ||||
| 	buf = buf[2:] | ||||
|  | ||||
| 	idx = bytes.IndexByte(buf, ',') | ||||
| 	if idx == -1 { | ||||
| 		return errors.New("invalid SCRAM server-first-message received from server: did not include i=") | ||||
| 	} | ||||
| 	saltStr := buf[:idx] | ||||
| 	buf = buf[idx+1:] | ||||
|  | ||||
| 	if !bytes.HasPrefix(buf, []byte("i=")) { | ||||
| 		return errors.New("invalid SCRAM server-first-message received from server: did not include i=") | ||||
| 	} | ||||
| 	buf = buf[2:] | ||||
| 	iterationsStr := buf | ||||
|  | ||||
| 	var err error | ||||
| 	sc.salt, err = base64.StdEncoding.DecodeString(string(saltStr)) | ||||
| 	if err != nil { | ||||
| 		return fmt.Errorf("invalid SCRAM salt received from server: %w", err) | ||||
| 	} | ||||
|  | ||||
| 	sc.iterations, err = strconv.Atoi(string(iterationsStr)) | ||||
| 	if err != nil || sc.iterations <= 0 { | ||||
| 		return fmt.Errorf("invalid SCRAM iteration count received from server: %w", err) | ||||
| 	} | ||||
|  | ||||
| 	if !bytes.HasPrefix(sc.clientAndServerNonce, sc.clientNonce) { | ||||
| 		return errors.New("invalid SCRAM nonce: did not start with client nonce") | ||||
| 	} | ||||
|  | ||||
| 	if len(sc.clientAndServerNonce) <= len(sc.clientNonce) { | ||||
| 		return errors.New("invalid SCRAM nonce: did not include server nonce") | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func (sc *scramClient) clientFinalMessage() string { | ||||
| 	clientFinalMessageWithoutProof := []byte(fmt.Sprintf("c=biws,r=%s", sc.clientAndServerNonce)) | ||||
|  | ||||
| 	sc.saltedPassword = pbkdf2.Key([]byte(sc.password), sc.salt, sc.iterations, 32, sha256.New) | ||||
| 	sc.authMessage = bytes.Join([][]byte{sc.clientFirstMessageBare, sc.serverFirstMessage, clientFinalMessageWithoutProof}, []byte(",")) | ||||
|  | ||||
| 	clientProof := computeClientProof(sc.saltedPassword, sc.authMessage) | ||||
|  | ||||
| 	return fmt.Sprintf("%s,p=%s", clientFinalMessageWithoutProof, clientProof) | ||||
| } | ||||
|  | ||||
| func (sc *scramClient) recvServerFinalMessage(serverFinalMessage []byte) error { | ||||
| 	if !bytes.HasPrefix(serverFinalMessage, []byte("v=")) { | ||||
| 		return errors.New("invalid SCRAM server-final-message received from server") | ||||
| 	} | ||||
|  | ||||
| 	serverSignature := serverFinalMessage[2:] | ||||
|  | ||||
| 	if !hmac.Equal(serverSignature, computeServerSignature(sc.saltedPassword, sc.authMessage)) { | ||||
| 		return errors.New("invalid SCRAM ServerSignature received from server") | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func computeHMAC(key, msg []byte) []byte { | ||||
| 	mac := hmac.New(sha256.New, key) | ||||
| 	mac.Write(msg) | ||||
| 	return mac.Sum(nil) | ||||
| } | ||||
|  | ||||
| func computeClientProof(saltedPassword, authMessage []byte) []byte { | ||||
| 	clientKey := computeHMAC(saltedPassword, []byte("Client Key")) | ||||
| 	storedKey := sha256.Sum256(clientKey) | ||||
| 	clientSignature := computeHMAC(storedKey[:], authMessage) | ||||
|  | ||||
| 	clientProof := make([]byte, len(clientSignature)) | ||||
| 	for i := 0; i < len(clientSignature); i++ { | ||||
| 		clientProof[i] = clientKey[i] ^ clientSignature[i] | ||||
| 	} | ||||
|  | ||||
| 	buf := make([]byte, base64.StdEncoding.EncodedLen(len(clientProof))) | ||||
| 	base64.StdEncoding.Encode(buf, clientProof) | ||||
| 	return buf | ||||
| } | ||||
|  | ||||
| func computeServerSignature(saltedPassword []byte, authMessage []byte) []byte { | ||||
| 	serverKey := computeHMAC(saltedPassword, []byte("Server Key")) | ||||
| 	serverSignature := computeHMAC(serverKey, authMessage) | ||||
| 	buf := make([]byte, base64.StdEncoding.EncodedLen(len(serverSignature))) | ||||
| 	base64.StdEncoding.Encode(buf, serverSignature) | ||||
| 	return buf | ||||
| } | ||||
							
								
								
									
										885
									
								
								vendor/github.com/jackc/pgx/v5/pgconn/config.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										885
									
								
								vendor/github.com/jackc/pgx/v5/pgconn/config.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,885 @@ | ||||
| package pgconn | ||||
|  | ||||
| import ( | ||||
| 	"context" | ||||
| 	"crypto/tls" | ||||
| 	"crypto/x509" | ||||
| 	"encoding/pem" | ||||
| 	"errors" | ||||
| 	"fmt" | ||||
| 	"io" | ||||
| 	"math" | ||||
| 	"net" | ||||
| 	"net/url" | ||||
| 	"os" | ||||
| 	"path/filepath" | ||||
| 	"strconv" | ||||
| 	"strings" | ||||
| 	"time" | ||||
|  | ||||
| 	"github.com/jackc/pgpassfile" | ||||
| 	"github.com/jackc/pgservicefile" | ||||
| 	"github.com/jackc/pgx/v5/pgproto3" | ||||
| ) | ||||
|  | ||||
| type AfterConnectFunc func(ctx context.Context, pgconn *PgConn) error | ||||
| type ValidateConnectFunc func(ctx context.Context, pgconn *PgConn) error | ||||
| type GetSSLPasswordFunc func(ctx context.Context) string | ||||
|  | ||||
| // Config is the settings used to establish a connection to a PostgreSQL server. It must be created by [ParseConfig]. A | ||||
| // manually initialized Config will cause ConnectConfig to panic. | ||||
| type Config struct { | ||||
| 	Host           string // host (e.g. localhost) or absolute path to unix domain socket directory (e.g. /private/tmp) | ||||
| 	Port           uint16 | ||||
| 	Database       string | ||||
| 	User           string | ||||
| 	Password       string | ||||
| 	TLSConfig      *tls.Config // nil disables TLS | ||||
| 	ConnectTimeout time.Duration | ||||
| 	DialFunc       DialFunc   // e.g. net.Dialer.DialContext | ||||
| 	LookupFunc     LookupFunc // e.g. net.Resolver.LookupHost | ||||
| 	BuildFrontend  BuildFrontendFunc | ||||
| 	RuntimeParams  map[string]string // Run-time parameters to set on connection as session default values (e.g. search_path or application_name) | ||||
|  | ||||
| 	KerberosSrvName string | ||||
| 	KerberosSpn     string | ||||
| 	Fallbacks       []*FallbackConfig | ||||
|  | ||||
| 	// ValidateConnect is called during a connection attempt after a successful authentication with the PostgreSQL server. | ||||
| 	// It can be used to validate that the server is acceptable. If this returns an error the connection is closed and the next | ||||
| 	// fallback config is tried. This allows implementing high availability behavior such as libpq does with target_session_attrs. | ||||
| 	ValidateConnect ValidateConnectFunc | ||||
|  | ||||
| 	// AfterConnect is called after ValidateConnect. It can be used to set up the connection (e.g. Set session variables | ||||
| 	// or prepare statements). If this returns an error the connection attempt fails. | ||||
| 	AfterConnect AfterConnectFunc | ||||
|  | ||||
| 	// OnNotice is a callback function called when a notice response is received. | ||||
| 	OnNotice NoticeHandler | ||||
|  | ||||
| 	// OnNotification is a callback function called when a notification from the LISTEN/NOTIFY system is received. | ||||
| 	OnNotification NotificationHandler | ||||
|  | ||||
| 	createdByParseConfig bool // Used to enforce created by ParseConfig rule. | ||||
| } | ||||
|  | ||||
| // ParseConfigOptions contains options that control how a config is built such as GetSSLPassword. | ||||
| type ParseConfigOptions struct { | ||||
| 	// GetSSLPassword gets the password to decrypt a SSL client certificate. This is analogous to the the libpq function | ||||
| 	// PQsetSSLKeyPassHook_OpenSSL. | ||||
| 	GetSSLPassword GetSSLPasswordFunc | ||||
| } | ||||
|  | ||||
| // Copy returns a deep copy of the config that is safe to use and modify. | ||||
| // The only exception is the TLSConfig field: | ||||
| // according to the tls.Config docs it must not be modified after creation. | ||||
| func (c *Config) Copy() *Config { | ||||
| 	newConf := new(Config) | ||||
| 	*newConf = *c | ||||
| 	if newConf.TLSConfig != nil { | ||||
| 		newConf.TLSConfig = c.TLSConfig.Clone() | ||||
| 	} | ||||
| 	if newConf.RuntimeParams != nil { | ||||
| 		newConf.RuntimeParams = make(map[string]string, len(c.RuntimeParams)) | ||||
| 		for k, v := range c.RuntimeParams { | ||||
| 			newConf.RuntimeParams[k] = v | ||||
| 		} | ||||
| 	} | ||||
| 	if newConf.Fallbacks != nil { | ||||
| 		newConf.Fallbacks = make([]*FallbackConfig, len(c.Fallbacks)) | ||||
| 		for i, fallback := range c.Fallbacks { | ||||
| 			newFallback := new(FallbackConfig) | ||||
| 			*newFallback = *fallback | ||||
| 			if newFallback.TLSConfig != nil { | ||||
| 				newFallback.TLSConfig = fallback.TLSConfig.Clone() | ||||
| 			} | ||||
| 			newConf.Fallbacks[i] = newFallback | ||||
| 		} | ||||
| 	} | ||||
| 	return newConf | ||||
| } | ||||
|  | ||||
| // FallbackConfig is additional settings to attempt a connection with when the primary Config fails to establish a | ||||
| // network connection. It is used for TLS fallback such as sslmode=prefer and high availability (HA) connections. | ||||
| type FallbackConfig struct { | ||||
| 	Host      string // host (e.g. localhost) or path to unix domain socket directory (e.g. /private/tmp) | ||||
| 	Port      uint16 | ||||
| 	TLSConfig *tls.Config // nil disables TLS | ||||
| } | ||||
|  | ||||
| // isAbsolutePath checks if the provided value is an absolute path either | ||||
| // beginning with a forward slash (as on Linux-based systems) or with a capital | ||||
| // letter A-Z followed by a colon and a backslash, e.g., "C:\", (as on Windows). | ||||
| func isAbsolutePath(path string) bool { | ||||
| 	isWindowsPath := func(p string) bool { | ||||
| 		if len(p) < 3 { | ||||
| 			return false | ||||
| 		} | ||||
| 		drive := p[0] | ||||
| 		colon := p[1] | ||||
| 		backslash := p[2] | ||||
| 		if drive >= 'A' && drive <= 'Z' && colon == ':' && backslash == '\\' { | ||||
| 			return true | ||||
| 		} | ||||
| 		return false | ||||
| 	} | ||||
| 	return strings.HasPrefix(path, "/") || isWindowsPath(path) | ||||
| } | ||||
|  | ||||
| // NetworkAddress converts a PostgreSQL host and port into network and address suitable for use with | ||||
| // net.Dial. | ||||
| func NetworkAddress(host string, port uint16) (network, address string) { | ||||
| 	if isAbsolutePath(host) { | ||||
| 		network = "unix" | ||||
| 		address = filepath.Join(host, ".s.PGSQL.") + strconv.FormatInt(int64(port), 10) | ||||
| 	} else { | ||||
| 		network = "tcp" | ||||
| 		address = net.JoinHostPort(host, strconv.Itoa(int(port))) | ||||
| 	} | ||||
| 	return network, address | ||||
| } | ||||
|  | ||||
| // ParseConfig builds a *Config from connString with similar behavior to the PostgreSQL standard C library libpq. It | ||||
| // uses the same defaults as libpq (e.g. port=5432) and understands most PG* environment variables. ParseConfig closely | ||||
| // matches the parsing behavior of libpq. connString may either be in URL format or keyword = value format (DSN style). | ||||
| // See https://www.postgresql.org/docs/current/libpq-connect.html#LIBPQ-CONNSTRING for details. connString also may be | ||||
| // empty to only read from the environment. If a password is not supplied it will attempt to read the .pgpass file. | ||||
| // | ||||
| //	# Example DSN | ||||
| //	user=jack password=secret host=pg.example.com port=5432 dbname=mydb sslmode=verify-ca | ||||
| // | ||||
| //	# Example URL | ||||
| //	postgres://jack:secret@pg.example.com:5432/mydb?sslmode=verify-ca | ||||
| // | ||||
| // The returned *Config may be modified. However, it is strongly recommended that any configuration that can be done | ||||
| // through the connection string be done there. In particular the fields Host, Port, TLSConfig, and Fallbacks can be | ||||
| // interdependent (e.g. TLSConfig needs knowledge of the host to validate the server certificate). These fields should | ||||
| // not be modified individually. They should all be modified or all left unchanged. | ||||
| // | ||||
| // ParseConfig supports specifying multiple hosts in similar manner to libpq. Host and port may include comma separated | ||||
| // values that will be tried in order. This can be used as part of a high availability system. See | ||||
| // https://www.postgresql.org/docs/11/libpq-connect.html#LIBPQ-MULTIPLE-HOSTS for more information. | ||||
| // | ||||
| //	# Example URL | ||||
| //	postgres://jack:secret@foo.example.com:5432,bar.example.com:5432/mydb | ||||
| // | ||||
| // ParseConfig currently recognizes the following environment variable and their parameter key word equivalents passed | ||||
| // via database URL or DSN: | ||||
| // | ||||
| //	PGHOST | ||||
| //	PGPORT | ||||
| //	PGDATABASE | ||||
| //	PGUSER | ||||
| //	PGPASSWORD | ||||
| //	PGPASSFILE | ||||
| //	PGSERVICE | ||||
| //	PGSERVICEFILE | ||||
| //	PGSSLMODE | ||||
| //	PGSSLCERT | ||||
| //	PGSSLKEY | ||||
| //	PGSSLROOTCERT | ||||
| //	PGSSLPASSWORD | ||||
| //	PGAPPNAME | ||||
| //	PGCONNECT_TIMEOUT | ||||
| //	PGTARGETSESSIONATTRS | ||||
| // | ||||
| // See http://www.postgresql.org/docs/11/static/libpq-envars.html for details on the meaning of environment variables. | ||||
| // | ||||
| // See https://www.postgresql.org/docs/11/libpq-connect.html#LIBPQ-PARAMKEYWORDS for parameter key word names. They are | ||||
| // usually but not always the environment variable name downcased and without the "PG" prefix. | ||||
| // | ||||
| // Important Security Notes: | ||||
| // | ||||
| // ParseConfig tries to match libpq behavior with regard to PGSSLMODE. This includes defaulting to "prefer" behavior if | ||||
| // not set. | ||||
| // | ||||
| // See http://www.postgresql.org/docs/11/static/libpq-ssl.html#LIBPQ-SSL-PROTECTION for details on what level of | ||||
| // security each sslmode provides. | ||||
| // | ||||
| // The sslmode "prefer" (the default), sslmode "allow", and multiple hosts are implemented via the Fallbacks field of | ||||
| // the Config struct. If TLSConfig is manually changed it will not affect the fallbacks. For example, in the case of | ||||
| // sslmode "prefer" this means it will first try the main Config settings which use TLS, then it will try the fallback | ||||
| // which does not use TLS. This can lead to an unexpected unencrypted connection if the main TLS config is manually | ||||
| // changed later but the unencrypted fallback is present. Ensure there are no stale fallbacks when manually setting | ||||
| // TLSConfig. | ||||
| // | ||||
| // Other known differences with libpq: | ||||
| // | ||||
| // When multiple hosts are specified, libpq allows them to have different passwords set via the .pgpass file. pgconn | ||||
| // does not. | ||||
| // | ||||
| // In addition, ParseConfig accepts the following options: | ||||
| // | ||||
| //   - servicefile. | ||||
| //     libpq only reads servicefile from the PGSERVICEFILE environment variable. ParseConfig accepts servicefile as a | ||||
| //     part of the connection string. | ||||
| func ParseConfig(connString string) (*Config, error) { | ||||
| 	var parseConfigOptions ParseConfigOptions | ||||
| 	return ParseConfigWithOptions(connString, parseConfigOptions) | ||||
| } | ||||
|  | ||||
| // ParseConfigWithOptions builds a *Config from connString and options with similar behavior to the PostgreSQL standard | ||||
| // C library libpq. options contains settings that cannot be specified in a connString such as providing a function to | ||||
| // get the SSL password. | ||||
| func ParseConfigWithOptions(connString string, options ParseConfigOptions) (*Config, error) { | ||||
| 	defaultSettings := defaultSettings() | ||||
| 	envSettings := parseEnvSettings() | ||||
|  | ||||
| 	connStringSettings := make(map[string]string) | ||||
| 	if connString != "" { | ||||
| 		var err error | ||||
| 		// connString may be a database URL or a DSN | ||||
| 		if strings.HasPrefix(connString, "postgres://") || strings.HasPrefix(connString, "postgresql://") { | ||||
| 			connStringSettings, err = parseURLSettings(connString) | ||||
| 			if err != nil { | ||||
| 				return nil, &parseConfigError{connString: connString, msg: "failed to parse as URL", err: err} | ||||
| 			} | ||||
| 		} else { | ||||
| 			connStringSettings, err = parseDSNSettings(connString) | ||||
| 			if err != nil { | ||||
| 				return nil, &parseConfigError{connString: connString, msg: "failed to parse as DSN", err: err} | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	settings := mergeSettings(defaultSettings, envSettings, connStringSettings) | ||||
| 	if service, present := settings["service"]; present { | ||||
| 		serviceSettings, err := parseServiceSettings(settings["servicefile"], service) | ||||
| 		if err != nil { | ||||
| 			return nil, &parseConfigError{connString: connString, msg: "failed to read service", err: err} | ||||
| 		} | ||||
|  | ||||
| 		settings = mergeSettings(defaultSettings, envSettings, serviceSettings, connStringSettings) | ||||
| 	} | ||||
|  | ||||
| 	config := &Config{ | ||||
| 		createdByParseConfig: true, | ||||
| 		Database:             settings["database"], | ||||
| 		User:                 settings["user"], | ||||
| 		Password:             settings["password"], | ||||
| 		RuntimeParams:        make(map[string]string), | ||||
| 		BuildFrontend: func(r io.Reader, w io.Writer) *pgproto3.Frontend { | ||||
| 			return pgproto3.NewFrontend(r, w) | ||||
| 		}, | ||||
| 	} | ||||
|  | ||||
| 	if connectTimeoutSetting, present := settings["connect_timeout"]; present { | ||||
| 		connectTimeout, err := parseConnectTimeoutSetting(connectTimeoutSetting) | ||||
| 		if err != nil { | ||||
| 			return nil, &parseConfigError{connString: connString, msg: "invalid connect_timeout", err: err} | ||||
| 		} | ||||
| 		config.ConnectTimeout = connectTimeout | ||||
| 		config.DialFunc = makeConnectTimeoutDialFunc(connectTimeout) | ||||
| 	} else { | ||||
| 		defaultDialer := makeDefaultDialer() | ||||
| 		config.DialFunc = defaultDialer.DialContext | ||||
| 	} | ||||
|  | ||||
| 	config.LookupFunc = makeDefaultResolver().LookupHost | ||||
|  | ||||
| 	notRuntimeParams := map[string]struct{}{ | ||||
| 		"host":                 {}, | ||||
| 		"port":                 {}, | ||||
| 		"database":             {}, | ||||
| 		"user":                 {}, | ||||
| 		"password":             {}, | ||||
| 		"passfile":             {}, | ||||
| 		"connect_timeout":      {}, | ||||
| 		"sslmode":              {}, | ||||
| 		"sslkey":               {}, | ||||
| 		"sslcert":              {}, | ||||
| 		"sslrootcert":          {}, | ||||
| 		"sslpassword":          {}, | ||||
| 		"sslsni":               {}, | ||||
| 		"krbspn":               {}, | ||||
| 		"krbsrvname":           {}, | ||||
| 		"target_session_attrs": {}, | ||||
| 		"service":              {}, | ||||
| 		"servicefile":          {}, | ||||
| 	} | ||||
|  | ||||
| 	// Adding kerberos configuration | ||||
| 	if _, present := settings["krbsrvname"]; present { | ||||
| 		config.KerberosSrvName = settings["krbsrvname"] | ||||
| 	} | ||||
| 	if _, present := settings["krbspn"]; present { | ||||
| 		config.KerberosSpn = settings["krbspn"] | ||||
| 	} | ||||
|  | ||||
| 	for k, v := range settings { | ||||
| 		if _, present := notRuntimeParams[k]; present { | ||||
| 			continue | ||||
| 		} | ||||
| 		config.RuntimeParams[k] = v | ||||
| 	} | ||||
|  | ||||
| 	fallbacks := []*FallbackConfig{} | ||||
|  | ||||
| 	hosts := strings.Split(settings["host"], ",") | ||||
| 	ports := strings.Split(settings["port"], ",") | ||||
|  | ||||
| 	for i, host := range hosts { | ||||
| 		var portStr string | ||||
| 		if i < len(ports) { | ||||
| 			portStr = ports[i] | ||||
| 		} else { | ||||
| 			portStr = ports[0] | ||||
| 		} | ||||
|  | ||||
| 		port, err := parsePort(portStr) | ||||
| 		if err != nil { | ||||
| 			return nil, &parseConfigError{connString: connString, msg: "invalid port", err: err} | ||||
| 		} | ||||
|  | ||||
| 		var tlsConfigs []*tls.Config | ||||
|  | ||||
| 		// Ignore TLS settings if Unix domain socket like libpq | ||||
| 		if network, _ := NetworkAddress(host, port); network == "unix" { | ||||
| 			tlsConfigs = append(tlsConfigs, nil) | ||||
| 		} else { | ||||
| 			var err error | ||||
| 			tlsConfigs, err = configTLS(settings, host, options) | ||||
| 			if err != nil { | ||||
| 				return nil, &parseConfigError{connString: connString, msg: "failed to configure TLS", err: err} | ||||
| 			} | ||||
| 		} | ||||
|  | ||||
| 		for _, tlsConfig := range tlsConfigs { | ||||
| 			fallbacks = append(fallbacks, &FallbackConfig{ | ||||
| 				Host:      host, | ||||
| 				Port:      port, | ||||
| 				TLSConfig: tlsConfig, | ||||
| 			}) | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	config.Host = fallbacks[0].Host | ||||
| 	config.Port = fallbacks[0].Port | ||||
| 	config.TLSConfig = fallbacks[0].TLSConfig | ||||
| 	config.Fallbacks = fallbacks[1:] | ||||
|  | ||||
| 	passfile, err := pgpassfile.ReadPassfile(settings["passfile"]) | ||||
| 	if err == nil { | ||||
| 		if config.Password == "" { | ||||
| 			host := config.Host | ||||
| 			if network, _ := NetworkAddress(config.Host, config.Port); network == "unix" { | ||||
| 				host = "localhost" | ||||
| 			} | ||||
|  | ||||
| 			config.Password = passfile.FindPassword(host, strconv.Itoa(int(config.Port)), config.Database, config.User) | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	switch tsa := settings["target_session_attrs"]; tsa { | ||||
| 	case "read-write": | ||||
| 		config.ValidateConnect = ValidateConnectTargetSessionAttrsReadWrite | ||||
| 	case "read-only": | ||||
| 		config.ValidateConnect = ValidateConnectTargetSessionAttrsReadOnly | ||||
| 	case "primary": | ||||
| 		config.ValidateConnect = ValidateConnectTargetSessionAttrsPrimary | ||||
| 	case "standby": | ||||
| 		config.ValidateConnect = ValidateConnectTargetSessionAttrsStandby | ||||
| 	case "prefer-standby": | ||||
| 		config.ValidateConnect = ValidateConnectTargetSessionAttrsPreferStandby | ||||
| 	case "any": | ||||
| 		// do nothing | ||||
| 	default: | ||||
| 		return nil, &parseConfigError{connString: connString, msg: fmt.Sprintf("unknown target_session_attrs value: %v", tsa)} | ||||
| 	} | ||||
|  | ||||
| 	return config, nil | ||||
| } | ||||
|  | ||||
| func mergeSettings(settingSets ...map[string]string) map[string]string { | ||||
| 	settings := make(map[string]string) | ||||
|  | ||||
| 	for _, s2 := range settingSets { | ||||
| 		for k, v := range s2 { | ||||
| 			settings[k] = v | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	return settings | ||||
| } | ||||
|  | ||||
| func parseEnvSettings() map[string]string { | ||||
| 	settings := make(map[string]string) | ||||
|  | ||||
| 	nameMap := map[string]string{ | ||||
| 		"PGHOST":               "host", | ||||
| 		"PGPORT":               "port", | ||||
| 		"PGDATABASE":           "database", | ||||
| 		"PGUSER":               "user", | ||||
| 		"PGPASSWORD":           "password", | ||||
| 		"PGPASSFILE":           "passfile", | ||||
| 		"PGAPPNAME":            "application_name", | ||||
| 		"PGCONNECT_TIMEOUT":    "connect_timeout", | ||||
| 		"PGSSLMODE":            "sslmode", | ||||
| 		"PGSSLKEY":             "sslkey", | ||||
| 		"PGSSLCERT":            "sslcert", | ||||
| 		"PGSSLSNI":             "sslsni", | ||||
| 		"PGSSLROOTCERT":        "sslrootcert", | ||||
| 		"PGSSLPASSWORD":        "sslpassword", | ||||
| 		"PGTARGETSESSIONATTRS": "target_session_attrs", | ||||
| 		"PGSERVICE":            "service", | ||||
| 		"PGSERVICEFILE":        "servicefile", | ||||
| 	} | ||||
|  | ||||
| 	for envname, realname := range nameMap { | ||||
| 		value := os.Getenv(envname) | ||||
| 		if value != "" { | ||||
| 			settings[realname] = value | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	return settings | ||||
| } | ||||
|  | ||||
| func parseURLSettings(connString string) (map[string]string, error) { | ||||
| 	settings := make(map[string]string) | ||||
|  | ||||
| 	url, err := url.Parse(connString) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
|  | ||||
| 	if url.User != nil { | ||||
| 		settings["user"] = url.User.Username() | ||||
| 		if password, present := url.User.Password(); present { | ||||
| 			settings["password"] = password | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	// Handle multiple host:port's in url.Host by splitting them into host,host,host and port,port,port. | ||||
| 	var hosts []string | ||||
| 	var ports []string | ||||
| 	for _, host := range strings.Split(url.Host, ",") { | ||||
| 		if host == "" { | ||||
| 			continue | ||||
| 		} | ||||
| 		if isIPOnly(host) { | ||||
| 			hosts = append(hosts, strings.Trim(host, "[]")) | ||||
| 			continue | ||||
| 		} | ||||
| 		h, p, err := net.SplitHostPort(host) | ||||
| 		if err != nil { | ||||
| 			return nil, fmt.Errorf("failed to split host:port in '%s', err: %w", host, err) | ||||
| 		} | ||||
| 		if h != "" { | ||||
| 			hosts = append(hosts, h) | ||||
| 		} | ||||
| 		if p != "" { | ||||
| 			ports = append(ports, p) | ||||
| 		} | ||||
| 	} | ||||
| 	if len(hosts) > 0 { | ||||
| 		settings["host"] = strings.Join(hosts, ",") | ||||
| 	} | ||||
| 	if len(ports) > 0 { | ||||
| 		settings["port"] = strings.Join(ports, ",") | ||||
| 	} | ||||
|  | ||||
| 	database := strings.TrimLeft(url.Path, "/") | ||||
| 	if database != "" { | ||||
| 		settings["database"] = database | ||||
| 	} | ||||
|  | ||||
| 	nameMap := map[string]string{ | ||||
| 		"dbname": "database", | ||||
| 	} | ||||
|  | ||||
| 	for k, v := range url.Query() { | ||||
| 		if k2, present := nameMap[k]; present { | ||||
| 			k = k2 | ||||
| 		} | ||||
|  | ||||
| 		settings[k] = v[0] | ||||
| 	} | ||||
|  | ||||
| 	return settings, nil | ||||
| } | ||||
|  | ||||
| func isIPOnly(host string) bool { | ||||
| 	return net.ParseIP(strings.Trim(host, "[]")) != nil || !strings.Contains(host, ":") | ||||
| } | ||||
|  | ||||
| var asciiSpace = [256]uint8{'\t': 1, '\n': 1, '\v': 1, '\f': 1, '\r': 1, ' ': 1} | ||||
|  | ||||
| func parseDSNSettings(s string) (map[string]string, error) { | ||||
| 	settings := make(map[string]string) | ||||
|  | ||||
| 	nameMap := map[string]string{ | ||||
| 		"dbname": "database", | ||||
| 	} | ||||
|  | ||||
| 	for len(s) > 0 { | ||||
| 		var key, val string | ||||
| 		eqIdx := strings.IndexRune(s, '=') | ||||
| 		if eqIdx < 0 { | ||||
| 			return nil, errors.New("invalid dsn") | ||||
| 		} | ||||
|  | ||||
| 		key = strings.Trim(s[:eqIdx], " \t\n\r\v\f") | ||||
| 		s = strings.TrimLeft(s[eqIdx+1:], " \t\n\r\v\f") | ||||
| 		if len(s) == 0 { | ||||
| 		} else if s[0] != '\'' { | ||||
| 			end := 0 | ||||
| 			for ; end < len(s); end++ { | ||||
| 				if asciiSpace[s[end]] == 1 { | ||||
| 					break | ||||
| 				} | ||||
| 				if s[end] == '\\' { | ||||
| 					end++ | ||||
| 					if end == len(s) { | ||||
| 						return nil, errors.New("invalid backslash") | ||||
| 					} | ||||
| 				} | ||||
| 			} | ||||
| 			val = strings.Replace(strings.Replace(s[:end], "\\\\", "\\", -1), "\\'", "'", -1) | ||||
| 			if end == len(s) { | ||||
| 				s = "" | ||||
| 			} else { | ||||
| 				s = s[end+1:] | ||||
| 			} | ||||
| 		} else { // quoted string | ||||
| 			s = s[1:] | ||||
| 			end := 0 | ||||
| 			for ; end < len(s); end++ { | ||||
| 				if s[end] == '\'' { | ||||
| 					break | ||||
| 				} | ||||
| 				if s[end] == '\\' { | ||||
| 					end++ | ||||
| 				} | ||||
| 			} | ||||
| 			if end == len(s) { | ||||
| 				return nil, errors.New("unterminated quoted string in connection info string") | ||||
| 			} | ||||
| 			val = strings.Replace(strings.Replace(s[:end], "\\\\", "\\", -1), "\\'", "'", -1) | ||||
| 			if end == len(s) { | ||||
| 				s = "" | ||||
| 			} else { | ||||
| 				s = s[end+1:] | ||||
| 			} | ||||
| 		} | ||||
|  | ||||
| 		if k, ok := nameMap[key]; ok { | ||||
| 			key = k | ||||
| 		} | ||||
|  | ||||
| 		if key == "" { | ||||
| 			return nil, errors.New("invalid dsn") | ||||
| 		} | ||||
|  | ||||
| 		settings[key] = val | ||||
| 	} | ||||
|  | ||||
| 	return settings, nil | ||||
| } | ||||
|  | ||||
| func parseServiceSettings(servicefilePath, serviceName string) (map[string]string, error) { | ||||
| 	servicefile, err := pgservicefile.ReadServicefile(servicefilePath) | ||||
| 	if err != nil { | ||||
| 		return nil, fmt.Errorf("failed to read service file: %v", servicefilePath) | ||||
| 	} | ||||
|  | ||||
| 	service, err := servicefile.GetService(serviceName) | ||||
| 	if err != nil { | ||||
| 		return nil, fmt.Errorf("unable to find service: %v", serviceName) | ||||
| 	} | ||||
|  | ||||
| 	nameMap := map[string]string{ | ||||
| 		"dbname": "database", | ||||
| 	} | ||||
|  | ||||
| 	settings := make(map[string]string, len(service.Settings)) | ||||
| 	for k, v := range service.Settings { | ||||
| 		if k2, present := nameMap[k]; present { | ||||
| 			k = k2 | ||||
| 		} | ||||
| 		settings[k] = v | ||||
| 	} | ||||
|  | ||||
| 	return settings, nil | ||||
| } | ||||
|  | ||||
| // configTLS uses libpq's TLS parameters to construct  []*tls.Config. It is | ||||
| // necessary to allow returning multiple TLS configs as sslmode "allow" and | ||||
| // "prefer" allow fallback. | ||||
| func configTLS(settings map[string]string, thisHost string, parseConfigOptions ParseConfigOptions) ([]*tls.Config, error) { | ||||
| 	host := thisHost | ||||
| 	sslmode := settings["sslmode"] | ||||
| 	sslrootcert := settings["sslrootcert"] | ||||
| 	sslcert := settings["sslcert"] | ||||
| 	sslkey := settings["sslkey"] | ||||
| 	sslpassword := settings["sslpassword"] | ||||
| 	sslsni := settings["sslsni"] | ||||
|  | ||||
| 	// Match libpq default behavior | ||||
| 	if sslmode == "" { | ||||
| 		sslmode = "prefer" | ||||
| 	} | ||||
| 	if sslsni == "" { | ||||
| 		sslsni = "1" | ||||
| 	} | ||||
|  | ||||
| 	tlsConfig := &tls.Config{} | ||||
|  | ||||
| 	switch sslmode { | ||||
| 	case "disable": | ||||
| 		return []*tls.Config{nil}, nil | ||||
| 	case "allow", "prefer": | ||||
| 		tlsConfig.InsecureSkipVerify = true | ||||
| 	case "require": | ||||
| 		// According to PostgreSQL documentation, if a root CA file exists, | ||||
| 		// the behavior of sslmode=require should be the same as that of verify-ca | ||||
| 		// | ||||
| 		// See https://www.postgresql.org/docs/12/libpq-ssl.html | ||||
| 		if sslrootcert != "" { | ||||
| 			goto nextCase | ||||
| 		} | ||||
| 		tlsConfig.InsecureSkipVerify = true | ||||
| 		break | ||||
| 	nextCase: | ||||
| 		fallthrough | ||||
| 	case "verify-ca": | ||||
| 		// Don't perform the default certificate verification because it | ||||
| 		// will verify the hostname. Instead, verify the server's | ||||
| 		// certificate chain ourselves in VerifyPeerCertificate and | ||||
| 		// ignore the server name. This emulates libpq's verify-ca | ||||
| 		// behavior. | ||||
| 		// | ||||
| 		// See https://github.com/golang/go/issues/21971#issuecomment-332693931 | ||||
| 		// and https://pkg.go.dev/crypto/tls?tab=doc#example-Config-VerifyPeerCertificate | ||||
| 		// for more info. | ||||
| 		tlsConfig.InsecureSkipVerify = true | ||||
| 		tlsConfig.VerifyPeerCertificate = func(certificates [][]byte, _ [][]*x509.Certificate) error { | ||||
| 			certs := make([]*x509.Certificate, len(certificates)) | ||||
| 			for i, asn1Data := range certificates { | ||||
| 				cert, err := x509.ParseCertificate(asn1Data) | ||||
| 				if err != nil { | ||||
| 					return errors.New("failed to parse certificate from server: " + err.Error()) | ||||
| 				} | ||||
| 				certs[i] = cert | ||||
| 			} | ||||
|  | ||||
| 			// Leave DNSName empty to skip hostname verification. | ||||
| 			opts := x509.VerifyOptions{ | ||||
| 				Roots:         tlsConfig.RootCAs, | ||||
| 				Intermediates: x509.NewCertPool(), | ||||
| 			} | ||||
| 			// Skip the first cert because it's the leaf. All others | ||||
| 			// are intermediates. | ||||
| 			for _, cert := range certs[1:] { | ||||
| 				opts.Intermediates.AddCert(cert) | ||||
| 			} | ||||
| 			_, err := certs[0].Verify(opts) | ||||
| 			return err | ||||
| 		} | ||||
| 	case "verify-full": | ||||
| 		tlsConfig.ServerName = host | ||||
| 	default: | ||||
| 		return nil, errors.New("sslmode is invalid") | ||||
| 	} | ||||
|  | ||||
| 	if sslrootcert != "" { | ||||
| 		caCertPool := x509.NewCertPool() | ||||
|  | ||||
| 		caPath := sslrootcert | ||||
| 		caCert, err := os.ReadFile(caPath) | ||||
| 		if err != nil { | ||||
| 			return nil, fmt.Errorf("unable to read CA file: %w", err) | ||||
| 		} | ||||
|  | ||||
| 		if !caCertPool.AppendCertsFromPEM(caCert) { | ||||
| 			return nil, errors.New("unable to add CA to cert pool") | ||||
| 		} | ||||
|  | ||||
| 		tlsConfig.RootCAs = caCertPool | ||||
| 		tlsConfig.ClientCAs = caCertPool | ||||
| 	} | ||||
|  | ||||
| 	if (sslcert != "" && sslkey == "") || (sslcert == "" && sslkey != "") { | ||||
| 		return nil, errors.New(`both "sslcert" and "sslkey" are required`) | ||||
| 	} | ||||
|  | ||||
| 	if sslcert != "" && sslkey != "" { | ||||
| 		buf, err := os.ReadFile(sslkey) | ||||
| 		if err != nil { | ||||
| 			return nil, fmt.Errorf("unable to read sslkey: %w", err) | ||||
| 		} | ||||
| 		block, _ := pem.Decode(buf) | ||||
| 		var pemKey []byte | ||||
| 		var decryptedKey []byte | ||||
| 		var decryptedError error | ||||
| 		// If PEM is encrypted, attempt to decrypt using pass phrase | ||||
| 		if x509.IsEncryptedPEMBlock(block) { | ||||
| 			// Attempt decryption with pass phrase | ||||
| 			// NOTE: only supports RSA (PKCS#1) | ||||
| 			if sslpassword != "" { | ||||
| 				decryptedKey, decryptedError = x509.DecryptPEMBlock(block, []byte(sslpassword)) | ||||
| 			} | ||||
| 			//if sslpassword not provided or has decryption error when use it | ||||
| 			//try to find sslpassword with callback function | ||||
| 			if sslpassword == "" || decryptedError != nil { | ||||
| 				if parseConfigOptions.GetSSLPassword != nil { | ||||
| 					sslpassword = parseConfigOptions.GetSSLPassword(context.Background()) | ||||
| 				} | ||||
| 				if sslpassword == "" { | ||||
| 					return nil, fmt.Errorf("unable to find sslpassword") | ||||
| 				} | ||||
| 			} | ||||
| 			decryptedKey, decryptedError = x509.DecryptPEMBlock(block, []byte(sslpassword)) | ||||
| 			// Should we also provide warning for PKCS#1 needed? | ||||
| 			if decryptedError != nil { | ||||
| 				return nil, fmt.Errorf("unable to decrypt key: %w", err) | ||||
| 			} | ||||
|  | ||||
| 			pemBytes := pem.Block{ | ||||
| 				Type:  "RSA PRIVATE KEY", | ||||
| 				Bytes: decryptedKey, | ||||
| 			} | ||||
| 			pemKey = pem.EncodeToMemory(&pemBytes) | ||||
| 		} else { | ||||
| 			pemKey = pem.EncodeToMemory(block) | ||||
| 		} | ||||
| 		certfile, err := os.ReadFile(sslcert) | ||||
| 		if err != nil { | ||||
| 			return nil, fmt.Errorf("unable to read cert: %w", err) | ||||
| 		} | ||||
| 		cert, err := tls.X509KeyPair(certfile, pemKey) | ||||
| 		if err != nil { | ||||
| 			return nil, fmt.Errorf("unable to load cert: %w", err) | ||||
| 		} | ||||
| 		tlsConfig.Certificates = []tls.Certificate{cert} | ||||
| 	} | ||||
|  | ||||
| 	// Set Server Name Indication (SNI), if enabled by connection parameters. | ||||
| 	// Per RFC 6066, do not set it if the host is a literal IP address (IPv4 | ||||
| 	// or IPv6). | ||||
| 	if sslsni == "1" && net.ParseIP(host) == nil { | ||||
| 		tlsConfig.ServerName = host | ||||
| 	} | ||||
|  | ||||
| 	switch sslmode { | ||||
| 	case "allow": | ||||
| 		return []*tls.Config{nil, tlsConfig}, nil | ||||
| 	case "prefer": | ||||
| 		return []*tls.Config{tlsConfig, nil}, nil | ||||
| 	case "require", "verify-ca", "verify-full": | ||||
| 		return []*tls.Config{tlsConfig}, nil | ||||
| 	default: | ||||
| 		panic("BUG: bad sslmode should already have been caught") | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func parsePort(s string) (uint16, error) { | ||||
| 	port, err := strconv.ParseUint(s, 10, 16) | ||||
| 	if err != nil { | ||||
| 		return 0, err | ||||
| 	} | ||||
| 	if port < 1 || port > math.MaxUint16 { | ||||
| 		return 0, errors.New("outside range") | ||||
| 	} | ||||
| 	return uint16(port), nil | ||||
| } | ||||
|  | ||||
| func makeDefaultDialer() *net.Dialer { | ||||
| 	return &net.Dialer{KeepAlive: 5 * time.Minute} | ||||
| } | ||||
|  | ||||
| func makeDefaultResolver() *net.Resolver { | ||||
| 	return net.DefaultResolver | ||||
| } | ||||
|  | ||||
| func parseConnectTimeoutSetting(s string) (time.Duration, error) { | ||||
| 	timeout, err := strconv.ParseInt(s, 10, 64) | ||||
| 	if err != nil { | ||||
| 		return 0, err | ||||
| 	} | ||||
| 	if timeout < 0 { | ||||
| 		return 0, errors.New("negative timeout") | ||||
| 	} | ||||
| 	return time.Duration(timeout) * time.Second, nil | ||||
| } | ||||
|  | ||||
| func makeConnectTimeoutDialFunc(timeout time.Duration) DialFunc { | ||||
| 	d := makeDefaultDialer() | ||||
| 	d.Timeout = timeout | ||||
| 	return d.DialContext | ||||
| } | ||||
|  | ||||
| // ValidateConnectTargetSessionAttrsReadWrite is an ValidateConnectFunc that implements libpq compatible | ||||
| // target_session_attrs=read-write. | ||||
| func ValidateConnectTargetSessionAttrsReadWrite(ctx context.Context, pgConn *PgConn) error { | ||||
| 	result := pgConn.ExecParams(ctx, "show transaction_read_only", nil, nil, nil, nil).Read() | ||||
| 	if result.Err != nil { | ||||
| 		return result.Err | ||||
| 	} | ||||
|  | ||||
| 	if string(result.Rows[0][0]) == "on" { | ||||
| 		return errors.New("read only connection") | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // ValidateConnectTargetSessionAttrsReadOnly is an ValidateConnectFunc that implements libpq compatible | ||||
| // target_session_attrs=read-only. | ||||
| func ValidateConnectTargetSessionAttrsReadOnly(ctx context.Context, pgConn *PgConn) error { | ||||
| 	result := pgConn.ExecParams(ctx, "show transaction_read_only", nil, nil, nil, nil).Read() | ||||
| 	if result.Err != nil { | ||||
| 		return result.Err | ||||
| 	} | ||||
|  | ||||
| 	if string(result.Rows[0][0]) != "on" { | ||||
| 		return errors.New("connection is not read only") | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // ValidateConnectTargetSessionAttrsStandby is an ValidateConnectFunc that implements libpq compatible | ||||
| // target_session_attrs=standby. | ||||
| func ValidateConnectTargetSessionAttrsStandby(ctx context.Context, pgConn *PgConn) error { | ||||
| 	result := pgConn.ExecParams(ctx, "select pg_is_in_recovery()", nil, nil, nil, nil).Read() | ||||
| 	if result.Err != nil { | ||||
| 		return result.Err | ||||
| 	} | ||||
|  | ||||
| 	if string(result.Rows[0][0]) != "t" { | ||||
| 		return errors.New("server is not in hot standby mode") | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // ValidateConnectTargetSessionAttrsPrimary is an ValidateConnectFunc that implements libpq compatible | ||||
| // target_session_attrs=primary. | ||||
| func ValidateConnectTargetSessionAttrsPrimary(ctx context.Context, pgConn *PgConn) error { | ||||
| 	result := pgConn.ExecParams(ctx, "select pg_is_in_recovery()", nil, nil, nil, nil).Read() | ||||
| 	if result.Err != nil { | ||||
| 		return result.Err | ||||
| 	} | ||||
|  | ||||
| 	if string(result.Rows[0][0]) == "t" { | ||||
| 		return errors.New("server is in standby mode") | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // ValidateConnectTargetSessionAttrsPreferStandby is an ValidateConnectFunc that implements libpq compatible | ||||
| // target_session_attrs=prefer-standby. | ||||
| func ValidateConnectTargetSessionAttrsPreferStandby(ctx context.Context, pgConn *PgConn) error { | ||||
| 	result := pgConn.ExecParams(ctx, "select pg_is_in_recovery()", nil, nil, nil, nil).Read() | ||||
| 	if result.Err != nil { | ||||
| 		return result.Err | ||||
| 	} | ||||
|  | ||||
| 	if string(result.Rows[0][0]) != "t" { | ||||
| 		return &NotPreferredError{err: errors.New("server is not in hot standby mode")} | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										63
									
								
								vendor/github.com/jackc/pgx/v5/pgconn/defaults.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										63
									
								
								vendor/github.com/jackc/pgx/v5/pgconn/defaults.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,63 @@ | ||||
| //go:build !windows | ||||
| // +build !windows | ||||
|  | ||||
| package pgconn | ||||
|  | ||||
| import ( | ||||
| 	"os" | ||||
| 	"os/user" | ||||
| 	"path/filepath" | ||||
| ) | ||||
|  | ||||
| func defaultSettings() map[string]string { | ||||
| 	settings := make(map[string]string) | ||||
|  | ||||
| 	settings["host"] = defaultHost() | ||||
| 	settings["port"] = "5432" | ||||
|  | ||||
| 	// Default to the OS user name. Purposely ignoring err getting user name from | ||||
| 	// OS. The client application will simply have to specify the user in that | ||||
| 	// case (which they typically will be doing anyway). | ||||
| 	user, err := user.Current() | ||||
| 	if err == nil { | ||||
| 		settings["user"] = user.Username | ||||
| 		settings["passfile"] = filepath.Join(user.HomeDir, ".pgpass") | ||||
| 		settings["servicefile"] = filepath.Join(user.HomeDir, ".pg_service.conf") | ||||
| 		sslcert := filepath.Join(user.HomeDir, ".postgresql", "postgresql.crt") | ||||
| 		sslkey := filepath.Join(user.HomeDir, ".postgresql", "postgresql.key") | ||||
| 		if _, err := os.Stat(sslcert); err == nil { | ||||
| 			if _, err := os.Stat(sslkey); err == nil { | ||||
| 				// Both the cert and key must be present to use them, or do not use either | ||||
| 				settings["sslcert"] = sslcert | ||||
| 				settings["sslkey"] = sslkey | ||||
| 			} | ||||
| 		} | ||||
| 		sslrootcert := filepath.Join(user.HomeDir, ".postgresql", "root.crt") | ||||
| 		if _, err := os.Stat(sslrootcert); err == nil { | ||||
| 			settings["sslrootcert"] = sslrootcert | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	settings["target_session_attrs"] = "any" | ||||
|  | ||||
| 	return settings | ||||
| } | ||||
|  | ||||
| // defaultHost attempts to mimic libpq's default host. libpq uses the default unix socket location on *nix and localhost | ||||
| // on Windows. The default socket location is compiled into libpq. Since pgx does not have access to that default it | ||||
| // checks the existence of common locations. | ||||
| func defaultHost() string { | ||||
| 	candidatePaths := []string{ | ||||
| 		"/var/run/postgresql", // Debian | ||||
| 		"/private/tmp",        // OSX - homebrew | ||||
| 		"/tmp",                // standard PostgreSQL | ||||
| 	} | ||||
|  | ||||
| 	for _, path := range candidatePaths { | ||||
| 		if _, err := os.Stat(path); err == nil { | ||||
| 			return path | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	return "localhost" | ||||
| } | ||||
							
								
								
									
										57
									
								
								vendor/github.com/jackc/pgx/v5/pgconn/defaults_windows.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										57
									
								
								vendor/github.com/jackc/pgx/v5/pgconn/defaults_windows.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,57 @@ | ||||
| package pgconn | ||||
|  | ||||
| import ( | ||||
| 	"os" | ||||
| 	"os/user" | ||||
| 	"path/filepath" | ||||
| 	"strings" | ||||
| ) | ||||
|  | ||||
| func defaultSettings() map[string]string { | ||||
| 	settings := make(map[string]string) | ||||
|  | ||||
| 	settings["host"] = defaultHost() | ||||
| 	settings["port"] = "5432" | ||||
|  | ||||
| 	// Default to the OS user name. Purposely ignoring err getting user name from | ||||
| 	// OS. The client application will simply have to specify the user in that | ||||
| 	// case (which they typically will be doing anyway). | ||||
| 	user, err := user.Current() | ||||
| 	appData := os.Getenv("APPDATA") | ||||
| 	if err == nil { | ||||
| 		// Windows gives us the username here as `DOMAIN\user` or `LOCALPCNAME\user`, | ||||
| 		// but the libpq default is just the `user` portion, so we strip off the first part. | ||||
| 		username := user.Username | ||||
| 		if strings.Contains(username, "\\") { | ||||
| 			username = username[strings.LastIndex(username, "\\")+1:] | ||||
| 		} | ||||
|  | ||||
| 		settings["user"] = username | ||||
| 		settings["passfile"] = filepath.Join(appData, "postgresql", "pgpass.conf") | ||||
| 		settings["servicefile"] = filepath.Join(user.HomeDir, ".pg_service.conf") | ||||
| 		sslcert := filepath.Join(appData, "postgresql", "postgresql.crt") | ||||
| 		sslkey := filepath.Join(appData, "postgresql", "postgresql.key") | ||||
| 		if _, err := os.Stat(sslcert); err == nil { | ||||
| 			if _, err := os.Stat(sslkey); err == nil { | ||||
| 				// Both the cert and key must be present to use them, or do not use either | ||||
| 				settings["sslcert"] = sslcert | ||||
| 				settings["sslkey"] = sslkey | ||||
| 			} | ||||
| 		} | ||||
| 		sslrootcert := filepath.Join(appData, "postgresql", "root.crt") | ||||
| 		if _, err := os.Stat(sslrootcert); err == nil { | ||||
| 			settings["sslrootcert"] = sslrootcert | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	settings["target_session_attrs"] = "any" | ||||
|  | ||||
| 	return settings | ||||
| } | ||||
|  | ||||
| // defaultHost attempts to mimic libpq's default host. libpq uses the default unix socket location on *nix and localhost | ||||
| // on Windows. The default socket location is compiled into libpq. Since pgx does not have access to that default it | ||||
| // checks the existence of common locations. | ||||
| func defaultHost() string { | ||||
| 	return "localhost" | ||||
| } | ||||
							
								
								
									
										34
									
								
								vendor/github.com/jackc/pgx/v5/pgconn/doc.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										34
									
								
								vendor/github.com/jackc/pgx/v5/pgconn/doc.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,34 @@ | ||||
| // Package pgconn is a low-level PostgreSQL database driver. | ||||
| /* | ||||
| pgconn provides lower level access to a PostgreSQL connection than a database/sql or pgx connection. It operates at | ||||
| nearly the same level is the C library libpq. | ||||
|  | ||||
| Establishing a Connection | ||||
|  | ||||
| Use Connect to establish a connection. It accepts a connection string in URL or DSN and will read the environment for | ||||
| libpq style environment variables. | ||||
|  | ||||
| Executing a Query | ||||
|  | ||||
| ExecParams and ExecPrepared execute a single query. They return readers that iterate over each row. The Read method | ||||
| reads all rows into memory. | ||||
|  | ||||
| Executing Multiple Queries in a Single Round Trip | ||||
|  | ||||
| Exec and ExecBatch can execute multiple queries in a single round trip. They return readers that iterate over each query | ||||
| result. The ReadAll method reads all query results into memory. | ||||
|  | ||||
| Pipeline Mode | ||||
|  | ||||
| Pipeline mode allows sending queries without having read the results of previously sent queries. It allows | ||||
| control of exactly how many and when network round trips occur. | ||||
|  | ||||
| Context Support | ||||
|  | ||||
| All potentially blocking operations take a context.Context. If a context is canceled while the method is in progress the | ||||
| method immediately returns. In most circumstances, this will close the underlying connection. | ||||
|  | ||||
| The CancelRequest method may be used to request the PostgreSQL server cancel an in-progress query without forcing the | ||||
| client to abort. | ||||
| */ | ||||
| package pgconn | ||||
							
								
								
									
										226
									
								
								vendor/github.com/jackc/pgx/v5/pgconn/errors.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										226
									
								
								vendor/github.com/jackc/pgx/v5/pgconn/errors.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,226 @@ | ||||
| package pgconn | ||||
|  | ||||
| import ( | ||||
| 	"context" | ||||
| 	"errors" | ||||
| 	"fmt" | ||||
| 	"net" | ||||
| 	"net/url" | ||||
| 	"regexp" | ||||
| 	"strings" | ||||
| ) | ||||
|  | ||||
| // SafeToRetry checks if the err is guaranteed to have occurred before sending any data to the server. | ||||
| func SafeToRetry(err error) bool { | ||||
| 	if e, ok := err.(interface{ SafeToRetry() bool }); ok { | ||||
| 		return e.SafeToRetry() | ||||
| 	} | ||||
| 	return false | ||||
| } | ||||
|  | ||||
| // Timeout checks if err was was caused by a timeout. To be specific, it is true if err was caused within pgconn by a | ||||
| // context.DeadlineExceeded or an implementer of net.Error where Timeout() is true. | ||||
| func Timeout(err error) bool { | ||||
| 	var timeoutErr *errTimeout | ||||
| 	return errors.As(err, &timeoutErr) | ||||
| } | ||||
|  | ||||
| // PgError represents an error reported by the PostgreSQL server. See | ||||
| // http://www.postgresql.org/docs/11/static/protocol-error-fields.html for | ||||
| // detailed field description. | ||||
| type PgError struct { | ||||
| 	Severity         string | ||||
| 	Code             string | ||||
| 	Message          string | ||||
| 	Detail           string | ||||
| 	Hint             string | ||||
| 	Position         int32 | ||||
| 	InternalPosition int32 | ||||
| 	InternalQuery    string | ||||
| 	Where            string | ||||
| 	SchemaName       string | ||||
| 	TableName        string | ||||
| 	ColumnName       string | ||||
| 	DataTypeName     string | ||||
| 	ConstraintName   string | ||||
| 	File             string | ||||
| 	Line             int32 | ||||
| 	Routine          string | ||||
| } | ||||
|  | ||||
| func (pe *PgError) Error() string { | ||||
| 	return pe.Severity + ": " + pe.Message + " (SQLSTATE " + pe.Code + ")" | ||||
| } | ||||
|  | ||||
| // SQLState returns the SQLState of the error. | ||||
| func (pe *PgError) SQLState() string { | ||||
| 	return pe.Code | ||||
| } | ||||
|  | ||||
| type connectError struct { | ||||
| 	config *Config | ||||
| 	msg    string | ||||
| 	err    error | ||||
| } | ||||
|  | ||||
| func (e *connectError) Error() string { | ||||
| 	sb := &strings.Builder{} | ||||
| 	fmt.Fprintf(sb, "failed to connect to `host=%s user=%s database=%s`: %s", e.config.Host, e.config.User, e.config.Database, e.msg) | ||||
| 	if e.err != nil { | ||||
| 		fmt.Fprintf(sb, " (%s)", e.err.Error()) | ||||
| 	} | ||||
| 	return sb.String() | ||||
| } | ||||
|  | ||||
| func (e *connectError) Unwrap() error { | ||||
| 	return e.err | ||||
| } | ||||
|  | ||||
| type connLockError struct { | ||||
| 	status string | ||||
| } | ||||
|  | ||||
| func (e *connLockError) SafeToRetry() bool { | ||||
| 	return true // a lock failure by definition happens before the connection is used. | ||||
| } | ||||
|  | ||||
| func (e *connLockError) Error() string { | ||||
| 	return e.status | ||||
| } | ||||
|  | ||||
| type parseConfigError struct { | ||||
| 	connString string | ||||
| 	msg        string | ||||
| 	err        error | ||||
| } | ||||
|  | ||||
| func (e *parseConfigError) Error() string { | ||||
| 	connString := redactPW(e.connString) | ||||
| 	if e.err == nil { | ||||
| 		return fmt.Sprintf("cannot parse `%s`: %s", connString, e.msg) | ||||
| 	} | ||||
| 	return fmt.Sprintf("cannot parse `%s`: %s (%s)", connString, e.msg, e.err.Error()) | ||||
| } | ||||
|  | ||||
| func (e *parseConfigError) Unwrap() error { | ||||
| 	return e.err | ||||
| } | ||||
|  | ||||
| func normalizeTimeoutError(ctx context.Context, err error) error { | ||||
| 	if err, ok := err.(net.Error); ok && err.Timeout() { | ||||
| 		if ctx.Err() == context.Canceled { | ||||
| 			// Since the timeout was caused by a context cancellation, the actual error is context.Canceled not the timeout error. | ||||
| 			return context.Canceled | ||||
| 		} else if ctx.Err() == context.DeadlineExceeded { | ||||
| 			return &errTimeout{err: ctx.Err()} | ||||
| 		} else { | ||||
| 			return &errTimeout{err: err} | ||||
| 		} | ||||
| 	} | ||||
| 	return err | ||||
| } | ||||
|  | ||||
| type pgconnError struct { | ||||
| 	msg         string | ||||
| 	err         error | ||||
| 	safeToRetry bool | ||||
| } | ||||
|  | ||||
| func (e *pgconnError) Error() string { | ||||
| 	if e.msg == "" { | ||||
| 		return e.err.Error() | ||||
| 	} | ||||
| 	if e.err == nil { | ||||
| 		return e.msg | ||||
| 	} | ||||
| 	return fmt.Sprintf("%s: %s", e.msg, e.err.Error()) | ||||
| } | ||||
|  | ||||
| func (e *pgconnError) SafeToRetry() bool { | ||||
| 	return e.safeToRetry | ||||
| } | ||||
|  | ||||
| func (e *pgconnError) Unwrap() error { | ||||
| 	return e.err | ||||
| } | ||||
|  | ||||
| // errTimeout occurs when an error was caused by a timeout. Specifically, it wraps an error which is | ||||
| // context.Canceled, context.DeadlineExceeded, or an implementer of net.Error where Timeout() is true. | ||||
| type errTimeout struct { | ||||
| 	err error | ||||
| } | ||||
|  | ||||
| func (e *errTimeout) Error() string { | ||||
| 	return fmt.Sprintf("timeout: %s", e.err.Error()) | ||||
| } | ||||
|  | ||||
| func (e *errTimeout) SafeToRetry() bool { | ||||
| 	return SafeToRetry(e.err) | ||||
| } | ||||
|  | ||||
| func (e *errTimeout) Unwrap() error { | ||||
| 	return e.err | ||||
| } | ||||
|  | ||||
| type contextAlreadyDoneError struct { | ||||
| 	err error | ||||
| } | ||||
|  | ||||
| func (e *contextAlreadyDoneError) Error() string { | ||||
| 	return fmt.Sprintf("context already done: %s", e.err.Error()) | ||||
| } | ||||
|  | ||||
| func (e *contextAlreadyDoneError) SafeToRetry() bool { | ||||
| 	return true | ||||
| } | ||||
|  | ||||
| func (e *contextAlreadyDoneError) Unwrap() error { | ||||
| 	return e.err | ||||
| } | ||||
|  | ||||
| // newContextAlreadyDoneError double-wraps a context error in `contextAlreadyDoneError` and `errTimeout`. | ||||
| func newContextAlreadyDoneError(ctx context.Context) (err error) { | ||||
| 	return &errTimeout{&contextAlreadyDoneError{err: ctx.Err()}} | ||||
| } | ||||
|  | ||||
| func redactPW(connString string) string { | ||||
| 	if strings.HasPrefix(connString, "postgres://") || strings.HasPrefix(connString, "postgresql://") { | ||||
| 		if u, err := url.Parse(connString); err == nil { | ||||
| 			return redactURL(u) | ||||
| 		} | ||||
| 	} | ||||
| 	quotedDSN := regexp.MustCompile(`password='[^']*'`) | ||||
| 	connString = quotedDSN.ReplaceAllLiteralString(connString, "password=xxxxx") | ||||
| 	plainDSN := regexp.MustCompile(`password=[^ ]*`) | ||||
| 	connString = plainDSN.ReplaceAllLiteralString(connString, "password=xxxxx") | ||||
| 	brokenURL := regexp.MustCompile(`:[^:@]+?@`) | ||||
| 	connString = brokenURL.ReplaceAllLiteralString(connString, ":xxxxxx@") | ||||
| 	return connString | ||||
| } | ||||
|  | ||||
| func redactURL(u *url.URL) string { | ||||
| 	if u == nil { | ||||
| 		return "" | ||||
| 	} | ||||
| 	if _, pwSet := u.User.Password(); pwSet { | ||||
| 		u.User = url.UserPassword(u.User.Username(), "xxxxx") | ||||
| 	} | ||||
| 	return u.String() | ||||
| } | ||||
|  | ||||
| type NotPreferredError struct { | ||||
| 	err         error | ||||
| 	safeToRetry bool | ||||
| } | ||||
|  | ||||
| func (e *NotPreferredError) Error() string { | ||||
| 	return fmt.Sprintf("standby server not found: %s", e.err.Error()) | ||||
| } | ||||
|  | ||||
| func (e *NotPreferredError) SafeToRetry() bool { | ||||
| 	return e.safeToRetry | ||||
| } | ||||
|  | ||||
| func (e *NotPreferredError) Unwrap() error { | ||||
| 	return e.err | ||||
| } | ||||
							
								
								
									
										139
									
								
								vendor/github.com/jackc/pgx/v5/pgconn/internal/bgreader/bgreader.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										139
									
								
								vendor/github.com/jackc/pgx/v5/pgconn/internal/bgreader/bgreader.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,139 @@ | ||||
| // Package bgreader provides a io.Reader that can optionally buffer reads in the background. | ||||
| package bgreader | ||||
|  | ||||
| import ( | ||||
| 	"io" | ||||
| 	"sync" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/iobufpool" | ||||
| ) | ||||
|  | ||||
| const ( | ||||
| 	StatusStopped = iota | ||||
| 	StatusRunning | ||||
| 	StatusStopping | ||||
| ) | ||||
|  | ||||
| // BGReader is an io.Reader that can optionally buffer reads in the background. It is safe for concurrent use. | ||||
| type BGReader struct { | ||||
| 	r io.Reader | ||||
|  | ||||
| 	cond        *sync.Cond | ||||
| 	status      int32 | ||||
| 	readResults []readResult | ||||
| } | ||||
|  | ||||
| type readResult struct { | ||||
| 	buf *[]byte | ||||
| 	err error | ||||
| } | ||||
|  | ||||
| // Start starts the backgrounder reader. If the background reader is already running this is a no-op. The background | ||||
| // reader will stop automatically when the underlying reader returns an error. | ||||
| func (r *BGReader) Start() { | ||||
| 	r.cond.L.Lock() | ||||
| 	defer r.cond.L.Unlock() | ||||
|  | ||||
| 	switch r.status { | ||||
| 	case StatusStopped: | ||||
| 		r.status = StatusRunning | ||||
| 		go r.bgRead() | ||||
| 	case StatusRunning: | ||||
| 		// no-op | ||||
| 	case StatusStopping: | ||||
| 		r.status = StatusRunning | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // Stop tells the background reader to stop after the in progress Read returns. It is safe to call Stop when the | ||||
| // background reader is not running. | ||||
| func (r *BGReader) Stop() { | ||||
| 	r.cond.L.Lock() | ||||
| 	defer r.cond.L.Unlock() | ||||
|  | ||||
| 	switch r.status { | ||||
| 	case StatusStopped: | ||||
| 		// no-op | ||||
| 	case StatusRunning: | ||||
| 		r.status = StatusStopping | ||||
| 	case StatusStopping: | ||||
| 		// no-op | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // Status returns the current status of the background reader. | ||||
| func (r *BGReader) Status() int32 { | ||||
| 	r.cond.L.Lock() | ||||
| 	defer r.cond.L.Unlock() | ||||
| 	return r.status | ||||
| } | ||||
|  | ||||
| func (r *BGReader) bgRead() { | ||||
| 	keepReading := true | ||||
| 	for keepReading { | ||||
| 		buf := iobufpool.Get(8192) | ||||
| 		n, err := r.r.Read(*buf) | ||||
| 		*buf = (*buf)[:n] | ||||
|  | ||||
| 		r.cond.L.Lock() | ||||
| 		r.readResults = append(r.readResults, readResult{buf: buf, err: err}) | ||||
| 		if r.status == StatusStopping || err != nil { | ||||
| 			r.status = StatusStopped | ||||
| 			keepReading = false | ||||
| 		} | ||||
| 		r.cond.L.Unlock() | ||||
| 		r.cond.Broadcast() | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // Read implements the io.Reader interface. | ||||
| func (r *BGReader) Read(p []byte) (int, error) { | ||||
| 	r.cond.L.Lock() | ||||
| 	defer r.cond.L.Unlock() | ||||
|  | ||||
| 	if len(r.readResults) > 0 { | ||||
| 		return r.readFromReadResults(p) | ||||
| 	} | ||||
|  | ||||
| 	// There are no unread background read results and the background reader is stopped. | ||||
| 	if r.status == StatusStopped { | ||||
| 		return r.r.Read(p) | ||||
| 	} | ||||
|  | ||||
| 	// Wait for results from the background reader | ||||
| 	for len(r.readResults) == 0 { | ||||
| 		r.cond.Wait() | ||||
| 	} | ||||
| 	return r.readFromReadResults(p) | ||||
| } | ||||
|  | ||||
| // readBackgroundResults reads a result previously read by the background reader. r.cond.L must be held. | ||||
| func (r *BGReader) readFromReadResults(p []byte) (int, error) { | ||||
| 	buf := r.readResults[0].buf | ||||
| 	var err error | ||||
|  | ||||
| 	n := copy(p, *buf) | ||||
| 	if n == len(*buf) { | ||||
| 		err = r.readResults[0].err | ||||
| 		iobufpool.Put(buf) | ||||
| 		if len(r.readResults) == 1 { | ||||
| 			r.readResults = nil | ||||
| 		} else { | ||||
| 			r.readResults = r.readResults[1:] | ||||
| 		} | ||||
| 	} else { | ||||
| 		*buf = (*buf)[n:] | ||||
| 		r.readResults[0].buf = buf | ||||
| 	} | ||||
|  | ||||
| 	return n, err | ||||
| } | ||||
|  | ||||
| func New(r io.Reader) *BGReader { | ||||
| 	return &BGReader{ | ||||
| 		r: r, | ||||
| 		cond: &sync.Cond{ | ||||
| 			L: &sync.Mutex{}, | ||||
| 		}, | ||||
| 	} | ||||
| } | ||||
							
								
								
									
										73
									
								
								vendor/github.com/jackc/pgx/v5/pgconn/internal/ctxwatch/context_watcher.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										73
									
								
								vendor/github.com/jackc/pgx/v5/pgconn/internal/ctxwatch/context_watcher.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,73 @@ | ||||
| package ctxwatch | ||||
|  | ||||
| import ( | ||||
| 	"context" | ||||
| 	"sync" | ||||
| ) | ||||
|  | ||||
| // ContextWatcher watches a context and performs an action when the context is canceled. It can watch one context at a | ||||
| // time. | ||||
| type ContextWatcher struct { | ||||
| 	onCancel             func() | ||||
| 	onUnwatchAfterCancel func() | ||||
| 	unwatchChan          chan struct{} | ||||
|  | ||||
| 	lock              sync.Mutex | ||||
| 	watchInProgress   bool | ||||
| 	onCancelWasCalled bool | ||||
| } | ||||
|  | ||||
| // NewContextWatcher returns a ContextWatcher. onCancel will be called when a watched context is canceled. | ||||
| // OnUnwatchAfterCancel will be called when Unwatch is called and the watched context had already been canceled and | ||||
| // onCancel called. | ||||
| func NewContextWatcher(onCancel func(), onUnwatchAfterCancel func()) *ContextWatcher { | ||||
| 	cw := &ContextWatcher{ | ||||
| 		onCancel:             onCancel, | ||||
| 		onUnwatchAfterCancel: onUnwatchAfterCancel, | ||||
| 		unwatchChan:          make(chan struct{}), | ||||
| 	} | ||||
|  | ||||
| 	return cw | ||||
| } | ||||
|  | ||||
| // Watch starts watching ctx. If ctx is canceled then the onCancel function passed to NewContextWatcher will be called. | ||||
| func (cw *ContextWatcher) Watch(ctx context.Context) { | ||||
| 	cw.lock.Lock() | ||||
| 	defer cw.lock.Unlock() | ||||
|  | ||||
| 	if cw.watchInProgress { | ||||
| 		panic("Watch already in progress") | ||||
| 	} | ||||
|  | ||||
| 	cw.onCancelWasCalled = false | ||||
|  | ||||
| 	if ctx.Done() != nil { | ||||
| 		cw.watchInProgress = true | ||||
| 		go func() { | ||||
| 			select { | ||||
| 			case <-ctx.Done(): | ||||
| 				cw.onCancel() | ||||
| 				cw.onCancelWasCalled = true | ||||
| 				<-cw.unwatchChan | ||||
| 			case <-cw.unwatchChan: | ||||
| 			} | ||||
| 		}() | ||||
| 	} else { | ||||
| 		cw.watchInProgress = false | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // Unwatch stops watching the previously watched context. If the onCancel function passed to NewContextWatcher was | ||||
| // called then onUnwatchAfterCancel will also be called. | ||||
| func (cw *ContextWatcher) Unwatch() { | ||||
| 	cw.lock.Lock() | ||||
| 	defer cw.lock.Unlock() | ||||
|  | ||||
| 	if cw.watchInProgress { | ||||
| 		cw.unwatchChan <- struct{}{} | ||||
| 		if cw.onCancelWasCalled { | ||||
| 			cw.onUnwatchAfterCancel() | ||||
| 		} | ||||
| 		cw.watchInProgress = false | ||||
| 	} | ||||
| } | ||||
							
								
								
									
										100
									
								
								vendor/github.com/jackc/pgx/v5/pgconn/krb5.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										100
									
								
								vendor/github.com/jackc/pgx/v5/pgconn/krb5.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,100 @@ | ||||
| package pgconn | ||||
|  | ||||
| import ( | ||||
| 	"errors" | ||||
| 	"fmt" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/pgproto3" | ||||
| ) | ||||
|  | ||||
| // NewGSSFunc creates a GSS authentication provider, for use with | ||||
| // RegisterGSSProvider. | ||||
| type NewGSSFunc func() (GSS, error) | ||||
|  | ||||
| var newGSS NewGSSFunc | ||||
|  | ||||
| // RegisterGSSProvider registers a GSS authentication provider. For example, if | ||||
| // you need to use Kerberos to authenticate with your server, add this to your | ||||
| // main package: | ||||
| // | ||||
| //	import "github.com/otan/gopgkrb5" | ||||
| // | ||||
| //	func init() { | ||||
| //		pgconn.RegisterGSSProvider(func() (pgconn.GSS, error) { return gopgkrb5.NewGSS() }) | ||||
| //	} | ||||
| func RegisterGSSProvider(newGSSArg NewGSSFunc) { | ||||
| 	newGSS = newGSSArg | ||||
| } | ||||
|  | ||||
| // GSS provides GSSAPI authentication (e.g., Kerberos). | ||||
| type GSS interface { | ||||
| 	GetInitToken(host string, service string) ([]byte, error) | ||||
| 	GetInitTokenFromSPN(spn string) ([]byte, error) | ||||
| 	Continue(inToken []byte) (done bool, outToken []byte, err error) | ||||
| } | ||||
|  | ||||
| func (c *PgConn) gssAuth() error { | ||||
| 	if newGSS == nil { | ||||
| 		return errors.New("kerberos error: no GSSAPI provider registered, see https://github.com/otan/gopgkrb5") | ||||
| 	} | ||||
| 	cli, err := newGSS() | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	var nextData []byte | ||||
| 	if c.config.KerberosSpn != "" { | ||||
| 		// Use the supplied SPN if provided. | ||||
| 		nextData, err = cli.GetInitTokenFromSPN(c.config.KerberosSpn) | ||||
| 	} else { | ||||
| 		// Allow the kerberos service name to be overridden | ||||
| 		service := "postgres" | ||||
| 		if c.config.KerberosSrvName != "" { | ||||
| 			service = c.config.KerberosSrvName | ||||
| 		} | ||||
| 		nextData, err = cli.GetInitToken(c.config.Host, service) | ||||
| 	} | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	for { | ||||
| 		gssResponse := &pgproto3.GSSResponse{ | ||||
| 			Data: nextData, | ||||
| 		} | ||||
| 		c.frontend.Send(gssResponse) | ||||
| 		err = c.flushWithPotentialWriteReadDeadlock() | ||||
| 		if err != nil { | ||||
| 			return err | ||||
| 		} | ||||
| 		resp, err := c.rxGSSContinue() | ||||
| 		if err != nil { | ||||
| 			return err | ||||
| 		} | ||||
| 		var done bool | ||||
| 		done, nextData, err = cli.Continue(resp.Data) | ||||
| 		if err != nil { | ||||
| 			return err | ||||
| 		} | ||||
| 		if done { | ||||
| 			break | ||||
| 		} | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func (c *PgConn) rxGSSContinue() (*pgproto3.AuthenticationGSSContinue, error) { | ||||
| 	msg, err := c.receiveMessage() | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
|  | ||||
| 	switch m := msg.(type) { | ||||
| 	case *pgproto3.AuthenticationGSSContinue: | ||||
| 		return m, nil | ||||
| 	case *pgproto3.ErrorResponse: | ||||
| 		return nil, ErrorResponseToPgError(m) | ||||
| 	} | ||||
|  | ||||
| 	return nil, fmt.Errorf("expected AuthenticationGSSContinue message but received unexpected message %T", msg) | ||||
| } | ||||
							
								
								
									
										2108
									
								
								vendor/github.com/jackc/pgx/v5/pgconn/pgconn.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										2108
									
								
								vendor/github.com/jackc/pgx/v5/pgconn/pgconn.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
										
											
												File diff suppressed because it is too large
												Load Diff
											
										
									
								
							
							
								
								
									
										7
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/README.md
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										7
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/README.md
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,7 @@ | ||||
| # pgproto3 | ||||
|  | ||||
| Package pgproto3 is a encoder and decoder of the PostgreSQL wire protocol version 3. | ||||
|  | ||||
| pgproto3 can be used as a foundation for PostgreSQL drivers, proxies, mock servers, load balancers and more. | ||||
|  | ||||
| See example/pgfortune for a playful example of a fake PostgreSQL server. | ||||
							
								
								
									
										52
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/authentication_cleartext_password.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										52
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/authentication_cleartext_password.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,52 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/binary" | ||||
| 	"encoding/json" | ||||
| 	"errors" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| // AuthenticationCleartextPassword is a message sent from the backend indicating that a clear-text password is required. | ||||
| type AuthenticationCleartextPassword struct { | ||||
| } | ||||
|  | ||||
| // Backend identifies this message as sendable by the PostgreSQL backend. | ||||
| func (*AuthenticationCleartextPassword) Backend() {} | ||||
|  | ||||
| // Backend identifies this message as an authentication response. | ||||
| func (*AuthenticationCleartextPassword) AuthenticationResponse() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *AuthenticationCleartextPassword) Decode(src []byte) error { | ||||
| 	if len(src) != 4 { | ||||
| 		return errors.New("bad authentication message size") | ||||
| 	} | ||||
|  | ||||
| 	authType := binary.BigEndian.Uint32(src) | ||||
|  | ||||
| 	if authType != AuthTypeCleartextPassword { | ||||
| 		return errors.New("bad auth type") | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *AuthenticationCleartextPassword) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'R') | ||||
| 	dst = pgio.AppendInt32(dst, 8) | ||||
| 	dst = pgio.AppendUint32(dst, AuthTypeCleartextPassword) | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src AuthenticationCleartextPassword) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type string | ||||
| 	}{ | ||||
| 		Type: "AuthenticationCleartextPassword", | ||||
| 	}) | ||||
| } | ||||
							
								
								
									
										59
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/authentication_gss.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										59
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/authentication_gss.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,59 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/binary" | ||||
| 	"encoding/json" | ||||
| 	"errors" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| type AuthenticationGSS struct{} | ||||
|  | ||||
| func (a *AuthenticationGSS) Backend() {} | ||||
|  | ||||
| func (a *AuthenticationGSS) AuthenticationResponse() {} | ||||
|  | ||||
| func (a *AuthenticationGSS) Decode(src []byte) error { | ||||
| 	if len(src) < 4 { | ||||
| 		return errors.New("authentication message too short") | ||||
| 	} | ||||
|  | ||||
| 	authType := binary.BigEndian.Uint32(src) | ||||
|  | ||||
| 	if authType != AuthTypeGSS { | ||||
| 		return errors.New("bad auth type") | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func (a *AuthenticationGSS) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'R') | ||||
| 	dst = pgio.AppendInt32(dst, 4) | ||||
| 	dst = pgio.AppendUint32(dst, AuthTypeGSS) | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| func (a *AuthenticationGSS) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type string | ||||
| 		Data []byte | ||||
| 	}{ | ||||
| 		Type: "AuthenticationGSS", | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| func (a *AuthenticationGSS) UnmarshalJSON(data []byte) error { | ||||
| 	// Ignore null, like in the main JSON package. | ||||
| 	if string(data) == "null" { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	var msg struct { | ||||
| 		Type string | ||||
| 	} | ||||
| 	if err := json.Unmarshal(data, &msg); err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										68
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/authentication_gss_continue.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										68
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/authentication_gss_continue.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,68 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/binary" | ||||
| 	"encoding/json" | ||||
| 	"errors" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| type AuthenticationGSSContinue struct { | ||||
| 	Data []byte | ||||
| } | ||||
|  | ||||
| func (a *AuthenticationGSSContinue) Backend() {} | ||||
|  | ||||
| func (a *AuthenticationGSSContinue) AuthenticationResponse() {} | ||||
|  | ||||
| func (a *AuthenticationGSSContinue) Decode(src []byte) error { | ||||
| 	if len(src) < 4 { | ||||
| 		return errors.New("authentication message too short") | ||||
| 	} | ||||
|  | ||||
| 	authType := binary.BigEndian.Uint32(src) | ||||
|  | ||||
| 	if authType != AuthTypeGSSCont { | ||||
| 		return errors.New("bad auth type") | ||||
| 	} | ||||
|  | ||||
| 	a.Data = src[4:] | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func (a *AuthenticationGSSContinue) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'R') | ||||
| 	dst = pgio.AppendInt32(dst, int32(len(a.Data))+8) | ||||
| 	dst = pgio.AppendUint32(dst, AuthTypeGSSCont) | ||||
| 	dst = append(dst, a.Data...) | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| func (a *AuthenticationGSSContinue) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type string | ||||
| 		Data []byte | ||||
| 	}{ | ||||
| 		Type: "AuthenticationGSSContinue", | ||||
| 		Data: a.Data, | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| func (a *AuthenticationGSSContinue) UnmarshalJSON(data []byte) error { | ||||
| 	// Ignore null, like in the main JSON package. | ||||
| 	if string(data) == "null" { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	var msg struct { | ||||
| 		Type string | ||||
| 		Data []byte | ||||
| 	} | ||||
| 	if err := json.Unmarshal(data, &msg); err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	a.Data = msg.Data | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										77
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/authentication_md5_password.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										77
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/authentication_md5_password.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,77 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/binary" | ||||
| 	"encoding/json" | ||||
| 	"errors" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| // AuthenticationMD5Password is a message sent from the backend indicating that an MD5 hashed password is required. | ||||
| type AuthenticationMD5Password struct { | ||||
| 	Salt [4]byte | ||||
| } | ||||
|  | ||||
| // Backend identifies this message as sendable by the PostgreSQL backend. | ||||
| func (*AuthenticationMD5Password) Backend() {} | ||||
|  | ||||
| // Backend identifies this message as an authentication response. | ||||
| func (*AuthenticationMD5Password) AuthenticationResponse() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *AuthenticationMD5Password) Decode(src []byte) error { | ||||
| 	if len(src) != 8 { | ||||
| 		return errors.New("bad authentication message size") | ||||
| 	} | ||||
|  | ||||
| 	authType := binary.BigEndian.Uint32(src) | ||||
|  | ||||
| 	if authType != AuthTypeMD5Password { | ||||
| 		return errors.New("bad auth type") | ||||
| 	} | ||||
|  | ||||
| 	copy(dst.Salt[:], src[4:8]) | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *AuthenticationMD5Password) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'R') | ||||
| 	dst = pgio.AppendInt32(dst, 12) | ||||
| 	dst = pgio.AppendUint32(dst, AuthTypeMD5Password) | ||||
| 	dst = append(dst, src.Salt[:]...) | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src AuthenticationMD5Password) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type string | ||||
| 		Salt [4]byte | ||||
| 	}{ | ||||
| 		Type: "AuthenticationMD5Password", | ||||
| 		Salt: src.Salt, | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| // UnmarshalJSON implements encoding/json.Unmarshaler. | ||||
| func (dst *AuthenticationMD5Password) UnmarshalJSON(data []byte) error { | ||||
| 	// Ignore null, like in the main JSON package. | ||||
| 	if string(data) == "null" { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	var msg struct { | ||||
| 		Type string | ||||
| 		Salt [4]byte | ||||
| 	} | ||||
| 	if err := json.Unmarshal(data, &msg); err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	dst.Salt = msg.Salt | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										52
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/authentication_ok.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										52
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/authentication_ok.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,52 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/binary" | ||||
| 	"encoding/json" | ||||
| 	"errors" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| // AuthenticationOk is a message sent from the backend indicating that authentication was successful. | ||||
| type AuthenticationOk struct { | ||||
| } | ||||
|  | ||||
| // Backend identifies this message as sendable by the PostgreSQL backend. | ||||
| func (*AuthenticationOk) Backend() {} | ||||
|  | ||||
| // Backend identifies this message as an authentication response. | ||||
| func (*AuthenticationOk) AuthenticationResponse() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *AuthenticationOk) Decode(src []byte) error { | ||||
| 	if len(src) != 4 { | ||||
| 		return errors.New("bad authentication message size") | ||||
| 	} | ||||
|  | ||||
| 	authType := binary.BigEndian.Uint32(src) | ||||
|  | ||||
| 	if authType != AuthTypeOk { | ||||
| 		return errors.New("bad auth type") | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *AuthenticationOk) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'R') | ||||
| 	dst = pgio.AppendInt32(dst, 8) | ||||
| 	dst = pgio.AppendUint32(dst, AuthTypeOk) | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src AuthenticationOk) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type string | ||||
| 	}{ | ||||
| 		Type: "AuthenticationOK", | ||||
| 	}) | ||||
| } | ||||
							
								
								
									
										76
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/authentication_sasl.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										76
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/authentication_sasl.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,76 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"encoding/binary" | ||||
| 	"encoding/json" | ||||
| 	"errors" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| // AuthenticationSASL is a message sent from the backend indicating that SASL authentication is required. | ||||
| type AuthenticationSASL struct { | ||||
| 	AuthMechanisms []string | ||||
| } | ||||
|  | ||||
| // Backend identifies this message as sendable by the PostgreSQL backend. | ||||
| func (*AuthenticationSASL) Backend() {} | ||||
|  | ||||
| // Backend identifies this message as an authentication response. | ||||
| func (*AuthenticationSASL) AuthenticationResponse() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *AuthenticationSASL) Decode(src []byte) error { | ||||
| 	if len(src) < 4 { | ||||
| 		return errors.New("authentication message too short") | ||||
| 	} | ||||
|  | ||||
| 	authType := binary.BigEndian.Uint32(src) | ||||
|  | ||||
| 	if authType != AuthTypeSASL { | ||||
| 		return errors.New("bad auth type") | ||||
| 	} | ||||
|  | ||||
| 	authMechanisms := src[4:] | ||||
| 	for len(authMechanisms) > 1 { | ||||
| 		idx := bytes.IndexByte(authMechanisms, 0) | ||||
| 		if idx == -1 { | ||||
| 			return &invalidMessageFormatErr{messageType: "AuthenticationSASL", details: "unterminated string"} | ||||
| 		} | ||||
| 		dst.AuthMechanisms = append(dst.AuthMechanisms, string(authMechanisms[:idx])) | ||||
| 		authMechanisms = authMechanisms[idx+1:] | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *AuthenticationSASL) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'R') | ||||
| 	sp := len(dst) | ||||
| 	dst = pgio.AppendInt32(dst, -1) | ||||
| 	dst = pgio.AppendUint32(dst, AuthTypeSASL) | ||||
|  | ||||
| 	for _, s := range src.AuthMechanisms { | ||||
| 		dst = append(dst, []byte(s)...) | ||||
| 		dst = append(dst, 0) | ||||
| 	} | ||||
| 	dst = append(dst, 0) | ||||
|  | ||||
| 	pgio.SetInt32(dst[sp:], int32(len(dst[sp:]))) | ||||
|  | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src AuthenticationSASL) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type           string | ||||
| 		AuthMechanisms []string | ||||
| 	}{ | ||||
| 		Type:           "AuthenticationSASL", | ||||
| 		AuthMechanisms: src.AuthMechanisms, | ||||
| 	}) | ||||
| } | ||||
							
								
								
									
										81
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/authentication_sasl_continue.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										81
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/authentication_sasl_continue.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,81 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/binary" | ||||
| 	"encoding/json" | ||||
| 	"errors" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| // AuthenticationSASLContinue is a message sent from the backend containing a SASL challenge. | ||||
| type AuthenticationSASLContinue struct { | ||||
| 	Data []byte | ||||
| } | ||||
|  | ||||
| // Backend identifies this message as sendable by the PostgreSQL backend. | ||||
| func (*AuthenticationSASLContinue) Backend() {} | ||||
|  | ||||
| // Backend identifies this message as an authentication response. | ||||
| func (*AuthenticationSASLContinue) AuthenticationResponse() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *AuthenticationSASLContinue) Decode(src []byte) error { | ||||
| 	if len(src) < 4 { | ||||
| 		return errors.New("authentication message too short") | ||||
| 	} | ||||
|  | ||||
| 	authType := binary.BigEndian.Uint32(src) | ||||
|  | ||||
| 	if authType != AuthTypeSASLContinue { | ||||
| 		return errors.New("bad auth type") | ||||
| 	} | ||||
|  | ||||
| 	dst.Data = src[4:] | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *AuthenticationSASLContinue) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'R') | ||||
| 	sp := len(dst) | ||||
| 	dst = pgio.AppendInt32(dst, -1) | ||||
| 	dst = pgio.AppendUint32(dst, AuthTypeSASLContinue) | ||||
|  | ||||
| 	dst = append(dst, src.Data...) | ||||
|  | ||||
| 	pgio.SetInt32(dst[sp:], int32(len(dst[sp:]))) | ||||
|  | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src AuthenticationSASLContinue) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type string | ||||
| 		Data string | ||||
| 	}{ | ||||
| 		Type: "AuthenticationSASLContinue", | ||||
| 		Data: string(src.Data), | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| // UnmarshalJSON implements encoding/json.Unmarshaler. | ||||
| func (dst *AuthenticationSASLContinue) UnmarshalJSON(data []byte) error { | ||||
| 	// Ignore null, like in the main JSON package. | ||||
| 	if string(data) == "null" { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	var msg struct { | ||||
| 		Data string | ||||
| 	} | ||||
| 	if err := json.Unmarshal(data, &msg); err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	dst.Data = []byte(msg.Data) | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										81
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/authentication_sasl_final.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										81
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/authentication_sasl_final.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,81 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/binary" | ||||
| 	"encoding/json" | ||||
| 	"errors" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| // AuthenticationSASLFinal is a message sent from the backend indicating a SASL authentication has completed. | ||||
| type AuthenticationSASLFinal struct { | ||||
| 	Data []byte | ||||
| } | ||||
|  | ||||
| // Backend identifies this message as sendable by the PostgreSQL backend. | ||||
| func (*AuthenticationSASLFinal) Backend() {} | ||||
|  | ||||
| // Backend identifies this message as an authentication response. | ||||
| func (*AuthenticationSASLFinal) AuthenticationResponse() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *AuthenticationSASLFinal) Decode(src []byte) error { | ||||
| 	if len(src) < 4 { | ||||
| 		return errors.New("authentication message too short") | ||||
| 	} | ||||
|  | ||||
| 	authType := binary.BigEndian.Uint32(src) | ||||
|  | ||||
| 	if authType != AuthTypeSASLFinal { | ||||
| 		return errors.New("bad auth type") | ||||
| 	} | ||||
|  | ||||
| 	dst.Data = src[4:] | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *AuthenticationSASLFinal) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'R') | ||||
| 	sp := len(dst) | ||||
| 	dst = pgio.AppendInt32(dst, -1) | ||||
| 	dst = pgio.AppendUint32(dst, AuthTypeSASLFinal) | ||||
|  | ||||
| 	dst = append(dst, src.Data...) | ||||
|  | ||||
| 	pgio.SetInt32(dst[sp:], int32(len(dst[sp:]))) | ||||
|  | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Unmarshaler. | ||||
| func (src AuthenticationSASLFinal) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type string | ||||
| 		Data string | ||||
| 	}{ | ||||
| 		Type: "AuthenticationSASLFinal", | ||||
| 		Data: string(src.Data), | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| // UnmarshalJSON implements encoding/json.Unmarshaler. | ||||
| func (dst *AuthenticationSASLFinal) UnmarshalJSON(data []byte) error { | ||||
| 	// Ignore null, like in the main JSON package. | ||||
| 	if string(data) == "null" { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	var msg struct { | ||||
| 		Data string | ||||
| 	} | ||||
| 	if err := json.Unmarshal(data, &msg); err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	dst.Data = []byte(msg.Data) | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										262
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/backend.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										262
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/backend.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,262 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"encoding/binary" | ||||
| 	"fmt" | ||||
| 	"io" | ||||
| ) | ||||
|  | ||||
| // Backend acts as a server for the PostgreSQL wire protocol version 3. | ||||
| type Backend struct { | ||||
| 	cr *chunkReader | ||||
| 	w  io.Writer | ||||
|  | ||||
| 	// tracer is used to trace messages when Send or Receive is called. This means an outbound message is traced | ||||
| 	// before it is actually transmitted (i.e. before Flush). | ||||
| 	tracer *tracer | ||||
|  | ||||
| 	wbuf []byte | ||||
|  | ||||
| 	// Frontend message flyweights | ||||
| 	bind           Bind | ||||
| 	cancelRequest  CancelRequest | ||||
| 	_close         Close | ||||
| 	copyFail       CopyFail | ||||
| 	copyData       CopyData | ||||
| 	copyDone       CopyDone | ||||
| 	describe       Describe | ||||
| 	execute        Execute | ||||
| 	flush          Flush | ||||
| 	functionCall   FunctionCall | ||||
| 	gssEncRequest  GSSEncRequest | ||||
| 	parse          Parse | ||||
| 	query          Query | ||||
| 	sslRequest     SSLRequest | ||||
| 	startupMessage StartupMessage | ||||
| 	sync           Sync | ||||
| 	terminate      Terminate | ||||
|  | ||||
| 	bodyLen    int | ||||
| 	msgType    byte | ||||
| 	partialMsg bool | ||||
| 	authType   uint32 | ||||
| } | ||||
|  | ||||
| const ( | ||||
| 	minStartupPacketLen = 4     // minStartupPacketLen is a single 32-bit int version or code. | ||||
| 	maxStartupPacketLen = 10000 // maxStartupPacketLen is MAX_STARTUP_PACKET_LENGTH from PG source. | ||||
| ) | ||||
|  | ||||
| // NewBackend creates a new Backend. | ||||
| func NewBackend(r io.Reader, w io.Writer) *Backend { | ||||
| 	cr := newChunkReader(r, 0) | ||||
| 	return &Backend{cr: cr, w: w} | ||||
| } | ||||
|  | ||||
| // Send sends a message to the frontend (i.e. the client). The message is not guaranteed to be written until Flush is | ||||
| // called. | ||||
| func (b *Backend) Send(msg BackendMessage) { | ||||
| 	prevLen := len(b.wbuf) | ||||
| 	b.wbuf = msg.Encode(b.wbuf) | ||||
| 	if b.tracer != nil { | ||||
| 		b.tracer.traceMessage('B', int32(len(b.wbuf)-prevLen), msg) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // Flush writes any pending messages to the frontend (i.e. the client). | ||||
| func (b *Backend) Flush() error { | ||||
| 	n, err := b.w.Write(b.wbuf) | ||||
|  | ||||
| 	const maxLen = 1024 | ||||
| 	if len(b.wbuf) > maxLen { | ||||
| 		b.wbuf = make([]byte, 0, maxLen) | ||||
| 	} else { | ||||
| 		b.wbuf = b.wbuf[:0] | ||||
| 	} | ||||
|  | ||||
| 	if err != nil { | ||||
| 		return &writeError{err: err, safeToRetry: n == 0} | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Trace starts tracing the message traffic to w. It writes in a similar format to that produced by the libpq function | ||||
| // PQtrace. | ||||
| func (b *Backend) Trace(w io.Writer, options TracerOptions) { | ||||
| 	b.tracer = &tracer{ | ||||
| 		w:             w, | ||||
| 		buf:           &bytes.Buffer{}, | ||||
| 		TracerOptions: options, | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // Untrace stops tracing. | ||||
| func (b *Backend) Untrace() { | ||||
| 	b.tracer = nil | ||||
| } | ||||
|  | ||||
| // ReceiveStartupMessage receives the initial connection message. This method is used of the normal Receive method | ||||
| // because the initial connection message is "special" and does not include the message type as the first byte. This | ||||
| // will return either a StartupMessage, SSLRequest, GSSEncRequest, or CancelRequest. | ||||
| func (b *Backend) ReceiveStartupMessage() (FrontendMessage, error) { | ||||
| 	buf, err := b.cr.Next(4) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	msgSize := int(binary.BigEndian.Uint32(buf) - 4) | ||||
|  | ||||
| 	if msgSize < minStartupPacketLen || msgSize > maxStartupPacketLen { | ||||
| 		return nil, fmt.Errorf("invalid length of startup packet: %d", msgSize) | ||||
| 	} | ||||
|  | ||||
| 	buf, err = b.cr.Next(msgSize) | ||||
| 	if err != nil { | ||||
| 		return nil, translateEOFtoErrUnexpectedEOF(err) | ||||
| 	} | ||||
|  | ||||
| 	code := binary.BigEndian.Uint32(buf) | ||||
|  | ||||
| 	switch code { | ||||
| 	case ProtocolVersionNumber: | ||||
| 		err = b.startupMessage.Decode(buf) | ||||
| 		if err != nil { | ||||
| 			return nil, err | ||||
| 		} | ||||
| 		return &b.startupMessage, nil | ||||
| 	case sslRequestNumber: | ||||
| 		err = b.sslRequest.Decode(buf) | ||||
| 		if err != nil { | ||||
| 			return nil, err | ||||
| 		} | ||||
| 		return &b.sslRequest, nil | ||||
| 	case cancelRequestCode: | ||||
| 		err = b.cancelRequest.Decode(buf) | ||||
| 		if err != nil { | ||||
| 			return nil, err | ||||
| 		} | ||||
| 		return &b.cancelRequest, nil | ||||
| 	case gssEncReqNumber: | ||||
| 		err = b.gssEncRequest.Decode(buf) | ||||
| 		if err != nil { | ||||
| 			return nil, err | ||||
| 		} | ||||
| 		return &b.gssEncRequest, nil | ||||
| 	default: | ||||
| 		return nil, fmt.Errorf("unknown startup message code: %d", code) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // Receive receives a message from the frontend. The returned message is only valid until the next call to Receive. | ||||
| func (b *Backend) Receive() (FrontendMessage, error) { | ||||
| 	if !b.partialMsg { | ||||
| 		header, err := b.cr.Next(5) | ||||
| 		if err != nil { | ||||
| 			return nil, translateEOFtoErrUnexpectedEOF(err) | ||||
| 		} | ||||
|  | ||||
| 		b.msgType = header[0] | ||||
| 		b.bodyLen = int(binary.BigEndian.Uint32(header[1:])) - 4 | ||||
| 		b.partialMsg = true | ||||
| 	} | ||||
|  | ||||
| 	var msg FrontendMessage | ||||
| 	switch b.msgType { | ||||
| 	case 'B': | ||||
| 		msg = &b.bind | ||||
| 	case 'C': | ||||
| 		msg = &b._close | ||||
| 	case 'D': | ||||
| 		msg = &b.describe | ||||
| 	case 'E': | ||||
| 		msg = &b.execute | ||||
| 	case 'F': | ||||
| 		msg = &b.functionCall | ||||
| 	case 'f': | ||||
| 		msg = &b.copyFail | ||||
| 	case 'd': | ||||
| 		msg = &b.copyData | ||||
| 	case 'c': | ||||
| 		msg = &b.copyDone | ||||
| 	case 'H': | ||||
| 		msg = &b.flush | ||||
| 	case 'P': | ||||
| 		msg = &b.parse | ||||
| 	case 'p': | ||||
| 		switch b.authType { | ||||
| 		case AuthTypeSASL: | ||||
| 			msg = &SASLInitialResponse{} | ||||
| 		case AuthTypeSASLContinue: | ||||
| 			msg = &SASLResponse{} | ||||
| 		case AuthTypeSASLFinal: | ||||
| 			msg = &SASLResponse{} | ||||
| 		case AuthTypeGSS, AuthTypeGSSCont: | ||||
| 			msg = &GSSResponse{} | ||||
| 		case AuthTypeCleartextPassword, AuthTypeMD5Password: | ||||
| 			fallthrough | ||||
| 		default: | ||||
| 			// to maintain backwards compatibility | ||||
| 			msg = &PasswordMessage{} | ||||
| 		} | ||||
| 	case 'Q': | ||||
| 		msg = &b.query | ||||
| 	case 'S': | ||||
| 		msg = &b.sync | ||||
| 	case 'X': | ||||
| 		msg = &b.terminate | ||||
| 	default: | ||||
| 		return nil, fmt.Errorf("unknown message type: %c", b.msgType) | ||||
| 	} | ||||
|  | ||||
| 	msgBody, err := b.cr.Next(b.bodyLen) | ||||
| 	if err != nil { | ||||
| 		return nil, translateEOFtoErrUnexpectedEOF(err) | ||||
| 	} | ||||
|  | ||||
| 	b.partialMsg = false | ||||
|  | ||||
| 	err = msg.Decode(msgBody) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
|  | ||||
| 	if b.tracer != nil { | ||||
| 		b.tracer.traceMessage('F', int32(5+len(msgBody)), msg) | ||||
| 	} | ||||
|  | ||||
| 	return msg, nil | ||||
| } | ||||
|  | ||||
| // SetAuthType sets the authentication type in the backend. | ||||
| // Since multiple message types can start with 'p', SetAuthType allows | ||||
| // contextual identification of FrontendMessages. For example, in the | ||||
| // PG message flow documentation for PasswordMessage: | ||||
| // | ||||
| //			Byte1('p') | ||||
| // | ||||
| //	     Identifies the message as a password response. Note that this is also used for | ||||
| //			GSSAPI, SSPI and SASL response messages. The exact message type can be deduced from | ||||
| //			the context. | ||||
| // | ||||
| // Since the Frontend does not know about the state of a backend, it is important | ||||
| // to call SetAuthType() after an authentication request is received by the Frontend. | ||||
| func (b *Backend) SetAuthType(authType uint32) error { | ||||
| 	switch authType { | ||||
| 	case AuthTypeOk, | ||||
| 		AuthTypeCleartextPassword, | ||||
| 		AuthTypeMD5Password, | ||||
| 		AuthTypeSCMCreds, | ||||
| 		AuthTypeGSS, | ||||
| 		AuthTypeGSSCont, | ||||
| 		AuthTypeSSPI, | ||||
| 		AuthTypeSASL, | ||||
| 		AuthTypeSASLContinue, | ||||
| 		AuthTypeSASLFinal: | ||||
| 		b.authType = authType | ||||
| 	default: | ||||
| 		return fmt.Errorf("authType not recognized: %d", authType) | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										51
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/backend_key_data.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										51
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/backend_key_data.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,51 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/binary" | ||||
| 	"encoding/json" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| type BackendKeyData struct { | ||||
| 	ProcessID uint32 | ||||
| 	SecretKey uint32 | ||||
| } | ||||
|  | ||||
| // Backend identifies this message as sendable by the PostgreSQL backend. | ||||
| func (*BackendKeyData) Backend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *BackendKeyData) Decode(src []byte) error { | ||||
| 	if len(src) != 8 { | ||||
| 		return &invalidMessageLenErr{messageType: "BackendKeyData", expectedLen: 8, actualLen: len(src)} | ||||
| 	} | ||||
|  | ||||
| 	dst.ProcessID = binary.BigEndian.Uint32(src[:4]) | ||||
| 	dst.SecretKey = binary.BigEndian.Uint32(src[4:]) | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *BackendKeyData) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'K') | ||||
| 	dst = pgio.AppendUint32(dst, 12) | ||||
| 	dst = pgio.AppendUint32(dst, src.ProcessID) | ||||
| 	dst = pgio.AppendUint32(dst, src.SecretKey) | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src BackendKeyData) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type      string | ||||
| 		ProcessID uint32 | ||||
| 		SecretKey uint32 | ||||
| 	}{ | ||||
| 		Type:      "BackendKeyData", | ||||
| 		ProcessID: src.ProcessID, | ||||
| 		SecretKey: src.SecretKey, | ||||
| 	}) | ||||
| } | ||||
							
								
								
									
										37
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/big_endian.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										37
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/big_endian.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,37 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/binary" | ||||
| ) | ||||
|  | ||||
| type BigEndianBuf [8]byte | ||||
|  | ||||
| func (b BigEndianBuf) Int16(n int16) []byte { | ||||
| 	buf := b[0:2] | ||||
| 	binary.BigEndian.PutUint16(buf, uint16(n)) | ||||
| 	return buf | ||||
| } | ||||
|  | ||||
| func (b BigEndianBuf) Uint16(n uint16) []byte { | ||||
| 	buf := b[0:2] | ||||
| 	binary.BigEndian.PutUint16(buf, n) | ||||
| 	return buf | ||||
| } | ||||
|  | ||||
| func (b BigEndianBuf) Int32(n int32) []byte { | ||||
| 	buf := b[0:4] | ||||
| 	binary.BigEndian.PutUint32(buf, uint32(n)) | ||||
| 	return buf | ||||
| } | ||||
|  | ||||
| func (b BigEndianBuf) Uint32(n uint32) []byte { | ||||
| 	buf := b[0:4] | ||||
| 	binary.BigEndian.PutUint32(buf, n) | ||||
| 	return buf | ||||
| } | ||||
|  | ||||
| func (b BigEndianBuf) Int64(n int64) []byte { | ||||
| 	buf := b[0:8] | ||||
| 	binary.BigEndian.PutUint64(buf, uint64(n)) | ||||
| 	return buf | ||||
| } | ||||
							
								
								
									
										216
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/bind.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										216
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/bind.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,216 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"encoding/binary" | ||||
| 	"encoding/hex" | ||||
| 	"encoding/json" | ||||
| 	"fmt" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| type Bind struct { | ||||
| 	DestinationPortal    string | ||||
| 	PreparedStatement    string | ||||
| 	ParameterFormatCodes []int16 | ||||
| 	Parameters           [][]byte | ||||
| 	ResultFormatCodes    []int16 | ||||
| } | ||||
|  | ||||
| // Frontend identifies this message as sendable by a PostgreSQL frontend. | ||||
| func (*Bind) Frontend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *Bind) Decode(src []byte) error { | ||||
| 	*dst = Bind{} | ||||
|  | ||||
| 	idx := bytes.IndexByte(src, 0) | ||||
| 	if idx < 0 { | ||||
| 		return &invalidMessageFormatErr{messageType: "Bind"} | ||||
| 	} | ||||
| 	dst.DestinationPortal = string(src[:idx]) | ||||
| 	rp := idx + 1 | ||||
|  | ||||
| 	idx = bytes.IndexByte(src[rp:], 0) | ||||
| 	if idx < 0 { | ||||
| 		return &invalidMessageFormatErr{messageType: "Bind"} | ||||
| 	} | ||||
| 	dst.PreparedStatement = string(src[rp : rp+idx]) | ||||
| 	rp += idx + 1 | ||||
|  | ||||
| 	if len(src[rp:]) < 2 { | ||||
| 		return &invalidMessageFormatErr{messageType: "Bind"} | ||||
| 	} | ||||
| 	parameterFormatCodeCount := int(binary.BigEndian.Uint16(src[rp:])) | ||||
| 	rp += 2 | ||||
|  | ||||
| 	if parameterFormatCodeCount > 0 { | ||||
| 		dst.ParameterFormatCodes = make([]int16, parameterFormatCodeCount) | ||||
|  | ||||
| 		if len(src[rp:]) < len(dst.ParameterFormatCodes)*2 { | ||||
| 			return &invalidMessageFormatErr{messageType: "Bind"} | ||||
| 		} | ||||
| 		for i := 0; i < parameterFormatCodeCount; i++ { | ||||
| 			dst.ParameterFormatCodes[i] = int16(binary.BigEndian.Uint16(src[rp:])) | ||||
| 			rp += 2 | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	if len(src[rp:]) < 2 { | ||||
| 		return &invalidMessageFormatErr{messageType: "Bind"} | ||||
| 	} | ||||
| 	parameterCount := int(binary.BigEndian.Uint16(src[rp:])) | ||||
| 	rp += 2 | ||||
|  | ||||
| 	if parameterCount > 0 { | ||||
| 		dst.Parameters = make([][]byte, parameterCount) | ||||
|  | ||||
| 		for i := 0; i < parameterCount; i++ { | ||||
| 			if len(src[rp:]) < 4 { | ||||
| 				return &invalidMessageFormatErr{messageType: "Bind"} | ||||
| 			} | ||||
|  | ||||
| 			msgSize := int(int32(binary.BigEndian.Uint32(src[rp:]))) | ||||
| 			rp += 4 | ||||
|  | ||||
| 			// null | ||||
| 			if msgSize == -1 { | ||||
| 				continue | ||||
| 			} | ||||
|  | ||||
| 			if len(src[rp:]) < msgSize { | ||||
| 				return &invalidMessageFormatErr{messageType: "Bind"} | ||||
| 			} | ||||
|  | ||||
| 			dst.Parameters[i] = src[rp : rp+msgSize] | ||||
| 			rp += msgSize | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	if len(src[rp:]) < 2 { | ||||
| 		return &invalidMessageFormatErr{messageType: "Bind"} | ||||
| 	} | ||||
| 	resultFormatCodeCount := int(binary.BigEndian.Uint16(src[rp:])) | ||||
| 	rp += 2 | ||||
|  | ||||
| 	dst.ResultFormatCodes = make([]int16, resultFormatCodeCount) | ||||
| 	if len(src[rp:]) < len(dst.ResultFormatCodes)*2 { | ||||
| 		return &invalidMessageFormatErr{messageType: "Bind"} | ||||
| 	} | ||||
| 	for i := 0; i < resultFormatCodeCount; i++ { | ||||
| 		dst.ResultFormatCodes[i] = int16(binary.BigEndian.Uint16(src[rp:])) | ||||
| 		rp += 2 | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *Bind) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'B') | ||||
| 	sp := len(dst) | ||||
| 	dst = pgio.AppendInt32(dst, -1) | ||||
|  | ||||
| 	dst = append(dst, src.DestinationPortal...) | ||||
| 	dst = append(dst, 0) | ||||
| 	dst = append(dst, src.PreparedStatement...) | ||||
| 	dst = append(dst, 0) | ||||
|  | ||||
| 	dst = pgio.AppendUint16(dst, uint16(len(src.ParameterFormatCodes))) | ||||
| 	for _, fc := range src.ParameterFormatCodes { | ||||
| 		dst = pgio.AppendInt16(dst, fc) | ||||
| 	} | ||||
|  | ||||
| 	dst = pgio.AppendUint16(dst, uint16(len(src.Parameters))) | ||||
| 	for _, p := range src.Parameters { | ||||
| 		if p == nil { | ||||
| 			dst = pgio.AppendInt32(dst, -1) | ||||
| 			continue | ||||
| 		} | ||||
|  | ||||
| 		dst = pgio.AppendInt32(dst, int32(len(p))) | ||||
| 		dst = append(dst, p...) | ||||
| 	} | ||||
|  | ||||
| 	dst = pgio.AppendUint16(dst, uint16(len(src.ResultFormatCodes))) | ||||
| 	for _, fc := range src.ResultFormatCodes { | ||||
| 		dst = pgio.AppendInt16(dst, fc) | ||||
| 	} | ||||
|  | ||||
| 	pgio.SetInt32(dst[sp:], int32(len(dst[sp:]))) | ||||
|  | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src Bind) MarshalJSON() ([]byte, error) { | ||||
| 	formattedParameters := make([]map[string]string, len(src.Parameters)) | ||||
| 	for i, p := range src.Parameters { | ||||
| 		if p == nil { | ||||
| 			continue | ||||
| 		} | ||||
|  | ||||
| 		textFormat := true | ||||
| 		if len(src.ParameterFormatCodes) == 1 { | ||||
| 			textFormat = src.ParameterFormatCodes[0] == 0 | ||||
| 		} else if len(src.ParameterFormatCodes) > 1 { | ||||
| 			textFormat = src.ParameterFormatCodes[i] == 0 | ||||
| 		} | ||||
|  | ||||
| 		if textFormat { | ||||
| 			formattedParameters[i] = map[string]string{"text": string(p)} | ||||
| 		} else { | ||||
| 			formattedParameters[i] = map[string]string{"binary": hex.EncodeToString(p)} | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	return json.Marshal(struct { | ||||
| 		Type                 string | ||||
| 		DestinationPortal    string | ||||
| 		PreparedStatement    string | ||||
| 		ParameterFormatCodes []int16 | ||||
| 		Parameters           []map[string]string | ||||
| 		ResultFormatCodes    []int16 | ||||
| 	}{ | ||||
| 		Type:                 "Bind", | ||||
| 		DestinationPortal:    src.DestinationPortal, | ||||
| 		PreparedStatement:    src.PreparedStatement, | ||||
| 		ParameterFormatCodes: src.ParameterFormatCodes, | ||||
| 		Parameters:           formattedParameters, | ||||
| 		ResultFormatCodes:    src.ResultFormatCodes, | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| // UnmarshalJSON implements encoding/json.Unmarshaler. | ||||
| func (dst *Bind) UnmarshalJSON(data []byte) error { | ||||
| 	// Ignore null, like in the main JSON package. | ||||
| 	if string(data) == "null" { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	var msg struct { | ||||
| 		DestinationPortal    string | ||||
| 		PreparedStatement    string | ||||
| 		ParameterFormatCodes []int16 | ||||
| 		Parameters           []map[string]string | ||||
| 		ResultFormatCodes    []int16 | ||||
| 	} | ||||
| 	err := json.Unmarshal(data, &msg) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	dst.DestinationPortal = msg.DestinationPortal | ||||
| 	dst.PreparedStatement = msg.PreparedStatement | ||||
| 	dst.ParameterFormatCodes = msg.ParameterFormatCodes | ||||
| 	dst.Parameters = make([][]byte, len(msg.Parameters)) | ||||
| 	dst.ResultFormatCodes = msg.ResultFormatCodes | ||||
| 	for n, parameter := range msg.Parameters { | ||||
| 		dst.Parameters[n], err = getValueFromJSON(parameter) | ||||
| 		if err != nil { | ||||
| 			return fmt.Errorf("cannot get param %d: %w", n, err) | ||||
| 		} | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										34
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/bind_complete.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										34
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/bind_complete.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,34 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/json" | ||||
| ) | ||||
|  | ||||
| type BindComplete struct{} | ||||
|  | ||||
| // Backend identifies this message as sendable by the PostgreSQL backend. | ||||
| func (*BindComplete) Backend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *BindComplete) Decode(src []byte) error { | ||||
| 	if len(src) != 0 { | ||||
| 		return &invalidMessageLenErr{messageType: "BindComplete", expectedLen: 0, actualLen: len(src)} | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *BindComplete) Encode(dst []byte) []byte { | ||||
| 	return append(dst, '2', 0, 0, 0, 4) | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src BindComplete) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type string | ||||
| 	}{ | ||||
| 		Type: "BindComplete", | ||||
| 	}) | ||||
| } | ||||
							
								
								
									
										58
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/cancel_request.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										58
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/cancel_request.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,58 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/binary" | ||||
| 	"encoding/json" | ||||
| 	"errors" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| const cancelRequestCode = 80877102 | ||||
|  | ||||
| type CancelRequest struct { | ||||
| 	ProcessID uint32 | ||||
| 	SecretKey uint32 | ||||
| } | ||||
|  | ||||
| // Frontend identifies this message as sendable by a PostgreSQL frontend. | ||||
| func (*CancelRequest) Frontend() {} | ||||
|  | ||||
| func (dst *CancelRequest) Decode(src []byte) error { | ||||
| 	if len(src) != 12 { | ||||
| 		return errors.New("bad cancel request size") | ||||
| 	} | ||||
|  | ||||
| 	requestCode := binary.BigEndian.Uint32(src) | ||||
|  | ||||
| 	if requestCode != cancelRequestCode { | ||||
| 		return errors.New("bad cancel request code") | ||||
| 	} | ||||
|  | ||||
| 	dst.ProcessID = binary.BigEndian.Uint32(src[4:]) | ||||
| 	dst.SecretKey = binary.BigEndian.Uint32(src[8:]) | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 4 byte message length. | ||||
| func (src *CancelRequest) Encode(dst []byte) []byte { | ||||
| 	dst = pgio.AppendInt32(dst, 16) | ||||
| 	dst = pgio.AppendInt32(dst, cancelRequestCode) | ||||
| 	dst = pgio.AppendUint32(dst, src.ProcessID) | ||||
| 	dst = pgio.AppendUint32(dst, src.SecretKey) | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src CancelRequest) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type      string | ||||
| 		ProcessID uint32 | ||||
| 		SecretKey uint32 | ||||
| 	}{ | ||||
| 		Type:      "CancelRequest", | ||||
| 		ProcessID: src.ProcessID, | ||||
| 		SecretKey: src.SecretKey, | ||||
| 	}) | ||||
| } | ||||
							
								
								
									
										90
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/chunkreader.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										90
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/chunkreader.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,90 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"io" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/iobufpool" | ||||
| ) | ||||
|  | ||||
| // chunkReader is a io.Reader wrapper that minimizes IO reads and memory allocations. It allocates memory in chunks and | ||||
| // will read as much as will fit in the current buffer in a single call regardless of how large a read is actually | ||||
| // requested. The memory returned via Next is only valid until the next call to Next. | ||||
| // | ||||
| // This is roughly equivalent to a bufio.Reader that only uses Peek and Discard to never copy bytes. | ||||
| type chunkReader struct { | ||||
| 	r io.Reader | ||||
|  | ||||
| 	buf    *[]byte | ||||
| 	rp, wp int // buf read position and write position | ||||
|  | ||||
| 	minBufSize int | ||||
| } | ||||
|  | ||||
| // newChunkReader creates and returns a new chunkReader for r with default configuration. If minBufSize is <= 0 it uses | ||||
| // a default value. | ||||
| func newChunkReader(r io.Reader, minBufSize int) *chunkReader { | ||||
| 	if minBufSize <= 0 { | ||||
| 		// By historical reasons Postgres currently has 8KB send buffer inside, | ||||
| 		// so here we want to have at least the same size buffer. | ||||
| 		// @see https://github.com/postgres/postgres/blob/249d64999615802752940e017ee5166e726bc7cd/src/backend/libpq/pqcomm.c#L134 | ||||
| 		// @see https://www.postgresql.org/message-id/0cdc5485-cb3c-5e16-4a46-e3b2f7a41322%40ya.ru | ||||
| 		// | ||||
| 		// In addition, testing has found no benefit of any larger buffer. | ||||
| 		minBufSize = 8192 | ||||
| 	} | ||||
|  | ||||
| 	return &chunkReader{ | ||||
| 		r:          r, | ||||
| 		minBufSize: minBufSize, | ||||
| 		buf:        iobufpool.Get(minBufSize), | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // Next returns buf filled with the next n bytes. buf is only valid until next call of Next. If an error occurs, buf | ||||
| // will be nil. | ||||
| func (r *chunkReader) Next(n int) (buf []byte, err error) { | ||||
| 	// Reset the buffer if it is empty | ||||
| 	if r.rp == r.wp { | ||||
| 		if len(*r.buf) != r.minBufSize { | ||||
| 			iobufpool.Put(r.buf) | ||||
| 			r.buf = iobufpool.Get(r.minBufSize) | ||||
| 		} | ||||
| 		r.rp = 0 | ||||
| 		r.wp = 0 | ||||
| 	} | ||||
|  | ||||
| 	// n bytes already in buf | ||||
| 	if (r.wp - r.rp) >= n { | ||||
| 		buf = (*r.buf)[r.rp : r.rp+n : r.rp+n] | ||||
| 		r.rp += n | ||||
| 		return buf, err | ||||
| 	} | ||||
|  | ||||
| 	// buf is smaller than requested number of bytes | ||||
| 	if len(*r.buf) < n { | ||||
| 		bigBuf := iobufpool.Get(n) | ||||
| 		r.wp = copy((*bigBuf), (*r.buf)[r.rp:r.wp]) | ||||
| 		r.rp = 0 | ||||
| 		iobufpool.Put(r.buf) | ||||
| 		r.buf = bigBuf | ||||
| 	} | ||||
|  | ||||
| 	// buf is large enough, but need to shift filled area to start to make enough contiguous space | ||||
| 	minReadCount := n - (r.wp - r.rp) | ||||
| 	if (len(*r.buf) - r.wp) < minReadCount { | ||||
| 		r.wp = copy((*r.buf), (*r.buf)[r.rp:r.wp]) | ||||
| 		r.rp = 0 | ||||
| 	} | ||||
|  | ||||
| 	// Read at least the required number of bytes from the underlying io.Reader | ||||
| 	readBytesCount, err := io.ReadAtLeast(r.r, (*r.buf)[r.wp:], minReadCount) | ||||
| 	r.wp += readBytesCount | ||||
| 	// fmt.Println("read", n) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
|  | ||||
| 	buf = (*r.buf)[r.rp : r.rp+n : r.rp+n] | ||||
| 	r.rp += n | ||||
| 	return buf, nil | ||||
| } | ||||
							
								
								
									
										89
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/close.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										89
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/close.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,89 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"encoding/json" | ||||
| 	"errors" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| type Close struct { | ||||
| 	ObjectType byte // 'S' = prepared statement, 'P' = portal | ||||
| 	Name       string | ||||
| } | ||||
|  | ||||
| // Frontend identifies this message as sendable by a PostgreSQL frontend. | ||||
| func (*Close) Frontend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *Close) Decode(src []byte) error { | ||||
| 	if len(src) < 2 { | ||||
| 		return &invalidMessageFormatErr{messageType: "Close"} | ||||
| 	} | ||||
|  | ||||
| 	dst.ObjectType = src[0] | ||||
| 	rp := 1 | ||||
|  | ||||
| 	idx := bytes.IndexByte(src[rp:], 0) | ||||
| 	if idx != len(src[rp:])-1 { | ||||
| 		return &invalidMessageFormatErr{messageType: "Close"} | ||||
| 	} | ||||
|  | ||||
| 	dst.Name = string(src[rp : len(src)-1]) | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *Close) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'C') | ||||
| 	sp := len(dst) | ||||
| 	dst = pgio.AppendInt32(dst, -1) | ||||
|  | ||||
| 	dst = append(dst, src.ObjectType) | ||||
| 	dst = append(dst, src.Name...) | ||||
| 	dst = append(dst, 0) | ||||
|  | ||||
| 	pgio.SetInt32(dst[sp:], int32(len(dst[sp:]))) | ||||
|  | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src Close) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type       string | ||||
| 		ObjectType string | ||||
| 		Name       string | ||||
| 	}{ | ||||
| 		Type:       "Close", | ||||
| 		ObjectType: string(src.ObjectType), | ||||
| 		Name:       src.Name, | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| // UnmarshalJSON implements encoding/json.Unmarshaler. | ||||
| func (dst *Close) UnmarshalJSON(data []byte) error { | ||||
| 	// Ignore null, like in the main JSON package. | ||||
| 	if string(data) == "null" { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	var msg struct { | ||||
| 		ObjectType string | ||||
| 		Name       string | ||||
| 	} | ||||
| 	if err := json.Unmarshal(data, &msg); err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	if len(msg.ObjectType) != 1 { | ||||
| 		return errors.New("invalid length for Close.ObjectType") | ||||
| 	} | ||||
|  | ||||
| 	dst.ObjectType = byte(msg.ObjectType[0]) | ||||
| 	dst.Name = msg.Name | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										34
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/close_complete.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										34
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/close_complete.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,34 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/json" | ||||
| ) | ||||
|  | ||||
| type CloseComplete struct{} | ||||
|  | ||||
| // Backend identifies this message as sendable by the PostgreSQL backend. | ||||
| func (*CloseComplete) Backend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *CloseComplete) Decode(src []byte) error { | ||||
| 	if len(src) != 0 { | ||||
| 		return &invalidMessageLenErr{messageType: "CloseComplete", expectedLen: 0, actualLen: len(src)} | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *CloseComplete) Encode(dst []byte) []byte { | ||||
| 	return append(dst, '3', 0, 0, 0, 4) | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src CloseComplete) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type string | ||||
| 	}{ | ||||
| 		Type: "CloseComplete", | ||||
| 	}) | ||||
| } | ||||
							
								
								
									
										74
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/command_complete.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										74
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/command_complete.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,74 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"encoding/json" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| type CommandComplete struct { | ||||
| 	CommandTag []byte | ||||
| } | ||||
|  | ||||
| // Backend identifies this message as sendable by the PostgreSQL backend. | ||||
| func (*CommandComplete) Backend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *CommandComplete) Decode(src []byte) error { | ||||
| 	idx := bytes.IndexByte(src, 0) | ||||
| 	if idx == -1 { | ||||
| 		return &invalidMessageFormatErr{messageType: "CommandComplete", details: "unterminated string"} | ||||
| 	} | ||||
| 	if idx != len(src)-1 { | ||||
| 		return &invalidMessageFormatErr{messageType: "CommandComplete", details: "string terminated too early"} | ||||
| 	} | ||||
|  | ||||
| 	dst.CommandTag = src[:idx] | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *CommandComplete) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'C') | ||||
| 	sp := len(dst) | ||||
| 	dst = pgio.AppendInt32(dst, -1) | ||||
|  | ||||
| 	dst = append(dst, src.CommandTag...) | ||||
| 	dst = append(dst, 0) | ||||
|  | ||||
| 	pgio.SetInt32(dst[sp:], int32(len(dst[sp:]))) | ||||
|  | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src CommandComplete) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type       string | ||||
| 		CommandTag string | ||||
| 	}{ | ||||
| 		Type:       "CommandComplete", | ||||
| 		CommandTag: string(src.CommandTag), | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| // UnmarshalJSON implements encoding/json.Unmarshaler. | ||||
| func (dst *CommandComplete) UnmarshalJSON(data []byte) error { | ||||
| 	// Ignore null, like in the main JSON package. | ||||
| 	if string(data) == "null" { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	var msg struct { | ||||
| 		CommandTag string | ||||
| 	} | ||||
| 	if err := json.Unmarshal(data, &msg); err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	dst.CommandTag = []byte(msg.CommandTag) | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										95
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/copy_both_response.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										95
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/copy_both_response.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,95 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"encoding/binary" | ||||
| 	"encoding/json" | ||||
| 	"errors" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| type CopyBothResponse struct { | ||||
| 	OverallFormat     byte | ||||
| 	ColumnFormatCodes []uint16 | ||||
| } | ||||
|  | ||||
| // Backend identifies this message as sendable by the PostgreSQL backend. | ||||
| func (*CopyBothResponse) Backend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *CopyBothResponse) Decode(src []byte) error { | ||||
| 	buf := bytes.NewBuffer(src) | ||||
|  | ||||
| 	if buf.Len() < 3 { | ||||
| 		return &invalidMessageFormatErr{messageType: "CopyBothResponse"} | ||||
| 	} | ||||
|  | ||||
| 	overallFormat := buf.Next(1)[0] | ||||
|  | ||||
| 	columnCount := int(binary.BigEndian.Uint16(buf.Next(2))) | ||||
| 	if buf.Len() != columnCount*2 { | ||||
| 		return &invalidMessageFormatErr{messageType: "CopyBothResponse"} | ||||
| 	} | ||||
|  | ||||
| 	columnFormatCodes := make([]uint16, columnCount) | ||||
| 	for i := 0; i < columnCount; i++ { | ||||
| 		columnFormatCodes[i] = binary.BigEndian.Uint16(buf.Next(2)) | ||||
| 	} | ||||
|  | ||||
| 	*dst = CopyBothResponse{OverallFormat: overallFormat, ColumnFormatCodes: columnFormatCodes} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *CopyBothResponse) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'W') | ||||
| 	sp := len(dst) | ||||
| 	dst = pgio.AppendInt32(dst, -1) | ||||
| 	dst = append(dst, src.OverallFormat) | ||||
| 	dst = pgio.AppendUint16(dst, uint16(len(src.ColumnFormatCodes))) | ||||
| 	for _, fc := range src.ColumnFormatCodes { | ||||
| 		dst = pgio.AppendUint16(dst, fc) | ||||
| 	} | ||||
|  | ||||
| 	pgio.SetInt32(dst[sp:], int32(len(dst[sp:]))) | ||||
|  | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src CopyBothResponse) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type              string | ||||
| 		ColumnFormatCodes []uint16 | ||||
| 	}{ | ||||
| 		Type:              "CopyBothResponse", | ||||
| 		ColumnFormatCodes: src.ColumnFormatCodes, | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| // UnmarshalJSON implements encoding/json.Unmarshaler. | ||||
| func (dst *CopyBothResponse) UnmarshalJSON(data []byte) error { | ||||
| 	// Ignore null, like in the main JSON package. | ||||
| 	if string(data) == "null" { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	var msg struct { | ||||
| 		OverallFormat     string | ||||
| 		ColumnFormatCodes []uint16 | ||||
| 	} | ||||
| 	if err := json.Unmarshal(data, &msg); err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	if len(msg.OverallFormat) != 1 { | ||||
| 		return errors.New("invalid length for CopyBothResponse.OverallFormat") | ||||
| 	} | ||||
|  | ||||
| 	dst.OverallFormat = msg.OverallFormat[0] | ||||
| 	dst.ColumnFormatCodes = msg.ColumnFormatCodes | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										62
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/copy_data.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										62
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/copy_data.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,62 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/hex" | ||||
| 	"encoding/json" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| type CopyData struct { | ||||
| 	Data []byte | ||||
| } | ||||
|  | ||||
| // Backend identifies this message as sendable by the PostgreSQL backend. | ||||
| func (*CopyData) Backend() {} | ||||
|  | ||||
| // Frontend identifies this message as sendable by a PostgreSQL frontend. | ||||
| func (*CopyData) Frontend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *CopyData) Decode(src []byte) error { | ||||
| 	dst.Data = src | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *CopyData) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'd') | ||||
| 	dst = pgio.AppendInt32(dst, int32(4+len(src.Data))) | ||||
| 	dst = append(dst, src.Data...) | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src CopyData) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type string | ||||
| 		Data string | ||||
| 	}{ | ||||
| 		Type: "CopyData", | ||||
| 		Data: hex.EncodeToString(src.Data), | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| // UnmarshalJSON implements encoding/json.Unmarshaler. | ||||
| func (dst *CopyData) UnmarshalJSON(data []byte) error { | ||||
| 	// Ignore null, like in the main JSON package. | ||||
| 	if string(data) == "null" { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	var msg struct { | ||||
| 		Data string | ||||
| 	} | ||||
| 	if err := json.Unmarshal(data, &msg); err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	dst.Data = []byte(msg.Data) | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										38
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/copy_done.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										38
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/copy_done.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,38 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/json" | ||||
| ) | ||||
|  | ||||
| type CopyDone struct { | ||||
| } | ||||
|  | ||||
| // Backend identifies this message as sendable by the PostgreSQL backend. | ||||
| func (*CopyDone) Backend() {} | ||||
|  | ||||
| // Frontend identifies this message as sendable by a PostgreSQL frontend. | ||||
| func (*CopyDone) Frontend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *CopyDone) Decode(src []byte) error { | ||||
| 	if len(src) != 0 { | ||||
| 		return &invalidMessageLenErr{messageType: "CopyDone", expectedLen: 0, actualLen: len(src)} | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *CopyDone) Encode(dst []byte) []byte { | ||||
| 	return append(dst, 'c', 0, 0, 0, 4) | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src CopyDone) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type string | ||||
| 	}{ | ||||
| 		Type: "CopyDone", | ||||
| 	}) | ||||
| } | ||||
							
								
								
									
										53
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/copy_fail.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										53
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/copy_fail.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,53 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"encoding/json" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| type CopyFail struct { | ||||
| 	Message string | ||||
| } | ||||
|  | ||||
| // Frontend identifies this message as sendable by a PostgreSQL frontend. | ||||
| func (*CopyFail) Frontend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *CopyFail) Decode(src []byte) error { | ||||
| 	idx := bytes.IndexByte(src, 0) | ||||
| 	if idx != len(src)-1 { | ||||
| 		return &invalidMessageFormatErr{messageType: "CopyFail"} | ||||
| 	} | ||||
|  | ||||
| 	dst.Message = string(src[:idx]) | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *CopyFail) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'f') | ||||
| 	sp := len(dst) | ||||
| 	dst = pgio.AppendInt32(dst, -1) | ||||
|  | ||||
| 	dst = append(dst, src.Message...) | ||||
| 	dst = append(dst, 0) | ||||
|  | ||||
| 	pgio.SetInt32(dst[sp:], int32(len(dst[sp:]))) | ||||
|  | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src CopyFail) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type    string | ||||
| 		Message string | ||||
| 	}{ | ||||
| 		Type:    "CopyFail", | ||||
| 		Message: src.Message, | ||||
| 	}) | ||||
| } | ||||
							
								
								
									
										96
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/copy_in_response.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										96
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/copy_in_response.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,96 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"encoding/binary" | ||||
| 	"encoding/json" | ||||
| 	"errors" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| type CopyInResponse struct { | ||||
| 	OverallFormat     byte | ||||
| 	ColumnFormatCodes []uint16 | ||||
| } | ||||
|  | ||||
| // Backend identifies this message as sendable by the PostgreSQL backend. | ||||
| func (*CopyInResponse) Backend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *CopyInResponse) Decode(src []byte) error { | ||||
| 	buf := bytes.NewBuffer(src) | ||||
|  | ||||
| 	if buf.Len() < 3 { | ||||
| 		return &invalidMessageFormatErr{messageType: "CopyInResponse"} | ||||
| 	} | ||||
|  | ||||
| 	overallFormat := buf.Next(1)[0] | ||||
|  | ||||
| 	columnCount := int(binary.BigEndian.Uint16(buf.Next(2))) | ||||
| 	if buf.Len() != columnCount*2 { | ||||
| 		return &invalidMessageFormatErr{messageType: "CopyInResponse"} | ||||
| 	} | ||||
|  | ||||
| 	columnFormatCodes := make([]uint16, columnCount) | ||||
| 	for i := 0; i < columnCount; i++ { | ||||
| 		columnFormatCodes[i] = binary.BigEndian.Uint16(buf.Next(2)) | ||||
| 	} | ||||
|  | ||||
| 	*dst = CopyInResponse{OverallFormat: overallFormat, ColumnFormatCodes: columnFormatCodes} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *CopyInResponse) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'G') | ||||
| 	sp := len(dst) | ||||
| 	dst = pgio.AppendInt32(dst, -1) | ||||
|  | ||||
| 	dst = append(dst, src.OverallFormat) | ||||
| 	dst = pgio.AppendUint16(dst, uint16(len(src.ColumnFormatCodes))) | ||||
| 	for _, fc := range src.ColumnFormatCodes { | ||||
| 		dst = pgio.AppendUint16(dst, fc) | ||||
| 	} | ||||
|  | ||||
| 	pgio.SetInt32(dst[sp:], int32(len(dst[sp:]))) | ||||
|  | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src CopyInResponse) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type              string | ||||
| 		ColumnFormatCodes []uint16 | ||||
| 	}{ | ||||
| 		Type:              "CopyInResponse", | ||||
| 		ColumnFormatCodes: src.ColumnFormatCodes, | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| // UnmarshalJSON implements encoding/json.Unmarshaler. | ||||
| func (dst *CopyInResponse) UnmarshalJSON(data []byte) error { | ||||
| 	// Ignore null, like in the main JSON package. | ||||
| 	if string(data) == "null" { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	var msg struct { | ||||
| 		OverallFormat     string | ||||
| 		ColumnFormatCodes []uint16 | ||||
| 	} | ||||
| 	if err := json.Unmarshal(data, &msg); err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	if len(msg.OverallFormat) != 1 { | ||||
| 		return errors.New("invalid length for CopyInResponse.OverallFormat") | ||||
| 	} | ||||
|  | ||||
| 	dst.OverallFormat = msg.OverallFormat[0] | ||||
| 	dst.ColumnFormatCodes = msg.ColumnFormatCodes | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										96
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/copy_out_response.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										96
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/copy_out_response.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,96 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"encoding/binary" | ||||
| 	"encoding/json" | ||||
| 	"errors" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| type CopyOutResponse struct { | ||||
| 	OverallFormat     byte | ||||
| 	ColumnFormatCodes []uint16 | ||||
| } | ||||
|  | ||||
| func (*CopyOutResponse) Backend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *CopyOutResponse) Decode(src []byte) error { | ||||
| 	buf := bytes.NewBuffer(src) | ||||
|  | ||||
| 	if buf.Len() < 3 { | ||||
| 		return &invalidMessageFormatErr{messageType: "CopyOutResponse"} | ||||
| 	} | ||||
|  | ||||
| 	overallFormat := buf.Next(1)[0] | ||||
|  | ||||
| 	columnCount := int(binary.BigEndian.Uint16(buf.Next(2))) | ||||
| 	if buf.Len() != columnCount*2 { | ||||
| 		return &invalidMessageFormatErr{messageType: "CopyOutResponse"} | ||||
| 	} | ||||
|  | ||||
| 	columnFormatCodes := make([]uint16, columnCount) | ||||
| 	for i := 0; i < columnCount; i++ { | ||||
| 		columnFormatCodes[i] = binary.BigEndian.Uint16(buf.Next(2)) | ||||
| 	} | ||||
|  | ||||
| 	*dst = CopyOutResponse{OverallFormat: overallFormat, ColumnFormatCodes: columnFormatCodes} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *CopyOutResponse) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'H') | ||||
| 	sp := len(dst) | ||||
| 	dst = pgio.AppendInt32(dst, -1) | ||||
|  | ||||
| 	dst = append(dst, src.OverallFormat) | ||||
|  | ||||
| 	dst = pgio.AppendUint16(dst, uint16(len(src.ColumnFormatCodes))) | ||||
| 	for _, fc := range src.ColumnFormatCodes { | ||||
| 		dst = pgio.AppendUint16(dst, fc) | ||||
| 	} | ||||
|  | ||||
| 	pgio.SetInt32(dst[sp:], int32(len(dst[sp:]))) | ||||
|  | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src CopyOutResponse) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type              string | ||||
| 		ColumnFormatCodes []uint16 | ||||
| 	}{ | ||||
| 		Type:              "CopyOutResponse", | ||||
| 		ColumnFormatCodes: src.ColumnFormatCodes, | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| // UnmarshalJSON implements encoding/json.Unmarshaler. | ||||
| func (dst *CopyOutResponse) UnmarshalJSON(data []byte) error { | ||||
| 	// Ignore null, like in the main JSON package. | ||||
| 	if string(data) == "null" { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	var msg struct { | ||||
| 		OverallFormat     string | ||||
| 		ColumnFormatCodes []uint16 | ||||
| 	} | ||||
| 	if err := json.Unmarshal(data, &msg); err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	if len(msg.OverallFormat) != 1 { | ||||
| 		return errors.New("invalid length for CopyOutResponse.OverallFormat") | ||||
| 	} | ||||
|  | ||||
| 	dst.OverallFormat = msg.OverallFormat[0] | ||||
| 	dst.ColumnFormatCodes = msg.ColumnFormatCodes | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										142
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/data_row.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										142
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/data_row.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,142 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/binary" | ||||
| 	"encoding/hex" | ||||
| 	"encoding/json" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| type DataRow struct { | ||||
| 	Values [][]byte | ||||
| } | ||||
|  | ||||
| // Backend identifies this message as sendable by the PostgreSQL backend. | ||||
| func (*DataRow) Backend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *DataRow) Decode(src []byte) error { | ||||
| 	if len(src) < 2 { | ||||
| 		return &invalidMessageFormatErr{messageType: "DataRow"} | ||||
| 	} | ||||
| 	rp := 0 | ||||
| 	fieldCount := int(binary.BigEndian.Uint16(src[rp:])) | ||||
| 	rp += 2 | ||||
|  | ||||
| 	// If the capacity of the values slice is too small OR substantially too | ||||
| 	// large reallocate. This is too avoid one row with many columns from | ||||
| 	// permanently allocating memory. | ||||
| 	if cap(dst.Values) < fieldCount || cap(dst.Values)-fieldCount > 32 { | ||||
| 		newCap := 32 | ||||
| 		if newCap < fieldCount { | ||||
| 			newCap = fieldCount | ||||
| 		} | ||||
| 		dst.Values = make([][]byte, fieldCount, newCap) | ||||
| 	} else { | ||||
| 		dst.Values = dst.Values[:fieldCount] | ||||
| 	} | ||||
|  | ||||
| 	for i := 0; i < fieldCount; i++ { | ||||
| 		if len(src[rp:]) < 4 { | ||||
| 			return &invalidMessageFormatErr{messageType: "DataRow"} | ||||
| 		} | ||||
|  | ||||
| 		valueLen := int(int32(binary.BigEndian.Uint32(src[rp:]))) | ||||
| 		rp += 4 | ||||
|  | ||||
| 		// null | ||||
| 		if valueLen == -1 { | ||||
| 			dst.Values[i] = nil | ||||
| 		} else { | ||||
| 			if len(src[rp:]) < valueLen || valueLen < 0 { | ||||
| 				return &invalidMessageFormatErr{messageType: "DataRow"} | ||||
| 			} | ||||
|  | ||||
| 			dst.Values[i] = src[rp : rp+valueLen : rp+valueLen] | ||||
| 			rp += valueLen | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *DataRow) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'D') | ||||
| 	sp := len(dst) | ||||
| 	dst = pgio.AppendInt32(dst, -1) | ||||
|  | ||||
| 	dst = pgio.AppendUint16(dst, uint16(len(src.Values))) | ||||
| 	for _, v := range src.Values { | ||||
| 		if v == nil { | ||||
| 			dst = pgio.AppendInt32(dst, -1) | ||||
| 			continue | ||||
| 		} | ||||
|  | ||||
| 		dst = pgio.AppendInt32(dst, int32(len(v))) | ||||
| 		dst = append(dst, v...) | ||||
| 	} | ||||
|  | ||||
| 	pgio.SetInt32(dst[sp:], int32(len(dst[sp:]))) | ||||
|  | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src DataRow) MarshalJSON() ([]byte, error) { | ||||
| 	formattedValues := make([]map[string]string, len(src.Values)) | ||||
| 	for i, v := range src.Values { | ||||
| 		if v == nil { | ||||
| 			continue | ||||
| 		} | ||||
|  | ||||
| 		var hasNonPrintable bool | ||||
| 		for _, b := range v { | ||||
| 			if b < 32 { | ||||
| 				hasNonPrintable = true | ||||
| 				break | ||||
| 			} | ||||
| 		} | ||||
|  | ||||
| 		if hasNonPrintable { | ||||
| 			formattedValues[i] = map[string]string{"binary": hex.EncodeToString(v)} | ||||
| 		} else { | ||||
| 			formattedValues[i] = map[string]string{"text": string(v)} | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	return json.Marshal(struct { | ||||
| 		Type   string | ||||
| 		Values []map[string]string | ||||
| 	}{ | ||||
| 		Type:   "DataRow", | ||||
| 		Values: formattedValues, | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| // UnmarshalJSON implements encoding/json.Unmarshaler. | ||||
| func (dst *DataRow) UnmarshalJSON(data []byte) error { | ||||
| 	// Ignore null, like in the main JSON package. | ||||
| 	if string(data) == "null" { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	var msg struct { | ||||
| 		Values []map[string]string | ||||
| 	} | ||||
| 	if err := json.Unmarshal(data, &msg); err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	dst.Values = make([][]byte, len(msg.Values)) | ||||
| 	for n, parameter := range msg.Values { | ||||
| 		var err error | ||||
| 		dst.Values[n], err = getValueFromJSON(parameter) | ||||
| 		if err != nil { | ||||
| 			return err | ||||
| 		} | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										88
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/describe.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										88
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/describe.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,88 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"encoding/json" | ||||
| 	"errors" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| type Describe struct { | ||||
| 	ObjectType byte // 'S' = prepared statement, 'P' = portal | ||||
| 	Name       string | ||||
| } | ||||
|  | ||||
| // Frontend identifies this message as sendable by a PostgreSQL frontend. | ||||
| func (*Describe) Frontend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *Describe) Decode(src []byte) error { | ||||
| 	if len(src) < 2 { | ||||
| 		return &invalidMessageFormatErr{messageType: "Describe"} | ||||
| 	} | ||||
|  | ||||
| 	dst.ObjectType = src[0] | ||||
| 	rp := 1 | ||||
|  | ||||
| 	idx := bytes.IndexByte(src[rp:], 0) | ||||
| 	if idx != len(src[rp:])-1 { | ||||
| 		return &invalidMessageFormatErr{messageType: "Describe"} | ||||
| 	} | ||||
|  | ||||
| 	dst.Name = string(src[rp : len(src)-1]) | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *Describe) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'D') | ||||
| 	sp := len(dst) | ||||
| 	dst = pgio.AppendInt32(dst, -1) | ||||
|  | ||||
| 	dst = append(dst, src.ObjectType) | ||||
| 	dst = append(dst, src.Name...) | ||||
| 	dst = append(dst, 0) | ||||
|  | ||||
| 	pgio.SetInt32(dst[sp:], int32(len(dst[sp:]))) | ||||
|  | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src Describe) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type       string | ||||
| 		ObjectType string | ||||
| 		Name       string | ||||
| 	}{ | ||||
| 		Type:       "Describe", | ||||
| 		ObjectType: string(src.ObjectType), | ||||
| 		Name:       src.Name, | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| // UnmarshalJSON implements encoding/json.Unmarshaler. | ||||
| func (dst *Describe) UnmarshalJSON(data []byte) error { | ||||
| 	// Ignore null, like in the main JSON package. | ||||
| 	if string(data) == "null" { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	var msg struct { | ||||
| 		ObjectType string | ||||
| 		Name       string | ||||
| 	} | ||||
| 	if err := json.Unmarshal(data, &msg); err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	if len(msg.ObjectType) != 1 { | ||||
| 		return errors.New("invalid length for Describe.ObjectType") | ||||
| 	} | ||||
|  | ||||
| 	dst.ObjectType = byte(msg.ObjectType[0]) | ||||
| 	dst.Name = msg.Name | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										11
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/doc.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										11
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/doc.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,11 @@ | ||||
| // Package pgproto3 is a encoder and decoder of the PostgreSQL wire protocol version 3. | ||||
| // | ||||
| // The primary interfaces are Frontend and Backend. They correspond to a client and server respectively. Messages are | ||||
| // sent with Send (or a specialized Send variant). Messages are automatically bufferred to minimize small writes. Call | ||||
| // Flush to ensure a message has actually been sent. | ||||
| // | ||||
| // The Trace method of Frontend and Backend can be used to examine the wire-level message traffic. It outputs in a | ||||
| // similar format to the PQtrace function in libpq. | ||||
| // | ||||
| // See https://www.postgresql.org/docs/current/protocol-message-formats.html for meanings of the different messages. | ||||
| package pgproto3 | ||||
							
								
								
									
										34
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/empty_query_response.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										34
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/empty_query_response.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,34 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/json" | ||||
| ) | ||||
|  | ||||
| type EmptyQueryResponse struct{} | ||||
|  | ||||
| // Backend identifies this message as sendable by the PostgreSQL backend. | ||||
| func (*EmptyQueryResponse) Backend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *EmptyQueryResponse) Decode(src []byte) error { | ||||
| 	if len(src) != 0 { | ||||
| 		return &invalidMessageLenErr{messageType: "EmptyQueryResponse", expectedLen: 0, actualLen: len(src)} | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *EmptyQueryResponse) Encode(dst []byte) []byte { | ||||
| 	return append(dst, 'I', 0, 0, 0, 4) | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src EmptyQueryResponse) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type string | ||||
| 	}{ | ||||
| 		Type: "EmptyQueryResponse", | ||||
| 	}) | ||||
| } | ||||
							
								
								
									
										333
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/error_response.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										333
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/error_response.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,333 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"encoding/binary" | ||||
| 	"encoding/json" | ||||
| 	"strconv" | ||||
| ) | ||||
|  | ||||
| type ErrorResponse struct { | ||||
| 	Severity            string | ||||
| 	SeverityUnlocalized string // only in 9.6 and greater | ||||
| 	Code                string | ||||
| 	Message             string | ||||
| 	Detail              string | ||||
| 	Hint                string | ||||
| 	Position            int32 | ||||
| 	InternalPosition    int32 | ||||
| 	InternalQuery       string | ||||
| 	Where               string | ||||
| 	SchemaName          string | ||||
| 	TableName           string | ||||
| 	ColumnName          string | ||||
| 	DataTypeName        string | ||||
| 	ConstraintName      string | ||||
| 	File                string | ||||
| 	Line                int32 | ||||
| 	Routine             string | ||||
|  | ||||
| 	UnknownFields map[byte]string | ||||
| } | ||||
|  | ||||
| // Backend identifies this message as sendable by the PostgreSQL backend. | ||||
| func (*ErrorResponse) Backend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *ErrorResponse) Decode(src []byte) error { | ||||
| 	*dst = ErrorResponse{} | ||||
|  | ||||
| 	buf := bytes.NewBuffer(src) | ||||
|  | ||||
| 	for { | ||||
| 		k, err := buf.ReadByte() | ||||
| 		if err != nil { | ||||
| 			return err | ||||
| 		} | ||||
| 		if k == 0 { | ||||
| 			break | ||||
| 		} | ||||
|  | ||||
| 		vb, err := buf.ReadBytes(0) | ||||
| 		if err != nil { | ||||
| 			return err | ||||
| 		} | ||||
| 		v := string(vb[:len(vb)-1]) | ||||
|  | ||||
| 		switch k { | ||||
| 		case 'S': | ||||
| 			dst.Severity = v | ||||
| 		case 'V': | ||||
| 			dst.SeverityUnlocalized = v | ||||
| 		case 'C': | ||||
| 			dst.Code = v | ||||
| 		case 'M': | ||||
| 			dst.Message = v | ||||
| 		case 'D': | ||||
| 			dst.Detail = v | ||||
| 		case 'H': | ||||
| 			dst.Hint = v | ||||
| 		case 'P': | ||||
| 			s := v | ||||
| 			n, _ := strconv.ParseInt(s, 10, 32) | ||||
| 			dst.Position = int32(n) | ||||
| 		case 'p': | ||||
| 			s := v | ||||
| 			n, _ := strconv.ParseInt(s, 10, 32) | ||||
| 			dst.InternalPosition = int32(n) | ||||
| 		case 'q': | ||||
| 			dst.InternalQuery = v | ||||
| 		case 'W': | ||||
| 			dst.Where = v | ||||
| 		case 's': | ||||
| 			dst.SchemaName = v | ||||
| 		case 't': | ||||
| 			dst.TableName = v | ||||
| 		case 'c': | ||||
| 			dst.ColumnName = v | ||||
| 		case 'd': | ||||
| 			dst.DataTypeName = v | ||||
| 		case 'n': | ||||
| 			dst.ConstraintName = v | ||||
| 		case 'F': | ||||
| 			dst.File = v | ||||
| 		case 'L': | ||||
| 			s := v | ||||
| 			n, _ := strconv.ParseInt(s, 10, 32) | ||||
| 			dst.Line = int32(n) | ||||
| 		case 'R': | ||||
| 			dst.Routine = v | ||||
|  | ||||
| 		default: | ||||
| 			if dst.UnknownFields == nil { | ||||
| 				dst.UnknownFields = make(map[byte]string) | ||||
| 			} | ||||
| 			dst.UnknownFields[k] = v | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *ErrorResponse) Encode(dst []byte) []byte { | ||||
| 	return append(dst, src.marshalBinary('E')...) | ||||
| } | ||||
|  | ||||
| func (src *ErrorResponse) marshalBinary(typeByte byte) []byte { | ||||
| 	var bigEndian BigEndianBuf | ||||
| 	buf := &bytes.Buffer{} | ||||
|  | ||||
| 	buf.WriteByte(typeByte) | ||||
| 	buf.Write(bigEndian.Uint32(0)) | ||||
|  | ||||
| 	if src.Severity != "" { | ||||
| 		buf.WriteByte('S') | ||||
| 		buf.WriteString(src.Severity) | ||||
| 		buf.WriteByte(0) | ||||
| 	} | ||||
| 	if src.SeverityUnlocalized != "" { | ||||
| 		buf.WriteByte('V') | ||||
| 		buf.WriteString(src.SeverityUnlocalized) | ||||
| 		buf.WriteByte(0) | ||||
| 	} | ||||
| 	if src.Code != "" { | ||||
| 		buf.WriteByte('C') | ||||
| 		buf.WriteString(src.Code) | ||||
| 		buf.WriteByte(0) | ||||
| 	} | ||||
| 	if src.Message != "" { | ||||
| 		buf.WriteByte('M') | ||||
| 		buf.WriteString(src.Message) | ||||
| 		buf.WriteByte(0) | ||||
| 	} | ||||
| 	if src.Detail != "" { | ||||
| 		buf.WriteByte('D') | ||||
| 		buf.WriteString(src.Detail) | ||||
| 		buf.WriteByte(0) | ||||
| 	} | ||||
| 	if src.Hint != "" { | ||||
| 		buf.WriteByte('H') | ||||
| 		buf.WriteString(src.Hint) | ||||
| 		buf.WriteByte(0) | ||||
| 	} | ||||
| 	if src.Position != 0 { | ||||
| 		buf.WriteByte('P') | ||||
| 		buf.WriteString(strconv.Itoa(int(src.Position))) | ||||
| 		buf.WriteByte(0) | ||||
| 	} | ||||
| 	if src.InternalPosition != 0 { | ||||
| 		buf.WriteByte('p') | ||||
| 		buf.WriteString(strconv.Itoa(int(src.InternalPosition))) | ||||
| 		buf.WriteByte(0) | ||||
| 	} | ||||
| 	if src.InternalQuery != "" { | ||||
| 		buf.WriteByte('q') | ||||
| 		buf.WriteString(src.InternalQuery) | ||||
| 		buf.WriteByte(0) | ||||
| 	} | ||||
| 	if src.Where != "" { | ||||
| 		buf.WriteByte('W') | ||||
| 		buf.WriteString(src.Where) | ||||
| 		buf.WriteByte(0) | ||||
| 	} | ||||
| 	if src.SchemaName != "" { | ||||
| 		buf.WriteByte('s') | ||||
| 		buf.WriteString(src.SchemaName) | ||||
| 		buf.WriteByte(0) | ||||
| 	} | ||||
| 	if src.TableName != "" { | ||||
| 		buf.WriteByte('t') | ||||
| 		buf.WriteString(src.TableName) | ||||
| 		buf.WriteByte(0) | ||||
| 	} | ||||
| 	if src.ColumnName != "" { | ||||
| 		buf.WriteByte('c') | ||||
| 		buf.WriteString(src.ColumnName) | ||||
| 		buf.WriteByte(0) | ||||
| 	} | ||||
| 	if src.DataTypeName != "" { | ||||
| 		buf.WriteByte('d') | ||||
| 		buf.WriteString(src.DataTypeName) | ||||
| 		buf.WriteByte(0) | ||||
| 	} | ||||
| 	if src.ConstraintName != "" { | ||||
| 		buf.WriteByte('n') | ||||
| 		buf.WriteString(src.ConstraintName) | ||||
| 		buf.WriteByte(0) | ||||
| 	} | ||||
| 	if src.File != "" { | ||||
| 		buf.WriteByte('F') | ||||
| 		buf.WriteString(src.File) | ||||
| 		buf.WriteByte(0) | ||||
| 	} | ||||
| 	if src.Line != 0 { | ||||
| 		buf.WriteByte('L') | ||||
| 		buf.WriteString(strconv.Itoa(int(src.Line))) | ||||
| 		buf.WriteByte(0) | ||||
| 	} | ||||
| 	if src.Routine != "" { | ||||
| 		buf.WriteByte('R') | ||||
| 		buf.WriteString(src.Routine) | ||||
| 		buf.WriteByte(0) | ||||
| 	} | ||||
|  | ||||
| 	for k, v := range src.UnknownFields { | ||||
| 		buf.WriteByte(k) | ||||
| 		buf.WriteString(v) | ||||
| 		buf.WriteByte(0) | ||||
| 	} | ||||
|  | ||||
| 	buf.WriteByte(0) | ||||
|  | ||||
| 	binary.BigEndian.PutUint32(buf.Bytes()[1:5], uint32(buf.Len()-1)) | ||||
|  | ||||
| 	return buf.Bytes() | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src ErrorResponse) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type                string | ||||
| 		Severity            string | ||||
| 		SeverityUnlocalized string // only in 9.6 and greater | ||||
| 		Code                string | ||||
| 		Message             string | ||||
| 		Detail              string | ||||
| 		Hint                string | ||||
| 		Position            int32 | ||||
| 		InternalPosition    int32 | ||||
| 		InternalQuery       string | ||||
| 		Where               string | ||||
| 		SchemaName          string | ||||
| 		TableName           string | ||||
| 		ColumnName          string | ||||
| 		DataTypeName        string | ||||
| 		ConstraintName      string | ||||
| 		File                string | ||||
| 		Line                int32 | ||||
| 		Routine             string | ||||
|  | ||||
| 		UnknownFields map[byte]string | ||||
| 	}{ | ||||
| 		Type:                "ErrorResponse", | ||||
| 		Severity:            src.Severity, | ||||
| 		SeverityUnlocalized: src.SeverityUnlocalized, | ||||
| 		Code:                src.Code, | ||||
| 		Message:             src.Message, | ||||
| 		Detail:              src.Detail, | ||||
| 		Hint:                src.Hint, | ||||
| 		Position:            src.Position, | ||||
| 		InternalPosition:    src.InternalPosition, | ||||
| 		InternalQuery:       src.InternalQuery, | ||||
| 		Where:               src.Where, | ||||
| 		SchemaName:          src.SchemaName, | ||||
| 		TableName:           src.TableName, | ||||
| 		ColumnName:          src.ColumnName, | ||||
| 		DataTypeName:        src.DataTypeName, | ||||
| 		ConstraintName:      src.ConstraintName, | ||||
| 		File:                src.File, | ||||
| 		Line:                src.Line, | ||||
| 		Routine:             src.Routine, | ||||
| 		UnknownFields:       src.UnknownFields, | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| // UnmarshalJSON implements encoding/json.Unmarshaler. | ||||
| func (dst *ErrorResponse) UnmarshalJSON(data []byte) error { | ||||
| 	// Ignore null, like in the main JSON package. | ||||
| 	if string(data) == "null" { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	var msg struct { | ||||
| 		Type                string | ||||
| 		Severity            string | ||||
| 		SeverityUnlocalized string // only in 9.6 and greater | ||||
| 		Code                string | ||||
| 		Message             string | ||||
| 		Detail              string | ||||
| 		Hint                string | ||||
| 		Position            int32 | ||||
| 		InternalPosition    int32 | ||||
| 		InternalQuery       string | ||||
| 		Where               string | ||||
| 		SchemaName          string | ||||
| 		TableName           string | ||||
| 		ColumnName          string | ||||
| 		DataTypeName        string | ||||
| 		ConstraintName      string | ||||
| 		File                string | ||||
| 		Line                int32 | ||||
| 		Routine             string | ||||
|  | ||||
| 		UnknownFields map[byte]string | ||||
| 	} | ||||
| 	if err := json.Unmarshal(data, &msg); err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	dst.Severity = msg.Severity | ||||
| 	dst.SeverityUnlocalized = msg.SeverityUnlocalized | ||||
| 	dst.Code = msg.Code | ||||
| 	dst.Message = msg.Message | ||||
| 	dst.Detail = msg.Detail | ||||
| 	dst.Hint = msg.Hint | ||||
| 	dst.Position = msg.Position | ||||
| 	dst.InternalPosition = msg.InternalPosition | ||||
| 	dst.InternalQuery = msg.InternalQuery | ||||
| 	dst.Where = msg.Where | ||||
| 	dst.SchemaName = msg.SchemaName | ||||
| 	dst.TableName = msg.TableName | ||||
| 	dst.ColumnName = msg.ColumnName | ||||
| 	dst.DataTypeName = msg.DataTypeName | ||||
| 	dst.ConstraintName = msg.ConstraintName | ||||
| 	dst.File = msg.File | ||||
| 	dst.Line = msg.Line | ||||
| 	dst.Routine = msg.Routine | ||||
|  | ||||
| 	dst.UnknownFields = msg.UnknownFields | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										65
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/execute.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										65
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/execute.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,65 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"encoding/binary" | ||||
| 	"encoding/json" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| type Execute struct { | ||||
| 	Portal  string | ||||
| 	MaxRows uint32 | ||||
| } | ||||
|  | ||||
| // Frontend identifies this message as sendable by a PostgreSQL frontend. | ||||
| func (*Execute) Frontend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *Execute) Decode(src []byte) error { | ||||
| 	buf := bytes.NewBuffer(src) | ||||
|  | ||||
| 	b, err := buf.ReadBytes(0) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	dst.Portal = string(b[:len(b)-1]) | ||||
|  | ||||
| 	if buf.Len() < 4 { | ||||
| 		return &invalidMessageFormatErr{messageType: "Execute"} | ||||
| 	} | ||||
| 	dst.MaxRows = binary.BigEndian.Uint32(buf.Next(4)) | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *Execute) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'E') | ||||
| 	sp := len(dst) | ||||
| 	dst = pgio.AppendInt32(dst, -1) | ||||
|  | ||||
| 	dst = append(dst, src.Portal...) | ||||
| 	dst = append(dst, 0) | ||||
|  | ||||
| 	dst = pgio.AppendUint32(dst, src.MaxRows) | ||||
|  | ||||
| 	pgio.SetInt32(dst[sp:], int32(len(dst[sp:]))) | ||||
|  | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src Execute) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type    string | ||||
| 		Portal  string | ||||
| 		MaxRows uint32 | ||||
| 	}{ | ||||
| 		Type:    "Execute", | ||||
| 		Portal:  src.Portal, | ||||
| 		MaxRows: src.MaxRows, | ||||
| 	}) | ||||
| } | ||||
							
								
								
									
										34
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/flush.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										34
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/flush.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,34 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/json" | ||||
| ) | ||||
|  | ||||
| type Flush struct{} | ||||
|  | ||||
| // Frontend identifies this message as sendable by a PostgreSQL frontend. | ||||
| func (*Flush) Frontend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *Flush) Decode(src []byte) error { | ||||
| 	if len(src) != 0 { | ||||
| 		return &invalidMessageLenErr{messageType: "Flush", expectedLen: 0, actualLen: len(src)} | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *Flush) Encode(dst []byte) []byte { | ||||
| 	return append(dst, 'H', 0, 0, 0, 4) | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src Flush) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type string | ||||
| 	}{ | ||||
| 		Type: "Flush", | ||||
| 	}) | ||||
| } | ||||
							
								
								
									
										367
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/frontend.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										367
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/frontend.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,367 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"encoding/binary" | ||||
| 	"errors" | ||||
| 	"fmt" | ||||
| 	"io" | ||||
| ) | ||||
|  | ||||
| // Frontend acts as a client for the PostgreSQL wire protocol version 3. | ||||
| type Frontend struct { | ||||
| 	cr *chunkReader | ||||
| 	w  io.Writer | ||||
|  | ||||
| 	// tracer is used to trace messages when Send or Receive is called. This means an outbound message is traced | ||||
| 	// before it is actually transmitted (i.e. before Flush). It is safe to change this variable when the Frontend is | ||||
| 	// idle. Setting and unsetting tracer provides equivalent functionality to PQtrace and PQuntrace in libpq. | ||||
| 	tracer *tracer | ||||
|  | ||||
| 	wbuf []byte | ||||
|  | ||||
| 	// Backend message flyweights | ||||
| 	authenticationOk                AuthenticationOk | ||||
| 	authenticationCleartextPassword AuthenticationCleartextPassword | ||||
| 	authenticationMD5Password       AuthenticationMD5Password | ||||
| 	authenticationGSS               AuthenticationGSS | ||||
| 	authenticationGSSContinue       AuthenticationGSSContinue | ||||
| 	authenticationSASL              AuthenticationSASL | ||||
| 	authenticationSASLContinue      AuthenticationSASLContinue | ||||
| 	authenticationSASLFinal         AuthenticationSASLFinal | ||||
| 	backendKeyData                  BackendKeyData | ||||
| 	bindComplete                    BindComplete | ||||
| 	closeComplete                   CloseComplete | ||||
| 	commandComplete                 CommandComplete | ||||
| 	copyBothResponse                CopyBothResponse | ||||
| 	copyData                        CopyData | ||||
| 	copyInResponse                  CopyInResponse | ||||
| 	copyOutResponse                 CopyOutResponse | ||||
| 	copyDone                        CopyDone | ||||
| 	dataRow                         DataRow | ||||
| 	emptyQueryResponse              EmptyQueryResponse | ||||
| 	errorResponse                   ErrorResponse | ||||
| 	functionCallResponse            FunctionCallResponse | ||||
| 	noData                          NoData | ||||
| 	noticeResponse                  NoticeResponse | ||||
| 	notificationResponse            NotificationResponse | ||||
| 	parameterDescription            ParameterDescription | ||||
| 	parameterStatus                 ParameterStatus | ||||
| 	parseComplete                   ParseComplete | ||||
| 	readyForQuery                   ReadyForQuery | ||||
| 	rowDescription                  RowDescription | ||||
| 	portalSuspended                 PortalSuspended | ||||
|  | ||||
| 	bodyLen    int | ||||
| 	msgType    byte | ||||
| 	partialMsg bool | ||||
| 	authType   uint32 | ||||
| } | ||||
|  | ||||
| // NewFrontend creates a new Frontend. | ||||
| func NewFrontend(r io.Reader, w io.Writer) *Frontend { | ||||
| 	cr := newChunkReader(r, 0) | ||||
| 	return &Frontend{cr: cr, w: w} | ||||
| } | ||||
|  | ||||
| // Send sends a message to the backend (i.e. the server). The message is not guaranteed to be written until Flush is | ||||
| // called. | ||||
| // | ||||
| // Send can work with any FrontendMessage. Some commonly used message types such as Bind have specialized send methods | ||||
| // such as SendBind. These methods should be preferred when the type of message is known up front (e.g. when building an | ||||
| // extended query protocol query) as they may be faster due to knowing the type of msg rather than it being hidden | ||||
| // behind an interface. | ||||
| func (f *Frontend) Send(msg FrontendMessage) { | ||||
| 	prevLen := len(f.wbuf) | ||||
| 	f.wbuf = msg.Encode(f.wbuf) | ||||
| 	if f.tracer != nil { | ||||
| 		f.tracer.traceMessage('F', int32(len(f.wbuf)-prevLen), msg) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // Flush writes any pending messages to the backend (i.e. the server). | ||||
| func (f *Frontend) Flush() error { | ||||
| 	if len(f.wbuf) == 0 { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	n, err := f.w.Write(f.wbuf) | ||||
|  | ||||
| 	const maxLen = 1024 | ||||
| 	if len(f.wbuf) > maxLen { | ||||
| 		f.wbuf = make([]byte, 0, maxLen) | ||||
| 	} else { | ||||
| 		f.wbuf = f.wbuf[:0] | ||||
| 	} | ||||
|  | ||||
| 	if err != nil { | ||||
| 		return &writeError{err: err, safeToRetry: n == 0} | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Trace starts tracing the message traffic to w. It writes in a similar format to that produced by the libpq function | ||||
| // PQtrace. | ||||
| func (f *Frontend) Trace(w io.Writer, options TracerOptions) { | ||||
| 	f.tracer = &tracer{ | ||||
| 		w:             w, | ||||
| 		buf:           &bytes.Buffer{}, | ||||
| 		TracerOptions: options, | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // Untrace stops tracing. | ||||
| func (f *Frontend) Untrace() { | ||||
| 	f.tracer = nil | ||||
| } | ||||
|  | ||||
| // SendBind sends a Bind message to the backend (i.e. the server). The message is not guaranteed to be written until | ||||
| // Flush is called. | ||||
| func (f *Frontend) SendBind(msg *Bind) { | ||||
| 	prevLen := len(f.wbuf) | ||||
| 	f.wbuf = msg.Encode(f.wbuf) | ||||
| 	if f.tracer != nil { | ||||
| 		f.tracer.traceBind('F', int32(len(f.wbuf)-prevLen), msg) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // SendParse sends a Parse message to the backend (i.e. the server). The message is not guaranteed to be written until | ||||
| // Flush is called. | ||||
| func (f *Frontend) SendParse(msg *Parse) { | ||||
| 	prevLen := len(f.wbuf) | ||||
| 	f.wbuf = msg.Encode(f.wbuf) | ||||
| 	if f.tracer != nil { | ||||
| 		f.tracer.traceParse('F', int32(len(f.wbuf)-prevLen), msg) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // SendClose sends a Close message to the backend (i.e. the server). The message is not guaranteed to be written until | ||||
| // Flush is called. | ||||
| func (f *Frontend) SendClose(msg *Close) { | ||||
| 	prevLen := len(f.wbuf) | ||||
| 	f.wbuf = msg.Encode(f.wbuf) | ||||
| 	if f.tracer != nil { | ||||
| 		f.tracer.traceClose('F', int32(len(f.wbuf)-prevLen), msg) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // SendDescribe sends a Describe message to the backend (i.e. the server). The message is not guaranteed to be written until | ||||
| // Flush is called. | ||||
| func (f *Frontend) SendDescribe(msg *Describe) { | ||||
| 	prevLen := len(f.wbuf) | ||||
| 	f.wbuf = msg.Encode(f.wbuf) | ||||
| 	if f.tracer != nil { | ||||
| 		f.tracer.traceDescribe('F', int32(len(f.wbuf)-prevLen), msg) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // SendExecute sends a Execute message to the backend (i.e. the server). The message is not guaranteed to be written until | ||||
| // Flush is called. | ||||
| func (f *Frontend) SendExecute(msg *Execute) { | ||||
| 	prevLen := len(f.wbuf) | ||||
| 	f.wbuf = msg.Encode(f.wbuf) | ||||
| 	if f.tracer != nil { | ||||
| 		f.tracer.TraceQueryute('F', int32(len(f.wbuf)-prevLen), msg) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // SendSync sends a Sync message to the backend (i.e. the server). The message is not guaranteed to be written until | ||||
| // Flush is called. | ||||
| func (f *Frontend) SendSync(msg *Sync) { | ||||
| 	prevLen := len(f.wbuf) | ||||
| 	f.wbuf = msg.Encode(f.wbuf) | ||||
| 	if f.tracer != nil { | ||||
| 		f.tracer.traceSync('F', int32(len(f.wbuf)-prevLen), msg) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // SendQuery sends a Query message to the backend (i.e. the server). The message is not guaranteed to be written until | ||||
| // Flush is called. | ||||
| func (f *Frontend) SendQuery(msg *Query) { | ||||
| 	prevLen := len(f.wbuf) | ||||
| 	f.wbuf = msg.Encode(f.wbuf) | ||||
| 	if f.tracer != nil { | ||||
| 		f.tracer.traceQuery('F', int32(len(f.wbuf)-prevLen), msg) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // SendUnbufferedEncodedCopyData immediately sends an encoded CopyData message to the backend (i.e. the server). This method | ||||
| // is more efficient than sending a CopyData message with Send as the message data is not copied to the internal buffer | ||||
| // before being written out. The internal buffer is flushed before the message is sent. | ||||
| func (f *Frontend) SendUnbufferedEncodedCopyData(msg []byte) error { | ||||
| 	err := f.Flush() | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	n, err := f.w.Write(msg) | ||||
| 	if err != nil { | ||||
| 		return &writeError{err: err, safeToRetry: n == 0} | ||||
| 	} | ||||
|  | ||||
| 	if f.tracer != nil { | ||||
| 		f.tracer.traceCopyData('F', int32(len(msg)-1), &CopyData{}) | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func translateEOFtoErrUnexpectedEOF(err error) error { | ||||
| 	if err == io.EOF { | ||||
| 		return io.ErrUnexpectedEOF | ||||
| 	} | ||||
| 	return err | ||||
| } | ||||
|  | ||||
| // Receive receives a message from the backend. The returned message is only valid until the next call to Receive. | ||||
| func (f *Frontend) Receive() (BackendMessage, error) { | ||||
| 	if !f.partialMsg { | ||||
| 		header, err := f.cr.Next(5) | ||||
| 		if err != nil { | ||||
| 			return nil, translateEOFtoErrUnexpectedEOF(err) | ||||
| 		} | ||||
|  | ||||
| 		f.msgType = header[0] | ||||
|  | ||||
| 		msgLength := int(binary.BigEndian.Uint32(header[1:])) | ||||
| 		if msgLength < 4 { | ||||
| 			return nil, fmt.Errorf("invalid message length: %d", msgLength) | ||||
| 		} | ||||
|  | ||||
| 		f.bodyLen = msgLength - 4 | ||||
| 		f.partialMsg = true | ||||
| 	} | ||||
|  | ||||
| 	msgBody, err := f.cr.Next(f.bodyLen) | ||||
| 	if err != nil { | ||||
| 		return nil, translateEOFtoErrUnexpectedEOF(err) | ||||
| 	} | ||||
|  | ||||
| 	f.partialMsg = false | ||||
|  | ||||
| 	var msg BackendMessage | ||||
| 	switch f.msgType { | ||||
| 	case '1': | ||||
| 		msg = &f.parseComplete | ||||
| 	case '2': | ||||
| 		msg = &f.bindComplete | ||||
| 	case '3': | ||||
| 		msg = &f.closeComplete | ||||
| 	case 'A': | ||||
| 		msg = &f.notificationResponse | ||||
| 	case 'c': | ||||
| 		msg = &f.copyDone | ||||
| 	case 'C': | ||||
| 		msg = &f.commandComplete | ||||
| 	case 'd': | ||||
| 		msg = &f.copyData | ||||
| 	case 'D': | ||||
| 		msg = &f.dataRow | ||||
| 	case 'E': | ||||
| 		msg = &f.errorResponse | ||||
| 	case 'G': | ||||
| 		msg = &f.copyInResponse | ||||
| 	case 'H': | ||||
| 		msg = &f.copyOutResponse | ||||
| 	case 'I': | ||||
| 		msg = &f.emptyQueryResponse | ||||
| 	case 'K': | ||||
| 		msg = &f.backendKeyData | ||||
| 	case 'n': | ||||
| 		msg = &f.noData | ||||
| 	case 'N': | ||||
| 		msg = &f.noticeResponse | ||||
| 	case 'R': | ||||
| 		var err error | ||||
| 		msg, err = f.findAuthenticationMessageType(msgBody) | ||||
| 		if err != nil { | ||||
| 			return nil, err | ||||
| 		} | ||||
| 	case 's': | ||||
| 		msg = &f.portalSuspended | ||||
| 	case 'S': | ||||
| 		msg = &f.parameterStatus | ||||
| 	case 't': | ||||
| 		msg = &f.parameterDescription | ||||
| 	case 'T': | ||||
| 		msg = &f.rowDescription | ||||
| 	case 'V': | ||||
| 		msg = &f.functionCallResponse | ||||
| 	case 'W': | ||||
| 		msg = &f.copyBothResponse | ||||
| 	case 'Z': | ||||
| 		msg = &f.readyForQuery | ||||
| 	default: | ||||
| 		return nil, fmt.Errorf("unknown message type: %c", f.msgType) | ||||
| 	} | ||||
|  | ||||
| 	err = msg.Decode(msgBody) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
|  | ||||
| 	if f.tracer != nil { | ||||
| 		f.tracer.traceMessage('B', int32(5+len(msgBody)), msg) | ||||
| 	} | ||||
|  | ||||
| 	return msg, nil | ||||
| } | ||||
|  | ||||
| // Authentication message type constants. | ||||
| // See src/include/libpq/pqcomm.h for all | ||||
| // constants. | ||||
| const ( | ||||
| 	AuthTypeOk                = 0 | ||||
| 	AuthTypeCleartextPassword = 3 | ||||
| 	AuthTypeMD5Password       = 5 | ||||
| 	AuthTypeSCMCreds          = 6 | ||||
| 	AuthTypeGSS               = 7 | ||||
| 	AuthTypeGSSCont           = 8 | ||||
| 	AuthTypeSSPI              = 9 | ||||
| 	AuthTypeSASL              = 10 | ||||
| 	AuthTypeSASLContinue      = 11 | ||||
| 	AuthTypeSASLFinal         = 12 | ||||
| ) | ||||
|  | ||||
| func (f *Frontend) findAuthenticationMessageType(src []byte) (BackendMessage, error) { | ||||
| 	if len(src) < 4 { | ||||
| 		return nil, errors.New("authentication message too short") | ||||
| 	} | ||||
| 	f.authType = binary.BigEndian.Uint32(src[:4]) | ||||
|  | ||||
| 	switch f.authType { | ||||
| 	case AuthTypeOk: | ||||
| 		return &f.authenticationOk, nil | ||||
| 	case AuthTypeCleartextPassword: | ||||
| 		return &f.authenticationCleartextPassword, nil | ||||
| 	case AuthTypeMD5Password: | ||||
| 		return &f.authenticationMD5Password, nil | ||||
| 	case AuthTypeSCMCreds: | ||||
| 		return nil, errors.New("AuthTypeSCMCreds is unimplemented") | ||||
| 	case AuthTypeGSS: | ||||
| 		return &f.authenticationGSS, nil | ||||
| 	case AuthTypeGSSCont: | ||||
| 		return &f.authenticationGSSContinue, nil | ||||
| 	case AuthTypeSSPI: | ||||
| 		return nil, errors.New("AuthTypeSSPI is unimplemented") | ||||
| 	case AuthTypeSASL: | ||||
| 		return &f.authenticationSASL, nil | ||||
| 	case AuthTypeSASLContinue: | ||||
| 		return &f.authenticationSASLContinue, nil | ||||
| 	case AuthTypeSASLFinal: | ||||
| 		return &f.authenticationSASLFinal, nil | ||||
| 	default: | ||||
| 		return nil, fmt.Errorf("unknown authentication type: %d", f.authType) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // GetAuthType returns the authType used in the current state of the frontend. | ||||
| // See SetAuthType for more information. | ||||
| func (f *Frontend) GetAuthType() uint32 { | ||||
| 	return f.authType | ||||
| } | ||||
|  | ||||
| func (f *Frontend) ReadBufferLen() int { | ||||
| 	return f.cr.wp - f.cr.rp | ||||
| } | ||||
							
								
								
									
										95
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/function_call.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										95
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/function_call.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,95 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/binary" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| type FunctionCall struct { | ||||
| 	Function         uint32 | ||||
| 	ArgFormatCodes   []uint16 | ||||
| 	Arguments        [][]byte | ||||
| 	ResultFormatCode uint16 | ||||
| } | ||||
|  | ||||
| // Frontend identifies this message as sendable by a PostgreSQL frontend. | ||||
| func (*FunctionCall) Frontend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *FunctionCall) Decode(src []byte) error { | ||||
| 	*dst = FunctionCall{} | ||||
| 	rp := 0 | ||||
| 	// Specifies the object ID of the function to call. | ||||
| 	dst.Function = binary.BigEndian.Uint32(src[rp:]) | ||||
| 	rp += 4 | ||||
| 	// The number of argument format codes that follow (denoted C below). | ||||
| 	// This can be zero to indicate that there are no arguments or that the arguments all use the default format (text); | ||||
| 	// or one, in which case the specified format code is applied to all arguments; | ||||
| 	// or it can equal the actual number of arguments. | ||||
| 	nArgumentCodes := int(binary.BigEndian.Uint16(src[rp:])) | ||||
| 	rp += 2 | ||||
| 	argumentCodes := make([]uint16, nArgumentCodes) | ||||
| 	for i := 0; i < nArgumentCodes; i++ { | ||||
| 		// The argument format codes. Each must presently be zero (text) or one (binary). | ||||
| 		ac := binary.BigEndian.Uint16(src[rp:]) | ||||
| 		if ac != 0 && ac != 1 { | ||||
| 			return &invalidMessageFormatErr{messageType: "FunctionCall"} | ||||
| 		} | ||||
| 		argumentCodes[i] = ac | ||||
| 		rp += 2 | ||||
| 	} | ||||
| 	dst.ArgFormatCodes = argumentCodes | ||||
|  | ||||
| 	// Specifies the number of arguments being supplied to the function. | ||||
| 	nArguments := int(binary.BigEndian.Uint16(src[rp:])) | ||||
| 	rp += 2 | ||||
| 	arguments := make([][]byte, nArguments) | ||||
| 	for i := 0; i < nArguments; i++ { | ||||
| 		// The length of the argument value, in bytes (this count does not include itself). Can be zero. | ||||
| 		// As a special case, -1 indicates a NULL argument value. No value bytes follow in the NULL case. | ||||
| 		argumentLength := int(binary.BigEndian.Uint32(src[rp:])) | ||||
| 		rp += 4 | ||||
| 		if argumentLength == -1 { | ||||
| 			arguments[i] = nil | ||||
| 		} else { | ||||
| 			// The value of the argument, in the format indicated by the associated format code. n is the above length. | ||||
| 			argumentValue := src[rp : rp+argumentLength] | ||||
| 			rp += argumentLength | ||||
| 			arguments[i] = argumentValue | ||||
| 		} | ||||
| 	} | ||||
| 	dst.Arguments = arguments | ||||
| 	// The format code for the function result. Must presently be zero (text) or one (binary). | ||||
| 	resultFormatCode := binary.BigEndian.Uint16(src[rp:]) | ||||
| 	if resultFormatCode != 0 && resultFormatCode != 1 { | ||||
| 		return &invalidMessageFormatErr{messageType: "FunctionCall"} | ||||
| 	} | ||||
| 	dst.ResultFormatCode = resultFormatCode | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *FunctionCall) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'F') | ||||
| 	sp := len(dst) | ||||
| 	dst = pgio.AppendUint32(dst, 0) // Unknown length, set it at the end | ||||
| 	dst = pgio.AppendUint32(dst, src.Function) | ||||
| 	dst = pgio.AppendUint16(dst, uint16(len(src.ArgFormatCodes))) | ||||
| 	for _, argFormatCode := range src.ArgFormatCodes { | ||||
| 		dst = pgio.AppendUint16(dst, argFormatCode) | ||||
| 	} | ||||
| 	dst = pgio.AppendUint16(dst, uint16(len(src.Arguments))) | ||||
| 	for _, argument := range src.Arguments { | ||||
| 		if argument == nil { | ||||
| 			dst = pgio.AppendInt32(dst, -1) | ||||
| 		} else { | ||||
| 			dst = pgio.AppendInt32(dst, int32(len(argument))) | ||||
| 			dst = append(dst, argument...) | ||||
| 		} | ||||
| 	} | ||||
| 	dst = pgio.AppendUint16(dst, src.ResultFormatCode) | ||||
| 	pgio.SetInt32(dst[sp:], int32(len(dst[sp:]))) | ||||
| 	return dst | ||||
| } | ||||
							
								
								
									
										101
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/function_call_response.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										101
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/function_call_response.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,101 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/binary" | ||||
| 	"encoding/hex" | ||||
| 	"encoding/json" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| type FunctionCallResponse struct { | ||||
| 	Result []byte | ||||
| } | ||||
|  | ||||
| // Backend identifies this message as sendable by the PostgreSQL backend. | ||||
| func (*FunctionCallResponse) Backend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *FunctionCallResponse) Decode(src []byte) error { | ||||
| 	if len(src) < 4 { | ||||
| 		return &invalidMessageFormatErr{messageType: "FunctionCallResponse"} | ||||
| 	} | ||||
| 	rp := 0 | ||||
| 	resultSize := int(binary.BigEndian.Uint32(src[rp:])) | ||||
| 	rp += 4 | ||||
|  | ||||
| 	if resultSize == -1 { | ||||
| 		dst.Result = nil | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	if len(src[rp:]) != resultSize { | ||||
| 		return &invalidMessageFormatErr{messageType: "FunctionCallResponse"} | ||||
| 	} | ||||
|  | ||||
| 	dst.Result = src[rp:] | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *FunctionCallResponse) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'V') | ||||
| 	sp := len(dst) | ||||
| 	dst = pgio.AppendInt32(dst, -1) | ||||
|  | ||||
| 	if src.Result == nil { | ||||
| 		dst = pgio.AppendInt32(dst, -1) | ||||
| 	} else { | ||||
| 		dst = pgio.AppendInt32(dst, int32(len(src.Result))) | ||||
| 		dst = append(dst, src.Result...) | ||||
| 	} | ||||
|  | ||||
| 	pgio.SetInt32(dst[sp:], int32(len(dst[sp:]))) | ||||
|  | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src FunctionCallResponse) MarshalJSON() ([]byte, error) { | ||||
| 	var formattedValue map[string]string | ||||
| 	var hasNonPrintable bool | ||||
| 	for _, b := range src.Result { | ||||
| 		if b < 32 { | ||||
| 			hasNonPrintable = true | ||||
| 			break | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	if hasNonPrintable { | ||||
| 		formattedValue = map[string]string{"binary": hex.EncodeToString(src.Result)} | ||||
| 	} else { | ||||
| 		formattedValue = map[string]string{"text": string(src.Result)} | ||||
| 	} | ||||
|  | ||||
| 	return json.Marshal(struct { | ||||
| 		Type   string | ||||
| 		Result map[string]string | ||||
| 	}{ | ||||
| 		Type:   "FunctionCallResponse", | ||||
| 		Result: formattedValue, | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| // UnmarshalJSON implements encoding/json.Unmarshaler. | ||||
| func (dst *FunctionCallResponse) UnmarshalJSON(data []byte) error { | ||||
| 	// Ignore null, like in the main JSON package. | ||||
| 	if string(data) == "null" { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	var msg struct { | ||||
| 		Result map[string]string | ||||
| 	} | ||||
| 	err := json.Unmarshal(data, &msg) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	dst.Result, err = getValueFromJSON(msg.Result) | ||||
| 	return err | ||||
| } | ||||
							
								
								
									
										49
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/gss_enc_request.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										49
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/gss_enc_request.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,49 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/binary" | ||||
| 	"encoding/json" | ||||
| 	"errors" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| const gssEncReqNumber = 80877104 | ||||
|  | ||||
| type GSSEncRequest struct { | ||||
| } | ||||
|  | ||||
| // Frontend identifies this message as sendable by a PostgreSQL frontend. | ||||
| func (*GSSEncRequest) Frontend() {} | ||||
|  | ||||
| func (dst *GSSEncRequest) Decode(src []byte) error { | ||||
| 	if len(src) < 4 { | ||||
| 		return errors.New("gss encoding request too short") | ||||
| 	} | ||||
|  | ||||
| 	requestCode := binary.BigEndian.Uint32(src) | ||||
|  | ||||
| 	if requestCode != gssEncReqNumber { | ||||
| 		return errors.New("bad gss encoding request code") | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 4 byte message length. | ||||
| func (src *GSSEncRequest) Encode(dst []byte) []byte { | ||||
| 	dst = pgio.AppendInt32(dst, 8) | ||||
| 	dst = pgio.AppendInt32(dst, gssEncReqNumber) | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src GSSEncRequest) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type            string | ||||
| 		ProtocolVersion uint32 | ||||
| 		Parameters      map[string]string | ||||
| 	}{ | ||||
| 		Type: "GSSEncRequest", | ||||
| 	}) | ||||
| } | ||||
							
								
								
									
										49
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/gss_response.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										49
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/gss_response.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,49 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/json" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| type GSSResponse struct { | ||||
| 	Data []byte | ||||
| } | ||||
|  | ||||
| // Frontend identifies this message as sendable by a PostgreSQL frontend. | ||||
| func (g *GSSResponse) Frontend() {} | ||||
|  | ||||
| func (g *GSSResponse) Decode(data []byte) error { | ||||
| 	g.Data = data | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func (g *GSSResponse) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'p') | ||||
| 	dst = pgio.AppendInt32(dst, int32(4+len(g.Data))) | ||||
| 	dst = append(dst, g.Data...) | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (g *GSSResponse) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type string | ||||
| 		Data []byte | ||||
| 	}{ | ||||
| 		Type: "GSSResponse", | ||||
| 		Data: g.Data, | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| // UnmarshalJSON implements encoding/json.Unmarshaler. | ||||
| func (g *GSSResponse) UnmarshalJSON(data []byte) error { | ||||
| 	var msg struct { | ||||
| 		Data []byte | ||||
| 	} | ||||
| 	if err := json.Unmarshal(data, &msg); err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	g.Data = msg.Data | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										34
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/no_data.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										34
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/no_data.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,34 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/json" | ||||
| ) | ||||
|  | ||||
| type NoData struct{} | ||||
|  | ||||
| // Backend identifies this message as sendable by the PostgreSQL backend. | ||||
| func (*NoData) Backend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *NoData) Decode(src []byte) error { | ||||
| 	if len(src) != 0 { | ||||
| 		return &invalidMessageLenErr{messageType: "NoData", expectedLen: 0, actualLen: len(src)} | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *NoData) Encode(dst []byte) []byte { | ||||
| 	return append(dst, 'n', 0, 0, 0, 4) | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src NoData) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type string | ||||
| 	}{ | ||||
| 		Type: "NoData", | ||||
| 	}) | ||||
| } | ||||
							
								
								
									
										17
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/notice_response.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										17
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/notice_response.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,17 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| type NoticeResponse ErrorResponse | ||||
|  | ||||
| // Backend identifies this message as sendable by the PostgreSQL backend. | ||||
| func (*NoticeResponse) Backend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *NoticeResponse) Decode(src []byte) error { | ||||
| 	return (*ErrorResponse)(dst).Decode(src) | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *NoticeResponse) Encode(dst []byte) []byte { | ||||
| 	return append(dst, (*ErrorResponse)(src).marshalBinary('N')...) | ||||
| } | ||||
							
								
								
									
										77
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/notification_response.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										77
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/notification_response.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,77 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"encoding/binary" | ||||
| 	"encoding/json" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| type NotificationResponse struct { | ||||
| 	PID     uint32 | ||||
| 	Channel string | ||||
| 	Payload string | ||||
| } | ||||
|  | ||||
| // Backend identifies this message as sendable by the PostgreSQL backend. | ||||
| func (*NotificationResponse) Backend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *NotificationResponse) Decode(src []byte) error { | ||||
| 	buf := bytes.NewBuffer(src) | ||||
|  | ||||
| 	if buf.Len() < 4 { | ||||
| 		return &invalidMessageFormatErr{messageType: "NotificationResponse", details: "too short"} | ||||
| 	} | ||||
|  | ||||
| 	pid := binary.BigEndian.Uint32(buf.Next(4)) | ||||
|  | ||||
| 	b, err := buf.ReadBytes(0) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	channel := string(b[:len(b)-1]) | ||||
|  | ||||
| 	b, err = buf.ReadBytes(0) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	payload := string(b[:len(b)-1]) | ||||
|  | ||||
| 	*dst = NotificationResponse{PID: pid, Channel: channel, Payload: payload} | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *NotificationResponse) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'A') | ||||
| 	sp := len(dst) | ||||
| 	dst = pgio.AppendInt32(dst, -1) | ||||
|  | ||||
| 	dst = pgio.AppendUint32(dst, src.PID) | ||||
| 	dst = append(dst, src.Channel...) | ||||
| 	dst = append(dst, 0) | ||||
| 	dst = append(dst, src.Payload...) | ||||
| 	dst = append(dst, 0) | ||||
|  | ||||
| 	pgio.SetInt32(dst[sp:], int32(len(dst[sp:]))) | ||||
|  | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src NotificationResponse) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type    string | ||||
| 		PID     uint32 | ||||
| 		Channel string | ||||
| 		Payload string | ||||
| 	}{ | ||||
| 		Type:    "NotificationResponse", | ||||
| 		PID:     src.PID, | ||||
| 		Channel: src.Channel, | ||||
| 		Payload: src.Payload, | ||||
| 	}) | ||||
| } | ||||
							
								
								
									
										66
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/parameter_description.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										66
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/parameter_description.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,66 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"encoding/binary" | ||||
| 	"encoding/json" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| type ParameterDescription struct { | ||||
| 	ParameterOIDs []uint32 | ||||
| } | ||||
|  | ||||
| // Backend identifies this message as sendable by the PostgreSQL backend. | ||||
| func (*ParameterDescription) Backend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *ParameterDescription) Decode(src []byte) error { | ||||
| 	buf := bytes.NewBuffer(src) | ||||
|  | ||||
| 	if buf.Len() < 2 { | ||||
| 		return &invalidMessageFormatErr{messageType: "ParameterDescription"} | ||||
| 	} | ||||
|  | ||||
| 	// Reported parameter count will be incorrect when number of args is greater than uint16 | ||||
| 	buf.Next(2) | ||||
| 	// Instead infer parameter count by remaining size of message | ||||
| 	parameterCount := buf.Len() / 4 | ||||
|  | ||||
| 	*dst = ParameterDescription{ParameterOIDs: make([]uint32, parameterCount)} | ||||
|  | ||||
| 	for i := 0; i < parameterCount; i++ { | ||||
| 		dst.ParameterOIDs[i] = binary.BigEndian.Uint32(buf.Next(4)) | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *ParameterDescription) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 't') | ||||
| 	sp := len(dst) | ||||
| 	dst = pgio.AppendInt32(dst, -1) | ||||
|  | ||||
| 	dst = pgio.AppendUint16(dst, uint16(len(src.ParameterOIDs))) | ||||
| 	for _, oid := range src.ParameterOIDs { | ||||
| 		dst = pgio.AppendUint32(dst, oid) | ||||
| 	} | ||||
|  | ||||
| 	pgio.SetInt32(dst[sp:], int32(len(dst[sp:]))) | ||||
|  | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src ParameterDescription) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type          string | ||||
| 		ParameterOIDs []uint32 | ||||
| 	}{ | ||||
| 		Type:          "ParameterDescription", | ||||
| 		ParameterOIDs: src.ParameterOIDs, | ||||
| 	}) | ||||
| } | ||||
							
								
								
									
										66
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/parameter_status.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										66
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/parameter_status.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,66 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"encoding/json" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| type ParameterStatus struct { | ||||
| 	Name  string | ||||
| 	Value string | ||||
| } | ||||
|  | ||||
| // Backend identifies this message as sendable by the PostgreSQL backend. | ||||
| func (*ParameterStatus) Backend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *ParameterStatus) Decode(src []byte) error { | ||||
| 	buf := bytes.NewBuffer(src) | ||||
|  | ||||
| 	b, err := buf.ReadBytes(0) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	name := string(b[:len(b)-1]) | ||||
|  | ||||
| 	b, err = buf.ReadBytes(0) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	value := string(b[:len(b)-1]) | ||||
|  | ||||
| 	*dst = ParameterStatus{Name: name, Value: value} | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *ParameterStatus) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'S') | ||||
| 	sp := len(dst) | ||||
| 	dst = pgio.AppendInt32(dst, -1) | ||||
|  | ||||
| 	dst = append(dst, src.Name...) | ||||
| 	dst = append(dst, 0) | ||||
| 	dst = append(dst, src.Value...) | ||||
| 	dst = append(dst, 0) | ||||
|  | ||||
| 	pgio.SetInt32(dst[sp:], int32(len(dst[sp:]))) | ||||
|  | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (ps ParameterStatus) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type  string | ||||
| 		Name  string | ||||
| 		Value string | ||||
| 	}{ | ||||
| 		Type:  "ParameterStatus", | ||||
| 		Name:  ps.Name, | ||||
| 		Value: ps.Value, | ||||
| 	}) | ||||
| } | ||||
							
								
								
									
										88
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/parse.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										88
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/parse.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,88 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"encoding/binary" | ||||
| 	"encoding/json" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| type Parse struct { | ||||
| 	Name          string | ||||
| 	Query         string | ||||
| 	ParameterOIDs []uint32 | ||||
| } | ||||
|  | ||||
| // Frontend identifies this message as sendable by a PostgreSQL frontend. | ||||
| func (*Parse) Frontend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *Parse) Decode(src []byte) error { | ||||
| 	*dst = Parse{} | ||||
|  | ||||
| 	buf := bytes.NewBuffer(src) | ||||
|  | ||||
| 	b, err := buf.ReadBytes(0) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	dst.Name = string(b[:len(b)-1]) | ||||
|  | ||||
| 	b, err = buf.ReadBytes(0) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	dst.Query = string(b[:len(b)-1]) | ||||
|  | ||||
| 	if buf.Len() < 2 { | ||||
| 		return &invalidMessageFormatErr{messageType: "Parse"} | ||||
| 	} | ||||
| 	parameterOIDCount := int(binary.BigEndian.Uint16(buf.Next(2))) | ||||
|  | ||||
| 	for i := 0; i < parameterOIDCount; i++ { | ||||
| 		if buf.Len() < 4 { | ||||
| 			return &invalidMessageFormatErr{messageType: "Parse"} | ||||
| 		} | ||||
| 		dst.ParameterOIDs = append(dst.ParameterOIDs, binary.BigEndian.Uint32(buf.Next(4))) | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *Parse) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'P') | ||||
| 	sp := len(dst) | ||||
| 	dst = pgio.AppendInt32(dst, -1) | ||||
|  | ||||
| 	dst = append(dst, src.Name...) | ||||
| 	dst = append(dst, 0) | ||||
| 	dst = append(dst, src.Query...) | ||||
| 	dst = append(dst, 0) | ||||
|  | ||||
| 	dst = pgio.AppendUint16(dst, uint16(len(src.ParameterOIDs))) | ||||
| 	for _, oid := range src.ParameterOIDs { | ||||
| 		dst = pgio.AppendUint32(dst, oid) | ||||
| 	} | ||||
|  | ||||
| 	pgio.SetInt32(dst[sp:], int32(len(dst[sp:]))) | ||||
|  | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src Parse) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type          string | ||||
| 		Name          string | ||||
| 		Query         string | ||||
| 		ParameterOIDs []uint32 | ||||
| 	}{ | ||||
| 		Type:          "Parse", | ||||
| 		Name:          src.Name, | ||||
| 		Query:         src.Query, | ||||
| 		ParameterOIDs: src.ParameterOIDs, | ||||
| 	}) | ||||
| } | ||||
							
								
								
									
										34
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/parse_complete.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										34
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/parse_complete.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,34 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/json" | ||||
| ) | ||||
|  | ||||
| type ParseComplete struct{} | ||||
|  | ||||
| // Backend identifies this message as sendable by the PostgreSQL backend. | ||||
| func (*ParseComplete) Backend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *ParseComplete) Decode(src []byte) error { | ||||
| 	if len(src) != 0 { | ||||
| 		return &invalidMessageLenErr{messageType: "ParseComplete", expectedLen: 0, actualLen: len(src)} | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *ParseComplete) Encode(dst []byte) []byte { | ||||
| 	return append(dst, '1', 0, 0, 0, 4) | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src ParseComplete) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type string | ||||
| 	}{ | ||||
| 		Type: "ParseComplete", | ||||
| 	}) | ||||
| } | ||||
							
								
								
									
										54
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/password_message.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										54
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/password_message.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,54 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"encoding/json" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| type PasswordMessage struct { | ||||
| 	Password string | ||||
| } | ||||
|  | ||||
| // Frontend identifies this message as sendable by a PostgreSQL frontend. | ||||
| func (*PasswordMessage) Frontend() {} | ||||
|  | ||||
| // Frontend identifies this message as an authentication response. | ||||
| func (*PasswordMessage) InitialResponse() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *PasswordMessage) Decode(src []byte) error { | ||||
| 	buf := bytes.NewBuffer(src) | ||||
|  | ||||
| 	b, err := buf.ReadBytes(0) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	dst.Password = string(b[:len(b)-1]) | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *PasswordMessage) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'p') | ||||
| 	dst = pgio.AppendInt32(dst, int32(4+len(src.Password)+1)) | ||||
|  | ||||
| 	dst = append(dst, src.Password...) | ||||
| 	dst = append(dst, 0) | ||||
|  | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src PasswordMessage) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type     string | ||||
| 		Password string | ||||
| 	}{ | ||||
| 		Type:     "PasswordMessage", | ||||
| 		Password: src.Password, | ||||
| 	}) | ||||
| } | ||||
							
								
								
									
										85
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/pgproto3.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										85
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/pgproto3.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,85 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/hex" | ||||
| 	"errors" | ||||
| 	"fmt" | ||||
| ) | ||||
|  | ||||
| // Message is the interface implemented by an object that can decode and encode | ||||
| // a particular PostgreSQL message. | ||||
| type Message interface { | ||||
| 	// Decode is allowed and expected to retain a reference to data after | ||||
| 	// returning (unlike encoding.BinaryUnmarshaler). | ||||
| 	Decode(data []byte) error | ||||
|  | ||||
| 	// Encode appends itself to dst and returns the new buffer. | ||||
| 	Encode(dst []byte) []byte | ||||
| } | ||||
|  | ||||
| // FrontendMessage is a message sent by the frontend (i.e. the client). | ||||
| type FrontendMessage interface { | ||||
| 	Message | ||||
| 	Frontend() // no-op method to distinguish frontend from backend methods | ||||
| } | ||||
|  | ||||
| // BackendMessage is a message sent by the backend (i.e. the server). | ||||
| type BackendMessage interface { | ||||
| 	Message | ||||
| 	Backend() // no-op method to distinguish frontend from backend methods | ||||
| } | ||||
|  | ||||
| type AuthenticationResponseMessage interface { | ||||
| 	BackendMessage | ||||
| 	AuthenticationResponse() // no-op method to distinguish authentication responses | ||||
| } | ||||
|  | ||||
| type invalidMessageLenErr struct { | ||||
| 	messageType string | ||||
| 	expectedLen int | ||||
| 	actualLen   int | ||||
| } | ||||
|  | ||||
| func (e *invalidMessageLenErr) Error() string { | ||||
| 	return fmt.Sprintf("%s body must have length of %d, but it is %d", e.messageType, e.expectedLen, e.actualLen) | ||||
| } | ||||
|  | ||||
| type invalidMessageFormatErr struct { | ||||
| 	messageType string | ||||
| 	details     string | ||||
| } | ||||
|  | ||||
| func (e *invalidMessageFormatErr) Error() string { | ||||
| 	return fmt.Sprintf("%s body is invalid %s", e.messageType, e.details) | ||||
| } | ||||
|  | ||||
| type writeError struct { | ||||
| 	err         error | ||||
| 	safeToRetry bool | ||||
| } | ||||
|  | ||||
| func (e *writeError) Error() string { | ||||
| 	return fmt.Sprintf("write failed: %s", e.err.Error()) | ||||
| } | ||||
|  | ||||
| func (e *writeError) SafeToRetry() bool { | ||||
| 	return e.safeToRetry | ||||
| } | ||||
|  | ||||
| func (e *writeError) Unwrap() error { | ||||
| 	return e.err | ||||
| } | ||||
|  | ||||
| // getValueFromJSON gets the value from a protocol message representation in JSON. | ||||
| func getValueFromJSON(v map[string]string) ([]byte, error) { | ||||
| 	if v == nil { | ||||
| 		return nil, nil | ||||
| 	} | ||||
| 	if text, ok := v["text"]; ok { | ||||
| 		return []byte(text), nil | ||||
| 	} | ||||
| 	if binary, ok := v["binary"]; ok { | ||||
| 		return hex.DecodeString(binary) | ||||
| 	} | ||||
| 	return nil, errors.New("unknown protocol representation") | ||||
| } | ||||
							
								
								
									
										34
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/portal_suspended.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										34
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/portal_suspended.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,34 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/json" | ||||
| ) | ||||
|  | ||||
| type PortalSuspended struct{} | ||||
|  | ||||
| // Backend identifies this message as sendable by the PostgreSQL backend. | ||||
| func (*PortalSuspended) Backend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *PortalSuspended) Decode(src []byte) error { | ||||
| 	if len(src) != 0 { | ||||
| 		return &invalidMessageLenErr{messageType: "PortalSuspended", expectedLen: 0, actualLen: len(src)} | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *PortalSuspended) Encode(dst []byte) []byte { | ||||
| 	return append(dst, 's', 0, 0, 0, 4) | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src PortalSuspended) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type string | ||||
| 	}{ | ||||
| 		Type: "PortalSuspended", | ||||
| 	}) | ||||
| } | ||||
							
								
								
									
										50
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/query.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										50
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/query.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,50 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"encoding/json" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| type Query struct { | ||||
| 	String string | ||||
| } | ||||
|  | ||||
| // Frontend identifies this message as sendable by a PostgreSQL frontend. | ||||
| func (*Query) Frontend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *Query) Decode(src []byte) error { | ||||
| 	i := bytes.IndexByte(src, 0) | ||||
| 	if i != len(src)-1 { | ||||
| 		return &invalidMessageFormatErr{messageType: "Query"} | ||||
| 	} | ||||
|  | ||||
| 	dst.String = string(src[:i]) | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *Query) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'Q') | ||||
| 	dst = pgio.AppendInt32(dst, int32(4+len(src.String)+1)) | ||||
|  | ||||
| 	dst = append(dst, src.String...) | ||||
| 	dst = append(dst, 0) | ||||
|  | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src Query) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type   string | ||||
| 		String string | ||||
| 	}{ | ||||
| 		Type:   "Query", | ||||
| 		String: src.String, | ||||
| 	}) | ||||
| } | ||||
							
								
								
									
										61
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/ready_for_query.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										61
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/ready_for_query.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,61 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/json" | ||||
| 	"errors" | ||||
| ) | ||||
|  | ||||
| type ReadyForQuery struct { | ||||
| 	TxStatus byte | ||||
| } | ||||
|  | ||||
| // Backend identifies this message as sendable by the PostgreSQL backend. | ||||
| func (*ReadyForQuery) Backend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *ReadyForQuery) Decode(src []byte) error { | ||||
| 	if len(src) != 1 { | ||||
| 		return &invalidMessageLenErr{messageType: "ReadyForQuery", expectedLen: 1, actualLen: len(src)} | ||||
| 	} | ||||
|  | ||||
| 	dst.TxStatus = src[0] | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *ReadyForQuery) Encode(dst []byte) []byte { | ||||
| 	return append(dst, 'Z', 0, 0, 0, 5, src.TxStatus) | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src ReadyForQuery) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type     string | ||||
| 		TxStatus string | ||||
| 	}{ | ||||
| 		Type:     "ReadyForQuery", | ||||
| 		TxStatus: string(src.TxStatus), | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| // UnmarshalJSON implements encoding/json.Unmarshaler. | ||||
| func (dst *ReadyForQuery) UnmarshalJSON(data []byte) error { | ||||
| 	// Ignore null, like in the main JSON package. | ||||
| 	if string(data) == "null" { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	var msg struct { | ||||
| 		TxStatus string | ||||
| 	} | ||||
| 	if err := json.Unmarshal(data, &msg); err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	if len(msg.TxStatus) != 1 { | ||||
| 		return errors.New("invalid length for ReadyForQuery.TxStatus") | ||||
| 	} | ||||
| 	dst.TxStatus = msg.TxStatus[0] | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										165
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/row_description.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										165
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/row_description.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,165 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"encoding/binary" | ||||
| 	"encoding/json" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| const ( | ||||
| 	TextFormat   = 0 | ||||
| 	BinaryFormat = 1 | ||||
| ) | ||||
|  | ||||
| type FieldDescription struct { | ||||
| 	Name                 []byte | ||||
| 	TableOID             uint32 | ||||
| 	TableAttributeNumber uint16 | ||||
| 	DataTypeOID          uint32 | ||||
| 	DataTypeSize         int16 | ||||
| 	TypeModifier         int32 | ||||
| 	Format               int16 | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (fd FieldDescription) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Name                 string | ||||
| 		TableOID             uint32 | ||||
| 		TableAttributeNumber uint16 | ||||
| 		DataTypeOID          uint32 | ||||
| 		DataTypeSize         int16 | ||||
| 		TypeModifier         int32 | ||||
| 		Format               int16 | ||||
| 	}{ | ||||
| 		Name:                 string(fd.Name), | ||||
| 		TableOID:             fd.TableOID, | ||||
| 		TableAttributeNumber: fd.TableAttributeNumber, | ||||
| 		DataTypeOID:          fd.DataTypeOID, | ||||
| 		DataTypeSize:         fd.DataTypeSize, | ||||
| 		TypeModifier:         fd.TypeModifier, | ||||
| 		Format:               fd.Format, | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| type RowDescription struct { | ||||
| 	Fields []FieldDescription | ||||
| } | ||||
|  | ||||
| // Backend identifies this message as sendable by the PostgreSQL backend. | ||||
| func (*RowDescription) Backend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *RowDescription) Decode(src []byte) error { | ||||
|  | ||||
| 	if len(src) < 2 { | ||||
| 		return &invalidMessageFormatErr{messageType: "RowDescription"} | ||||
| 	} | ||||
| 	fieldCount := int(binary.BigEndian.Uint16(src)) | ||||
| 	rp := 2 | ||||
|  | ||||
| 	dst.Fields = dst.Fields[0:0] | ||||
|  | ||||
| 	for i := 0; i < fieldCount; i++ { | ||||
| 		var fd FieldDescription | ||||
|  | ||||
| 		idx := bytes.IndexByte(src[rp:], 0) | ||||
| 		if idx < 0 { | ||||
| 			return &invalidMessageFormatErr{messageType: "RowDescription"} | ||||
| 		} | ||||
| 		fd.Name = src[rp : rp+idx] | ||||
| 		rp += idx + 1 | ||||
|  | ||||
| 		// Since buf.Next() doesn't return an error if we hit the end of the buffer | ||||
| 		// check Len ahead of time | ||||
| 		if len(src[rp:]) < 18 { | ||||
| 			return &invalidMessageFormatErr{messageType: "RowDescription"} | ||||
| 		} | ||||
|  | ||||
| 		fd.TableOID = binary.BigEndian.Uint32(src[rp:]) | ||||
| 		rp += 4 | ||||
| 		fd.TableAttributeNumber = binary.BigEndian.Uint16(src[rp:]) | ||||
| 		rp += 2 | ||||
| 		fd.DataTypeOID = binary.BigEndian.Uint32(src[rp:]) | ||||
| 		rp += 4 | ||||
| 		fd.DataTypeSize = int16(binary.BigEndian.Uint16(src[rp:])) | ||||
| 		rp += 2 | ||||
| 		fd.TypeModifier = int32(binary.BigEndian.Uint32(src[rp:])) | ||||
| 		rp += 4 | ||||
| 		fd.Format = int16(binary.BigEndian.Uint16(src[rp:])) | ||||
| 		rp += 2 | ||||
|  | ||||
| 		dst.Fields = append(dst.Fields, fd) | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *RowDescription) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'T') | ||||
| 	sp := len(dst) | ||||
| 	dst = pgio.AppendInt32(dst, -1) | ||||
|  | ||||
| 	dst = pgio.AppendUint16(dst, uint16(len(src.Fields))) | ||||
| 	for _, fd := range src.Fields { | ||||
| 		dst = append(dst, fd.Name...) | ||||
| 		dst = append(dst, 0) | ||||
|  | ||||
| 		dst = pgio.AppendUint32(dst, fd.TableOID) | ||||
| 		dst = pgio.AppendUint16(dst, fd.TableAttributeNumber) | ||||
| 		dst = pgio.AppendUint32(dst, fd.DataTypeOID) | ||||
| 		dst = pgio.AppendInt16(dst, fd.DataTypeSize) | ||||
| 		dst = pgio.AppendInt32(dst, fd.TypeModifier) | ||||
| 		dst = pgio.AppendInt16(dst, fd.Format) | ||||
| 	} | ||||
|  | ||||
| 	pgio.SetInt32(dst[sp:], int32(len(dst[sp:]))) | ||||
|  | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src RowDescription) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type   string | ||||
| 		Fields []FieldDescription | ||||
| 	}{ | ||||
| 		Type:   "RowDescription", | ||||
| 		Fields: src.Fields, | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| // UnmarshalJSON implements encoding/json.Unmarshaler. | ||||
| func (dst *RowDescription) UnmarshalJSON(data []byte) error { | ||||
| 	var msg struct { | ||||
| 		Fields []struct { | ||||
| 			Name                 string | ||||
| 			TableOID             uint32 | ||||
| 			TableAttributeNumber uint16 | ||||
| 			DataTypeOID          uint32 | ||||
| 			DataTypeSize         int16 | ||||
| 			TypeModifier         int32 | ||||
| 			Format               int16 | ||||
| 		} | ||||
| 	} | ||||
| 	if err := json.Unmarshal(data, &msg); err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	dst.Fields = make([]FieldDescription, len(msg.Fields)) | ||||
| 	for n, field := range msg.Fields { | ||||
| 		dst.Fields[n] = FieldDescription{ | ||||
| 			Name:                 []byte(field.Name), | ||||
| 			TableOID:             field.TableOID, | ||||
| 			TableAttributeNumber: field.TableAttributeNumber, | ||||
| 			DataTypeOID:          field.DataTypeOID, | ||||
| 			DataTypeSize:         field.DataTypeSize, | ||||
| 			TypeModifier:         field.TypeModifier, | ||||
| 			Format:               field.Format, | ||||
| 		} | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										94
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/sasl_initial_response.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										94
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/sasl_initial_response.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,94 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"encoding/hex" | ||||
| 	"encoding/json" | ||||
| 	"errors" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| type SASLInitialResponse struct { | ||||
| 	AuthMechanism string | ||||
| 	Data          []byte | ||||
| } | ||||
|  | ||||
| // Frontend identifies this message as sendable by a PostgreSQL frontend. | ||||
| func (*SASLInitialResponse) Frontend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *SASLInitialResponse) Decode(src []byte) error { | ||||
| 	*dst = SASLInitialResponse{} | ||||
|  | ||||
| 	rp := 0 | ||||
|  | ||||
| 	idx := bytes.IndexByte(src, 0) | ||||
| 	if idx < 0 { | ||||
| 		return errors.New("invalid SASLInitialResponse") | ||||
| 	} | ||||
|  | ||||
| 	dst.AuthMechanism = string(src[rp:idx]) | ||||
| 	rp = idx + 1 | ||||
|  | ||||
| 	rp += 4 // The rest of the message is data so we can just skip the size | ||||
| 	dst.Data = src[rp:] | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *SASLInitialResponse) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'p') | ||||
| 	sp := len(dst) | ||||
| 	dst = pgio.AppendInt32(dst, -1) | ||||
|  | ||||
| 	dst = append(dst, []byte(src.AuthMechanism)...) | ||||
| 	dst = append(dst, 0) | ||||
|  | ||||
| 	dst = pgio.AppendInt32(dst, int32(len(src.Data))) | ||||
| 	dst = append(dst, src.Data...) | ||||
|  | ||||
| 	pgio.SetInt32(dst[sp:], int32(len(dst[sp:]))) | ||||
|  | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src SASLInitialResponse) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type          string | ||||
| 		AuthMechanism string | ||||
| 		Data          string | ||||
| 	}{ | ||||
| 		Type:          "SASLInitialResponse", | ||||
| 		AuthMechanism: src.AuthMechanism, | ||||
| 		Data:          string(src.Data), | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| // UnmarshalJSON implements encoding/json.Unmarshaler. | ||||
| func (dst *SASLInitialResponse) UnmarshalJSON(data []byte) error { | ||||
| 	// Ignore null, like in the main JSON package. | ||||
| 	if string(data) == "null" { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	var msg struct { | ||||
| 		AuthMechanism string | ||||
| 		Data          string | ||||
| 	} | ||||
| 	if err := json.Unmarshal(data, &msg); err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	dst.AuthMechanism = msg.AuthMechanism | ||||
| 	if msg.Data != "" { | ||||
| 		decoded, err := hex.DecodeString(msg.Data) | ||||
| 		if err != nil { | ||||
| 			return err | ||||
| 		} | ||||
| 		dst.Data = decoded | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										61
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/sasl_response.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										61
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/sasl_response.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,61 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/hex" | ||||
| 	"encoding/json" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| type SASLResponse struct { | ||||
| 	Data []byte | ||||
| } | ||||
|  | ||||
| // Frontend identifies this message as sendable by a PostgreSQL frontend. | ||||
| func (*SASLResponse) Frontend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *SASLResponse) Decode(src []byte) error { | ||||
| 	*dst = SASLResponse{Data: src} | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *SASLResponse) Encode(dst []byte) []byte { | ||||
| 	dst = append(dst, 'p') | ||||
| 	dst = pgio.AppendInt32(dst, int32(4+len(src.Data))) | ||||
|  | ||||
| 	dst = append(dst, src.Data...) | ||||
|  | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src SASLResponse) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type string | ||||
| 		Data string | ||||
| 	}{ | ||||
| 		Type: "SASLResponse", | ||||
| 		Data: string(src.Data), | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| // UnmarshalJSON implements encoding/json.Unmarshaler. | ||||
| func (dst *SASLResponse) UnmarshalJSON(data []byte) error { | ||||
| 	var msg struct { | ||||
| 		Data string | ||||
| 	} | ||||
| 	if err := json.Unmarshal(data, &msg); err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	if msg.Data != "" { | ||||
| 		decoded, err := hex.DecodeString(msg.Data) | ||||
| 		if err != nil { | ||||
| 			return err | ||||
| 		} | ||||
| 		dst.Data = decoded | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										49
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/ssl_request.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										49
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/ssl_request.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,49 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/binary" | ||||
| 	"encoding/json" | ||||
| 	"errors" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| const sslRequestNumber = 80877103 | ||||
|  | ||||
| type SSLRequest struct { | ||||
| } | ||||
|  | ||||
| // Frontend identifies this message as sendable by a PostgreSQL frontend. | ||||
| func (*SSLRequest) Frontend() {} | ||||
|  | ||||
| func (dst *SSLRequest) Decode(src []byte) error { | ||||
| 	if len(src) < 4 { | ||||
| 		return errors.New("ssl request too short") | ||||
| 	} | ||||
|  | ||||
| 	requestCode := binary.BigEndian.Uint32(src) | ||||
|  | ||||
| 	if requestCode != sslRequestNumber { | ||||
| 		return errors.New("bad ssl request code") | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 4 byte message length. | ||||
| func (src *SSLRequest) Encode(dst []byte) []byte { | ||||
| 	dst = pgio.AppendInt32(dst, 8) | ||||
| 	dst = pgio.AppendInt32(dst, sslRequestNumber) | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src SSLRequest) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type            string | ||||
| 		ProtocolVersion uint32 | ||||
| 		Parameters      map[string]string | ||||
| 	}{ | ||||
| 		Type: "SSLRequest", | ||||
| 	}) | ||||
| } | ||||
							
								
								
									
										96
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/startup_message.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										96
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/startup_message.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,96 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"encoding/binary" | ||||
| 	"encoding/json" | ||||
| 	"errors" | ||||
| 	"fmt" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| const ProtocolVersionNumber = 196608 // 3.0 | ||||
|  | ||||
| type StartupMessage struct { | ||||
| 	ProtocolVersion uint32 | ||||
| 	Parameters      map[string]string | ||||
| } | ||||
|  | ||||
| // Frontend identifies this message as sendable by a PostgreSQL frontend. | ||||
| func (*StartupMessage) Frontend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *StartupMessage) Decode(src []byte) error { | ||||
| 	if len(src) < 4 { | ||||
| 		return errors.New("startup message too short") | ||||
| 	} | ||||
|  | ||||
| 	dst.ProtocolVersion = binary.BigEndian.Uint32(src) | ||||
| 	rp := 4 | ||||
|  | ||||
| 	if dst.ProtocolVersion != ProtocolVersionNumber { | ||||
| 		return fmt.Errorf("Bad startup message version number. Expected %d, got %d", ProtocolVersionNumber, dst.ProtocolVersion) | ||||
| 	} | ||||
|  | ||||
| 	dst.Parameters = make(map[string]string) | ||||
| 	for { | ||||
| 		idx := bytes.IndexByte(src[rp:], 0) | ||||
| 		if idx < 0 { | ||||
| 			return &invalidMessageFormatErr{messageType: "StartupMesage"} | ||||
| 		} | ||||
| 		key := string(src[rp : rp+idx]) | ||||
| 		rp += idx + 1 | ||||
|  | ||||
| 		idx = bytes.IndexByte(src[rp:], 0) | ||||
| 		if idx < 0 { | ||||
| 			return &invalidMessageFormatErr{messageType: "StartupMesage"} | ||||
| 		} | ||||
| 		value := string(src[rp : rp+idx]) | ||||
| 		rp += idx + 1 | ||||
|  | ||||
| 		dst.Parameters[key] = value | ||||
|  | ||||
| 		if len(src[rp:]) == 1 { | ||||
| 			if src[rp] != 0 { | ||||
| 				return fmt.Errorf("Bad startup message last byte. Expected 0, got %d", src[rp]) | ||||
| 			} | ||||
| 			break | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *StartupMessage) Encode(dst []byte) []byte { | ||||
| 	sp := len(dst) | ||||
| 	dst = pgio.AppendInt32(dst, -1) | ||||
|  | ||||
| 	dst = pgio.AppendUint32(dst, src.ProtocolVersion) | ||||
| 	for k, v := range src.Parameters { | ||||
| 		dst = append(dst, k...) | ||||
| 		dst = append(dst, 0) | ||||
| 		dst = append(dst, v...) | ||||
| 		dst = append(dst, 0) | ||||
| 	} | ||||
| 	dst = append(dst, 0) | ||||
|  | ||||
| 	pgio.SetInt32(dst[sp:], int32(len(dst[sp:]))) | ||||
|  | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src StartupMessage) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type            string | ||||
| 		ProtocolVersion uint32 | ||||
| 		Parameters      map[string]string | ||||
| 	}{ | ||||
| 		Type:            "StartupMessage", | ||||
| 		ProtocolVersion: src.ProtocolVersion, | ||||
| 		Parameters:      src.Parameters, | ||||
| 	}) | ||||
| } | ||||
							
								
								
									
										34
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/sync.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										34
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/sync.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,34 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/json" | ||||
| ) | ||||
|  | ||||
| type Sync struct{} | ||||
|  | ||||
| // Frontend identifies this message as sendable by a PostgreSQL frontend. | ||||
| func (*Sync) Frontend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *Sync) Decode(src []byte) error { | ||||
| 	if len(src) != 0 { | ||||
| 		return &invalidMessageLenErr{messageType: "Sync", expectedLen: 0, actualLen: len(src)} | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *Sync) Encode(dst []byte) []byte { | ||||
| 	return append(dst, 'S', 0, 0, 0, 4) | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src Sync) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type string | ||||
| 	}{ | ||||
| 		Type: "Sync", | ||||
| 	}) | ||||
| } | ||||
							
								
								
									
										34
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/terminate.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										34
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/terminate.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,34 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/json" | ||||
| ) | ||||
|  | ||||
| type Terminate struct{} | ||||
|  | ||||
| // Frontend identifies this message as sendable by a PostgreSQL frontend. | ||||
| func (*Terminate) Frontend() {} | ||||
|  | ||||
| // Decode decodes src into dst. src must contain the complete message with the exception of the initial 1 byte message | ||||
| // type identifier and 4 byte message length. | ||||
| func (dst *Terminate) Decode(src []byte) error { | ||||
| 	if len(src) != 0 { | ||||
| 		return &invalidMessageLenErr{messageType: "Terminate", expectedLen: 0, actualLen: len(src)} | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Encode encodes src into dst. dst will include the 1 byte message type identifier and the 4 byte message length. | ||||
| func (src *Terminate) Encode(dst []byte) []byte { | ||||
| 	return append(dst, 'X', 0, 0, 0, 4) | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements encoding/json.Marshaler. | ||||
| func (src Terminate) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(struct { | ||||
| 		Type string | ||||
| 	}{ | ||||
| 		Type: "Terminate", | ||||
| 	}) | ||||
| } | ||||
							
								
								
									
										416
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/trace.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										416
									
								
								vendor/github.com/jackc/pgx/v5/pgproto3/trace.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,416 @@ | ||||
| package pgproto3 | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"fmt" | ||||
| 	"io" | ||||
| 	"strconv" | ||||
| 	"strings" | ||||
| 	"sync" | ||||
| 	"time" | ||||
| ) | ||||
|  | ||||
| // tracer traces the messages send to and from a Backend or Frontend. The format it produces roughly mimics the | ||||
| // format produced by the libpq C function PQtrace. | ||||
| type tracer struct { | ||||
| 	TracerOptions | ||||
|  | ||||
| 	mux sync.Mutex | ||||
| 	w   io.Writer | ||||
| 	buf *bytes.Buffer | ||||
| } | ||||
|  | ||||
| // TracerOptions controls tracing behavior. It is roughly equivalent to the libpq function PQsetTraceFlags. | ||||
| type TracerOptions struct { | ||||
| 	// SuppressTimestamps prevents printing of timestamps. | ||||
| 	SuppressTimestamps bool | ||||
|  | ||||
| 	// RegressMode redacts fields that may be vary between executions. | ||||
| 	RegressMode bool | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceMessage(sender byte, encodedLen int32, msg Message) { | ||||
| 	switch msg := msg.(type) { | ||||
| 	case *AuthenticationCleartextPassword: | ||||
| 		t.traceAuthenticationCleartextPassword(sender, encodedLen, msg) | ||||
| 	case *AuthenticationGSS: | ||||
| 		t.traceAuthenticationGSS(sender, encodedLen, msg) | ||||
| 	case *AuthenticationGSSContinue: | ||||
| 		t.traceAuthenticationGSSContinue(sender, encodedLen, msg) | ||||
| 	case *AuthenticationMD5Password: | ||||
| 		t.traceAuthenticationMD5Password(sender, encodedLen, msg) | ||||
| 	case *AuthenticationOk: | ||||
| 		t.traceAuthenticationOk(sender, encodedLen, msg) | ||||
| 	case *AuthenticationSASL: | ||||
| 		t.traceAuthenticationSASL(sender, encodedLen, msg) | ||||
| 	case *AuthenticationSASLContinue: | ||||
| 		t.traceAuthenticationSASLContinue(sender, encodedLen, msg) | ||||
| 	case *AuthenticationSASLFinal: | ||||
| 		t.traceAuthenticationSASLFinal(sender, encodedLen, msg) | ||||
| 	case *BackendKeyData: | ||||
| 		t.traceBackendKeyData(sender, encodedLen, msg) | ||||
| 	case *Bind: | ||||
| 		t.traceBind(sender, encodedLen, msg) | ||||
| 	case *BindComplete: | ||||
| 		t.traceBindComplete(sender, encodedLen, msg) | ||||
| 	case *CancelRequest: | ||||
| 		t.traceCancelRequest(sender, encodedLen, msg) | ||||
| 	case *Close: | ||||
| 		t.traceClose(sender, encodedLen, msg) | ||||
| 	case *CloseComplete: | ||||
| 		t.traceCloseComplete(sender, encodedLen, msg) | ||||
| 	case *CommandComplete: | ||||
| 		t.traceCommandComplete(sender, encodedLen, msg) | ||||
| 	case *CopyBothResponse: | ||||
| 		t.traceCopyBothResponse(sender, encodedLen, msg) | ||||
| 	case *CopyData: | ||||
| 		t.traceCopyData(sender, encodedLen, msg) | ||||
| 	case *CopyDone: | ||||
| 		t.traceCopyDone(sender, encodedLen, msg) | ||||
| 	case *CopyFail: | ||||
| 		t.traceCopyFail(sender, encodedLen, msg) | ||||
| 	case *CopyInResponse: | ||||
| 		t.traceCopyInResponse(sender, encodedLen, msg) | ||||
| 	case *CopyOutResponse: | ||||
| 		t.traceCopyOutResponse(sender, encodedLen, msg) | ||||
| 	case *DataRow: | ||||
| 		t.traceDataRow(sender, encodedLen, msg) | ||||
| 	case *Describe: | ||||
| 		t.traceDescribe(sender, encodedLen, msg) | ||||
| 	case *EmptyQueryResponse: | ||||
| 		t.traceEmptyQueryResponse(sender, encodedLen, msg) | ||||
| 	case *ErrorResponse: | ||||
| 		t.traceErrorResponse(sender, encodedLen, msg) | ||||
| 	case *Execute: | ||||
| 		t.TraceQueryute(sender, encodedLen, msg) | ||||
| 	case *Flush: | ||||
| 		t.traceFlush(sender, encodedLen, msg) | ||||
| 	case *FunctionCall: | ||||
| 		t.traceFunctionCall(sender, encodedLen, msg) | ||||
| 	case *FunctionCallResponse: | ||||
| 		t.traceFunctionCallResponse(sender, encodedLen, msg) | ||||
| 	case *GSSEncRequest: | ||||
| 		t.traceGSSEncRequest(sender, encodedLen, msg) | ||||
| 	case *NoData: | ||||
| 		t.traceNoData(sender, encodedLen, msg) | ||||
| 	case *NoticeResponse: | ||||
| 		t.traceNoticeResponse(sender, encodedLen, msg) | ||||
| 	case *NotificationResponse: | ||||
| 		t.traceNotificationResponse(sender, encodedLen, msg) | ||||
| 	case *ParameterDescription: | ||||
| 		t.traceParameterDescription(sender, encodedLen, msg) | ||||
| 	case *ParameterStatus: | ||||
| 		t.traceParameterStatus(sender, encodedLen, msg) | ||||
| 	case *Parse: | ||||
| 		t.traceParse(sender, encodedLen, msg) | ||||
| 	case *ParseComplete: | ||||
| 		t.traceParseComplete(sender, encodedLen, msg) | ||||
| 	case *PortalSuspended: | ||||
| 		t.tracePortalSuspended(sender, encodedLen, msg) | ||||
| 	case *Query: | ||||
| 		t.traceQuery(sender, encodedLen, msg) | ||||
| 	case *ReadyForQuery: | ||||
| 		t.traceReadyForQuery(sender, encodedLen, msg) | ||||
| 	case *RowDescription: | ||||
| 		t.traceRowDescription(sender, encodedLen, msg) | ||||
| 	case *SSLRequest: | ||||
| 		t.traceSSLRequest(sender, encodedLen, msg) | ||||
| 	case *StartupMessage: | ||||
| 		t.traceStartupMessage(sender, encodedLen, msg) | ||||
| 	case *Sync: | ||||
| 		t.traceSync(sender, encodedLen, msg) | ||||
| 	case *Terminate: | ||||
| 		t.traceTerminate(sender, encodedLen, msg) | ||||
| 	default: | ||||
| 		t.writeTrace(sender, encodedLen, "Unknown", nil) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceAuthenticationCleartextPassword(sender byte, encodedLen int32, msg *AuthenticationCleartextPassword) { | ||||
| 	t.writeTrace(sender, encodedLen, "AuthenticationCleartextPassword", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceAuthenticationGSS(sender byte, encodedLen int32, msg *AuthenticationGSS) { | ||||
| 	t.writeTrace(sender, encodedLen, "AuthenticationGSS", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceAuthenticationGSSContinue(sender byte, encodedLen int32, msg *AuthenticationGSSContinue) { | ||||
| 	t.writeTrace(sender, encodedLen, "AuthenticationGSSContinue", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceAuthenticationMD5Password(sender byte, encodedLen int32, msg *AuthenticationMD5Password) { | ||||
| 	t.writeTrace(sender, encodedLen, "AuthenticationMD5Password", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceAuthenticationOk(sender byte, encodedLen int32, msg *AuthenticationOk) { | ||||
| 	t.writeTrace(sender, encodedLen, "AuthenticationOk", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceAuthenticationSASL(sender byte, encodedLen int32, msg *AuthenticationSASL) { | ||||
| 	t.writeTrace(sender, encodedLen, "AuthenticationSASL", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceAuthenticationSASLContinue(sender byte, encodedLen int32, msg *AuthenticationSASLContinue) { | ||||
| 	t.writeTrace(sender, encodedLen, "AuthenticationSASLContinue", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceAuthenticationSASLFinal(sender byte, encodedLen int32, msg *AuthenticationSASLFinal) { | ||||
| 	t.writeTrace(sender, encodedLen, "AuthenticationSASLFinal", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceBackendKeyData(sender byte, encodedLen int32, msg *BackendKeyData) { | ||||
| 	t.writeTrace(sender, encodedLen, "BackendKeyData", func() { | ||||
| 		if t.RegressMode { | ||||
| 			t.buf.WriteString("\t NNNN NNNN") | ||||
| 		} else { | ||||
| 			fmt.Fprintf(t.buf, "\t %d %d", msg.ProcessID, msg.SecretKey) | ||||
| 		} | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceBind(sender byte, encodedLen int32, msg *Bind) { | ||||
| 	t.writeTrace(sender, encodedLen, "Bind", func() { | ||||
| 		fmt.Fprintf(t.buf, "\t %s %s %d", traceDoubleQuotedString([]byte(msg.DestinationPortal)), traceDoubleQuotedString([]byte(msg.PreparedStatement)), len(msg.ParameterFormatCodes)) | ||||
| 		for _, fc := range msg.ParameterFormatCodes { | ||||
| 			fmt.Fprintf(t.buf, " %d", fc) | ||||
| 		} | ||||
| 		fmt.Fprintf(t.buf, " %d", len(msg.Parameters)) | ||||
| 		for _, p := range msg.Parameters { | ||||
| 			fmt.Fprintf(t.buf, " %s", traceSingleQuotedString(p)) | ||||
| 		} | ||||
| 		fmt.Fprintf(t.buf, " %d", len(msg.ResultFormatCodes)) | ||||
| 		for _, fc := range msg.ResultFormatCodes { | ||||
| 			fmt.Fprintf(t.buf, " %d", fc) | ||||
| 		} | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceBindComplete(sender byte, encodedLen int32, msg *BindComplete) { | ||||
| 	t.writeTrace(sender, encodedLen, "BindComplete", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceCancelRequest(sender byte, encodedLen int32, msg *CancelRequest) { | ||||
| 	t.writeTrace(sender, encodedLen, "CancelRequest", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceClose(sender byte, encodedLen int32, msg *Close) { | ||||
| 	t.writeTrace(sender, encodedLen, "Close", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceCloseComplete(sender byte, encodedLen int32, msg *CloseComplete) { | ||||
| 	t.writeTrace(sender, encodedLen, "CloseComplete", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceCommandComplete(sender byte, encodedLen int32, msg *CommandComplete) { | ||||
| 	t.writeTrace(sender, encodedLen, "CommandComplete", func() { | ||||
| 		fmt.Fprintf(t.buf, "\t %s", traceDoubleQuotedString(msg.CommandTag)) | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceCopyBothResponse(sender byte, encodedLen int32, msg *CopyBothResponse) { | ||||
| 	t.writeTrace(sender, encodedLen, "CopyBothResponse", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceCopyData(sender byte, encodedLen int32, msg *CopyData) { | ||||
| 	t.writeTrace(sender, encodedLen, "CopyData", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceCopyDone(sender byte, encodedLen int32, msg *CopyDone) { | ||||
| 	t.writeTrace(sender, encodedLen, "CopyDone", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceCopyFail(sender byte, encodedLen int32, msg *CopyFail) { | ||||
| 	t.writeTrace(sender, encodedLen, "CopyFail", func() { | ||||
| 		fmt.Fprintf(t.buf, "\t %s", traceDoubleQuotedString([]byte(msg.Message))) | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceCopyInResponse(sender byte, encodedLen int32, msg *CopyInResponse) { | ||||
| 	t.writeTrace(sender, encodedLen, "CopyInResponse", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceCopyOutResponse(sender byte, encodedLen int32, msg *CopyOutResponse) { | ||||
| 	t.writeTrace(sender, encodedLen, "CopyOutResponse", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceDataRow(sender byte, encodedLen int32, msg *DataRow) { | ||||
| 	t.writeTrace(sender, encodedLen, "DataRow", func() { | ||||
| 		fmt.Fprintf(t.buf, "\t %d", len(msg.Values)) | ||||
| 		for _, v := range msg.Values { | ||||
| 			if v == nil { | ||||
| 				t.buf.WriteString(" -1") | ||||
| 			} else { | ||||
| 				fmt.Fprintf(t.buf, " %d %s", len(v), traceSingleQuotedString(v)) | ||||
| 			} | ||||
| 		} | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceDescribe(sender byte, encodedLen int32, msg *Describe) { | ||||
| 	t.writeTrace(sender, encodedLen, "Describe", func() { | ||||
| 		fmt.Fprintf(t.buf, "\t %c %s", msg.ObjectType, traceDoubleQuotedString([]byte(msg.Name))) | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceEmptyQueryResponse(sender byte, encodedLen int32, msg *EmptyQueryResponse) { | ||||
| 	t.writeTrace(sender, encodedLen, "EmptyQueryResponse", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceErrorResponse(sender byte, encodedLen int32, msg *ErrorResponse) { | ||||
| 	t.writeTrace(sender, encodedLen, "ErrorResponse", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) TraceQueryute(sender byte, encodedLen int32, msg *Execute) { | ||||
| 	t.writeTrace(sender, encodedLen, "Execute", func() { | ||||
| 		fmt.Fprintf(t.buf, "\t %s %d", traceDoubleQuotedString([]byte(msg.Portal)), msg.MaxRows) | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceFlush(sender byte, encodedLen int32, msg *Flush) { | ||||
| 	t.writeTrace(sender, encodedLen, "Flush", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceFunctionCall(sender byte, encodedLen int32, msg *FunctionCall) { | ||||
| 	t.writeTrace(sender, encodedLen, "FunctionCall", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceFunctionCallResponse(sender byte, encodedLen int32, msg *FunctionCallResponse) { | ||||
| 	t.writeTrace(sender, encodedLen, "FunctionCallResponse", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceGSSEncRequest(sender byte, encodedLen int32, msg *GSSEncRequest) { | ||||
| 	t.writeTrace(sender, encodedLen, "GSSEncRequest", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceNoData(sender byte, encodedLen int32, msg *NoData) { | ||||
| 	t.writeTrace(sender, encodedLen, "NoData", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceNoticeResponse(sender byte, encodedLen int32, msg *NoticeResponse) { | ||||
| 	t.writeTrace(sender, encodedLen, "NoticeResponse", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceNotificationResponse(sender byte, encodedLen int32, msg *NotificationResponse) { | ||||
| 	t.writeTrace(sender, encodedLen, "NotificationResponse", func() { | ||||
| 		fmt.Fprintf(t.buf, "\t %d %s %s", msg.PID, traceDoubleQuotedString([]byte(msg.Channel)), traceDoubleQuotedString([]byte(msg.Payload))) | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceParameterDescription(sender byte, encodedLen int32, msg *ParameterDescription) { | ||||
| 	t.writeTrace(sender, encodedLen, "ParameterDescription", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceParameterStatus(sender byte, encodedLen int32, msg *ParameterStatus) { | ||||
| 	t.writeTrace(sender, encodedLen, "ParameterStatus", func() { | ||||
| 		fmt.Fprintf(t.buf, "\t %s %s", traceDoubleQuotedString([]byte(msg.Name)), traceDoubleQuotedString([]byte(msg.Value))) | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceParse(sender byte, encodedLen int32, msg *Parse) { | ||||
| 	t.writeTrace(sender, encodedLen, "Parse", func() { | ||||
| 		fmt.Fprintf(t.buf, "\t %s %s %d", traceDoubleQuotedString([]byte(msg.Name)), traceDoubleQuotedString([]byte(msg.Query)), len(msg.ParameterOIDs)) | ||||
| 		for _, oid := range msg.ParameterOIDs { | ||||
| 			fmt.Fprintf(t.buf, " %d", oid) | ||||
| 		} | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceParseComplete(sender byte, encodedLen int32, msg *ParseComplete) { | ||||
| 	t.writeTrace(sender, encodedLen, "ParseComplete", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) tracePortalSuspended(sender byte, encodedLen int32, msg *PortalSuspended) { | ||||
| 	t.writeTrace(sender, encodedLen, "PortalSuspended", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceQuery(sender byte, encodedLen int32, msg *Query) { | ||||
| 	t.writeTrace(sender, encodedLen, "Query", func() { | ||||
| 		fmt.Fprintf(t.buf, "\t %s", traceDoubleQuotedString([]byte(msg.String))) | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceReadyForQuery(sender byte, encodedLen int32, msg *ReadyForQuery) { | ||||
| 	t.writeTrace(sender, encodedLen, "ReadyForQuery", func() { | ||||
| 		fmt.Fprintf(t.buf, "\t %c", msg.TxStatus) | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceRowDescription(sender byte, encodedLen int32, msg *RowDescription) { | ||||
| 	t.writeTrace(sender, encodedLen, "RowDescription", func() { | ||||
| 		fmt.Fprintf(t.buf, "\t %d", len(msg.Fields)) | ||||
| 		for _, fd := range msg.Fields { | ||||
| 			fmt.Fprintf(t.buf, ` %s %d %d %d %d %d %d`, traceDoubleQuotedString(fd.Name), fd.TableOID, fd.TableAttributeNumber, fd.DataTypeOID, fd.DataTypeSize, fd.TypeModifier, fd.Format) | ||||
| 		} | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceSSLRequest(sender byte, encodedLen int32, msg *SSLRequest) { | ||||
| 	t.writeTrace(sender, encodedLen, "SSLRequest", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceStartupMessage(sender byte, encodedLen int32, msg *StartupMessage) { | ||||
| 	t.writeTrace(sender, encodedLen, "StartupMessage", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceSync(sender byte, encodedLen int32, msg *Sync) { | ||||
| 	t.writeTrace(sender, encodedLen, "Sync", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) traceTerminate(sender byte, encodedLen int32, msg *Terminate) { | ||||
| 	t.writeTrace(sender, encodedLen, "Terminate", nil) | ||||
| } | ||||
|  | ||||
| func (t *tracer) writeTrace(sender byte, encodedLen int32, msgType string, writeDetails func()) { | ||||
| 	t.mux.Lock() | ||||
| 	defer t.mux.Unlock() | ||||
| 	defer func() { | ||||
| 		if t.buf.Cap() > 1024 { | ||||
| 			t.buf = &bytes.Buffer{} | ||||
| 		} else { | ||||
| 			t.buf.Reset() | ||||
| 		} | ||||
| 	}() | ||||
|  | ||||
| 	if !t.SuppressTimestamps { | ||||
| 		now := time.Now() | ||||
| 		t.buf.WriteString(now.Format("2006-01-02 15:04:05.000000")) | ||||
| 		t.buf.WriteByte('\t') | ||||
| 	} | ||||
|  | ||||
| 	t.buf.WriteByte(sender) | ||||
| 	t.buf.WriteByte('\t') | ||||
| 	t.buf.WriteString(msgType) | ||||
| 	t.buf.WriteByte('\t') | ||||
| 	t.buf.WriteString(strconv.FormatInt(int64(encodedLen), 10)) | ||||
|  | ||||
| 	if writeDetails != nil { | ||||
| 		writeDetails() | ||||
| 	} | ||||
|  | ||||
| 	t.buf.WriteByte('\n') | ||||
| 	t.buf.WriteTo(t.w) | ||||
| } | ||||
|  | ||||
| // traceDoubleQuotedString returns t.buf as a double-quoted string without any escaping. It is roughly equivalent to | ||||
| // pqTraceOutputString in libpq. | ||||
| func traceDoubleQuotedString(buf []byte) string { | ||||
| 	return `"` + string(buf) + `"` | ||||
| } | ||||
|  | ||||
| // traceSingleQuotedString returns buf as a single-quoted string with non-printable characters hex-escaped. It is | ||||
| // roughly equivalent to pqTraceOutputNchar in libpq. | ||||
| func traceSingleQuotedString(buf []byte) string { | ||||
| 	sb := &strings.Builder{} | ||||
|  | ||||
| 	sb.WriteByte('\'') | ||||
| 	for _, b := range buf { | ||||
| 		if b < 32 || b > 126 { | ||||
| 			fmt.Fprintf(sb, `\x%x`, b) | ||||
| 		} else { | ||||
| 			sb.WriteByte(b) | ||||
| 		} | ||||
| 	} | ||||
| 	sb.WriteByte('\'') | ||||
|  | ||||
| 	return sb.String() | ||||
| } | ||||
							
								
								
									
										460
									
								
								vendor/github.com/jackc/pgx/v5/pgtype/array.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										460
									
								
								vendor/github.com/jackc/pgx/v5/pgtype/array.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,460 @@ | ||||
| package pgtype | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"encoding/binary" | ||||
| 	"fmt" | ||||
| 	"io" | ||||
| 	"strconv" | ||||
| 	"strings" | ||||
| 	"unicode" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| // Information on the internals of PostgreSQL arrays can be found in | ||||
| // src/include/utils/array.h and src/backend/utils/adt/arrayfuncs.c. Of | ||||
| // particular interest is the array_send function. | ||||
|  | ||||
| type arrayHeader struct { | ||||
| 	ContainsNull bool | ||||
| 	ElementOID   uint32 | ||||
| 	Dimensions   []ArrayDimension | ||||
| } | ||||
|  | ||||
| type ArrayDimension struct { | ||||
| 	Length     int32 | ||||
| 	LowerBound int32 | ||||
| } | ||||
|  | ||||
| // cardinality returns the number of elements in an array of dimensions size. | ||||
| func cardinality(dimensions []ArrayDimension) int { | ||||
| 	if len(dimensions) == 0 { | ||||
| 		return 0 | ||||
| 	} | ||||
|  | ||||
| 	elementCount := int(dimensions[0].Length) | ||||
| 	for _, d := range dimensions[1:] { | ||||
| 		elementCount *= int(d.Length) | ||||
| 	} | ||||
|  | ||||
| 	return elementCount | ||||
| } | ||||
|  | ||||
| func (dst *arrayHeader) DecodeBinary(m *Map, src []byte) (int, error) { | ||||
| 	if len(src) < 12 { | ||||
| 		return 0, fmt.Errorf("array header too short: %d", len(src)) | ||||
| 	} | ||||
|  | ||||
| 	rp := 0 | ||||
|  | ||||
| 	numDims := int(binary.BigEndian.Uint32(src[rp:])) | ||||
| 	rp += 4 | ||||
|  | ||||
| 	dst.ContainsNull = binary.BigEndian.Uint32(src[rp:]) == 1 | ||||
| 	rp += 4 | ||||
|  | ||||
| 	dst.ElementOID = binary.BigEndian.Uint32(src[rp:]) | ||||
| 	rp += 4 | ||||
|  | ||||
| 	dst.Dimensions = make([]ArrayDimension, numDims) | ||||
| 	if len(src) < 12+numDims*8 { | ||||
| 		return 0, fmt.Errorf("array header too short for %d dimensions: %d", numDims, len(src)) | ||||
| 	} | ||||
| 	for i := range dst.Dimensions { | ||||
| 		dst.Dimensions[i].Length = int32(binary.BigEndian.Uint32(src[rp:])) | ||||
| 		rp += 4 | ||||
|  | ||||
| 		dst.Dimensions[i].LowerBound = int32(binary.BigEndian.Uint32(src[rp:])) | ||||
| 		rp += 4 | ||||
| 	} | ||||
|  | ||||
| 	return rp, nil | ||||
| } | ||||
|  | ||||
| func (src arrayHeader) EncodeBinary(buf []byte) []byte { | ||||
| 	buf = pgio.AppendInt32(buf, int32(len(src.Dimensions))) | ||||
|  | ||||
| 	var containsNull int32 | ||||
| 	if src.ContainsNull { | ||||
| 		containsNull = 1 | ||||
| 	} | ||||
| 	buf = pgio.AppendInt32(buf, containsNull) | ||||
|  | ||||
| 	buf = pgio.AppendUint32(buf, src.ElementOID) | ||||
|  | ||||
| 	for i := range src.Dimensions { | ||||
| 		buf = pgio.AppendInt32(buf, src.Dimensions[i].Length) | ||||
| 		buf = pgio.AppendInt32(buf, src.Dimensions[i].LowerBound) | ||||
| 	} | ||||
|  | ||||
| 	return buf | ||||
| } | ||||
|  | ||||
| type untypedTextArray struct { | ||||
| 	Elements   []string | ||||
| 	Quoted     []bool | ||||
| 	Dimensions []ArrayDimension | ||||
| } | ||||
|  | ||||
| func parseUntypedTextArray(src string) (*untypedTextArray, error) { | ||||
| 	dst := &untypedTextArray{ | ||||
| 		Elements:   []string{}, | ||||
| 		Quoted:     []bool{}, | ||||
| 		Dimensions: []ArrayDimension{}, | ||||
| 	} | ||||
|  | ||||
| 	buf := bytes.NewBufferString(src) | ||||
|  | ||||
| 	skipWhitespace(buf) | ||||
|  | ||||
| 	r, _, err := buf.ReadRune() | ||||
| 	if err != nil { | ||||
| 		return nil, fmt.Errorf("invalid array: %v", err) | ||||
| 	} | ||||
|  | ||||
| 	var explicitDimensions []ArrayDimension | ||||
|  | ||||
| 	// Array has explicit dimensions | ||||
| 	if r == '[' { | ||||
| 		buf.UnreadRune() | ||||
|  | ||||
| 		for { | ||||
| 			r, _, err = buf.ReadRune() | ||||
| 			if err != nil { | ||||
| 				return nil, fmt.Errorf("invalid array: %v", err) | ||||
| 			} | ||||
|  | ||||
| 			if r == '=' { | ||||
| 				break | ||||
| 			} else if r != '[' { | ||||
| 				return nil, fmt.Errorf("invalid array, expected '[' or '=' got %v", r) | ||||
| 			} | ||||
|  | ||||
| 			lower, err := arrayParseInteger(buf) | ||||
| 			if err != nil { | ||||
| 				return nil, fmt.Errorf("invalid array: %v", err) | ||||
| 			} | ||||
|  | ||||
| 			r, _, err = buf.ReadRune() | ||||
| 			if err != nil { | ||||
| 				return nil, fmt.Errorf("invalid array: %v", err) | ||||
| 			} | ||||
|  | ||||
| 			if r != ':' { | ||||
| 				return nil, fmt.Errorf("invalid array, expected ':' got %v", r) | ||||
| 			} | ||||
|  | ||||
| 			upper, err := arrayParseInteger(buf) | ||||
| 			if err != nil { | ||||
| 				return nil, fmt.Errorf("invalid array: %v", err) | ||||
| 			} | ||||
|  | ||||
| 			r, _, err = buf.ReadRune() | ||||
| 			if err != nil { | ||||
| 				return nil, fmt.Errorf("invalid array: %v", err) | ||||
| 			} | ||||
|  | ||||
| 			if r != ']' { | ||||
| 				return nil, fmt.Errorf("invalid array, expected ']' got %v", r) | ||||
| 			} | ||||
|  | ||||
| 			explicitDimensions = append(explicitDimensions, ArrayDimension{LowerBound: lower, Length: upper - lower + 1}) | ||||
| 		} | ||||
|  | ||||
| 		r, _, err = buf.ReadRune() | ||||
| 		if err != nil { | ||||
| 			return nil, fmt.Errorf("invalid array: %v", err) | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	if r != '{' { | ||||
| 		return nil, fmt.Errorf("invalid array, expected '{': %v", err) | ||||
| 	} | ||||
|  | ||||
| 	implicitDimensions := []ArrayDimension{{LowerBound: 1, Length: 0}} | ||||
|  | ||||
| 	// Consume all initial opening brackets. This provides number of dimensions. | ||||
| 	for { | ||||
| 		r, _, err = buf.ReadRune() | ||||
| 		if err != nil { | ||||
| 			return nil, fmt.Errorf("invalid array: %v", err) | ||||
| 		} | ||||
|  | ||||
| 		if r == '{' { | ||||
| 			implicitDimensions[len(implicitDimensions)-1].Length = 1 | ||||
| 			implicitDimensions = append(implicitDimensions, ArrayDimension{LowerBound: 1}) | ||||
| 		} else { | ||||
| 			buf.UnreadRune() | ||||
| 			break | ||||
| 		} | ||||
| 	} | ||||
| 	currentDim := len(implicitDimensions) - 1 | ||||
| 	counterDim := currentDim | ||||
|  | ||||
| 	for { | ||||
| 		r, _, err = buf.ReadRune() | ||||
| 		if err != nil { | ||||
| 			return nil, fmt.Errorf("invalid array: %v", err) | ||||
| 		} | ||||
|  | ||||
| 		switch r { | ||||
| 		case '{': | ||||
| 			if currentDim == counterDim { | ||||
| 				implicitDimensions[currentDim].Length++ | ||||
| 			} | ||||
| 			currentDim++ | ||||
| 		case ',': | ||||
| 		case '}': | ||||
| 			currentDim-- | ||||
| 			if currentDim < counterDim { | ||||
| 				counterDim = currentDim | ||||
| 			} | ||||
| 		default: | ||||
| 			buf.UnreadRune() | ||||
| 			value, quoted, err := arrayParseValue(buf) | ||||
| 			if err != nil { | ||||
| 				return nil, fmt.Errorf("invalid array value: %v", err) | ||||
| 			} | ||||
| 			if currentDim == counterDim { | ||||
| 				implicitDimensions[currentDim].Length++ | ||||
| 			} | ||||
| 			dst.Quoted = append(dst.Quoted, quoted) | ||||
| 			dst.Elements = append(dst.Elements, value) | ||||
| 		} | ||||
|  | ||||
| 		if currentDim < 0 { | ||||
| 			break | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	skipWhitespace(buf) | ||||
|  | ||||
| 	if buf.Len() > 0 { | ||||
| 		return nil, fmt.Errorf("unexpected trailing data: %v", buf.String()) | ||||
| 	} | ||||
|  | ||||
| 	if len(dst.Elements) == 0 { | ||||
| 	} else if len(explicitDimensions) > 0 { | ||||
| 		dst.Dimensions = explicitDimensions | ||||
| 	} else { | ||||
| 		dst.Dimensions = implicitDimensions | ||||
| 	} | ||||
|  | ||||
| 	return dst, nil | ||||
| } | ||||
|  | ||||
| func skipWhitespace(buf *bytes.Buffer) { | ||||
| 	var r rune | ||||
| 	var err error | ||||
| 	for r, _, _ = buf.ReadRune(); unicode.IsSpace(r); r, _, _ = buf.ReadRune() { | ||||
| 	} | ||||
|  | ||||
| 	if err != io.EOF { | ||||
| 		buf.UnreadRune() | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func arrayParseValue(buf *bytes.Buffer) (string, bool, error) { | ||||
| 	r, _, err := buf.ReadRune() | ||||
| 	if err != nil { | ||||
| 		return "", false, err | ||||
| 	} | ||||
| 	if r == '"' { | ||||
| 		return arrayParseQuotedValue(buf) | ||||
| 	} | ||||
| 	buf.UnreadRune() | ||||
|  | ||||
| 	s := &bytes.Buffer{} | ||||
|  | ||||
| 	for { | ||||
| 		r, _, err := buf.ReadRune() | ||||
| 		if err != nil { | ||||
| 			return "", false, err | ||||
| 		} | ||||
|  | ||||
| 		switch r { | ||||
| 		case ',', '}': | ||||
| 			buf.UnreadRune() | ||||
| 			return s.String(), false, nil | ||||
| 		} | ||||
|  | ||||
| 		s.WriteRune(r) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func arrayParseQuotedValue(buf *bytes.Buffer) (string, bool, error) { | ||||
| 	s := &bytes.Buffer{} | ||||
|  | ||||
| 	for { | ||||
| 		r, _, err := buf.ReadRune() | ||||
| 		if err != nil { | ||||
| 			return "", false, err | ||||
| 		} | ||||
|  | ||||
| 		switch r { | ||||
| 		case '\\': | ||||
| 			r, _, err = buf.ReadRune() | ||||
| 			if err != nil { | ||||
| 				return "", false, err | ||||
| 			} | ||||
| 		case '"': | ||||
| 			r, _, err = buf.ReadRune() | ||||
| 			if err != nil { | ||||
| 				return "", false, err | ||||
| 			} | ||||
| 			buf.UnreadRune() | ||||
| 			return s.String(), true, nil | ||||
| 		} | ||||
| 		s.WriteRune(r) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func arrayParseInteger(buf *bytes.Buffer) (int32, error) { | ||||
| 	s := &bytes.Buffer{} | ||||
|  | ||||
| 	for { | ||||
| 		r, _, err := buf.ReadRune() | ||||
| 		if err != nil { | ||||
| 			return 0, err | ||||
| 		} | ||||
|  | ||||
| 		if ('0' <= r && r <= '9') || r == '-' { | ||||
| 			s.WriteRune(r) | ||||
| 		} else { | ||||
| 			buf.UnreadRune() | ||||
| 			n, err := strconv.ParseInt(s.String(), 10, 32) | ||||
| 			if err != nil { | ||||
| 				return 0, err | ||||
| 			} | ||||
| 			return int32(n), nil | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func encodeTextArrayDimensions(buf []byte, dimensions []ArrayDimension) []byte { | ||||
| 	var customDimensions bool | ||||
| 	for _, dim := range dimensions { | ||||
| 		if dim.LowerBound != 1 { | ||||
| 			customDimensions = true | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	if !customDimensions { | ||||
| 		return buf | ||||
| 	} | ||||
|  | ||||
| 	for _, dim := range dimensions { | ||||
| 		buf = append(buf, '[') | ||||
| 		buf = append(buf, strconv.FormatInt(int64(dim.LowerBound), 10)...) | ||||
| 		buf = append(buf, ':') | ||||
| 		buf = append(buf, strconv.FormatInt(int64(dim.LowerBound+dim.Length-1), 10)...) | ||||
| 		buf = append(buf, ']') | ||||
| 	} | ||||
|  | ||||
| 	return append(buf, '=') | ||||
| } | ||||
|  | ||||
| var quoteArrayReplacer = strings.NewReplacer(`\`, `\\`, `"`, `\"`) | ||||
|  | ||||
| func quoteArrayElement(src string) string { | ||||
| 	return `"` + quoteArrayReplacer.Replace(src) + `"` | ||||
| } | ||||
|  | ||||
| func isSpace(ch byte) bool { | ||||
| 	// see array_isspace: | ||||
| 	// https://github.com/postgres/postgres/blob/master/src/backend/utils/adt/arrayfuncs.c | ||||
| 	return ch == ' ' || ch == '\t' || ch == '\n' || ch == '\r' || ch == '\v' || ch == '\f' | ||||
| } | ||||
|  | ||||
| func quoteArrayElementIfNeeded(src string) string { | ||||
| 	if src == "" || (len(src) == 4 && strings.EqualFold(src, "null")) || isSpace(src[0]) || isSpace(src[len(src)-1]) || strings.ContainsAny(src, `{},"\`) { | ||||
| 		return quoteArrayElement(src) | ||||
| 	} | ||||
| 	return src | ||||
| } | ||||
|  | ||||
| // Array represents a PostgreSQL array for T. It implements the ArrayGetter and ArraySetter interfaces. It preserves | ||||
| // PostgreSQL dimensions and custom lower bounds. Use FlatArray if these are not needed. | ||||
| type Array[T any] struct { | ||||
| 	Elements []T | ||||
| 	Dims     []ArrayDimension | ||||
| 	Valid    bool | ||||
| } | ||||
|  | ||||
| func (a Array[T]) Dimensions() []ArrayDimension { | ||||
| 	return a.Dims | ||||
| } | ||||
|  | ||||
| func (a Array[T]) Index(i int) any { | ||||
| 	return a.Elements[i] | ||||
| } | ||||
|  | ||||
| func (a Array[T]) IndexType() any { | ||||
| 	var el T | ||||
| 	return el | ||||
| } | ||||
|  | ||||
| func (a *Array[T]) SetDimensions(dimensions []ArrayDimension) error { | ||||
| 	if dimensions == nil { | ||||
| 		*a = Array[T]{} | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	elementCount := cardinality(dimensions) | ||||
| 	*a = Array[T]{ | ||||
| 		Elements: make([]T, elementCount), | ||||
| 		Dims:     dimensions, | ||||
| 		Valid:    true, | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func (a Array[T]) ScanIndex(i int) any { | ||||
| 	return &a.Elements[i] | ||||
| } | ||||
|  | ||||
| func (a Array[T]) ScanIndexType() any { | ||||
| 	return new(T) | ||||
| } | ||||
|  | ||||
| // FlatArray implements the ArrayGetter and ArraySetter interfaces for any slice of T. It ignores PostgreSQL dimensions | ||||
| // and custom lower bounds. Use Array to preserve these. | ||||
| type FlatArray[T any] []T | ||||
|  | ||||
| func (a FlatArray[T]) Dimensions() []ArrayDimension { | ||||
| 	if a == nil { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	return []ArrayDimension{{Length: int32(len(a)), LowerBound: 1}} | ||||
| } | ||||
|  | ||||
| func (a FlatArray[T]) Index(i int) any { | ||||
| 	return a[i] | ||||
| } | ||||
|  | ||||
| func (a FlatArray[T]) IndexType() any { | ||||
| 	var el T | ||||
| 	return el | ||||
| } | ||||
|  | ||||
| func (a *FlatArray[T]) SetDimensions(dimensions []ArrayDimension) error { | ||||
| 	if dimensions == nil { | ||||
| 		*a = nil | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	elementCount := cardinality(dimensions) | ||||
| 	*a = make(FlatArray[T], elementCount) | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func (a FlatArray[T]) ScanIndex(i int) any { | ||||
| 	return &a[i] | ||||
| } | ||||
|  | ||||
| func (a FlatArray[T]) ScanIndexType() any { | ||||
| 	return new(T) | ||||
| } | ||||
							
								
								
									
										406
									
								
								vendor/github.com/jackc/pgx/v5/pgtype/array_codec.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										406
									
								
								vendor/github.com/jackc/pgx/v5/pgtype/array_codec.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @@ -0,0 +1,406 @@ | ||||
| package pgtype | ||||
|  | ||||
| import ( | ||||
| 	"database/sql/driver" | ||||
| 	"encoding/binary" | ||||
| 	"fmt" | ||||
| 	"reflect" | ||||
|  | ||||
| 	"github.com/jackc/pgx/v5/internal/anynil" | ||||
| 	"github.com/jackc/pgx/v5/internal/pgio" | ||||
| ) | ||||
|  | ||||
| // ArrayGetter is a type that can be converted into a PostgreSQL array. | ||||
| type ArrayGetter interface { | ||||
| 	// Dimensions returns the array dimensions. If array is nil then nil is returned. | ||||
| 	Dimensions() []ArrayDimension | ||||
|  | ||||
| 	// Index returns the element at i. | ||||
| 	Index(i int) any | ||||
|  | ||||
| 	// IndexType returns a non-nil scan target of the type Index will return. This is used by ArrayCodec.PlanEncode. | ||||
| 	IndexType() any | ||||
| } | ||||
|  | ||||
| // ArraySetter is a type can be set from a PostgreSQL array. | ||||
| type ArraySetter interface { | ||||
| 	// SetDimensions prepares the value such that ScanIndex can be called for each element. This will remove any existing | ||||
| 	// elements. dimensions may be nil to indicate a NULL array. If unable to exactly preserve dimensions SetDimensions | ||||
| 	// may return an error or silently flatten the array dimensions. | ||||
| 	SetDimensions(dimensions []ArrayDimension) error | ||||
|  | ||||
| 	// ScanIndex returns a value usable as a scan target for i. SetDimensions must be called before ScanIndex. | ||||
| 	ScanIndex(i int) any | ||||
|  | ||||
| 	// ScanIndexType returns a non-nil scan target of the type ScanIndex will return. This is used by | ||||
| 	// ArrayCodec.PlanScan. | ||||
| 	ScanIndexType() any | ||||
| } | ||||
|  | ||||
| // ArrayCodec is a codec for any array type. | ||||
| type ArrayCodec struct { | ||||
| 	ElementType *Type | ||||
| } | ||||
|  | ||||
| func (c *ArrayCodec) FormatSupported(format int16) bool { | ||||
| 	return c.ElementType.Codec.FormatSupported(format) | ||||
| } | ||||
|  | ||||
| func (c *ArrayCodec) PreferredFormat() int16 { | ||||
| 	// The binary format should always be preferred for arrays if it is supported. Usually, this will happen automatically | ||||
| 	// because most types that support binary prefer it. However, text, json, and jsonb support binary but prefer the text | ||||
| 	// format. This is because it is simpler for jsonb and PostgreSQL can be significantly faster using the text format | ||||
| 	// for text-like data types than binary. However, arrays appear to always be faster in binary. | ||||
| 	// | ||||
| 	// https://www.postgresql.org/message-id/CAMovtNoHFod2jMAKQjjxv209PCTJx5Kc66anwWvX0mEiaXwgmA%40mail.gmail.com | ||||
| 	if c.ElementType.Codec.FormatSupported(BinaryFormatCode) { | ||||
| 		return BinaryFormatCode | ||||
| 	} | ||||
| 	return TextFormatCode | ||||
| } | ||||
|  | ||||
| func (c *ArrayCodec) PlanEncode(m *Map, oid uint32, format int16, value any) EncodePlan { | ||||
| 	arrayValuer, ok := value.(ArrayGetter) | ||||
| 	if !ok { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	elementType := arrayValuer.IndexType() | ||||
|  | ||||
| 	elementEncodePlan := m.PlanEncode(c.ElementType.OID, format, elementType) | ||||
| 	if elementEncodePlan == nil { | ||||
| 		if reflect.TypeOf(elementType) != nil { | ||||
| 			return nil | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	switch format { | ||||
| 	case BinaryFormatCode: | ||||
| 		return &encodePlanArrayCodecBinary{ac: c, m: m, oid: oid} | ||||
| 	case TextFormatCode: | ||||
| 		return &encodePlanArrayCodecText{ac: c, m: m, oid: oid} | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| type encodePlanArrayCodecText struct { | ||||
| 	ac  *ArrayCodec | ||||
| 	m   *Map | ||||
| 	oid uint32 | ||||
| } | ||||
|  | ||||
| func (p *encodePlanArrayCodecText) Encode(value any, buf []byte) (newBuf []byte, err error) { | ||||
| 	array := value.(ArrayGetter) | ||||
|  | ||||
| 	dimensions := array.Dimensions() | ||||
| 	if dimensions == nil { | ||||
| 		return nil, nil | ||||
| 	} | ||||
|  | ||||
| 	elementCount := cardinality(dimensions) | ||||
| 	if elementCount == 0 { | ||||
| 		return append(buf, '{', '}'), nil | ||||
| 	} | ||||
|  | ||||
| 	buf = encodeTextArrayDimensions(buf, dimensions) | ||||
|  | ||||
| 	// dimElemCounts is the multiples of elements that each array lies on. For | ||||
| 	// example, a single dimension array of length 4 would have a dimElemCounts of | ||||
| 	// [4]. A multi-dimensional array of lengths [3,5,2] would have a | ||||
| 	// dimElemCounts of [30,10,2]. This is used to simplify when to render a '{' | ||||
| 	// or '}'. | ||||
| 	dimElemCounts := make([]int, len(dimensions)) | ||||
| 	dimElemCounts[len(dimensions)-1] = int(dimensions[len(dimensions)-1].Length) | ||||
| 	for i := len(dimensions) - 2; i > -1; i-- { | ||||
| 		dimElemCounts[i] = int(dimensions[i].Length) * dimElemCounts[i+1] | ||||
| 	} | ||||
|  | ||||
| 	var encodePlan EncodePlan | ||||
| 	var lastElemType reflect.Type | ||||
| 	inElemBuf := make([]byte, 0, 32) | ||||
| 	for i := 0; i < elementCount; i++ { | ||||
| 		if i > 0 { | ||||
| 			buf = append(buf, ',') | ||||
| 		} | ||||
|  | ||||
| 		for _, dec := range dimElemCounts { | ||||
| 			if i%dec == 0 { | ||||
| 				buf = append(buf, '{') | ||||
| 			} | ||||
| 		} | ||||
|  | ||||
| 		elem := array.Index(i) | ||||
| 		var elemBuf []byte | ||||
| 		if elem != nil { | ||||
| 			elemType := reflect.TypeOf(elem) | ||||
| 			if lastElemType != elemType { | ||||
| 				lastElemType = elemType | ||||
| 				encodePlan = p.m.PlanEncode(p.ac.ElementType.OID, TextFormatCode, elem) | ||||
| 				if encodePlan == nil { | ||||
| 					return nil, fmt.Errorf("unable to encode %v", array.Index(i)) | ||||
| 				} | ||||
| 			} | ||||
| 			elemBuf, err = encodePlan.Encode(elem, inElemBuf) | ||||
| 			if err != nil { | ||||
| 				return nil, err | ||||
| 			} | ||||
| 		} | ||||
|  | ||||
| 		if elemBuf == nil { | ||||
| 			buf = append(buf, `NULL`...) | ||||
| 		} else { | ||||
| 			buf = append(buf, quoteArrayElementIfNeeded(string(elemBuf))...) | ||||
| 		} | ||||
|  | ||||
| 		for _, dec := range dimElemCounts { | ||||
| 			if (i+1)%dec == 0 { | ||||
| 				buf = append(buf, '}') | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	return buf, nil | ||||
| } | ||||
|  | ||||
| type encodePlanArrayCodecBinary struct { | ||||
| 	ac  *ArrayCodec | ||||
| 	m   *Map | ||||
| 	oid uint32 | ||||
| } | ||||
|  | ||||
| func (p *encodePlanArrayCodecBinary) Encode(value any, buf []byte) (newBuf []byte, err error) { | ||||
| 	array := value.(ArrayGetter) | ||||
|  | ||||
| 	dimensions := array.Dimensions() | ||||
| 	if dimensions == nil { | ||||
| 		return nil, nil | ||||
| 	} | ||||
|  | ||||
| 	arrayHeader := arrayHeader{ | ||||
| 		Dimensions: dimensions, | ||||
| 		ElementOID: p.ac.ElementType.OID, | ||||
| 	} | ||||
|  | ||||
| 	containsNullIndex := len(buf) + 4 | ||||
|  | ||||
| 	buf = arrayHeader.EncodeBinary(buf) | ||||
|  | ||||
| 	elementCount := cardinality(dimensions) | ||||
|  | ||||
| 	var encodePlan EncodePlan | ||||
| 	var lastElemType reflect.Type | ||||
| 	for i := 0; i < elementCount; i++ { | ||||
| 		sp := len(buf) | ||||
| 		buf = pgio.AppendInt32(buf, -1) | ||||
|  | ||||
| 		elem := array.Index(i) | ||||
| 		var elemBuf []byte | ||||
| 		if elem != nil { | ||||
| 			elemType := reflect.TypeOf(elem) | ||||
| 			if lastElemType != elemType { | ||||
| 				lastElemType = elemType | ||||
| 				encodePlan = p.m.PlanEncode(p.ac.ElementType.OID, BinaryFormatCode, elem) | ||||
| 				if encodePlan == nil { | ||||
| 					return nil, fmt.Errorf("unable to encode %v", array.Index(i)) | ||||
| 				} | ||||
| 			} | ||||
| 			elemBuf, err = encodePlan.Encode(elem, buf) | ||||
| 			if err != nil { | ||||
| 				return nil, err | ||||
| 			} | ||||
| 		} | ||||
|  | ||||
| 		if elemBuf == nil { | ||||
| 			pgio.SetInt32(buf[containsNullIndex:], 1) | ||||
| 		} else { | ||||
| 			buf = elemBuf | ||||
| 			pgio.SetInt32(buf[sp:], int32(len(buf[sp:])-4)) | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	return buf, nil | ||||
| } | ||||
|  | ||||
| func (c *ArrayCodec) PlanScan(m *Map, oid uint32, format int16, target any) ScanPlan { | ||||
| 	arrayScanner, ok := target.(ArraySetter) | ||||
| 	if !ok { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	// target / arrayScanner might be a pointer to a nil. If it is create one so we can call ScanIndexType to plan the | ||||
| 	// scan of the elements. | ||||
| 	if anynil.Is(target) { | ||||
| 		arrayScanner = reflect.New(reflect.TypeOf(target).Elem()).Interface().(ArraySetter) | ||||
| 	} | ||||
|  | ||||
| 	elementType := arrayScanner.ScanIndexType() | ||||
|  | ||||
| 	elementScanPlan := m.PlanScan(c.ElementType.OID, format, elementType) | ||||
| 	if _, ok := elementScanPlan.(*scanPlanFail); ok { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	return &scanPlanArrayCodec{ | ||||
| 		arrayCodec: c, | ||||
| 		m:          m, | ||||
| 		oid:        oid, | ||||
| 		formatCode: format, | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func (c *ArrayCodec) decodeBinary(m *Map, arrayOID uint32, src []byte, array ArraySetter) error { | ||||
| 	var arrayHeader arrayHeader | ||||
| 	rp, err := arrayHeader.DecodeBinary(m, src) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	err = array.SetDimensions(arrayHeader.Dimensions) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	elementCount := cardinality(arrayHeader.Dimensions) | ||||
| 	if elementCount == 0 { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	elementScanPlan := c.ElementType.Codec.PlanScan(m, c.ElementType.OID, BinaryFormatCode, array.ScanIndex(0)) | ||||
| 	if elementScanPlan == nil { | ||||
| 		elementScanPlan = m.PlanScan(c.ElementType.OID, BinaryFormatCode, array.ScanIndex(0)) | ||||
| 	} | ||||
|  | ||||
| 	for i := 0; i < elementCount; i++ { | ||||
| 		elem := array.ScanIndex(i) | ||||
| 		elemLen := int(int32(binary.BigEndian.Uint32(src[rp:]))) | ||||
| 		rp += 4 | ||||
| 		var elemSrc []byte | ||||
| 		if elemLen >= 0 { | ||||
| 			elemSrc = src[rp : rp+elemLen] | ||||
| 			rp += elemLen | ||||
| 		} | ||||
| 		err = elementScanPlan.Scan(elemSrc, elem) | ||||
| 		if err != nil { | ||||
| 			return fmt.Errorf("failed to scan array element %d: %w", i, err) | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func (c *ArrayCodec) decodeText(m *Map, arrayOID uint32, src []byte, array ArraySetter) error { | ||||
| 	uta, err := parseUntypedTextArray(string(src)) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	err = array.SetDimensions(uta.Dimensions) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	if len(uta.Elements) == 0 { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	elementScanPlan := c.ElementType.Codec.PlanScan(m, c.ElementType.OID, TextFormatCode, array.ScanIndex(0)) | ||||
| 	if elementScanPlan == nil { | ||||
| 		elementScanPlan = m.PlanScan(c.ElementType.OID, TextFormatCode, array.ScanIndex(0)) | ||||
| 	} | ||||
|  | ||||
| 	for i, s := range uta.Elements { | ||||
| 		elem := array.ScanIndex(i) | ||||
| 		var elemSrc []byte | ||||
| 		if s != "NULL" || uta.Quoted[i] { | ||||
| 			elemSrc = []byte(s) | ||||
| 		} | ||||
|  | ||||
| 		err = elementScanPlan.Scan(elemSrc, elem) | ||||
| 		if err != nil { | ||||
| 			return err | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| type scanPlanArrayCodec struct { | ||||
| 	arrayCodec      *ArrayCodec | ||||
| 	m               *Map | ||||
| 	oid             uint32 | ||||
| 	formatCode      int16 | ||||
| 	elementScanPlan ScanPlan | ||||
| } | ||||
|  | ||||
| func (spac *scanPlanArrayCodec) Scan(src []byte, dst any) error { | ||||
| 	c := spac.arrayCodec | ||||
| 	m := spac.m | ||||
| 	oid := spac.oid | ||||
| 	formatCode := spac.formatCode | ||||
|  | ||||
| 	array := dst.(ArraySetter) | ||||
|  | ||||
| 	if src == nil { | ||||
| 		return array.SetDimensions(nil) | ||||
| 	} | ||||
|  | ||||
| 	switch formatCode { | ||||
| 	case BinaryFormatCode: | ||||
| 		return c.decodeBinary(m, oid, src, array) | ||||
| 	case TextFormatCode: | ||||
| 		return c.decodeText(m, oid, src, array) | ||||
| 	default: | ||||
| 		return fmt.Errorf("unknown format code %d", formatCode) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func (c *ArrayCodec) DecodeDatabaseSQLValue(m *Map, oid uint32, format int16, src []byte) (driver.Value, error) { | ||||
| 	if src == nil { | ||||
| 		return nil, nil | ||||
| 	} | ||||
|  | ||||
| 	switch format { | ||||
| 	case TextFormatCode: | ||||
| 		return string(src), nil | ||||
| 	case BinaryFormatCode: | ||||
| 		buf := make([]byte, len(src)) | ||||
| 		copy(buf, src) | ||||
| 		return buf, nil | ||||
| 	default: | ||||
| 		return nil, fmt.Errorf("unknown format code %d", format) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func (c *ArrayCodec) DecodeValue(m *Map, oid uint32, format int16, src []byte) (any, error) { | ||||
| 	if src == nil { | ||||
| 		return nil, nil | ||||
| 	} | ||||
|  | ||||
| 	var slice []any | ||||
| 	err := m.PlanScan(oid, format, &slice).Scan(src, &slice) | ||||
| 	return slice, err | ||||
| } | ||||
|  | ||||
| func isRagged(slice reflect.Value) bool { | ||||
| 	if slice.Type().Elem().Kind() != reflect.Slice { | ||||
| 		return false | ||||
| 	} | ||||
|  | ||||
| 	sliceLen := slice.Len() | ||||
| 	innerLen := 0 | ||||
| 	for i := 0; i < sliceLen; i++ { | ||||
| 		if i == 0 { | ||||
| 			innerLen = slice.Index(i).Len() | ||||
| 		} else { | ||||
| 			if slice.Index(i).Len() != innerLen { | ||||
| 				return true | ||||
| 			} | ||||
| 		} | ||||
| 		if isRagged(slice.Index(i)) { | ||||
| 			return true | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	return false | ||||
| } | ||||
Some files were not shown because too many files have changed in this diff Show More
		Reference in New Issue
	
	Block a user