2020-10-05 17:09:26 +00:00
|
|
|
package sql
|
|
|
|
|
|
|
|
import (
|
2020-10-21 17:00:41 +00:00
|
|
|
"context"
|
2020-10-05 17:09:26 +00:00
|
|
|
"database/sql"
|
2020-11-23 18:31:12 +00:00
|
|
|
"encoding/json"
|
2020-10-05 17:09:26 +00:00
|
|
|
"errors"
|
|
|
|
"fmt"
|
2023-10-19 10:19:10 +00:00
|
|
|
"strconv"
|
2020-10-05 17:09:26 +00:00
|
|
|
"strings"
|
|
|
|
|
2022-04-26 23:01:45 +00:00
|
|
|
"github.com/zitadel/logging"
|
2022-03-15 06:19:02 +00:00
|
|
|
|
2023-02-27 21:36:43 +00:00
|
|
|
"github.com/zitadel/zitadel/internal/api/call"
|
2023-08-22 12:49:02 +00:00
|
|
|
"github.com/zitadel/zitadel/internal/database"
|
2023-02-27 21:36:43 +00:00
|
|
|
"github.com/zitadel/zitadel/internal/database/dialect"
|
2022-04-26 23:01:45 +00:00
|
|
|
z_errors "github.com/zitadel/zitadel/internal/errors"
|
2023-10-19 10:19:10 +00:00
|
|
|
"github.com/zitadel/zitadel/internal/eventstore"
|
2022-04-26 23:01:45 +00:00
|
|
|
"github.com/zitadel/zitadel/internal/eventstore/repository"
|
2020-10-05 17:09:26 +00:00
|
|
|
)
|
|
|
|
|
2020-10-06 19:28:09 +00:00
|
|
|
type querier interface {
|
2023-10-19 10:19:10 +00:00
|
|
|
columnName(field repository.Field, useV1 bool) string
|
2020-10-05 17:09:26 +00:00
|
|
|
operation(repository.Operation) string
|
|
|
|
conditionFormat(repository.Operation) string
|
|
|
|
placeholder(query string) string
|
2023-10-19 10:19:10 +00:00
|
|
|
eventQuery(useV1 bool) string
|
|
|
|
maxSequenceQuery(useV1 bool) string
|
|
|
|
instanceIDsQuery(useV1 bool) string
|
2023-08-22 12:49:02 +00:00
|
|
|
db() *database.DB
|
2023-10-19 10:19:10 +00:00
|
|
|
orderByEventSequence(desc, useV1 bool) string
|
2023-02-27 21:36:43 +00:00
|
|
|
dialect.Database
|
2020-10-05 17:09:26 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
type scan func(dest ...interface{}) error
|
|
|
|
|
2023-08-22 12:49:02 +00:00
|
|
|
type tx struct {
|
|
|
|
*sql.Tx
|
|
|
|
}
|
|
|
|
|
|
|
|
func (t *tx) QueryContext(ctx context.Context, scan func(rows *sql.Rows) error, query string, args ...any) error {
|
|
|
|
rows, err := t.Tx.QueryContext(ctx, query, args...)
|
|
|
|
if err != nil {
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
defer func() {
|
|
|
|
closeErr := rows.Close()
|
|
|
|
logging.OnError(closeErr).Info("rows.Close failed")
|
|
|
|
}()
|
|
|
|
|
|
|
|
if err = scan(rows); err != nil {
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
return rows.Err()
|
|
|
|
}
|
|
|
|
|
2023-10-19 10:19:10 +00:00
|
|
|
func query(ctx context.Context, criteria querier, searchQuery *eventstore.SearchQueryBuilder, dest interface{}, useV1 bool) error {
|
|
|
|
q, err := repository.QueryFromBuilder(searchQuery)
|
|
|
|
if err != nil {
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
query, rowScanner := prepareColumns(criteria, q.Columns, useV1)
|
|
|
|
where, values := prepareConditions(criteria, q, useV1)
|
2020-10-05 17:09:26 +00:00
|
|
|
if where == "" || query == "" {
|
2021-07-06 11:55:57 +00:00
|
|
|
return z_errors.ThrowInvalidArgument(nil, "SQL-rWeBw", "invalid query factory")
|
2020-10-05 17:09:26 +00:00
|
|
|
}
|
2023-10-19 10:19:10 +00:00
|
|
|
if q.Tx == nil {
|
|
|
|
if travel := prepareTimeTravel(ctx, criteria, q.AllowTimeTravel); travel != "" {
|
2023-02-27 21:36:43 +00:00
|
|
|
query += travel
|
|
|
|
}
|
|
|
|
}
|
2020-10-05 17:09:26 +00:00
|
|
|
query += where
|
|
|
|
|
2023-10-19 10:19:10 +00:00
|
|
|
// instead of using the max function of the database (which doesn't work for postgres)
|
|
|
|
// we select the most recent row
|
|
|
|
if q.Columns == eventstore.ColumnsMaxSequence {
|
|
|
|
q.Limit = 1
|
|
|
|
q.Desc = true
|
|
|
|
}
|
|
|
|
|
|
|
|
switch q.Columns {
|
|
|
|
case eventstore.ColumnsEvent,
|
|
|
|
eventstore.ColumnsMaxSequence:
|
|
|
|
query += criteria.orderByEventSequence(q.Desc, useV1)
|
2020-10-05 17:09:26 +00:00
|
|
|
}
|
|
|
|
|
2023-10-19 10:19:10 +00:00
|
|
|
if q.Limit > 0 {
|
|
|
|
values = append(values, q.Limit)
|
2020-10-05 17:09:26 +00:00
|
|
|
query += " LIMIT ?"
|
|
|
|
}
|
|
|
|
|
|
|
|
query = criteria.placeholder(query)
|
|
|
|
|
2022-05-19 11:44:16 +00:00
|
|
|
var contextQuerier interface {
|
2023-08-22 12:49:02 +00:00
|
|
|
QueryContext(context.Context, func(rows *sql.Rows) error, string, ...interface{}) error
|
2022-05-19 11:44:16 +00:00
|
|
|
}
|
|
|
|
contextQuerier = criteria.db()
|
2023-10-19 10:19:10 +00:00
|
|
|
if q.Tx != nil {
|
|
|
|
contextQuerier = &tx{Tx: q.Tx}
|
2022-05-19 11:44:16 +00:00
|
|
|
}
|
|
|
|
|
2023-10-19 10:19:10 +00:00
|
|
|
err = contextQuerier.QueryContext(ctx,
|
2023-08-22 12:49:02 +00:00
|
|
|
func(rows *sql.Rows) error {
|
|
|
|
for rows.Next() {
|
|
|
|
err := rowScanner(rows.Scan, dest)
|
|
|
|
if err != nil {
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
}
|
|
|
|
return nil
|
|
|
|
}, query, values...)
|
2020-10-21 17:00:41 +00:00
|
|
|
if err != nil {
|
2022-03-15 06:19:02 +00:00
|
|
|
logging.New().WithError(err).Info("query failed")
|
feat: jobs for projection tables (#1730)
* job queue
* wg improvements
* start handler
* statement
* statements
* imporve handler
* improve statement
* statement in seperate file
* move handlers
* move query/old to query
* handler
* read models
* bulk works
* cleanup
* contrib
* rename readmodel to projection
* rename read_models schema to projections
* rename read_models schema to projections
* search query as func,
bulk iterates as long as new events
* add event sequence less query
* update checks for events between current sequence and sequence of first statement if it has previous sequence 0
* cleanup crdb projection
* refactor projection handler
* start with testing
* tests for handler
* remove todo
* refactor statement: remove table name,
add tests
* improve projection handler shutdown,
no savepoint if noop stmt,
tests for stmt handler
* tests
* start failed events
* seperate branch for contrib
* move statement constructors to crdb pkg
* correct import
* Subscribe for eventtypes (#1800)
* fix: is default (#1737)
* fix: use email as username on global org (#1738)
* fix: use email as username on global org
* Update user_human.go
* Update register_handler.go
* chore(deps): update docusaurus (#1739)
* chore: remove PAT and use GH Token (#1716)
* chore: remove PAT and use GH Token
* fix env
* fix env
* fix env
* md lint
* trigger ci
* change user
* fix GH bug
* replace login part
* chore: add GH Token to sem rel (#1746)
* chore: add GH Token to sem rel
* try branch
* add GH Token
* remove test branch again
* docs: changes acme to acme-caos (#1744)
* changes acme to acme-caos
* Apply suggestions from code review
Co-authored-by: Florian Forster <florian@caos.ch>
Co-authored-by: Maximilian Panne <maximilian.panne@gmail.com>
Co-authored-by: Florian Forster <florian@caos.ch>
* feat: add additional origins on applications (#1691)
* feat: add additional origins on applications
* app additional redirects
* chore(deps-dev): bump @angular/cli from 11.2.8 to 11.2.11 in /console (#1706)
* fix: show org with regex (#1688)
* fix: flag mapping (#1699)
* chore(deps-dev): bump @angular/cli from 11.2.8 to 11.2.11 in /console
Bumps [@angular/cli](https://github.com/angular/angular-cli) from 11.2.8 to 11.2.11.
- [Release notes](https://github.com/angular/angular-cli/releases)
- [Commits](https://github.com/angular/angular-cli/compare/v11.2.8...v11.2.11)
Signed-off-by: dependabot[bot] <support@github.com>
Co-authored-by: Max Peintner <max@caos.ch>
Co-authored-by: Silvan <silvan.reusser@gmail.com>
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
* chore(deps-dev): bump stylelint from 13.10.0 to 13.13.1 in /console (#1703)
* fix: show org with regex (#1688)
* fix: flag mapping (#1699)
* chore(deps-dev): bump stylelint from 13.10.0 to 13.13.1 in /console
Bumps [stylelint](https://github.com/stylelint/stylelint) from 13.10.0 to 13.13.1.
- [Release notes](https://github.com/stylelint/stylelint/releases)
- [Changelog](https://github.com/stylelint/stylelint/blob/master/CHANGELOG.md)
- [Commits](https://github.com/stylelint/stylelint/compare/13.10.0...13.13.1)
Signed-off-by: dependabot[bot] <support@github.com>
Co-authored-by: Max Peintner <max@caos.ch>
Co-authored-by: Silvan <silvan.reusser@gmail.com>
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
* chore(deps-dev): bump @types/node from 14.14.37 to 15.0.1 in /console (#1702)
* fix: show org with regex (#1688)
* fix: flag mapping (#1699)
* chore(deps-dev): bump @types/node from 14.14.37 to 15.0.1 in /console
Bumps [@types/node](https://github.com/DefinitelyTyped/DefinitelyTyped/tree/HEAD/types/node) from 14.14.37 to 15.0.1.
- [Release notes](https://github.com/DefinitelyTyped/DefinitelyTyped/releases)
- [Commits](https://github.com/DefinitelyTyped/DefinitelyTyped/commits/HEAD/types/node)
Signed-off-by: dependabot[bot] <support@github.com>
Co-authored-by: Max Peintner <max@caos.ch>
Co-authored-by: Silvan <silvan.reusser@gmail.com>
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
* chore(deps): bump ts-protoc-gen from 0.14.0 to 0.15.0 in /console (#1701)
* fix: show org with regex (#1688)
* fix: flag mapping (#1699)
* chore(deps): bump ts-protoc-gen from 0.14.0 to 0.15.0 in /console
Bumps [ts-protoc-gen](https://github.com/improbable-eng/ts-protoc-gen) from 0.14.0 to 0.15.0.
- [Release notes](https://github.com/improbable-eng/ts-protoc-gen/releases)
- [Changelog](https://github.com/improbable-eng/ts-protoc-gen/blob/master/CHANGELOG.md)
- [Commits](https://github.com/improbable-eng/ts-protoc-gen/compare/0.14.0...0.15.0)
Signed-off-by: dependabot[bot] <support@github.com>
Co-authored-by: Max Peintner <max@caos.ch>
Co-authored-by: Silvan <silvan.reusser@gmail.com>
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
* chore(deps-dev): bump @types/jasmine from 3.6.9 to 3.6.10 in /console (#1682)
Bumps [@types/jasmine](https://github.com/DefinitelyTyped/DefinitelyTyped/tree/HEAD/types/jasmine) from 3.6.9 to 3.6.10.
- [Release notes](https://github.com/DefinitelyTyped/DefinitelyTyped/releases)
- [Commits](https://github.com/DefinitelyTyped/DefinitelyTyped/commits/HEAD/types/jasmine)
Signed-off-by: dependabot[bot] <support@github.com>
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
* chore(deps): bump @types/google-protobuf in /console (#1681)
Bumps [@types/google-protobuf](https://github.com/DefinitelyTyped/DefinitelyTyped/tree/HEAD/types/google-protobuf) from 3.7.4 to 3.15.2.
- [Release notes](https://github.com/DefinitelyTyped/DefinitelyTyped/releases)
- [Commits](https://github.com/DefinitelyTyped/DefinitelyTyped/commits/HEAD/types/google-protobuf)
Signed-off-by: dependabot[bot] <support@github.com>
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
* chore(deps): bump grpc from 1.24.5 to 1.24.7 in /console (#1666)
Bumps [grpc](https://github.com/grpc/grpc-node) from 1.24.5 to 1.24.7.
- [Release notes](https://github.com/grpc/grpc-node/releases)
- [Commits](https://github.com/grpc/grpc-node/compare/grpc@1.24.5...grpc@1.24.7)
Signed-off-by: dependabot[bot] <support@github.com>
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
* lock
* chore(deps-dev): bump @angular/language-service from 11.2.9 to 11.2.12 in /console (#1704)
* fix: show org with regex (#1688)
* fix: flag mapping (#1699)
* chore(deps-dev): bump @angular/language-service in /console
Bumps [@angular/language-service](https://github.com/angular/angular/tree/HEAD/packages/language-service) from 11.2.9 to 11.2.12.
- [Release notes](https://github.com/angular/angular/releases)
- [Changelog](https://github.com/angular/angular/blob/master/CHANGELOG.md)
- [Commits](https://github.com/angular/angular/commits/11.2.12/packages/language-service)
Signed-off-by: dependabot[bot] <support@github.com>
Co-authored-by: Max Peintner <max@caos.ch>
Co-authored-by: Silvan <silvan.reusser@gmail.com>
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
* package lock
* downgrade grpc
* downgrade protobuf types
* revert npm packs 🥸
Co-authored-by: Max Peintner <max@caos.ch>
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
Co-authored-by: Silvan <silvan.reusser@gmail.com>
* docs: update run and start section texts (#1745)
* update run and start section texts
* adds showcase
Co-authored-by: Maximilian Panne <maximilian.panne@gmail.com>
* fix: additional origin list (#1753)
* fix: handle api configs in authz handler (#1755)
* fix(console): add model for api keys, fix toast, binding (#1757)
* fix: add model for api keys, fix toast, binding
* show api clientid
* fix: missing patchvalue (#1758)
* feat: refresh token (#1728)
* begin refresh tokens
* refresh tokens
* list and revoke refresh tokens
* handle remove
* tests for refresh tokens
* uniqueness and default expiration
* rename oidc token methods
* cleanup
* migration version
* Update internal/static/i18n/en.yaml
Co-authored-by: Fabi <38692350+fgerschwiler@users.noreply.github.com>
* fixes
* feat: update oidc pkg for refresh tokens
Co-authored-by: Fabi <38692350+fgerschwiler@users.noreply.github.com>
* fix: correct json name of clientId in key.json (#1760)
* fix: migration version (#1767)
* start subscription
* eventtypes
* fix(login): links (#1778)
* fix(login): href for help
* fix(login): correct link to tos
* fix: access tokens for service users and refresh token infos (#1779)
* fix: access token for service user
* handle info from refresh request
* uniqueness
* postpone access token uniqueness change
* chore(coc): recommend code of conduct (#1782)
* subscribe for events
* feat(console): refresh toggle out of granttype context (#1785)
* refresh toggle
* disable if not code flow, lint
* lint
* fix: change oidc config order
* accept refresh option within flow
Co-authored-by: Livio Amstutz <livio.a@gmail.com>
* fix: refresh token activation (#1795)
* fix: oidc grant type check
* docs: add offline_access scope
* docs: update refresh token status in supported grant types
* fix: update oidc pkg
* fix: check refresh token grant type (#1796)
* configuration structs
* org admins
* failed events
* fixes
Co-authored-by: Max Peintner <max@caos.ch>
Co-authored-by: Livio Amstutz <livio.a@gmail.com>
Co-authored-by: Florian Forster <florian@caos.ch>
Co-authored-by: mffap <mpa@caos.ch>
Co-authored-by: Maximilian Panne <maximilian.panne@gmail.com>
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
Co-authored-by: Fabi <38692350+fgerschwiler@users.noreply.github.com>
* remove comment
* aggregate reducer
* remove eventtypes
* add protoc-get-validate to mod
* fix transaltion
* upsert
* add gender on org admins,
allow to retry failed stmts after configurable time
* remove if
* sub queries
* fix: tests
* add builder to tests
* new search query
* rename searchquerybuilder to builder
* remove comment from code
* test with multiple queries
* add filters test
* current sequences
* make org and org_admins work again
* add aggregate type to current sequence
* fix(contibute): listing
* add validate module
* fix: search queries
* feat(eventstore): previous aggregate root sequence (#1810)
* feat(eventstore): previous aggregate root sequence
* fix tests
* fix: eventstore v1 test
* add col to all mocked rows
* next try
* fix mig
* rename aggregate root to aggregate type
* update comment
Co-authored-by: Livio Amstutz <livio.a@gmail.com>
Co-authored-by: Livio Amstutz <livio.a@gmail.com>
* small refactorings
* allow update multiple current sequences
* unique log id
* fix migrations
* rename org admin to org owner
* improve error handling and logging
* fix(migration): optimize prev agg root seq
* fix: projection handler test
* fix: sub queries
* small fixes
* additional event types
* correct org owner projection
* fix primary key
* feat(eventstore): jobs for projections (#2026)
* fix: template names in login (#1974)
* fix: template names in login
* fix: error.html
* fix: check for features on mgmt only (#1976)
* fix: add sentry in ui, http and projection handlers (#1977)
* fix: add sentry in ui, http and projection handlers
* fix test
* fix(eventstore): sub queries (#1805)
* sub queries
* fix: tests
* add builder to tests
* new search query
* rename searchquerybuilder to builder
* remove comment from code
* test with multiple queries
* add filters test
* fix(contibute): listing
* add validate module
* fix: search queries
* remove unused event type in query
* ignore query if error in marshal
* go mod tidy
* update privacy policy query
* update queries
Co-authored-by: Livio Amstutz <livio.a@gmail.com>
* feat: Extend oidc idp with oauth endpoints (#1980)
* feat: add oauth attributes to oidc idp configuration
* feat: return idpconfig id on create idp
* feat: tests
* feat: descriptions
* feat: docs
* feat: tests
* docs: update to beta 3 (#1984)
* fix: role assertion (#1986)
* fix: enum to display access token role assertion
* improve assertion descriptions
* fix nil pointer
* docs: eventstore (#1982)
* docs: eventstore
* Apply suggestions from code review
Co-authored-by: Florian Forster <florian@caos.ch>
Co-authored-by: Florian Forster <florian@caos.ch>
* fix(sentry): trigger sentry release (#1989)
* feat(send sentry release): send sentry release
* fix(moved step and added releasetag): moved step and added releasetag
* fix: set version for sentry release (#1990)
* feat(send sentry release): send sentry release
* fix(moved step and added releasetag): moved step and added releasetag
* fix(corrected var name): corrected var name
Co-authored-by: Livio Amstutz <livio.a@gmail.com>
* fix: log error reason on terminate session (#1973)
* fix: return default language file, if requested lang does not exist for default login texts (#1988)
* fix: return default language file, if requested lang doesnt exists
* feat: read default translation file
* feat: docs
* fix: race condition in auth request unmarshalling (#1993)
* feat: handle ui_locales in login (#1994)
* fix: handle ui_locales in login
* move supportedlanguage func into i18n package
* update oidc pkg
* fix: handle closed channels on unsubscribe (#1995)
* fix: give restore more time (#1997)
* fix: translation file read (#2009)
* feat: translation file read
* feat: readme
* fix: enable idp add button for iam users (#2010)
* fix: filter event_data (#2011)
* feat: Custom message files (#1992)
* feat: add get custom message text to admin api
* feat: read custom message texts from files
* feat: get languages in apis
* feat: get languages in apis
* feat: get languages in apis
* feat: pr feedback
* feat: docs
* feat: merge main
* fix: sms notification (#2013)
* fix: phone verifications
* feat: fix password reset as sms
* fix: phone verification
* fix: grpc status in sentry and validation interceptors (#2012)
* fix: remove oauth endpoints from oidc config proto (#2014)
* try with view
* fix(console): disable sw (#2021)
* fix: disable sw
* angular.json disable sw
* project projections
* fix typos
* customize projections
* customizable projections,
add change date to projects
Co-authored-by: Livio Amstutz <livio.a@gmail.com>
Co-authored-by: Max Peintner <max@caos.ch>
Co-authored-by: Fabi <38692350+fgerschwiler@users.noreply.github.com>
Co-authored-by: Florian Forster <florian@caos.ch>
Co-authored-by: mffap <mpa@caos.ch>
Co-authored-by: Christian Jakob <47860090+thesephirot@users.noreply.github.com>
Co-authored-by: Elio Bischof <eliobischof@gmail.com>
* env file
* typo
* correct users
* correct migration
* fix: merge fail
* fix test
* fix(tests): unordered matcher
* improve currentSequenceMatcher
* correct certs
* correct certs
* add zitadel database on database list
* refctor switch in match
* enable all handlers
* Delete io.env
* cleanup
* add handlers
* rename view to projection
* rename view to projection
* fix type typo
* remove unnecessary logs
* refactor stmts
* simplify interval calculation
* fix tests
* fix unlock test
* fix migration
* migs
* fix(operator): update cockroach and flyway versions (#2138)
* chore(deps): bump k8s.io/apiextensions-apiserver from 0.19.2 to 0.21.3
Bumps [k8s.io/apiextensions-apiserver](https://github.com/kubernetes/apiextensions-apiserver) from 0.19.2 to 0.21.3.
- [Release notes](https://github.com/kubernetes/apiextensions-apiserver/releases)
- [Commits](https://github.com/kubernetes/apiextensions-apiserver/compare/v0.19.2...v0.21.3)
---
updated-dependencies:
- dependency-name: k8s.io/apiextensions-apiserver
dependency-type: direct:production
update-type: version-update:semver-minor
...
Signed-off-by: dependabot[bot] <support@github.com>
* chore(deps): bump google.golang.org/api from 0.34.0 to 0.52.0
Bumps [google.golang.org/api](https://github.com/googleapis/google-api-go-client) from 0.34.0 to 0.52.0.
- [Release notes](https://github.com/googleapis/google-api-go-client/releases)
- [Changelog](https://github.com/googleapis/google-api-go-client/blob/master/CHANGES.md)
- [Commits](https://github.com/googleapis/google-api-go-client/compare/v0.34.0...v0.52.0)
---
updated-dependencies:
- dependency-name: google.golang.org/api
dependency-type: direct:production
update-type: version-update:semver-minor
...
Signed-off-by: dependabot[bot] <support@github.com>
* start update dependencies
* update mods and otlp
* fix(build): update to go 1.16
* old version for k8s mods
* update k8s versions
* update orbos
* fix(operator): update cockroach and flyway version
* Update images.go
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
Co-authored-by: Stefan Benz <stefan@caos.ch>
* fix import
* fix typo
* fix(migration): add org projection
* fix(projection): correct table for org events in org owners
* better insert stmt
* fix typo
* fix typo
* set max connection lifetime
* set max conns and conn lifetime in eventstore v1
* configure sql connection settings
* add mig for agg type index
* fix replace tab in yaml
* check requeue at least 500ms
* split column in column and condition
* remove useless comment
* mig versions
* fix migs
Co-authored-by: Max Peintner <max@caos.ch>
Co-authored-by: Livio Amstutz <livio.a@gmail.com>
Co-authored-by: Florian Forster <florian@caos.ch>
Co-authored-by: mffap <mpa@caos.ch>
Co-authored-by: Maximilian Panne <maximilian.panne@gmail.com>
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
Co-authored-by: Fabi <38692350+fgerschwiler@users.noreply.github.com>
Co-authored-by: Christian Jakob <47860090+thesephirot@users.noreply.github.com>
Co-authored-by: Elio Bischof <eliobischof@gmail.com>
Co-authored-by: Stefan Benz <stefan@caos.ch>
2021-08-19 06:31:56 +00:00
|
|
|
return z_errors.ThrowInternal(err, "SQL-KyeAx", "unable to filter events")
|
2020-10-21 17:00:41 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
return nil
|
2020-10-05 17:09:26 +00:00
|
|
|
}
|
|
|
|
|
2023-10-19 10:19:10 +00:00
|
|
|
func prepareColumns(criteria querier, columns eventstore.Columns, useV1 bool) (string, func(s scan, dest interface{}) error) {
|
2020-10-05 17:09:26 +00:00
|
|
|
switch columns {
|
2023-10-19 10:19:10 +00:00
|
|
|
case eventstore.ColumnsMaxSequence:
|
|
|
|
return criteria.maxSequenceQuery(useV1), maxSequenceScanner
|
|
|
|
case eventstore.ColumnsInstanceIDs:
|
|
|
|
return criteria.instanceIDsQuery(useV1), instanceIDsScanner
|
|
|
|
case eventstore.ColumnsEvent:
|
|
|
|
return criteria.eventQuery(useV1), eventsScanner(useV1)
|
2020-10-05 17:09:26 +00:00
|
|
|
default:
|
|
|
|
return "", nil
|
|
|
|
}
|
|
|
|
}
|
2023-02-27 21:36:43 +00:00
|
|
|
|
|
|
|
func prepareTimeTravel(ctx context.Context, criteria querier, allow bool) string {
|
|
|
|
if !allow {
|
|
|
|
return ""
|
|
|
|
}
|
|
|
|
took := call.Took(ctx)
|
|
|
|
return criteria.Timetravel(took)
|
|
|
|
}
|
2020-10-05 17:09:26 +00:00
|
|
|
|
2020-10-05 18:39:36 +00:00
|
|
|
func maxSequenceScanner(row scan, dest interface{}) (err error) {
|
2023-10-19 10:19:10 +00:00
|
|
|
position, ok := dest.(*sql.NullFloat64)
|
2020-10-05 17:09:26 +00:00
|
|
|
if !ok {
|
2023-10-19 10:19:10 +00:00
|
|
|
return z_errors.ThrowInvalidArgumentf(nil, "SQL-NBjA9", "type must be sql.NullInt64 got: %T", dest)
|
2020-10-05 17:09:26 +00:00
|
|
|
}
|
2023-10-19 10:19:10 +00:00
|
|
|
err = row(position)
|
2020-10-05 17:09:26 +00:00
|
|
|
if err == nil || errors.Is(err, sql.ErrNoRows) {
|
|
|
|
return nil
|
|
|
|
}
|
|
|
|
return z_errors.ThrowInternal(err, "SQL-bN5xg", "something went wrong")
|
|
|
|
}
|
|
|
|
|
2022-07-22 10:08:39 +00:00
|
|
|
func instanceIDsScanner(scanner scan, dest interface{}) (err error) {
|
|
|
|
ids, ok := dest.(*[]string)
|
|
|
|
if !ok {
|
|
|
|
return z_errors.ThrowInvalidArgument(nil, "SQL-Begh2", "type must be an array of string")
|
|
|
|
}
|
|
|
|
var id string
|
|
|
|
err = scanner(&id)
|
|
|
|
if err != nil {
|
|
|
|
logging.WithError(err).Warn("unable to scan row")
|
|
|
|
return z_errors.ThrowInternal(err, "SQL-DEFGe", "unable to scan row")
|
|
|
|
}
|
|
|
|
*ids = append(*ids, id)
|
|
|
|
|
|
|
|
return nil
|
|
|
|
}
|
|
|
|
|
2023-10-19 10:19:10 +00:00
|
|
|
func eventsScanner(useV1 bool) func(scanner scan, dest interface{}) (err error) {
|
|
|
|
return func(scanner scan, dest interface{}) (err error) {
|
2023-10-19 15:21:31 +00:00
|
|
|
reduce, ok := dest.(eventstore.Reducer)
|
2023-10-19 10:19:10 +00:00
|
|
|
if !ok {
|
2023-10-19 15:21:31 +00:00
|
|
|
return z_errors.ThrowInvalidArgumentf(nil, "SQL-4GP6F", "events scanner: invalid type %T", dest)
|
2023-10-19 10:19:10 +00:00
|
|
|
}
|
|
|
|
event := new(repository.Event)
|
|
|
|
position := new(sql.NullFloat64)
|
|
|
|
|
|
|
|
if useV1 {
|
|
|
|
err = scanner(
|
|
|
|
&event.CreationDate,
|
|
|
|
&event.Typ,
|
|
|
|
&event.Seq,
|
2023-10-19 15:21:31 +00:00
|
|
|
&event.Data,
|
2023-10-19 10:19:10 +00:00
|
|
|
&event.EditorUser,
|
|
|
|
&event.ResourceOwner,
|
|
|
|
&event.InstanceID,
|
|
|
|
&event.AggregateType,
|
|
|
|
&event.AggregateID,
|
|
|
|
&event.Version,
|
|
|
|
)
|
|
|
|
} else {
|
|
|
|
var revision uint8
|
|
|
|
err = scanner(
|
|
|
|
&event.CreationDate,
|
|
|
|
&event.Typ,
|
|
|
|
&event.Seq,
|
|
|
|
position,
|
2023-10-19 15:21:31 +00:00
|
|
|
&event.Data,
|
2023-10-19 10:19:10 +00:00
|
|
|
&event.EditorUser,
|
|
|
|
&event.ResourceOwner,
|
|
|
|
&event.InstanceID,
|
|
|
|
&event.AggregateType,
|
|
|
|
&event.AggregateID,
|
|
|
|
&revision,
|
|
|
|
)
|
|
|
|
event.Version = eventstore.Version("v" + strconv.Itoa(int(revision)))
|
|
|
|
}
|
2020-10-05 17:09:26 +00:00
|
|
|
|
2023-10-19 10:19:10 +00:00
|
|
|
if err != nil {
|
|
|
|
logging.New().WithError(err).Warn("unable to scan row")
|
|
|
|
return z_errors.ThrowInternal(err, "SQL-M0dsf", "unable to scan row")
|
|
|
|
}
|
|
|
|
event.Pos = position.Float64
|
2023-10-19 15:21:31 +00:00
|
|
|
return reduce(event)
|
2023-10-19 10:19:10 +00:00
|
|
|
}
|
2020-10-05 17:09:26 +00:00
|
|
|
}
|
|
|
|
|
2023-10-19 10:19:10 +00:00
|
|
|
func prepareConditions(criteria querier, query *repository.SearchQuery, useV1 bool) (string, []any) {
|
|
|
|
clauses, args := prepareQuery(criteria, useV1, query.InstanceID, query.ExcludedInstances)
|
|
|
|
if clauses != "" && len(query.SubQueries) > 0 {
|
|
|
|
clauses += " AND "
|
|
|
|
}
|
|
|
|
subClauses := make([]string, len(query.SubQueries))
|
|
|
|
for i, filters := range query.SubQueries {
|
|
|
|
var subArgs []any
|
|
|
|
subClauses[i], subArgs = prepareQuery(criteria, useV1, filters...)
|
|
|
|
// an error is thrown in [query]
|
|
|
|
if subClauses[i] == "" {
|
|
|
|
return "", nil
|
|
|
|
}
|
|
|
|
if len(query.SubQueries) > 1 && len(subArgs) > 1 {
|
|
|
|
subClauses[i] = "(" + subClauses[i] + ")"
|
|
|
|
}
|
|
|
|
args = append(args, subArgs...)
|
|
|
|
}
|
|
|
|
if len(subClauses) == 1 {
|
|
|
|
clauses += subClauses[0]
|
|
|
|
} else if len(subClauses) > 1 {
|
|
|
|
clauses += "(" + strings.Join(subClauses, " OR ") + ")"
|
|
|
|
}
|
|
|
|
|
|
|
|
additionalClauses, additionalArgs := prepareQuery(criteria, useV1, query.Position, query.Owner, query.Sequence, query.CreatedAt, query.Creator)
|
|
|
|
if additionalClauses != "" {
|
|
|
|
if clauses != "" {
|
|
|
|
clauses += " AND "
|
|
|
|
}
|
|
|
|
clauses += additionalClauses
|
|
|
|
args = append(args, additionalArgs...)
|
|
|
|
}
|
2020-10-05 17:09:26 +00:00
|
|
|
|
2023-10-19 10:19:10 +00:00
|
|
|
if query.AwaitOpenTransactions {
|
|
|
|
clauses += awaitOpenTransactions(useV1)
|
2020-10-05 17:09:26 +00:00
|
|
|
}
|
|
|
|
|
2023-10-19 10:19:10 +00:00
|
|
|
if clauses == "" {
|
|
|
|
return "", nil
|
|
|
|
}
|
|
|
|
|
|
|
|
return " WHERE " + clauses, args
|
|
|
|
}
|
2021-07-06 11:55:57 +00:00
|
|
|
|
2023-10-19 10:19:10 +00:00
|
|
|
func prepareQuery(criteria querier, useV1 bool, filters ...*repository.Filter) (_ string, args []any) {
|
|
|
|
clauses := make([]string, 0, len(filters))
|
|
|
|
args = make([]any, 0, len(filters))
|
|
|
|
for _, filter := range filters {
|
|
|
|
if filter == nil {
|
|
|
|
continue
|
|
|
|
}
|
|
|
|
arg := filter.Value
|
|
|
|
|
|
|
|
// marshal if payload filter
|
|
|
|
if filter.Field == repository.FieldEventData {
|
|
|
|
var err error
|
|
|
|
arg, err = json.Marshal(arg)
|
|
|
|
if err != nil {
|
|
|
|
logging.WithError(err).Warn("unable to marshal search value")
|
|
|
|
continue
|
2021-07-06 11:55:57 +00:00
|
|
|
}
|
2023-10-19 10:19:10 +00:00
|
|
|
|
|
|
|
}
|
|
|
|
|
|
|
|
clauses = append(clauses, getCondition(criteria, filter, useV1))
|
|
|
|
// if mapping failed an error is thrown in [query]
|
|
|
|
if clauses[len(clauses)-1] == "" {
|
|
|
|
return "", nil
|
2020-10-05 17:09:26 +00:00
|
|
|
}
|
2023-10-19 10:19:10 +00:00
|
|
|
args = append(args, arg)
|
2020-10-05 17:09:26 +00:00
|
|
|
}
|
2023-10-19 10:19:10 +00:00
|
|
|
|
|
|
|
return strings.Join(clauses, " AND "), args
|
2020-10-05 17:09:26 +00:00
|
|
|
}
|
|
|
|
|
2023-10-19 10:19:10 +00:00
|
|
|
func getCondition(cond querier, filter *repository.Filter, useV1 bool) (condition string) {
|
|
|
|
field := cond.columnName(filter.Field, useV1)
|
2020-10-05 18:39:36 +00:00
|
|
|
operation := cond.operation(filter.Operation)
|
2020-10-05 17:09:26 +00:00
|
|
|
if field == "" || operation == "" {
|
|
|
|
return ""
|
|
|
|
}
|
2020-10-05 18:39:36 +00:00
|
|
|
format := cond.conditionFormat(filter.Operation)
|
2020-10-05 17:09:26 +00:00
|
|
|
|
|
|
|
return fmt.Sprintf(format, field, operation)
|
|
|
|
}
|