• Stars
    star
    374
  • Rank 110,100 (Top 3 %)
  • Language
    Ruby
  • License
    MIT License
  • Created almost 6 years ago
  • Updated 9 months ago

Reviews

There are no reviews yet. Be the first to send feedback to the community and the maintainers!

Repository Details

a minimal, fast, safe sql executor

MiniSql

Installation

Add this line to your application's Gemfile:

gem 'mini_sql'

And then execute:

$ bundle

Or install it yourself as:

$ gem install mini_sql

Usage

MiniSql is a very simple, safe and fast SQL executor and mapper for PG and Sqlite.

pg_conn = PG.connect(db_name: 'my_db')
conn = MiniSql::Connection.get(pg_conn)

puts conn.exec('update table set column = 1 where id in (1,2)')
# returns 2 if 2 rows changed

conn.query("select 1 id, 'bob' name").each do |user|
  puts user.name # bob
  puts user.id # 1
end

# extend result objects with additional method
module ProductDecorator
  def amount_price
    price * quantity
  end
end

conn.query_decorator(ProductDecorator, "select 20 price, 3 quantity").each do |user|
  puts user.amount_price # 60
end

p conn.query_single('select 1 union select 2')
# [1,2]

p conn.query_hash('select 1 as a, 2 as b union select 3, 4')
# [{"a" => 1, "b"=> 1},{"a" => 3, "b" => 4}
 
p conn.query_array("select 1 as a, '2' as b union select 3, 'e'")
# [[1, '2'], [3, 'e']]
 
p conn.query_array("select 1 as a, '2' as b union select 3, 'e'").to_h
# {1 => '2', 3 => 'e'}

The query builder

You can use the simple query builder interface to compose queries.

builder = conn.build("select * from topics /*where*/ /*limit*/")

builder.where('created_at > ?', Time.now - 400)

if look_for_something
  builder.where("title = :title", title: 'something')
end

builder.limit(20)

builder.query.each do |t|
  puts t.id
  puts t.title
end

The builder predefined next SQL Literals

Method SQL Literal
select /*select*/
count /*select*/
where /*where*/
where_or /*where*/
where2 /*where2*/
where2_or /*where2*/
join /*join*/
left_join /*left_join*/
group_by /*group_by*/
order_by /*order_by*/
limit /*limit*/
offset /*offset*/
set /*set*/

Custom SQL Literals

Use sql_literal to inject SQL into Builder from String, Builder, ActiveRecord::Relation, or any object that implements to_sql method.

user_builder = conn
  .build("select date_trunc('day', created_at) day, count(*) from user_topics /*where*/")
  .where('type = ?', input_type)
  .group_by("date_trunc('day', created_at)")

guest_relation = GuestTopic
  .select("date_trunc('day', created_at) day, count(*)")
  .where(state: input_state)
  .group_by("date_trunc('day', created_at)")

conn
  .build(<<~SQL)
     with as (/*user*/) u, (/*guest*/) as g
     select COALESCE(g.day, u.day), g.count, u.count
     from u
     /*custom_join*/
  SQL
  .sql_literal(user: user_builder, guest: guest_relation) # Builder and ActiveRecord::Relation
  .sql_literal(custom_join: "#{input_cond ? 'FULL' : 'LEFT'} JOIN g on g.day = u.day") # or String
  .query

Is it fast?

Yes, it is very fast. See benchmarks in the bench directory.

Comparison mini_sql methods

query_array     1351.6 i/s
      query      963.8 i/s - 1.40x  slower
 query_hash      787.4 i/s - 1.72x  slower

query_single('select id from topics limit 1000')             2368.9 i/s
 query_array('select id from topics limit 1000').flatten     1350.1 i/s - 1.75x  slower

As a rule it will outperform similar naive PG code while remaining safe.

pg_conn = PG.connect(db_name: 'my_db')

# this is slower, and less safe
result = pg_conn.async_exec('select * from table')
result.each do |r|
  name = r['name']
end
# ideally you want to remember to run r.clear here

# this is faster and safer
conn = MiniSql::Connection.get(pg_conn)
r = conn.query('select * from table')

r.each do |row|
  name = row.name
end

Safety

In PG gem version 1.0 and below you should be careful to clear results. If you do not you risk memory bloat. See: Sam's blog post.

MiniSql is careful to always clear results as soon as possible.

Timestamp decoding

