SlideShare ist ein Scribd-Unternehmen logo
1 von 61
© 2016 NetCracker Technology Corporation Confidential
PostgreSQL and JDBC: striving for top performance
Vladimir Sitnikov
PgConf 2016
2© 2016 NetCracker Technology Corporation Confidential
About me
• Vladimir Sitnikov, @VladimirSitnikv
• Performance architect at NetCracker
• 10 years of experience with Java/SQL
• PgJDBC committer
3© 2016 NetCracker Technology Corporation Confidential
Explain (analyze, buffers) PostgreSQL and JDBC
•Data fetch
•Data upload
•Performance
•Pitfalls
4© 2016 NetCracker Technology Corporation Confidential
Intro
Fetch of a single row via primary key lookup takes
20ms. Localhost. Database is fully cached
A. Just fine C. Kidding? Aim is 1ms!
B. It should be 1sec D. 100us
5© 2016 NetCracker Technology Corporation Confidential
Lots of small queries is a problem
Suppose a single query takes 10ms, then 100 of
them would take a whole second *
* Your Captain
6© 2016 NetCracker Technology Corporation Confidential
PostgreSQL frontend-backend protocol
•Simple query
• 'Q' + length + query_text
•Extended query
•Parse, Bind, Execute commands
7© 2016 NetCracker Technology Corporation Confidential
PostgreSQL frontend-backend protocol
Super extended query
https://github.com/pgjdbc/pgjdbc/pull/478
backend protocol wanted features
8© 2016 NetCracker Technology Corporation Confidential
PostgreSQL frontend-backend protocol
Simple query
•Works well for one-time queries
•Does not support binary transfer
9© 2016 NetCracker Technology Corporation Confidential
PostgreSQL frontend-backend protocol
Extended query
•Eliminates planning time
•Supports binary transfer
10© 2016 NetCracker Technology Corporation Confidential
PreparedStatement
Connection con = ...;
PreparedStatement ps =
con.prepareStatement("SELECT...");
...
ps.close();
11© 2016 NetCracker Technology Corporation Confidential
PreparedStatement
Connection con = ...;
PreparedStatement ps =
con.prepareStatement("SELECT...");
...
ps.close();
12© 2016 NetCracker Technology Corporation Confidential
Smoker’s approach to PostgreSQL
PARSE S_1 as ...; // con.prepareStmt
BIND/EXEC
DEALLOCATE // ps.close()
PARSE S_2 as ...;
BIND/EXEC
DEALLOCATE // ps.close()
13© 2016 NetCracker Technology Corporation Confidential
Healthy approach to PostgreSQL
PARSE S_1 as ...;
BIND/EXEC
BIND/EXEC
BIND/EXEC
BIND/EXEC
BIND/EXEC
...
DEALLOCATE
14© 2016 NetCracker Technology Corporation Confidential
Healthy approach to PostgreSQL
PARSE S_1 as ...;  1 once in a life
BIND/EXEC  REST call
BIND/EXEC
BIND/EXEC  one more REST call
BIND/EXEC
BIND/EXEC
...
DEALLOCATE  “never” is the best
15© 2016 NetCracker Technology Corporation Confidential
Happiness closes no statements
Conclusion №1: in order to get top performance,
you should not close statements
ps = con.prepareStatement(...)
ps.execueQuery();
ps = con.prepareStatement(...)
ps.execueQuery();
...
16© 2016 NetCracker Technology Corporation Confidential
Happiness closes no statements
Conclusion №1: in order to get top performance,
you should not close statements
ps = con.prepare...
ps.execueQuery();
ps = con.prepare...
ps.execueQuery();
...
17© 2016 NetCracker Technology Corporation Confidential
Unclosed statements in practice
@Benchmark
public Statement leakStatement() {
return con.createStatement();
}
pgjdbc < 9.4.1202, -Xmx128m, OracleJDK 1.8u40
# Warmup Iteration 1: 1147,070 ns/op
# Warmup Iteration 2: 12101,537 ns/op
# Warmup Iteration 3: 90825,971 ns/op
# Warmup Iteration 4: <failure>
java.lang.OutOfMemoryError: GC overhead limit
exceeded
18© 2016 NetCracker Technology Corporation Confidential
Unclosed statements in practice
@Benchmark
public Statement leakStatement() {
return con.createStatement();
}
pgjdbc >= 9.4.1202, -Xmx128m, OracleJDK 1.8u40
# Warmup Iteration 1: 30 ns/op
# Warmup Iteration 2: 27 ns/op
# Warmup Iteration 3: 30 ns/op
...
19© 2016 NetCracker Technology Corporation Confidential
Statements in practice
• In practice, application is always closing the
statements
• PostgreSQL has no shared query cache
• Nobody wants spending excessive time on
planning
20© 2016 NetCracker Technology Corporation Confidential
Server-prepared statements
What can we do about it?
• Wrap all the queries in PL/PgSQL
• It helps, however we had 100500 SQL of them
• Teach JDBC to cache queries
21© 2016 NetCracker Technology Corporation Confidential
Query cache in PgJDBC
• Query cache was implemented in 9.4.1202 (2015-
08-27)
see https://github.com/pgjdbc/pgjdbc/pull/319
• Is transparent to the application
• We did not bother considering PL/PgSQL again
• Server-prepare is activated after 5 executions
(prepareThreshold)
22© 2016 NetCracker Technology Corporation Confidential
Where are the numbers?
• Of course, planning time depends on the query
complexity
• We observed 20мс+ planning time for OLTP
queries: 10KiB query, 170 lines explain
• Result is ~0ms
23© 2016 NetCracker Technology Corporation Confidential
Overheads
24© 2016 NetCracker Technology Corporation Confidential
Generated queries are bad
• If a query is generated
• It results in a brand new java.lang.String object
• Thus you have to recompute its hashCode
25© 2016 NetCracker Technology Corporation Confidential
Parameter types
If the type of bind value changes, you have to
recreate server-prepared statement
ps.setInt(1, 42);
...
ps.setNull(1, Types.VARCHAR);
26© 2016 NetCracker Technology Corporation Confidential
Parameter types
If the type of bind value changes, you have to
recreate server-prepared statement
ps.setInt(1, 42);
...
ps.setNull(1, Types.VARCHAR);
It leads to DEALLOCATE  PREPARE
27© 2016 NetCracker Technology Corporation Confidential
Keep data type the same
Conclusion №1
• Even NULL values should be properly typed
28© 2016 NetCracker Technology Corporation Confidential
Unexpected degradation
If using prepared statements, the response time
gets 5'000 times slower. How’s that possible?
A. Bug C. Feature
B. Feature D. Bug
29© 2016 NetCracker Technology Corporation Confidential
Unexpected degradation
https://gist.github.com/vlsi -> 01_plan_flipper.sql
select *
from plan_flipper -- <- table
where skewed = 0 -- 1M rows
and non_skewed = 42 -- 20 rows
30© 2016 NetCracker Technology Corporation Confidential
Unexpected degradation
https://gist.github.com/vlsi -> 01_plan_flipper.sql
0.1ms  1st execution
0.05ms  2nd execution
0.05ms  3rd execution
0.05ms  4th execution
0.05ms  5th execution
250 ms  6th execution
31© 2016 NetCracker Technology Corporation Confidential
Unexpected degradation
https://gist.github.com/vlsi -> 01_plan_flipper.sql
0.1ms  1st execution
0.05ms  2nd execution
0.05ms  3rd execution
0.05ms  4th execution
0.05ms  5th execution
250 ms  6th execution
32© 2016 NetCracker Technology Corporation Confidential
Unexpected degradation
• Who is to blame?
• PostgreSQL switches to generic plan after 5
executions of a server-prepared statement
• What can we do about it?
• Add +0, OFFSET 0, and so on
• Pay attention on plan validation
• Discuss the phenomenon pgsql-hackers
33© 2016 NetCracker Technology Corporation Confidential
Unexpected degradation
https://gist.github.com/vlsi -> 01_plan_flipper.sql
We just use +0 to forbid index on a bad column
select *
from plan_flipper
where skewed+0 = 0  ~ /*+no_index*/
and non_skewed = 42
34© 2016 NetCracker Technology Corporation Confidential
Explain explain explain explain
The rule of 6 explains:
prepare x(number) as select ...;
explain analyze execute x(42); -- 1ms
explain analyze execute x(42); -- 1ms
explain analyze execute x(42); -- 1ms
explain analyze execute x(42); -- 1ms
explain analyze execute x(42); -- 1ms
explain analyze execute x(42); -- 10 sec
35© 2016 NetCracker Technology Corporation Confidential
Везде баг
36© 2016 NetCracker Technology Corporation Confidential
Decision problem
There’s a schema A with table X, and a schema B
with table X. What is the result of select * from
X?
A.X C. Error
B.X D. All of the above
37© 2016 NetCracker Technology Corporation Confidential
Search_path
There’s a schema A with table X, and a schema B
with table X. What is the result of select * from
X?
• search_path determines the schema used
• server-prepared statements are not prepared for
search_path changes  crazy things might
happen
38© 2016 NetCracker Technology Corporation Confidential
Search_path can go wrong
• 9.1 will just use old OIDs and execute the “previous”
query
• 9.2-9.5 might fail with "cached plan must not change
result type” error
39© 2016 NetCracker Technology Corporation Confidential
Search_path
What can we do about it?
• Keep search_path constant
• Discuss it in pgsql-hackers
• Set search_path + server-prepared statements =
cached plan must not change result type
• PL/pgSQL has exactly the same issue 
40© 2016 NetCracker Technology Corporation Confidential
To fetch or not to fetch
You are to fetch 1M rows 1KiB each, -Xmx128m
while (resultSet.next())
resultSet.getString(1);
A. No problem C. Must use
LIMIT/OFFSET
B. OutOfMemory D. autoCommit(false)
41© 2016 NetCracker Technology Corporation Confidential
To fetch or not to fetch
• PgJDBC fetches all rows by default
• To fetch in batches, you need
Statement.setFetchSize and
connection.setAutoCommit(false)
• Default value is configurable via
defaultRowFetchSize (9.4.1202+)
42© 2016 NetCracker Technology Corporation Confidential
fetchSize vs fetch time
6.48
2.28
1.76
1.04 0.97
0
2
4
6
8
10 50 100 1000 2000
Faster,ms
fetchSize
2000 rows
2000 rows
select int4, int4, int4, int4
43© 2016 NetCracker Technology Corporation Confidential
FetchSize is good for stability
Conclusion №2:
• For stability & performance reasons set
defaultRowFetchSize >= 100
44© 2016 NetCracker Technology Corporation Confidential
Data upload
For data uploads, use
• INSERT() VALUES()
• INSERT() SELECT ?, ?, ?
• INSERT() VALUES()  executeBatch
• INSERT() VALUES(), (), ()  executeBatch
• COPY
45© 2016 NetCracker Technology Corporation Confidential
Healty batch INSERT
PARSE S_1 as ...;
BIND/EXEC
BIND/EXEC
BIND/EXEC
BIND/EXEC
BIND/EXEC
...
DEALLOCATE
46© 2016 NetCracker Technology Corporation Confidential
TCP strikes back
JDBC is busy with sending
queries, thus it has not started
fetching responses yet
DB cannot fetch more queries since it
is busy with sending responses
47© 2016 NetCracker Technology Corporation Confidential
Batch INSERT in real life
PARSE S_1 as ...;
BIND/EXEC
BIND/EXEC
SYNC  flush & wait for the response
BIND/EXEC
BIND/EXEC
SYNC  flush & wait for the response
...
48© 2016 NetCracker Technology Corporation Confidential
TCP deadlock avoidance
• PgJDBC adds SYNC to your nice batch operations
• The more the SYNCs the slower it performs
49© 2016 NetCracker Technology Corporation Confidential
Horror stories
A single line patch makes insert batch 10 times faster:
https://github.com/pgjdbc/pgjdbc/pull/380
- static int QUERY_FORCE_DESCRIBE_PORTAL = 128;
+ static int QUERY_FORCE_DESCRIBE_PORTAL = 512;
...
// 128 has already been used
static int QUERY_DISALLOW_BATCHING = 128;
50© 2016 NetCracker Technology Corporation Confidential
Trust but always measure
• Java 1.8u40+
• Core i7 2.6Ghz
• Java microbenchmark harness
• PostgreSQL 9.5
51© 2016 NetCracker Technology Corporation Confidential
Queries under test: INSERT
pgjdbc/ubenchmark/InsertBatch.java
insert into batch_perf_test(a, b, c)
values(?, ?, ?)
52© 2016 NetCracker Technology Corporation Confidential
Queries under test: INSERT
pgjdbc/ubenchmark/InsertBatch.java
insert into batch_perf_test(a, b, c)
values(?, ?, ?)
53© 2016 NetCracker Technology Corporation Confidential
Queries under test: INSERT
pgjdbc/ubenchmark/InsertBatch.java
insert into batch_perf_test(a, b, c)
values (?, ?, ?), (?, ?, ?), (?, ?,
?), (?, ?, ?), (?, ?, ?), (?, ?, ?),
(?, ?, ?), (?, ?, ?), (?, ?, ?), ...;
54© 2016 NetCracker Technology Corporation Confidential
Тестируемые запросы: COPY
pgjdbc/ubenchmark/InsertBatch.java
COPY batch_perf_test FROM STDIN
1 s1 1
2 s2 2
3 s3 3
...
55© 2016 NetCracker Technology Corporation Confidential
Queries under test: hand-made structs
pgjdbc/ubenchmark/InsertBatch.java
insert into batch_perf_test
select * from
unnest('{"(1,s1,1)","(2,s2,2)",
"(3,s3,3)"}'::batch_perf_test[])
56© 2016 NetCracker Technology Corporation Confidential
You’d better use batch, your C.O.
2
16
128
0
50
100
150
16 128 1024
faster,ms
The number of inserted rows
Insert
Batch
Struct
Copy
int4, varchar, int4
57© 2016 NetCracker Technology Corporation Confidential
COPY is good
0
0.5
1
1.5
2
2.5
16 128 1024
Faster,ms
The number of inserted rows
Batch
Struct
Copy
int4, varchar, int4
58© 2016 NetCracker Technology Corporation Confidential
COPY is bad for small batches
0
5
10
15
20
25
1 4 8 16 128
Faster,ms
Batch size in rows
Batch
Struct
Copy
Insert of 1024 rows
59© 2016 NetCracker Technology Corporation Confidential
Final thoughts
• PreparedStatement is our hero
• Remember to EXPLAIN ANALYZE at least six
times, a blue moon is a plus
• Don’t forget +0 and OFFSET 0
60© 2016 NetCracker Technology Corporation Confidential
About me
• Vladimir Sitnikov, @VladimirSitnikv
• Performance architect in NetCracker
• 10 years of experience with Java/SQL
• PgJDBC committer
© 2016 NetCracker Technology Corporation Confidential
Questions?
Vladimir Sitnikov,
PgConf 2016

