sqlite_adapter.rb 10.7 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 39 40 41 42 43
          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)
            ConnectionAdapters::SQLiteAdapter.new(db, logger)
          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 58
          if Object.const_defined?(:RAILS_ROOT) && ':memory:' != config[:database]
            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 101 102
      def adapter_name #:nodoc:
        'SQLite'
      end

      def supports_migrations? #:nodoc:
        true
      end

      def native_database_types #:nodoc:
103 104
        {
          :primary_key => "INTEGER PRIMARY KEY NOT NULL",
105 106 107 108 109 110 111 112 113
          :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" },
114
          :boolean     => { :name => "boolean" }
115 116 117
        }
      end

118 119 120 121 122 123 124 125 126

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

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

      def quote_column_name(name) #:nodoc:
        "'#{name}'"
127 128
      end

129

130 131 132 133 134 135 136 137 138 139 140 141 142
      # CONNECTION MANAGEMENT ====================================

      def active?
        # TODO: SQLite is an embedded db, it doesn't lose connections,
        # but perhaps some of its exceptions merit a retry, such as
        # LockedException.
        true
      end

      def reconnect!
      end


143 144 145
      # DATABASE STATEMENTS ======================================

      def execute(sql, name = nil) #:nodoc:
146
        log(sql, name) { @connection.execute(sql) }
D
Initial  
David Heinemeier Hansson 已提交
147 148
      end

149
      def update(sql, name = nil) #:nodoc:
150 151
        execute(sql, name)
        @connection.changes
D
Initial  
David Heinemeier Hansson 已提交
152 153
      end

154
      def delete(sql, name = nil) #:nodoc:
155 156 157
        sql += " WHERE 1=1" unless sql =~ /WHERE/i
        execute(sql, name)
        @connection.changes
D
Initial  
David Heinemeier Hansson 已提交
158 159
      end

160
      def insert(sql, name = nil, pk = nil, id_value = nil, sequence_name = nil) #:nodoc:
D
Initial  
David Heinemeier Hansson 已提交
161
        execute(sql, name = nil)
162
        id_value || @connection.last_insert_row_id
D
Initial  
David Heinemeier Hansson 已提交
163 164
      end

165
      def select_all(sql, name = nil) #:nodoc:
166 167 168
        execute(sql, name).map do |row|
          record = {}
          row.each_key do |key|
169 170 171
            if key.is_a?(String)
              record[key.sub(/^\w+\./, '')] = row[key]
            end
D
Initial  
David Heinemeier Hansson 已提交
172
          end
173
          record
D
Initial  
David Heinemeier Hansson 已提交
174 175 176
        end
      end

177
      def select_one(sql, name = nil) #:nodoc:
178 179
        result = select_all(sql, name)
        result.nil? ? nil : result.first
180
      end
181 182


183 184 185 186 187 188 189 190 191 192 193
      def begin_db_transaction #:nodoc:
        @connection.transaction
      end
      
      def commit_db_transaction #:nodoc:
        @connection.commit
      end

      def rollback_db_transaction #:nodoc:
        @connection.rollback
      end
194

195 196 197 198

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

      def tables(name = nil) #:nodoc:
199 200 201
        execute("SELECT name FROM sqlite_master WHERE type = 'table'", name).map do |row|
          row[0]
        end
202
      end
D
Initial  
David Heinemeier Hansson 已提交
203

204
      def columns(table_name, name = nil) #:nodoc:
205
        table_structure(table_name).map { |field|
206
          SQLiteColumn.new(field['name'], field['dflt_value'], field['type'], field['notnull'] == "0")
207 208
        }
      end
D
Initial  
David Heinemeier Hansson 已提交
209

210
      def indexes(table_name, name = nil) #:nodoc:
211 212 213
        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 已提交
214
          index.columns = execute("PRAGMA index_info('#{index.name}')").map { |col| col['name'] }
215 216 217 218
          index
        end
      end

219
      def primary_key(table_name) #:nodoc:
220 221 222 223
        column = table_structure(table_name).find {|field| field['pk'].to_i == 1}
        column ? column['name'] : nil
      end

224
      def remove_index(table_name, options={}) #:nodoc:
J
Jamis Buck 已提交
225 226 227 228 229 230 231
        if Hash === options
          index_name = options[:name]
        else
          index_name = "#{table_name}_#{options}_index"
        end

        execute "DROP INDEX #{index_name}"
232
      end
233 234 235 236
      
      def rename_table(name, new_name)
        move_table(name, new_name)
      end
237

238
      def add_column(table_name, column_name, type, options = {}) #:nodoc:
239 240 241 242 243
        alter_table(table_name) do |definition|
          definition.column(column_name, type, options)
        end
      end
      
244
      def remove_column(table_name, column_name) #:nodoc:
245 246 247 248 249
        alter_table(table_name) do |definition|
          definition.columns.delete(definition[column_name])
        end
      end
      
250
      def change_column_default(table_name, column_name, default) #:nodoc:
251 252 253 254 255
        alter_table(table_name) do |definition|
          definition[column_name].default = default
        end
      end

256
      def change_column(table_name, column_name, type, options = {}) #:nodoc:
257 258 259 260 261 262 263 264 265
        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

266
      def rename_column(table_name, column_name, new_column_name) #:nodoc:
267 268 269
        alter_table(table_name, :rename => {column_name => new_column_name})
      end
          
270

271
      protected
D
Initial  
David Heinemeier Hansson 已提交
272
        def table_structure(table_name)
273 274 275 276 277 278 279 280 281 282 283
          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, 
284
              options.merge(:temporary => true))
285 286 287 288 289 290 291 292 293 294 295 296
            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|
297 298 299 300 301 302
              column_name = options[:rename] ?
                (options[:rename][column.name] ||
                 options[:rename][column.name.to_sym] ||
                 column.name) : column.name

              @definition.column(column_name, column.type, 
303 304
                :limit => column.limit, :default => column.default,
                :null => column.null)
305 306 307 308 309 310 311 312 313 314 315 316 317
            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|
318 319 320 321 322 323 324 325 326 327
            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)
328 329 330 331 332 333 334 335 336 337 338 339 340
          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 已提交
341 342
        end
    end
343 344 345 346 347 348 349

    class DeprecatedSQLiteAdapter < SQLiteAdapter # :nodoc:
      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 已提交
350
  end
351
end