sqlite_adapter.rb 11.6 KB
Newer Older
1
# Author: Luke Holden <lholden@cablelan.net>
2
# Updated for SQLite3: Jamis Buck <jamis@37signals.com>
D
Initial  
David Heinemeier Hansson 已提交
3 4 5 6 7

require 'active_record/connection_adapters/abstract_adapter'

module ActiveRecord
  class Base
8 9 10 11 12 13 14 15 16 17
    class << self
      # sqlite3 adapter reuses sqlite_connection.
      def sqlite3_connection(config) # :nodoc:
        parse_config!(config)

        unless self.class.const_defined?(:SQLite3)
          require_library_or_gem(config[:adapter])
        end

        db = SQLite3::Database.new(
18
          config[:database],
19 20 21 22 23 24 25 26 27 28 29 30 31
          :results_as_hash => true,
          :type_translation => false
        )
        ConnectionAdapters::SQLiteAdapter.new(db, logger)
      end

      # Establishes a connection to the database that's used by all Active Record objects
      def sqlite_connection(config) # :nodoc:
        parse_config!(config)

        unless self.class.const_defined?(:SQLite)
          require_library_or_gem(config[:adapter])

32
          db = SQLite::Database.new(config[:database], 0)
33 34 35 36 37 38
          db.show_datatypes   = "ON" if !defined? SQLite::Version
          db.results_as_hash  = true if defined? SQLite::Version
          db.type_translation = false

          # "Downgrade" deprecated sqlite API
          if SQLite.const_defined?(:Version)
39
            ConnectionAdapters::SQLite2Adapter.new(db, logger)
40 41 42 43
          else
            ConnectionAdapters::DeprecatedSQLiteAdapter.new(db, logger)
          end
        end
D
Initial  
David Heinemeier Hansson 已提交
44 45
      end

46 47
      private
        def parse_config!(config)
48 49
          config[:database] ||= config[:dbfile]
          # Require database.
50
          unless config[:database]
51
            raise ArgumentError, "No database file specified. Missing argument: database"
52
          end
D
Initial  
David Heinemeier Hansson 已提交
53

54 55 56
          # Allow database path relative to RAILS_ROOT, but only if
          # the database path is not the special path that tells
          # Sqlite build a database only in memory.
57
          if Object.const_defined?(:RAILS_ROOT) && ':memory:' != config[:database]
58
            config[:database] = File.expand_path(config[:database], RAILS_ROOT)
59 60
          end
        end
D
Initial  
David Heinemeier Hansson 已提交
61 62 63
    end
  end

64 65
  module ConnectionAdapters #:nodoc:
    class SQLiteColumn < Column #:nodoc:
66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83
      class <<  self
        def string_to_binary(value)
          value.gsub(/\0|\%/) do |b|
            case b
              when "\0" then "%00"
              when "%"  then "%25"
            end
          end                
        end
        
        def binary_to_string(value)
          value.gsub(/%00|%25/) do |b|
            case b
              when "%00" then "\0"
              when "%25" then "%"
            end
          end                
        end
84 85
      end
    end
86

87 88 89 90 91
    # The SQLite adapter works with both the 2.x and 3.x series of SQLite with the sqlite-ruby drivers (available both as gems and
    # from http://rubyforge.org/projects/sqlite-ruby/).
    #
    # Options:
    #
92
    # * <tt>:database</tt> -- Path to the database file.
93
    class SQLiteAdapter < AbstractAdapter
94 95 96 97 98 99 100
      def adapter_name #:nodoc:
        'SQLite'
      end

      def supports_migrations? #:nodoc:
        true
      end
101 102 103 104
      
      def supports_count_distinct? #:nodoc:
        false
      end
105 106

      def native_database_types #:nodoc:
107 108
        {
          :primary_key => "INTEGER PRIMARY KEY NOT NULL",
109 110 111 112 113 114 115 116 117
          :string      => { :name => "varchar", :limit => 255 },
          :text        => { :name => "text" },
          :integer     => { :name => "integer" },
          :float       => { :name => "float" },
          :datetime    => { :name => "datetime" },
          :timestamp   => { :name => "datetime" },
          :time        => { :name => "datetime" },
          :date        => { :name => "date" },
          :binary      => { :name => "blob" },
118
          :boolean     => { :name => "boolean" }
119 120 121
        }
      end

122 123 124 125 126 127 128 129

      # QUOTING ==================================================

      def quote_string(s) #:nodoc:
        @connection.class.quote(s)
      end

      def quote_column_name(name) #:nodoc:
130
        %Q("#{name}")
131 132
      end