Weitere ähnliche Inhalte

Was ist angesagt?

How does PostgreSQL work with disks: a DBA's checklist in detail. PGConf.US 2015
How does PostgreSQL work with disks: a DBA's checklist in detail. PGConf.US 2015How does PostgreSQL work with disks: a DBA's checklist in detail. PGConf.US 2015
How does PostgreSQL work with disks: a DBA's checklist in detail. PGConf.US 2015
PostgreSQL-Consulting
 
Transparent Data Encryption in PostgreSQL and Integration with Key Management...
Transparent Data Encryption in PostgreSQL and Integration with Key Management...Transparent Data Encryption in PostgreSQL and Integration with Key Management...
Transparent Data Encryption in PostgreSQL and Integration with Key Management...
Masahiko Sawada
 
MySQL Performance Schema in 20 Minutes
 MySQL Performance Schema in 20 Minutes MySQL Performance Schema in 20 Minutes
MySQL Performance Schema in 20 Minutes
Sveta Smirnova
 

Was ist angesagt? (20)

Introduction to PostgreSQL
Introduction to PostgreSQLIntroduction to PostgreSQL
Introduction to PostgreSQL
 
Introduction to Redis
Introduction to RedisIntroduction to Redis
Introduction to Redis
 
An introduction to MongoDB
An introduction to MongoDBAn introduction to MongoDB
An introduction to MongoDB
 