MiniSql's default type mapper prefers treating timestamp without time zone columns as utc. This is done to ensure widest amount of compatability and is a departure from the default in the PG 1.0 gem. If you wish to amend behavior feel free to pass in a custom type_map.

Custom type maps

When using Postgres, native type mapping implementation is used. This is roughly implemented as:

type_map ||= PG::BasicTypeMapForResults.new(conn)
# additional specific decoders

The type mapper instansitated once on-demand at boot and reused by all mini_sql connections.

Initializing the basic type map for Postgres can be a costly operation. You may wish to amend the type mapper so for example you only return strings:

# maybe you do not want Integer
p cnn.query("select a 1").first.a
"1"

To specify a different type mapper for your results use:

MiniSql::Connections.get(pg_connection, type_map: custom_type_map)

In the case of Rails you can opt to use the type mapper Rails uses with:

pg_cnn = ActiveRecord::Base.connection.raw_connection
mini_sql_cnn = MiniSql::Connection.get(pg_cnn, type_map: pg_cnn.type_map_for_results)

Note the type mapper for Rails may miss some of the mapping MiniSql ships with such as IPAddr, MiniSql is also careful to use the very efficient TimestampUtc decoders where available.

Streaming support

In some exceptional cases you may want to stream results directly from the database. This enables selection of 100s of thousands of rows with limited memory impact.

Two interfaces exists for this:

query_each : which can be used to get materialized objects
query_each_hash : which can be used to iterate through Hash objects

Usage:

mini_sql_cnn.query_each("SELECT * FROM tons_of_cows limit :limit", limit: 1_000_000) do |row|
  puts row.cow_name
  puts row.cow_age
end

mini_sql_cnn.query_each_hash("SELECT * FROM one_million_cows") do |row|
  puts row["cow_name"]
  puts row["cow_age"]
end

Note, in Postgres streaming is going to be slower than non-streaming options due to internal implementation in the pq gem, each row gets a full result object and additional bookkeeping is needed. Only use it if you need to optimize memory usage.

Streaming support is only implemented in the postgres backend at the moment, PRs welcome to add to other backends.

Prepared Statements

See benchmark mini_sql benchmark mini_sql vs rails.

By default prepared cache size is 500 queries. Use prepared queries only for frequent queries.

conn.prepared.query("select * from table where id = ?", id: 10)

ids = rand(100) < 90 ? [1] : [1, 2]
builder = conn.build("select * from table /*where*/")
builder.where("id IN (?)", ids)
builder.prepared(ids.size == 1).query # most frequent query

Active Record Postgres

When using alongside ActiveRecord, passing in the ActiveRecord connection rather than the raw Postgres connection will allow mini_sql to lock the connection, thereby preventing concurrent use in other threads.

ar_conn = ActiveRecord::Base.connection
conn = MiniSql::Connection.get(ar_conn)

conn.query("select * from topics")

I want more features!

MiniSql is designed to be very minimal. Even though the query builder and type materializer give you a lot of mileage, it is not intended to be a fully fledged ORM. If you are looking for an ORM I recommend investigating ActiveRecord or Sequel which provide significantly more features.

Development

To install this gem onto your local machine, run bundle exec rake install. To release a new version, update the version number in version.rb, and then run bundle exec rake release, which will create a git tag for the version, push git commits and tags, and push the .gem file to rubygems.org.

Local testing

  docker run --name mini-sql-mysql --rm -it -p 33306:3306 -e MYSQL_DATABASE=test_mini_sql -e MYSQL_ALLOW_EMPTY_PASSWORD=yes -d mysql:5.7
  export MINI_SQL_MYSQL_HOST=127.0.0.1
  export MINI_SQL_MYSQL_PORT=33306
  
  docker run --name mini-sql-postgres --rm -it -p 55432:5432 -e POSTGRES_DB=test_mini_sql -e POSTGRES_HOST_AUTH_METHOD=trust -d postgres
  export MINI_SQL_PG_USER=postgres
  export MINI_SQL_PG_HOST=127.0.0.1
  export MINI_SQL_PG_PORT=55432

  sleep 10 # waiting for up databases

  bundle exec rake

  # end working on mini-sql
  docker stop mini-sql-postgres mini-sql-mysql

Sqlite tests rely on the SQLITE_STMT view existing. This is enabled by default on most systems, however some may opt for a leaner install. See: https://bugs.archlinux.org/task/70072. You may have to recompile sqlite on such systems.

Contributing