133 134 135 136

      # DATABASE STATEMENTS ======================================

      def execute(sql, name = nil) #:nodoc:
137
        catch_schema_changes { log(sql, name) { @connection.execute(sql) } }
D
Initial  
David Heinemeier Hansson 已提交
138 139
      end

140
      def update(sql, name = nil) #:nodoc:
141 142
        execute(sql, name)
        @connection.changes
D
Initial  
David Heinemeier Hansson 已提交
143 144
      end

145
      def delete(sql, name = nil) #:nodoc:
146 147 148
        sql += " WHERE 1=1" unless sql =~ /WHERE/i
        execute(sql, name)
        @connection.changes
D
Initial  
David Heinemeier Hansson 已提交
149 150
      end

151
      def insert(sql, name = nil, pk = nil, id_value = nil, sequence_name = nil) #:nodoc:
D
Initial  
David Heinemeier Hansson 已提交
152
        execute(sql, name = nil)
153
        id_value || @connection.last_insert_row_id
D
Initial  
David Heinemeier Hansson 已提交
154 155
      end

156
      def select_all(sql, name = nil) #:nodoc:
157 158 159
        execute(sql, name).map do |row|
          record = {}
          row.each_key do |key|
160 161 162
            if key.is_a?(String)
              record[key.sub(/^\w+\./, '')] = row[key]
            end
D
Initial  
David Heinemeier Hansson 已提交
163
          end
164
          record
D
Initial  
David Heinemeier Hansson 已提交
165 166 167
        end
      end

168
      def select_one(sql, name = nil) #:nodoc:
169 170
        result = select_all(sql, name)
        result.nil? ? nil : result.first
171
      end
172 173


174
      def begin_db_transaction #:nodoc:
175
        catch_schema_changes { @connection.transaction }
176 177 178
      end
      
      def commit_db_transaction #:nodoc:
179
        catch_schema_changes { @connection.commit }
180 181 182
      end

      def rollback_db_transaction #:nodoc:
183
        catch_schema_changes { @connection.rollback }
184
      end
185

186 187 188 189

      # SCHEMA STATEMENTS ========================================

      def tables(name = nil) #:nodoc:
190 191 192
        execute("SELECT name FROM sqlite_master WHERE type = 'table'", name).map do |row|
          row[0]
        end
193
      end
D
Initial  
David Heinemeier Hansson 已提交
194

195
      def columns(table_name, name = nil) #:nodoc:
D
David Heinemeier Hansson 已提交
196
        table_structure(table_name).map do |field|
197
          SQLiteColumn.new(field['name'], field['dflt_value'], field['type'], field['notnull'] == "0")
D
David Heinemeier Hansson 已提交
198
        end
199
      end
D
Initial  
David Heinemeier Hansson 已提交
200

201
      def indexes(table_name, name = nil) #:nodoc:
202 203 204
        execute("PRAGMA index_list(#{table_name})", name).map do |row|
          index = IndexDefinition.new(table_name, row['name'])
          index.unique = row['unique'] != '0'
J
Jamis Buck 已提交
205
          index.columns = execute("PRAGMA index_info('#{index.name}')").map { |col| col['name'] }
206 207 208 209
          index
        end
      end

210
      def primary_key(table_name) #:nodoc:
211 212 213 214
        column = table_structure(table_name).find {|field| field['pk'].to_i == 1}
        column ? column['name'] : nil
      end

215
      def remove_index(table_name, options={}) #:nodoc:
216
        execute "DROP INDEX #{quote_column_name(index_name(table_name, options))}"
217
      end
218 219 220 221
      
      def rename_table(name, new_name)
        move_table(name, new_name)
      end
222

223
      def add_column(table_name, column_name, type, options = {}) #:nodoc:
224 225 226 227 228
        alter_table(table_name) do |definition|
          definition.column(column_name, type, options)
        end
      end
      
229
      def remove_column(table_name, column_name) #:nodoc:
230 231 232 233 234
        alter_table(table_name) do |definition|
          definition.columns.delete(definition[column_name])
        end
      end
      
235
      def change_column_default(table_name, column_name, default) #:nodoc:
236 237 238 239 240
        alter_table(table_name) do |definition|
          definition[column_name].default = default
        end
      end

241
      def change_column(table_name, column_name, type, options = {}) #:nodoc:
242 243 244 245 246 247 248 249 250
        alter_table(table_name) do |definition|
          definition[column_name].instance_eval do
            self.type    = type
            self.limit   = options[:limit] if options[:limit]
            self.default = options[:default] if options[:default]
          end
        end
      end