Top 10 Mistakes When Migrating From Oracle to PostgreSQL
Top 10 Mistakes When Migrating From Oracle to PostgreSQLTop 10 Mistakes When Migrating From Oracle to PostgreSQL
Top 10 Mistakes When Migrating From Oracle to PostgreSQL
 
The Parquet Format and Performance Optimization Opportunities
The Parquet Format and Performance Optimization OpportunitiesThe Parquet Format and Performance Optimization Opportunities
The Parquet Format and Performance Optimization Opportunities
 
Developing and Deploying Apps with the Postgres FDW
Developing and Deploying Apps with the Postgres FDWDeveloping and Deploying Apps with the Postgres FDW
Developing and Deploying Apps with the Postgres FDW
 
How does PostgreSQL work with disks: a DBA's checklist in detail. PGConf.US 2015
How does PostgreSQL work with disks: a DBA's checklist in detail. PGConf.US 2015How does PostgreSQL work with disks: a DBA's checklist in detail. PGConf.US 2015
How does PostgreSQL work with disks: a DBA's checklist in detail. PGConf.US 2015
 
Best Practices in Security with PostgreSQL
Best Practices in Security with PostgreSQLBest Practices in Security with PostgreSQL
Best Practices in Security with PostgreSQL
 
MySQL innoDB split and merge pages
MySQL innoDB split and merge pagesMySQL innoDB split and merge pages
MySQL innoDB split and merge pages
 
Working with JSON Data in PostgreSQL vs. MongoDB
Working with JSON Data in PostgreSQL vs. MongoDBWorking with JSON Data in PostgreSQL vs. MongoDB
Working with JSON Data in PostgreSQL vs. MongoDB
 
RocksDB Performance and Reliability Practices
RocksDB Performance and Reliability PracticesRocksDB Performance and Reliability Practices
RocksDB Performance and Reliability Practices
 
Introduction to memcached
Introduction to memcachedIntroduction to memcached
Introduction to memcached
 
