1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335
|
//===----------------------------------------------------------------------===//
//
// This source file is part of the Swift open source project
//
// Copyright (c) 2014-2020 Apple Inc. and the Swift project authors
// Licensed under Apache License v2.0 with Runtime Library Exception
//
// See http://swift.org/LICENSE.txt for license information
// See http://swift.org/CONTRIBUTORS.txt for the list of Swift project authors
//
//===----------------------------------------------------------------------===//
import Foundation
#if USE_IMPL_ONLY_IMPORTS
@_implementationOnly import SPMSQLite3
#else
import SPMSQLite3
#endif
/// A minimal SQLite wrapper.
public final class SQLite {
/// The location of the database.
public let location: Location
/// The configuration for the database.
public let configuration: Configuration
/// Pointer to the database.
let db: OpaquePointer
/// Create or open the database at the given path.
///
/// The database is opened in serialized mode.
public init(location: Location, configuration: Configuration = Configuration()) throws {
self.location = location
self.configuration = configuration
var handle: OpaquePointer?
try Self.checkError(
{
sqlite3_open_v2(
location.pathString,
&handle,
SQLITE_OPEN_READWRITE | SQLITE_OPEN_CREATE | SQLITE_OPEN_FULLMUTEX,
nil
)
},
description: "Unable to open database at \(self.location)"
)
guard let db = handle else {
throw StringError("Unable to open database at \(self.location)")
}
self.db = db
try Self.checkError({ sqlite3_extended_result_codes(db, 1) }, description: "Unable to configure database")
try Self.checkError(
{ sqlite3_busy_timeout(db, self.configuration.busyTimeoutMilliseconds) },
description: "Unable to configure database busy timeout"
)
if let maxPageCount = self.configuration.maxPageCount {
try self.exec(query: "PRAGMA max_page_count=\(maxPageCount);")
}
}
@available(*, deprecated, message: "use init(location:configuration) instead")
public convenience init(dbPath: AbsolutePath) throws {
try self.init(location: .path(dbPath))
}
/// Prepare the given query.
public func prepare(query: String) throws -> PreparedStatement {
try PreparedStatement(db: self.db, query: query)
}
/// Directly execute the given query.
///
/// Note: Use withCString for string arguments.
public func exec(query queryString: String, args: [CVarArg] = [], _ callback: SQLiteExecCallback? = nil) throws {
let query = withVaList(args) { ptr in
sqlite3_vmprintf(queryString, ptr)
}
let wcb = callback.map { CallbackWrapper($0) }
let callbackCtx = wcb.map { Unmanaged.passUnretained($0).toOpaque() }
var err: UnsafeMutablePointer<Int8>?
try Self.checkError { sqlite3_exec(db, query, sqlite_callback, callbackCtx, &err) }
sqlite3_free(query)
if let err {
let errorString = String(cString: err)
sqlite3_free(err)
throw StringError(errorString)
}
}
public func close() throws {
try Self.checkError { sqlite3_close(db) }
}
public typealias SQLiteExecCallback = ([Column]) -> Void
public struct Configuration {
public var busyTimeoutMilliseconds: Int32
public var maxSizeInBytes: Int?
// https://www.sqlite.org/pgszchng2016.html
private let defaultPageSizeInBytes = 1024
public init() {
self.busyTimeoutMilliseconds = 5000
self.maxSizeInBytes = .none
}
// FIXME: deprecated 12/2020, remove once clients migrated over
@available(*, deprecated, message: "use busyTimeout instead")
public var busyTimeoutSeconds: Int32 {
get {
self._busyTimeoutSeconds
} set {
self._busyTimeoutSeconds = newValue
}
}
// so tests dont warn
internal var _busyTimeoutSeconds: Int32 {
get {
Int32(truncatingIfNeeded: Int(Double(self.busyTimeoutMilliseconds) / 1000))
} set {
self.busyTimeoutMilliseconds = newValue * 1000
}
}
public var maxSizeInMegabytes: Int? {
get {
self.maxSizeInBytes.map { $0 / (1024 * 1024) }
}
set {
self.maxSizeInBytes = newValue.map { $0 * 1024 * 1024 }
}
}
public var maxPageCount: Int? {
self.maxSizeInBytes.map { $0 / self.defaultPageSizeInBytes }
}
}
public enum Location {
case path(AbsolutePath)
case memory
case temporary
var pathString: String {
switch self {
case .path(let path):
return path.pathString
case .memory:
return ":memory:"
case .temporary:
return ""
}
}
}
/// Represents an sqlite value.
public enum SQLiteValue {
case null
case string(String)
case int(Int)
case blob(Data)
}
/// Represents a row returned by called step() on a prepared statement.
public struct Row {
/// The pointer to the prepared statement.
let stmt: OpaquePointer
/// Get integer at the given column index.
public func int(at index: Int32) -> Int {
Int(sqlite3_column_int64(self.stmt, index))
}
/// Get blob data at the given column index.
public func blob(at index: Int32) -> Data {
let bytes = sqlite3_column_blob(stmt, index)!
let count = sqlite3_column_bytes(stmt, index)
return Data(bytes: bytes, count: Int(count))
}
/// Get string at the given column index.
public func string(at index: Int32) -> String {
String(cString: sqlite3_column_text(self.stmt, index))
}
}
public struct Column {
public var name: String
public var value: String
}
/// Represents a prepared statement.
public struct PreparedStatement {
typealias sqlite3_destructor_type = @convention(c) (UnsafeMutableRawPointer?) -> Void
static let SQLITE_STATIC = unsafeBitCast(0, to: sqlite3_destructor_type.self)
static let SQLITE_TRANSIENT = unsafeBitCast(-1, to: sqlite3_destructor_type.self)
/// The pointer to the prepared statement.
let stmt: OpaquePointer
public init(db: OpaquePointer, query: String) throws {
var stmt: OpaquePointer?
try SQLite.checkError { sqlite3_prepare_v2(db, query, -1, &stmt, nil) }
self.stmt = stmt!
}
/// Evaluate the prepared statement.
@discardableResult
public func step() throws -> Row? {
let result = sqlite3_step(stmt)
switch result {
case SQLITE_DONE:
return nil
case SQLITE_ROW:
return Row(stmt: self.stmt)
default:
throw StringError(String(cString: sqlite3_errstr(result)))
}
}
/// Bind the given arguments to the statement.
public func bind(_ arguments: [SQLiteValue]) throws {
for (idx, argument) in arguments.enumerated() {
let idx = Int32(idx) + 1
switch argument {
case .null:
try checkError { sqlite3_bind_null(stmt, idx) }
case .int(let int):
try checkError { sqlite3_bind_int64(stmt, idx, Int64(int)) }
case .string(let str):
try checkError { sqlite3_bind_text(stmt, idx, str, -1, Self.SQLITE_TRANSIENT) }
case .blob(let blob):
try checkError {
blob.withUnsafeBytes { ptr in
sqlite3_bind_blob(
stmt,
idx,
ptr.baseAddress,
Int32(blob.count),
Self.SQLITE_TRANSIENT
)
}
}
}
}
}
/// Reset the prepared statement.
public func reset() throws {
try SQLite.checkError { sqlite3_reset(stmt) }
}
/// Clear bindings from the prepared statement.
public func clearBindings() throws {
try SQLite.checkError { sqlite3_clear_bindings(stmt) }
}
/// Finalize the statement and free up resources.
public func finalize() throws {
try SQLite.checkError { sqlite3_finalize(stmt) }
}
}
fileprivate class CallbackWrapper {
var callback: SQLiteExecCallback
init(_ callback: @escaping SQLiteExecCallback) {
self.callback = callback
}
}
private static func checkError(_ fn: () -> Int32, description prefix: String? = .none) throws {
let result = fn()
if result != SQLITE_OK {
var description = String(cString: sqlite3_errstr(result))
switch description.lowercased() {
case "database or disk is full":
throw Errors.databaseFull
default:
if let prefix {
description = "\(prefix): \(description)"
}
throw StringError(description)
}
}
}
public enum Errors: Error {
case databaseFull
}
}
// Explicitly mark this class as non-Sendable
@available(*, unavailable)
extension SQLite: Sendable {}
private func sqlite_callback(
_ ctx: UnsafeMutableRawPointer?,
_ numColumns: Int32,
_ columns: UnsafeMutablePointer<UnsafeMutablePointer<Int8>?>?,
_ columnNames: UnsafeMutablePointer<UnsafeMutablePointer<Int8>?>?
) -> Int32 {
guard let ctx else { return 0 }
guard let columnNames, let columns else { return 0 }
let numColumns = Int(numColumns)
var result: [SQLite.Column] = []
for idx in 0 ..< numColumns {
var name = ""
if let ptr = columnNames.advanced(by: idx).pointee {
name = String(cString: ptr)
}
var value = ""
if let ptr = columns.advanced(by: idx).pointee {
value = String(cString: ptr)
}
result.append(SQLite.Column(name: name, value: value))
}
let wcb = Unmanaged<SQLite.CallbackWrapper>.fromOpaque(ctx).takeUnretainedValue()
wcb.callback(result)
return 0
}
|