Bug reports and pull requests are welcome on GitHub at https://github.com/discourse/mini_sql. This project is intended to be a safe, welcoming space for collaboration, and contributors are expected to adhere to the Contributor Covenant code of conduct.

License

The gem is available as open source under the terms of the MIT License.

Code of Conduct

Everyone interacting in the MiniSql project’s codebases, issue trackers, chat rooms and mailing lists is expected to follow the code of conduct.

More Repositories

1

discourse

A platform for community discussion. Free, open, simple.
Ruby
38,751
star
2

message_bus

A reliable and robust messaging bus for Ruby and Rack
Ruby
1,636
star
3

discourse_docker

A Docker image for Discourse
Shell
1,547
star
4

onebox

(DEPRECATED) A gem for turning URLs into website previews
Ruby
795
star
5

logster

Log viewer UI and framework for rack
Ruby
551
star
6

wp-discourse

WordPress plugin that lets you use Discourse as the community engine for a WordPress blog
PHP
507
star
7

prometheus_exporter

A framework for collecting and aggregating prometheus metrics
Ruby
486
star
8

discourse_api

Ruby API for Discourse
Ruby
260
star
9

DiscourseMobile

Discourse Mobile
JavaScript
221
star
10

rails_multisite

Multi tenancy for Rails applications
Ruby
216
star
11

mini_scheduler

Adds recurring jobs for Sidekiq
Ruby
169
star
12

discourse-solved

Allow accepted answers on topics
Ruby
158
star
13

pups

Simple yaml based bootstrapper for Linux machines
Ruby
151
star
14

discourse-adplugin

Official Discourse Advertising Plugin. Install & Start Serving Ads on Your Discourse Forum
JavaScript
120
star
15

discourse-topic-voting

Adds the ability for voting on a topic within a specified category in Discourse.
Ruby
111
star
16

rails_failover

Ruby
105
star
17

discourse-oauth2-basic

A basic OAuth2 plugin for use with Discourse
Ruby
103
star
18

mini_mime

minimal mime type library
Ruby
95
star
19

discourse-chat-integration

Ruby
89
star
20

all-the-plugins

Ruby
87
star
21

discourse-data-explorer

SQL Queries for admins in Discourse
Ruby
80
star
22

discourse-air

A modern theme with a dark mode option.
SCSS
73
star
23

docker_manager

Plugin for use with discourse docker image
Ruby
67
star
24

discourse-spoiler-alert

A plugin for discourse to hide spoilers behind the spoiler-alert jQuery plugin
JavaScript
61
star
25

discourse-whos-online

A plugin for Discourse which uses the messagebus to display a live list of active users
JavaScript
58
star
26

discourse-tagging

Tagging functionality for Discourse Forums
JavaScript
58
star
27

email_reply_trimmer

Library to trim replies from plain text email.
Ruby
56
star
28

discourse-translator

Ruby
50
star
29

discourse-calendar

Adds the ability to create a dynamic calendar in the first post of a topic.
Ruby
49
star
30

discourse-steam-login

Allows user authentication with discourse via the Steam user API
Ruby
48
star
31

discourse-activity-pub

Adds ActivityPub support to Discourse.
Ruby
48
star
32

material-design-stock-theme

SCSS
46
star
33

discourse-user-notes

Plugin for Staff users to create notes on users
Ruby
45
star
34

discourse-checklist

A simple checklist rendering plugin for discourse
Ruby
44
star
35

discourse-chat

Chat inside Discourse
44
star
36

discourse-math

Official MathJax support for Discourse
JavaScript
44
star
37

discourse-patreon

Enable syncronization between Discourse Groups and Patreon rewards
Ruby
43
star
38

discourse-assign

Plugin for assigning users to a topic
Ruby
43
star
39

discourse-push-notifications

Plugin for integrating Chrome and FireFox push notifications
39
star
40

discourse-algolia

A plugin for indexing and searching your Discourse with Algolia
JavaScript
39
star
41

discourse-cakeday

Show a birthday cake emoji beside the names of members on their join anniversary, or their actual birthday -- and a browsable directory of upcoming anniversaries / birthdays.
JavaScript
38
star
42

discourse-saml

Support for SAML in Discourse
Ruby
38
star
43

discourse_theme

CLI helper for developing Discourse themes
Ruby
37
star
44

discourse-ai

Ruby
37
star
45

discourse_api_docs

Discourse API Documentation
JavaScript
37
star
46