Intro to HBase
Intro to HBaseIntro to HBase
Intro to HBase
 
Neo4j Stored Procedure Training Part 1
Neo4j Stored Procedure Training Part 1Neo4j Stored Procedure Training Part 1
Neo4j Stored Procedure Training Part 1
 
Redis introduction
Redis introductionRedis introduction
Redis introduction
 
Transparent Data Encryption in PostgreSQL and Integration with Key Management...
Transparent Data Encryption in PostgreSQL and Integration with Key Management...Transparent Data Encryption in PostgreSQL and Integration with Key Management...
Transparent Data Encryption in PostgreSQL and Integration with Key Management...
 
Logstash
LogstashLogstash
Logstash
 
MySQL Performance Schema in 20 Minutes
 MySQL Performance Schema in 20 Minutes MySQL Performance Schema in 20 Minutes
MySQL Performance Schema in 20 Minutes
 
What every data programmer needs to know about disks
What every data programmer needs to know about disksWhat every data programmer needs to know about disks
What every data programmer needs to know about disks
 
Get to know PostgreSQL!
Get to know PostgreSQL!Get to know PostgreSQL!
Get to know PostgreSQL!
 

Andere mochten auch

Developing PostgreSQL Performance, Simon Riggs
Developing PostgreSQL Performance, Simon RiggsDeveloping PostgreSQL Performance, Simon Riggs
Developing PostgreSQL Performance, Simon Riggs
Fuenteovejuna
 
High Performance Jdbc
High Performance JdbcHigh Performance Jdbc
High Performance Jdbc
Sam Pattsin
 
Проблемы производительности open source библиотек
Проблемы производительности open source библиотекПроблемы производительности open source библиотек
Проблемы производительности open source библиотек
Vladimir Sitnikov
 
PostgreSQL и JDBC: выжимаем все соки
PostgreSQL и JDBC: выжимаем все сокиPostgreSQL и JDBC: выжимаем все соки
PostgreSQL и JDBC: выжимаем все соки
Vladimir Sitnikov
 
Подводные камни в нагрузочном тестировании
Подводные камни в нагрузочном тестированииПодводные камни в нагрузочном тестировании
Подводные камни в нагрузочном тестировании
Vladimir Sitnikov
 
Managing replication of PostgreSQL, Simon Riggs
Managing replication of PostgreSQL, Simon RiggsManaging replication of PostgreSQL, Simon Riggs
Managing replication of PostgreSQL, Simon Riggs
Fuenteovejuna
 

Andere mochten auch (20)

Developing PostgreSQL Performance, Simon Riggs
Developing PostgreSQL Performance, Simon RiggsDeveloping PostgreSQL Performance, Simon Riggs
Developing PostgreSQL Performance, Simon Riggs
 
High Performance Jdbc
High Performance JdbcHigh Performance Jdbc
High Performance Jdbc
 
A step-by-step approach toward high quality OutOfMemoryError analysis
A step-by-step approach toward high quality OutOfMemoryError analysisA step-by-step approach toward high quality OutOfMemoryError analysis
A step-by-step approach toward high quality OutOfMemoryError analysis
 
Implement your own profiler with blackjack and fun
Implement your own profiler with blackjack and funImplement your own profiler with blackjack and fun
Implement your own profiler with blackjack and fun
 
Проблемы производительности open source библиотек
Проблемы производительности open source библиотекПроблемы производительности open source библиотек
Проблемы производительности open source библиотек
 
PostgreSQL и JDBC: выжимаем все соки
PostgreSQL и JDBC: выжимаем все сокиPostgreSQL и JDBC: выжимаем все соки
PostgreSQL и JDBC: выжимаем все соки
 
Подводные камни в нагрузочном тестировании
Подводные камни в нагрузочном тестированииПодводные камни в нагрузочном тестировании
Подводные камни в нагрузочном тестировании
 
Семантика final полей в java
Семантика final полей в javaСемантика final полей в java
Семантика final полей в java
 
Трудовые будни инженера производительности
Трудовые будни инженера производительностиТрудовые будни инженера производительности
Трудовые будни инженера производительности
 
Net cracker resource_inventory
Net cracker resource_inventoryNet cracker resource_inventory
Net cracker resource_inventory
 
Final field semantics
Final field semanticsFinal field semantics
Final field semantics
 
PGDay UK 2016 -- Performace for queries with grouping
PGDay UK 2016 -- Performace for queries with groupingPGDay UK 2016 -- Performace for queries with grouping
PGDay UK 2016 -- Performace for queries with grouping
 
Logical Replication in PostgreSQL - FLOSSUK 2016
Logical Replication in PostgreSQL - FLOSSUK 2016Logical Replication in PostgreSQL - FLOSSUK 2016
Logical Replication in PostgreSQL - FLOSSUK 2016
 
PostgreSQL performance improvements in 9.5 and 9.6
PostgreSQL performance improvements in 9.5 and 9.6PostgreSQL performance improvements in 9.5 and 9.6
PostgreSQL performance improvements in 9.5 and 9.6
 
Managing replication of PostgreSQL, Simon Riggs
Managing replication of PostgreSQL, Simon RiggsManaging replication of PostgreSQL, Simon Riggs
Managing replication of PostgreSQL, Simon Riggs
 
Security Best Practices for your Postgres Deployment
Security Best Practices for your Postgres DeploymentSecurity Best Practices for your Postgres Deployment
Security Best Practices for your Postgres Deployment
 
Linux tuning to improve PostgreSQL performance
Linux tuning to improve PostgreSQL performanceLinux tuning to improve PostgreSQL performance
Linux tuning to improve PostgreSQL performance
 
Postgres in Production - Best Practices 2014
Postgres in Production - Best Practices 2014Postgres in Production - Best Practices 2014
Postgres in Production - Best Practices 2014
 
The hitchhiker's guide to PostgreSQL
The hitchhiker's guide to PostgreSQLThe hitchhiker's guide to PostgreSQL
The hitchhiker's guide to PostgreSQL
 
5 Steps to PostgreSQL Performance
5 Steps to PostgreSQL Performance5 Steps to PostgreSQL Performance
5 Steps to PostgreSQL Performance
 

