Skip to content
New issue

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

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

Already on GitHub? Sign in to your account

No warning on unsupported statements #621

Open
wants to merge 6 commits into
base: main
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
5 changes: 4 additions & 1 deletion .circleci/run_tests.sh
Original file line number Diff line number Diff line change
Expand Up @@ -10,7 +10,7 @@ set -o xtrace
# for inspection.
function start_pgcat() {
kill -s SIGINT $(pgrep pgcat) || true
RUST_LOG=${1} ./target/debug/pgcat .circleci/pgcat.toml &
./target/debug/pgcat .circleci/pgcat.toml --log-level ${1} &
Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Without this change, the log-level is not respected.

sleep 1
}

Expand All @@ -29,6 +29,9 @@ PGPASSWORD=sharding_user pgbench -h 127.0.0.1 -U sharding_user shard2 -i
LOG_LEVEL=error toxiproxy-server &
sleep 1

# Remove toxiproxy if it exists.
toxiproxy-cli delete postgres_replica || true
Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

It is needed for local development, if you're going to run the tests multiple times.


# Create a database at port 5433, forward it to Postgres
toxiproxy-cli create -l 127.0.0.1:5433 -u 127.0.0.1:5432 postgres_replica

Expand Down
50 changes: 34 additions & 16 deletions src/client.rs
Original file line number Diff line number Diff line change
Expand Up @@ -890,7 +890,7 @@ where

'Q' => {
if query_router.query_parser_enabled() {
match query_router.parse(&message) {
initial_parsed_ast = Some(match query_router.parse(&message) {
Ok(ast) => {
let plugin_result = query_router.execute_plugins(&ast).await;

Expand All @@ -910,15 +910,20 @@ where

let _ = query_router.infer(&ast);

initial_parsed_ast = Some(ast);
ast
}
Err(error) => {
warn!(
"Query parsing error: {} (client: {})",
error, client_identifier
);
if error != Error::UnsupportedStatement {
warn!(
"Query parsing error: {} (client: {})",
error, client_identifier
);
}
// Returning an empty vector shows the failed parse attempt and
// avoids another round of parse attempt below.
vec![]
}
}
})
}
}

Expand All @@ -940,10 +945,12 @@ where
let _ = query_router.infer(&ast);
}
Err(error) => {
warn!(
"Query parsing error: {} (client: {})",
error, client_identifier
);
if error != Error::UnsupportedStatement {
warn!(
"Query parsing error: {} (client: {})",
error, client_identifier
);
}
}
};
}
Expand Down Expand Up @@ -1273,14 +1280,25 @@ where
if query_router.query_parser_enabled() {
// We don't want to parse again if we already parsed it as the initial message
let ast = match initial_parsed_ast {
Some(_) => Some(initial_parsed_ast.take().unwrap()),
Some(_) => {
let parsed_ast = initial_parsed_ast.take().unwrap();
// if 'parsed_ast' is empty, it means that there was a failed
// attempt to parse the query as a custom command, earlier above.
if parsed_ast.is_empty() {
None
} else {
Some(parsed_ast)
}
}
None => match query_router.parse(&message) {
Ok(ast) => Some(ast),
Err(error) => {
warn!(
"Query parsing error: {} (client: {})",
error, client_identifier
);
if error != Error::UnsupportedStatement {
warn!(
"Query parsing error: {} (client: {})",
error, client_identifier
);
}
None
}
},
Expand Down
21 changes: 19 additions & 2 deletions src/query_router.rs
Original file line number Diff line number Diff line change
Expand Up @@ -338,6 +338,9 @@ impl QueryRouter {
Some((command, value))
}

const UNSUPPORTED_STATEMENTS_FOR_PARSING: [&'static str; 4] =
["COPY", "SET", "TRUNCATE", "VACUUM"];

pub fn parse(&self, message: &BytesMut) -> Result<Vec<Statement>, Error> {
let mut message_cursor = Cursor::new(message);

Expand Down Expand Up @@ -380,8 +383,22 @@ impl QueryRouter {
match Parser::parse_sql(&PostgreSqlDialect {}, &query) {
Ok(ast) => Ok(ast),
Err(err) => {
debug!("{}: {}", err, query);
Err(Error::QueryRouterParserError(err.to_string()))
let qry_upper = query.to_ascii_uppercase();

// Check for unsupported statements to avoid producing a warning.
// Note 1: this is not a complete list of unsupported statements.
// Note 2: we do not check for unsupported statements before going through the
// parser, as the plugin system might be able to handle them, once sqlparser
// is able to correctly parse these (rather valid) queries.
if Self::UNSUPPORTED_STATEMENTS_FOR_PARSING
.iter()
.any(|s| qry_upper.starts_with(s))
{
Err(Error::UnsupportedStatement)
} else {
debug!("{}: {}", err, query);
Err(Error::QueryRouterParserError(err.to_string()))
}
}
}
}
Expand Down
18 changes: 16 additions & 2 deletions tests/docker/run.sh
Original file line number Diff line number Diff line change
@@ -1,6 +1,18 @@
#!/bin/bash

rm -rf /app/target/ || true
set -e

CLEAN_BUILD=true

if [ $1 = "no-clean" ]; then
echo "INFO: clean build is NOT going to be performed."
CLEAN_BUILD=false
find /app/target/debug/deps -name *.gcda -exec rm {} \;
fi

if $CLEAN_BUILD ; then
rm -rf /app/target/ || true
fi
Comment on lines +3 to +15
Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

This helps if you want to run the tests multiple times, without waiting for a clean build. You'd just pass no-clean as an argument.

rm /app/*.profraw || true
rm /app/pgcat.profdata || true
rm -rf /app/cov || true
Expand All @@ -12,7 +24,9 @@ export RUSTFLAGS="-Zprofile -Ccodegen-units=1 -Copt-level=0 -Clink-dead-code -Co
export RUSTDOCFLAGS="-Cpanic=abort"

cd /app/
cargo clean
if $CLEAN_BUILD ; then
cargo clean
fi
cargo build
cargo test --tests

Expand Down
2 changes: 1 addition & 1 deletion tests/pgbench/simple.sql
Original file line number Diff line number Diff line change
Expand Up @@ -26,7 +26,7 @@ UPDATE pgbench_branches SET bbalance = bbalance + :delta WHERE bid = :bid;

INSERT INTO pgbench_history (tid, bid, aid, delta, mtime) VALUES (:tid, :bid, :aid, :delta, CURRENT_TIMESTAMP);

END;
COMMIT;
Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

END is not supported by sqlparser and leads to a pgcatWARN.


SET SHARDING KEY TO :aid;

Expand Down