251
      def rename_column(table_name, column_name, new_column_name) #:nodoc:
252 253 254
        alter_table(table_name, :rename => {column_name => new_column_name})
      end
          
255

256
      protected
D
Initial  
David Heinemeier Hansson 已提交
257
        def table_structure(table_name)
258 259 260 261 262 263 264 265 266 267 268
          returning structure = execute("PRAGMA table_info(#{table_name})") do
            raise ActiveRecord::StatementInvalid if structure.empty?
          end
        end
        
        def alter_table(table_name, options = {}) #:nodoc:
          altered_table_name = "altered_#{table_name}"
          caller = lambda {|definition| yield definition if block_given?}

          transaction do
            move_table(table_name, altered_table_name, 
269
              options.merge(:temporary => true))
270 271 272 273 274 275 276 277 278 279 280 281
            move_table(altered_table_name, table_name, &caller)
          end
        end
        
        def move_table(from, to, options = {}, &block) #:nodoc:
          copy_table(from, to, options, &block)
          drop_table(from)
        end
        
        def copy_table(from, to, options = {}) #:nodoc:
          create_table(to, options) do |@definition|
            columns(from).each do |column|
282 283 284 285 286 287
              column_name = options[:rename] ?
                (options[:rename][column.name] ||
                 options[:rename][column.name.to_sym] ||
                 column.name) : column.name

              @definition.column(column_name, column.type, 
288 289
                :limit => column.limit, :default => column.default,
                :null => column.null)
290 291 292 293 294 295 296 297 298 299 300 301 302
            end
            @definition.primary_key(primary_key(from))
            yield @definition if block_given?
          end
          
          copy_table_indexes(from, to)
          copy_table_contents(from, to, 
            @definition.columns.map {|column| column.name}, 
            options[:rename] || {})
        end
        
        def copy_table_indexes(from, to) #:nodoc:
          indexes(from).each do |index|
303 304 305 306 307 308 309 310 311 312
            name = index.name
            if to == "altered_#{from}"
              name = "temp_#{name}"
            elsif from == "altered_#{to}"
              name = name[5..-1]
            end

            opts = { :name => name }
            opts[:unique] = true if index.unique
            add_index(to, index.columns, opts)
313 314 315 316 317 318 319 320 321 322 323 324 325
          end
        end
        
        def copy_table_contents(from, to, columns, rename = {}) #:nodoc:
          column_mappings = Hash[*columns.map {|name| [name, name]}.flatten]
          rename.inject(column_mappings) {|map, a| map[a.last] = a.first; map}
          
          @connection.execute "SELECT * FROM #{from}" do |row|
            sql = "INSERT INTO #{to} VALUES ("
            sql << columns.map {|col| quote row[column_mappings[col]]} * ', '
            sql << ')'
            @connection.execute sql
          end
D
Initial  
David Heinemeier Hansson 已提交
326
        end
327 328 329 330 331 332 333 334 335 336 337
        
        def catch_schema_changes
          return yield
        rescue ActiveRecord::StatementInvalid => exception
          if exception.message =~ /database schema has changed/
            reconnect!
            retry
          else
            raise
          end
        end
D
Initial  
David Heinemeier Hansson 已提交
338
    end
339 340 341 342 343 344 345 346 347 348
    
    class SQLite2Adapter < SQLiteAdapter # :nodoc:
      # SQLite 2 does not support COUNT(DISTINCT) queries:
      #
      #   select COUNT(DISTINCT ArtistID) from CDs;    
      #
      # In order to get  the number of artists we execute the following statement
      # 
      #   SELECT COUNT(ArtistID) FROM (SELECT DISTINCT ArtistID FROM CDs);
      def execute(sql, name = nil) #:nodoc:
349 350 351 352
        super(rewrite_count_distinct_queries(sql), name)
      end
      
      def rewrite_count_distinct_queries(sql)
353 354 355 356
        if sql =~ /count\(distinct ([^\)]+)\)( AS \w+)? (.*)/i
          distinct_column = $1
          distinct_query  = $3
          column_name     = distinct_column.split('.').last
357 358 359
          "SELECT COUNT(#{column_name}) FROM (SELECT DISTINCT #{distinct_column} #{distinct_query})"
        else
          sql
360 361 362
        end
      end
    end
363

364
    class DeprecatedSQLiteAdapter < SQLite2Adapter # :nodoc:
365 366 367 368 369
      def insert(sql, name = nil, pk = nil, id_value = nil)
        execute(sql, name = nil)
        id_value || @connection.last_insert_rowid
      end
    end
D
Initial  
David Heinemeier Hansson 已提交
370
  end
371
end