Ähnlich wie PostgreSQL and JDBC: striving for high performance

Ähnlich wie PostgreSQL and JDBC: striving for high performance (20)

Linux Kernel vs DPDK: HTTP Performance Showdown
Linux Kernel vs DPDK: HTTP Performance ShowdownLinux Kernel vs DPDK: HTTP Performance Showdown
Linux Kernel vs DPDK: HTTP Performance Showdown
 
MongoDB World 2019: Why NBCUniversal Migrated to MongoDB Atlas
MongoDB World 2019: Why NBCUniversal Migrated to MongoDB AtlasMongoDB World 2019: Why NBCUniversal Migrated to MongoDB Atlas
MongoDB World 2019: Why NBCUniversal Migrated to MongoDB Atlas
 
Slices Of Performance in Java - Oleksandr Bodnar
Slices Of Performance in Java - Oleksandr BodnarSlices Of Performance in Java - Oleksandr Bodnar
Slices Of Performance in Java - Oleksandr Bodnar
 
Bravo Six, Going Realtime. Transitioning Activision Data Pipeline to Streamin...
Bravo Six, Going Realtime. Transitioning Activision Data Pipeline to Streamin...Bravo Six, Going Realtime. Transitioning Activision Data Pipeline to Streamin...
Bravo Six, Going Realtime. Transitioning Activision Data Pipeline to Streamin...
 
Bravo Six, Going Realtime. Transitioning Activision Data Pipeline to Streaming
Bravo Six, Going Realtime. Transitioning Activision Data Pipeline to StreamingBravo Six, Going Realtime. Transitioning Activision Data Pipeline to Streaming
Bravo Six, Going Realtime. Transitioning Activision Data Pipeline to Streaming
 
DataStax Enterprise & Apache Cassandra – Essentials for Financial Services – ...
DataStax Enterprise & Apache Cassandra – Essentials for Financial Services – ...DataStax Enterprise & Apache Cassandra – Essentials for Financial Services – ...
DataStax Enterprise & Apache Cassandra – Essentials for Financial Services – ...
 
Kubecon seattle 2018 workshop slides
Kubecon seattle 2018 workshop slidesKubecon seattle 2018 workshop slides
Kubecon seattle 2018 workshop slides
 
Testing Persistent Storage Performance in Kubernetes with Sherlock
Testing Persistent Storage Performance in Kubernetes with SherlockTesting Persistent Storage Performance in Kubernetes with Sherlock
Testing Persistent Storage Performance in Kubernetes with Sherlock
 
Spark SQL Catalyst Code Optimization using Function Outlining with Kavana Bha...
Spark SQL Catalyst Code Optimization using Function Outlining with Kavana Bha...Spark SQL Catalyst Code Optimization using Function Outlining with Kavana Bha...
Spark SQL Catalyst Code Optimization using Function Outlining with Kavana Bha...
 
Test strategies for data processing pipelines
Test strategies for data processing pipelinesTest strategies for data processing pipelines
Test strategies for data processing pipelines
 
High Performance Object Pascal Code on Servers (at EKON 22)
High Performance Object Pascal Code on Servers (at EKON 22)High Performance Object Pascal Code on Servers (at EKON 22)
High Performance Object Pascal Code on Servers (at EKON 22)
 
The Performance Engineer's Guide to Java (HotSpot) Virtual Machine
The Performance Engineer's Guide to Java (HotSpot) Virtual MachineThe Performance Engineer's Guide to Java (HotSpot) Virtual Machine
The Performance Engineer's Guide to Java (HotSpot) Virtual Machine
 
Time series denver an introduction to prometheus
Time series denver   an introduction to prometheusTime series denver   an introduction to prometheus
Time series denver an introduction to prometheus
 
Getting start Java EE Action-Based MVC with Thymeleaf
Getting start Java EE Action-Based MVC with ThymeleafGetting start Java EE Action-Based MVC with Thymeleaf
Getting start Java EE Action-Based MVC with Thymeleaf
 
Performance is not an Option - gRPC and Cassandra
Performance is not an Option - gRPC and CassandraPerformance is not an Option - gRPC and Cassandra
Performance is not an Option - gRPC and Cassandra
 
Dsdt meetup 2017 11-21
Dsdt meetup 2017 11-21Dsdt meetup 2017 11-21
Dsdt meetup 2017 11-21
 
DSDT Meetup Nov 2017
DSDT Meetup Nov 2017DSDT Meetup Nov 2017
DSDT Meetup Nov 2017
 
JFokus Java 9 contended locking performance
JFokus Java 9 contended locking performanceJFokus Java 9 contended locking performance
JFokus Java 9 contended locking performance
 
Perf tuning with-multitenant
Perf tuning with-multitenantPerf tuning with-multitenant
Perf tuning with-multitenant
 
JavaOne 2016: Code Generation with JavaCompiler for Fun, Speed and Business P...
JavaOne 2016: Code Generation with JavaCompiler for Fun, Speed and Business P...JavaOne 2016: Code Generation with JavaCompiler for Fun, Speed and Business P...
JavaOne 2016: Code Generation with JavaCompiler for Fun, Speed and Business P...
 

Kürzlich hochgeladen

introduction-to-automotive Andoid os-csimmonds-ndctechtown-2021.pdf
introduction-to-automotive Andoid os-csimmonds-ndctechtown-2021.pdfintroduction-to-automotive Andoid os-csimmonds-ndctechtown-2021.pdf
introduction-to-automotive Andoid os-csimmonds-ndctechtown-2021.pdf
VishalKumarJha10
 
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
Health
 
TECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service providerTECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service provider
mohitmore19
 

Kürzlich hochgeladen (20)

Exploring the Best Video Editing App.pdf
Exploring the Best Video Editing App.pdfExploring the Best Video Editing App.pdf
Exploring the Best Video Editing App.pdf
 
Software Quality Assurance Interview Questions
Software Quality Assurance Interview QuestionsSoftware Quality Assurance Interview Questions
Software Quality Assurance Interview Questions
 
VTU technical seminar 8Th Sem on Scikit-learn
VTU technical seminar 8Th Sem on Scikit-learnVTU technical seminar 8Th Sem on Scikit-learn
VTU technical seminar 8Th Sem on Scikit-learn
 