letter-avatars

Teeny tiny web service to generate letter-based avatars
Ruby
37
star
47

discourse-encrypt

A plugin that provides a secure communication channel through Discourse.
JavaScript
37
star
48

discourse-canned-replies

Adds a means to insert templates from the composer.
JavaScript
35
star
49

discourse-github

Ruby
33
star
50

discourse-openid-connect

Allows an OpenID Connect provider to be used as an authentication provider for Discourse
Ruby
32
star
51

discourse-sitemap

Generate XML sitemap for your Discourse forum.
Ruby
32
star
52

discourse-auth-proxy

An http proxy that uses the DiscourseConnect protocol to authenticate users
Go
31
star
53

discourse-brand-header

Brand header theme component for Discourse
HTML
31
star
54

install-rails

Install Rails
Shell
29
star
55

discourse-reactions

JavaScript
28
star
56

discourse-gamification

Ruby
27
star
57

discourse-slack-official

DEPRECATED: Official Slack integration for Discourse
Ruby
26
star
58

core

25
star
59

discourse-affiliate

Ruby
25
star
60

discourse-follow

A Discourse plugin that lets you follow other users.
Ruby
24
star
61

ember-route-template

JavaScript
24
star
62

discourse-simple-theme

Sam's simple discourse theme
SCSS
24
star
63

all-the-themes

Ruby
23
star
64

discourse-docs

JavaScript
22
star
65

discourse-custom-header-links

JavaScript
22
star
66

discourse-post-voting

Allows users to vote on posts within a topic
Ruby
21
star
67

discourse-kanban-theme

A Discourse theme component providing basic kanban-board functionality
JavaScript
21
star
68

DiscoTOC

A Discourse theme component that generates a table of contents for topics with one click
JavaScript
21
star
69

discourse-category-banners

JavaScript
20
star
70

discourse-zoom

Integrate Zoom events in Discourse.
Ruby
20
star
71

discourse-rss-polling

Ruby
19
star
72

discourse-bbcode-color

A Discourse Plugin to support BBCode color tags.
JavaScript
19
star
73

discourse-plugin-discord-auth

A Discourse plugin to login over Discord
Ruby
18
star
74

image-optimizer

JavaScript
18
star
75

discourse-jwt

Discourse Auth support for JSON Web Tokens (JWT)
Ruby
17
star
76

discourse-signatures

A Discourse Plugin to show user signatures below posts
Ruby
17
star
77

github_badges

DEPRECATED: GitHub Badges plugin
Ruby
16
star
78

discourse-tooltips

Show tooltips around Discourse on hover, including topic previews
JavaScript
15
star
79

discourse-perspective-api

Google Perspective API Plugin for Discourse
Ruby
15
star
80

discourse-zendesk-plugin

Official Zendesk Integration for Discourse
Ruby
15
star
81

discourse-code-review

This allows commits and pull requests to be imported to Discourse as topics and reviewed
Ruby
14
star
82

discourse-prometheus

Official Discourse Plugin for Prometheus Monitoring
Ruby
14
star
83

mattermost-css-hacks

A mattermost plugin we use to customize our CSS
JavaScript
14
star
84

Discourse-easy-footer

JavaScript
13
star
85

Discourse-Tiles-image-gallery

HTML
13
star
86

discourse-anonymous-moderators

Ruby
13
star
87

discourse-moderator-attention

Ruby
13
star
88

discourse-user-card-badges

This plugin allows users to choose one badge with an image to show on their user card.
Ruby
12
star
89

discourse-linkedin-auth

LinkedIn OAuth Login support for Discourse
Ruby
12
star
90

discourse-plugin-skeleton

Template for Discourse plugins
Ruby
12
star
91

discourse-unlock

Ruby
11
star
92

discourse-microsoft-auth

Ruby
11
star
93

discourse-topic-thumbnails

Display thumbnails in topic lists
JavaScript
11
star
94

discourse-footnote

footnotes for posts in Discourse
JavaScript
11
star
95

discourse-teambuild

Team building activity for Discourse
Ruby
11
star
96

discourse-automation

Ruby
11
star
97

discourse-fingerprint

A plugin that computes user fingerprints to help administrators combat internet trolls.
Ruby
11
star
98

discourse-bbcode

vBulletin BBCode plugin
JavaScript
11
star
99

discourse-shared-edits

Shared edits for Discourse
Ruby
11
star
100

graceful

SCSS
10
star