A Secure and Reliable Document Management System is Essential.docx
A Secure and Reliable Document Management System is Essential.docxA Secure and Reliable Document Management System is Essential.docx
A Secure and Reliable Document Management System is Essential.docx
 
10 Trends Likely to Shape Enterprise Technology in 2024
10 Trends Likely to Shape Enterprise Technology in 202410 Trends Likely to Shape Enterprise Technology in 2024
10 Trends Likely to Shape Enterprise Technology in 2024
 
introduction-to-automotive Andoid os-csimmonds-ndctechtown-2021.pdf
introduction-to-automotive Andoid os-csimmonds-ndctechtown-2021.pdfintroduction-to-automotive Andoid os-csimmonds-ndctechtown-2021.pdf
introduction-to-automotive Andoid os-csimmonds-ndctechtown-2021.pdf
 
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
 
Introducing Microsoft’s new Enterprise Work Management (EWM) Solution
Introducing Microsoft’s new Enterprise Work Management (EWM) SolutionIntroducing Microsoft’s new Enterprise Work Management (EWM) Solution
Introducing Microsoft’s new Enterprise Work Management (EWM) Solution
 
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
 
The Guide to Integrating Generative AI into Unified Continuous Testing Platfo...
The Guide to Integrating Generative AI into Unified Continuous Testing Platfo...The Guide to Integrating Generative AI into Unified Continuous Testing Platfo...
The Guide to Integrating Generative AI into Unified Continuous Testing Platfo...
 
Direct Style Effect Systems - The Print[A] Example - A Comprehension Aid
Direct Style Effect Systems -The Print[A] Example- A Comprehension AidDirect Style Effect Systems -The Print[A] Example- A Comprehension Aid
Direct Style Effect Systems - The Print[A] Example - A Comprehension Aid
 
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
 
How to Choose the Right Laravel Development Partner in New York City_compress...
How to Choose the Right Laravel Development Partner in New York City_compress...How to Choose the Right Laravel Development Partner in New York City_compress...
How to Choose the Right Laravel Development Partner in New York City_compress...
 
Define the academic and professional writing..pdf
Define the academic and professional writing..pdfDefine the academic and professional writing..pdf
Define the academic and professional writing..pdf
 
Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...
Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...
Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...
 
Optimizing AI for immediate response in Smart CCTV
Optimizing AI for immediate response in Smart CCTVOptimizing AI for immediate response in Smart CCTV
Optimizing AI for immediate response in Smart CCTV
 
How To Troubleshoot Collaboration Apps for the Modern Connected Worker
How To Troubleshoot Collaboration Apps for the Modern Connected WorkerHow To Troubleshoot Collaboration Apps for the Modern Connected Worker
How To Troubleshoot Collaboration Apps for the Modern Connected Worker
 
TECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service providerTECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service provider
 
call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️
call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️
call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️
 
The Ultimate Test Automation Guide_ Best Practices and Tips.pdf
The Ultimate Test Automation Guide_ Best Practices and Tips.pdfThe Ultimate Test Automation Guide_ Best Practices and Tips.pdf
The Ultimate Test Automation Guide_ Best Practices and Tips.pdf
 

PostgreSQL and JDBC: striving for high performance

  • 1. © 2016 NetCracker Technology Corporation Confidential PostgreSQL and JDBC: striving for top performance Vladimir Sitnikov PgConf 2016
  • 2. 2© 2016 NetCracker Technology Corporation Confidential About me • Vladimir Sitnikov, @VladimirSitnikv • Performance architect at NetCracker • 10 years of experience with Java/SQL • PgJDBC committer
  • 3. 3© 2016 NetCracker Technology Corporation Confidential Explain (analyze, buffers) PostgreSQL and JDBC •Data fetch •Data upload •Performance •Pitfalls
  • 4. 4© 2016 NetCracker Technology Corporation Confidential Intro Fetch of a single row via primary key lookup takes 20ms. Localhost. Database is fully cached A. Just fine C. Kidding? Aim is 1ms! B. It should be 1sec D. 100us
  • 5. 5© 2016 NetCracker Technology Corporation Confidential Lots of small queries is a problem Suppose a single query takes 10ms, then 100 of them would take a whole second * * Your Captain
  • 6. 6© 2016 NetCracker Technology Corporation Confidential PostgreSQL frontend-backend protocol •Simple query • 'Q' + length + query_text •Extended query •Parse, Bind, Execute commands
  • 7. 7© 2016 NetCracker Technology Corporation Confidential PostgreSQL frontend-backend protocol Super extended query https://github.com/pgjdbc/pgjdbc/pull/478 backend protocol wanted features
  • 8. 8© 2016 NetCracker Technology Corporation Confidential PostgreSQL frontend-backend protocol Simple query •Works well for one-time queries •Does not support binary transfer
  • 9. 9© 2016 NetCracker Technology Corporation Confidential PostgreSQL frontend-backend protocol Extended query •Eliminates planning time •Supports binary transfer
  • 10. 10© 2016 NetCracker Technology Corporation Confidential PreparedStatement Connection con = ...; PreparedStatement ps = con.prepareStatement("SELECT..."); ... ps.close();
  • 11. 11© 2016 NetCracker Technology Corporation Confidential PreparedStatement Connection con = ...; PreparedStatement ps = con.prepareStatement("SELECT..."); ... ps.close();
  • 12. 12© 2016 NetCracker Technology Corporation Confidential Smoker’s approach to PostgreSQL PARSE S_1 as ...; // con.prepareStmt BIND/EXEC DEALLOCATE // ps.close() PARSE S_2 as ...; BIND/EXEC DEALLOCATE // ps.close()
  • 13. 13© 2016 NetCracker Technology Corporation Confidential Healthy approach to PostgreSQL PARSE S_1 as ...; BIND/EXEC BIND/EXEC BIND/EXEC BIND/EXEC BIND/EXEC ... DEALLOCATE
  • 14. 14© 2016 NetCracker Technology Corporation Confidential Healthy approach to PostgreSQL PARSE S_1 as ...;  1 once in a life BIND/EXEC  REST call BIND/EXEC BIND/EXEC  one more REST call BIND/EXEC BIND/EXEC ... DEALLOCATE  “never” is the best
  • 15. 15© 2016 NetCracker Technology Corporation Confidential Happiness closes no statements Conclusion №1: in order to get top performance, you should not close statements ps = con.prepareStatement(...) ps.execueQuery(); ps = con.prepareStatement(...) ps.execueQuery(); ...
  • 16. 16© 2016 NetCracker Technology Corporation Confidential Happiness closes no statements Conclusion №1: in order to get top performance, you should not close statements ps = con.prepare... ps.execueQuery(); ps = con.prepare... ps.execueQuery(); ...
  • 17. 17© 2016 NetCracker Technology Corporation Confidential Unclosed statements in practice @Benchmark public Statement leakStatement() { return con.createStatement(); } pgjdbc < 9.4.1202, -Xmx128m, OracleJDK 1.8u40 # Warmup Iteration 1: 1147,070 ns/op # Warmup Iteration 2: 12101,537 ns/op # Warmup Iteration 3: 90825,971 ns/op # Warmup Iteration 4: <failure> java.lang.OutOfMemoryError: GC overhead limit exceeded
  • 18. 18© 2016 NetCracker Technology Corporation Confidential Unclosed statements in practice @Benchmark public Statement leakStatement() { return con.createStatement(); } pgjdbc >= 9.4.1202, -Xmx128m, OracleJDK 1.8u40 # Warmup Iteration 1: 30 ns/op # Warmup Iteration 2: 27 ns/op # Warmup Iteration 3: 30 ns/op ...
  • 19. 19© 2016 NetCracker Technology Corporation Confidential Statements in practice • In practice, application is always closing the statements • PostgreSQL has no shared query cache • Nobody wants spending excessive time on planning
  • 20. 20© 2016 NetCracker Technology Corporation Confidential Server-prepared statements What can we do about it? • Wrap all the queries in PL/PgSQL • It helps, however we had 100500 SQL of them • Teach JDBC to cache queries
  • 21. 21© 2016 NetCracker Technology Corporation Confidential Query cache in PgJDBC • Query cache was implemented in 9.4.1202 (2015- 08-27) see https://github.com/pgjdbc/pgjdbc/pull/319 • Is transparent to the application • We did not bother considering PL/PgSQL again • Server-prepare is activated after 5 executions (prepareThreshold)
  • 22. 22© 2016 NetCracker Technology Corporation Confidential Where are the numbers? • Of course, planning time depends on the query complexity • We observed 20мс+ planning time for OLTP queries: 10KiB query, 170 lines explain • Result is ~0ms
  • 23. 23© 2016 NetCracker Technology Corporation Confidential Overheads
  • 24. 24© 2016 NetCracker Technology Corporation Confidential Generated queries are bad • If a query is generated • It results in a brand new java.lang.String object • Thus you have to recompute its hashCode
  • 25. 25© 2016 NetCracker Technology Corporation Confidential Parameter types If the type of bind value changes, you have to recreate server-prepared statement ps.setInt(1, 42); ... ps.setNull(1, Types.VARCHAR);
  • 26. 26© 2016 NetCracker Technology Corporation Confidential Parameter types If the type of bind value changes, you have to recreate server-prepared statement ps.setInt(1, 42); ... ps.setNull(1, Types.VARCHAR); It leads to DEALLOCATE  PREPARE
  • 27. 27© 2016 NetCracker Technology Corporation Confidential Keep data type the same Conclusion №1 • Even NULL values should be properly typed
  • 28. 28© 2016 NetCracker Technology Corporation Confidential Unexpected degradation If using prepared statements, the response time gets 5'000 times slower. How’s that possible? A. Bug C. Feature B. Feature D. Bug
  • 29. 29© 2016 NetCracker Technology Corporation Confidential Unexpected degradation https://gist.github.com/vlsi -> 01_plan_flipper.sql select * from plan_flipper -- <- table where skewed = 0 -- 1M rows and non_skewed = 42 -- 20 rows
  • 30. 30© 2016 NetCracker Technology Corporation Confidential Unexpected degradation https://gist.github.com/vlsi -> 01_plan_flipper.sql 0.1ms  1st execution 0.05ms  2nd execution 0.05ms  3rd execution 0.05ms  4th execution 0.05ms  5th execution 250 ms  6th execution
  • 31. 31© 2016 NetCracker Technology Corporation Confidential Unexpected degradation https://gist.github.com/vlsi -> 01_plan_flipper.sql 0.1ms  1st execution 0.05ms  2nd execution 0.05ms  3rd execution 0.05ms  4th execution 0.05ms  5th execution 250 ms  6th execution
  • 32. 32© 2016 NetCracker Technology Corporation Confidential Unexpected degradation • Who is to blame? • PostgreSQL switches to generic plan after 5 executions of a server-prepared statement • What can we do about it? • Add +0, OFFSET 0, and so on • Pay attention on plan validation • Discuss the phenomenon pgsql-hackers
  • 33. 33© 2016 NetCracker Technology Corporation Confidential Unexpected degradation https://gist.github.com/vlsi -> 01_plan_flipper.sql We just use +0 to forbid index on a bad column select * from plan_flipper where skewed+0 = 0  ~ /*+no_index*/ and non_skewed = 42
  • 34. 34© 2016 NetCracker Technology Corporation Confidential Explain explain explain explain The rule of 6 explains: prepare x(number) as select ...; explain analyze execute x(42); -- 1ms explain analyze execute x(42); -- 1ms explain analyze execute x(42); -- 1ms explain analyze execute x(42); -- 1ms explain analyze execute x(42); -- 1ms explain analyze execute x(42); -- 10 sec
  • 35. 35© 2016 NetCracker Technology Corporation Confidential Везде баг
  • 36. 36© 2016 NetCracker Technology Corporation Confidential Decision problem There’s a schema A with table X, and a schema B with table X. What is the result of select * from X? A.X C. Error B.X D. All of the above
  • 37. 37© 2016 NetCracker Technology Corporation Confidential Search_path There’s a schema A with table X, and a schema B with table X. What is the result of select * from X? • search_path determines the schema used • server-prepared statements are not prepared for search_path changes  crazy things might happen
  • 38. 38© 2016 NetCracker Technology Corporation Confidential Search_path can go wrong • 9.1 will just use old OIDs and execute the “previous” query • 9.2-9.5 might fail with "cached plan must not change result type” error
  • 39. 39© 2016 NetCracker Technology Corporation Confidential Search_path What can we do about it? • Keep search_path constant • Discuss it in pgsql-hackers • Set search_path + server-prepared statements = cached plan must not change result type • PL/pgSQL has exactly the same issue 
  • 40. 40© 2016 NetCracker Technology Corporation Confidential To fetch or not to fetch You are to fetch 1M rows 1KiB each, -Xmx128m while (resultSet.next()) resultSet.getString(1); A. No problem C. Must use LIMIT/OFFSET B. OutOfMemory D. autoCommit(false)
  • 41. 41© 2016 NetCracker Technology Corporation Confidential To fetch or not to fetch • PgJDBC fetches all rows by default • To fetch in batches, you need Statement.setFetchSize and connection.setAutoCommit(false) • Default value is configurable via defaultRowFetchSize (9.4.1202+)
  • 42. 42© 2016 NetCracker Technology Corporation Confidential fetchSize vs fetch time 6.48 2.28 1.76 1.04 0.97 0 2 4 6 8 10 50 100 1000 2000 Faster,ms fetchSize 2000 rows 2000 rows select int4, int4, int4, int4
  • 43. 43© 2016 NetCracker Technology Corporation Confidential FetchSize is good for stability Conclusion №2: • For stability & performance reasons set defaultRowFetchSize >= 100
  • 44. 44© 2016 NetCracker Technology Corporation Confidential Data upload For data uploads, use • INSERT() VALUES() • INSERT() SELECT ?, ?, ? • INSERT() VALUES()  executeBatch • INSERT() VALUES(), (), ()  executeBatch • COPY
  • 45. 45© 2016 NetCracker Technology Corporation Confidential Healty batch INSERT PARSE S_1 as ...; BIND/EXEC BIND/EXEC BIND/EXEC BIND/EXEC BIND/EXEC ... DEALLOCATE
  • 46. 46© 2016 NetCracker Technology Corporation Confidential TCP strikes back JDBC is busy with sending queries, thus it has not started fetching responses yet DB cannot fetch more queries since it is busy with sending responses
  • 47. 47© 2016 NetCracker Technology Corporation Confidential Batch INSERT in real life PARSE S_1 as ...; BIND/EXEC BIND/EXEC SYNC  flush & wait for the response BIND/EXEC BIND/EXEC SYNC  flush & wait for the response ...
  • 48. 48© 2016 NetCracker Technology Corporation Confidential TCP deadlock avoidance • PgJDBC adds SYNC to your nice batch operations • The more the SYNCs the slower it performs
  • 49. 49© 2016 NetCracker Technology Corporation Confidential Horror stories A single line patch makes insert batch 10 times faster: https://github.com/pgjdbc/pgjdbc/pull/380 - static int QUERY_FORCE_DESCRIBE_PORTAL = 128; + static int QUERY_FORCE_DESCRIBE_PORTAL = 512; ... // 128 has already been used static int QUERY_DISALLOW_BATCHING = 128;
  • 50. 50© 2016 NetCracker Technology Corporation Confidential Trust but always measure • Java 1.8u40+ • Core i7 2.6Ghz • Java microbenchmark harness • PostgreSQL 9.5
  • 51. 51© 2016 NetCracker Technology Corporation Confidential Queries under test: INSERT pgjdbc/ubenchmark/InsertBatch.java insert into batch_perf_test(a, b, c) values(?, ?, ?)
  • 52. 52© 2016 NetCracker Technology Corporation Confidential Queries under test: INSERT pgjdbc/ubenchmark/InsertBatch.java insert into batch_perf_test(a, b, c) values(?, ?, ?)
  • 53. 53© 2016 NetCracker Technology Corporation Confidential Queries under test: INSERT pgjdbc/ubenchmark/InsertBatch.java insert into batch_perf_test(a, b, c) values (?, ?, ?), (?, ?, ?), (?, ?, ?), (?, ?, ?), (?, ?, ?), (?, ?, ?), (?, ?, ?), (?, ?, ?), (?, ?, ?), ...;
  • 54. 54© 2016 NetCracker Technology Corporation Confidential Тестируемые запросы: COPY pgjdbc/ubenchmark/InsertBatch.java COPY batch_perf_test FROM STDIN 1 s1 1 2 s2 2 3 s3 3 ...
  • 55. 55© 2016 NetCracker Technology Corporation Confidential Queries under test: hand-made structs pgjdbc/ubenchmark/InsertBatch.java insert into batch_perf_test select * from unnest('{"(1,s1,1)","(2,s2,2)", "(3,s3,3)"}'::batch_perf_test[])
  • 56. 56© 2016 NetCracker Technology Corporation Confidential You’d better use batch, your C.O. 2 16 128 0 50 100 150 16 128 1024 faster,ms The number of inserted rows Insert Batch Struct Copy int4, varchar, int4
  • 57. 57© 2016 NetCracker Technology Corporation Confidential COPY is good 0 0.5 1 1.5 2 2.5 16 128 1024 Faster,ms The number of inserted rows Batch Struct Copy int4, varchar, int4
  • 58. 58© 2016 NetCracker Technology Corporation Confidential COPY is bad for small batches 0 5 10 15 20 25 1 4 8 16 128 Faster,ms Batch size in rows Batch Struct Copy Insert of 1024 rows
  • 59. 59© 2016 NetCracker Technology Corporation Confidential Final thoughts • PreparedStatement is our hero • Remember to EXPLAIN ANALYZE at least six times, a blue moon is a plus • Don’t forget +0 and OFFSET 0
  • 60. 60© 2016 NetCracker Technology Corporation Confidential About me • Vladimir Sitnikov, @VladimirSitnikv • Performance architect in NetCracker • 10 years of experience with Java/SQL • PgJDBC committer
  • 61. © 2016 NetCracker Technology Corporation Confidential Questions? Vladimir Sitnikov, PgConf 2016