-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathPostgreSQLAdaptorChannel.swift
645 lines (523 loc) · 20.5 KB
/
PostgreSQLAdaptorChannel.swift
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
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
//
// PostgreSQLAdaptor.swift
// ZeeQL
//
// Created by Helge Hess on 03/03/17.
// Copyright © 2017-2024 ZeeZide GmbH. All rights reserved.
//
#if os(Windows)
import WinSDK
#elseif os(Linux)
import Glibc
#else
import Darwin
#endif
import Foundation
import ZeeQL
import CLibPQ
fileprivate let BinaryFlag : Int32 = 1
open class PostgreSQLAdaptorChannel : AdaptorChannel, SmartDescription {
public enum Error : Swift.Error {
case ExecError (reason: String, sql: String)
case BadResponse(reason: String, sql: String)
case FatalError (reason: String, sql: String)
case UnsupportedResultType(String)
case Generic
case NotImplemented
case ConnectionClosed
}
static let isDebugDefaultOn =
UserDefaults.standard.bool(forKey: "PGDebugEnabled")
public let expressionFactory : SQLExpressionFactory
public var handle : OpaquePointer?
final let logSQL : Bool
init(adaptor: Adaptor, handle: OpaquePointer) {
self.expressionFactory = adaptor.expressionFactory
self.handle = handle
self.logSQL = Self.isDebugDefaultOn
}
deinit {
if let handle = handle { PQfinish(handle) }
}
func close() {
guard let handle = handle else { return }
PQfinish(handle)
self.handle = nil
}
// MARK: - Raw Queries
/**
* Iterate over the raw result set and produce `AdaptorRecord`s.
*/
func fetchRows(_ res : OpaquePointer,
_ optAttrs : [ Attribute ]? = nil,
cb : ( AdaptorRecord ) throws -> Void) throws
{
// The libpq function fetches everything into memory I think. Need to
// drop libpq eventually ;-)
let binary = PQbinaryTuples(res) != 0
let count = Int(PQntuples(res))
let colCount = Int(PQnfields(res))
var schema : AdaptorRecordSchema
// assumes uniform results, which should be so
if let attrs = optAttrs {
schema = AdaptorRecordSchemaWithAttributes(attrs)
}
else {
// TBD: Do we want to build attributes? Probably not, too expensive for
// simple stuff.
var names = [ String ]()
names.reserveCapacity(colCount)
for colIdx in 0..<colCount {
#if true
if let name = PQfname(res, Int32(colIdx)) {
names.append(String(cString: name))
}
else {
names.append("col[\(colIdx)]")
}
#else // old, 'fillup' mode where some are provided by optAttrs
if let attrs = optAttrs, colIdx < attrs.count,
let col = attrs[colIdx].columnName
{
names.append(col)
}
else if let name = PQfname(res, Int32(colIdx)) {
names.append(String(cString: name))
}
else {
names.append("col[\(colIdx)]")
}
#endif
}
schema = AdaptorRecordSchemaWithNames(names)
}
// TBD: This is a little inefficient, would be better to let the caller
// know the number of records retrieved, so that it can reserve the
// capacity.
// However, the _real_ fix is to perform incremental fetches.
for i in 0..<count {
var values = [ Any? ]()
values.reserveCapacity(colCount)
for colIdx in 0..<colCount {
let attr : Attribute?
if let attrs = optAttrs, colIdx < attrs.count {
attr = attrs[colIdx]
}
else {
attr = nil
}
let row = Int32(i)
let col = Int32(colIdx)
if PQgetisnull(res, row, col) != 0 {
// TODO: consider value type of attr
// TBD: a little weird :-)
// TBD: why can't we use Any? = nil?
values.append(Optional<String>.none)
continue
}
guard let pgValue = PQgetvalue(res, row, col) else {
values.append(Optional<String>.none)
continue
}
let type = PQftype(res, col)
let len = PQgetlength(res, row, col)
let bptr = UnsafeBufferPointer(start: pgValue, count: Int(len))
let value = binary
? valueForBinaryPGValue(type: type, value: bptr, attribute: attr)
: valueForTextPGValue (type: type, value: bptr, attribute: attr)
values.append(value)
}
let record = AdaptorRecord(schema: schema, values: values)
try cb(record)
}
}
private func _runSQL(sql: String, optAttrs : [ Attribute ]?,
bindings: [ SQLExpression.BindVariable ]?,
cb: ( AdaptorRecord ) throws -> Void) throws
-> Int?
{
guard let handle = handle else { throw Error.ConnectionClosed }
let defaultReason = "Could not performSQL"
if logSQL { print("SQL: \(sql)") }
// bindings
// TODO: avoid creating the arrays, but we have other overheads here
let bindingCount = bindings?.count ?? 0
var bindingTypes = [ Oid ]()
var bindingLengths = [ Int32 ]()
var bindingIsBinary = [ Int32 ]()
// TODO: allocations in here are wasteful and need to be improved (e.g. a
// common alloc block?)
var bindingValues = [ UnsafePointer<Int8>? ]()
defer {
for value in bindingValues {
guard let value = value else { continue }
free(UnsafeMutableRawPointer(mutating: value))
}
}
var idx = 0
if let bindings = bindings {
bindingTypes .reserveCapacity(bindingCount)
bindingLengths .reserveCapacity(bindingCount)
bindingIsBinary.reserveCapacity(bindingCount)
bindingValues .reserveCapacity(bindingCount)
for bind in bindings {
// if logSQL { print(" BIND[\(idx)]: \(bind)") }
if let attr = bind.attribute {
if logSQL { print(" BIND[\(idx)]: \(attr.name)") }
// TODO: ask attribute for OID
}
// FIXME(hh 2024-11-25): Unnested all this stuff.
// TODO: Add a protocol to do this?
func bindAnyValue(_ value: Any?) throws -> Bind {
guard let value = value else {
if logSQL { print(" [\(idx)]> bind NULL") }
// TODO: set value to NULL
return Bind(type: 0 /*Hmmm*/, length: 0, rawValue: nil)
}
if let value = value as? PGBindableValue {
return try value.bind(index: idx, log: logSQL)
}
if logSQL { print(" [\(idx)]> bind other \(value)") }
assertionFailure("Unexpected value, please add explicit type")
let rawValue = UnsafePointer(strdup(String(describing: value)))
return Bind(type: OIDs.VARCHAR,
length: rawValue.flatMap { Int32(strlen($0)) } ?? 0,
rawValue: rawValue)
}
let bindInfo = try bindAnyValue(bind.value)
bindingTypes .append(bindInfo.type)
bindingLengths .append(bindInfo.length)
bindingIsBinary.append(bindInfo.isBinary)
bindingValues .append(bindInfo.rawValue)
}
idx += 1
}
// types, values, length, binaryOrNot
// PGresult
guard let result = PQexecParams(handle, sql,
Int32(bindingCount),
bindingTypes,
bindingValues,
bindingLengths,
bindingIsBinary, BinaryFlag)
else {
throw Error.ExecError(reason: lastError ?? defaultReason,
sql: sql)
}
defer { PQclear(result) }
let status = PQresultStatus(result)
switch status {
case PGRES_TUPLES_OK:
try fetchRows(result, optAttrs, cb: cb)
case PGRES_EMPTY_QUERY: return nil // string was empty :-)
case PGRES_COMMAND_OK: break // no data
case PGRES_NONFATAL_ERROR:
throw Error.ExecError(reason: lastError ?? defaultReason, sql: sql)
case PGRES_FATAL_ERROR:
throw Error.FatalError(reason: lastError ?? defaultReason, sql: sql)
case PGRES_BAD_RESPONSE:
// TBD: close connection?
throw Error.BadResponse(reason: lastError ?? defaultReason, sql: sql)
// TODO: support COPY
case PGRES_COPY_IN: throw Error.UnsupportedResultType("COPY_IN")
case PGRES_COPY_OUT: throw Error.UnsupportedResultType("COPY_OUT")
case PGRES_COPY_BOTH: throw Error.UnsupportedResultType("COPY_BOTH")
default: throw Error.UnsupportedResultType("\(status)")
}
guard let cstr = PQcmdTuples(result) else { return nil }
guard cstr.pointee != 0 else { return nil } // empty string
return atol(cstr)
}
public func querySQL(_ sql: String, _ optAttrs : [ Attribute ]?,
cb: ( AdaptorRecord ) throws -> Void) throws
{
_ = try _runSQL(sql: sql, optAttrs: optAttrs, bindings: nil, cb: cb)
}
@discardableResult
public func performSQL(_ sql: String) throws -> Int {
// Hm, funny. If we make 'cb' optional, it becomes escaping. So avoid that.
return try _runSQL(sql: sql, optAttrs: nil, bindings: nil) { rec in } ?? 0
}
// MARK: - Values
func valueForBinaryPGValue(type: Oid, value: UnsafeBufferPointer<Int8>,
attribute: Attribute?) -> Any?
{
// TODO: consider attribute! (e.g. for date, valueType in attr, if set)
// TODO: decode actual types :-)
// TODO: do not crash on force unwrap
switch type {
case OIDs.INT2: return Int16(bigEndian: cast(value.baseAddress!))
case OIDs.INT4: return Int32(bigEndian: cast(value.baseAddress!))
case OIDs.INT8: return Int64(bigEndian: cast(value.baseAddress!))
// Float has no bigEndian
// case OIDs.FLOAT4: return Float32(bigEndian: cast(value.baseAddress!))
// case OIDs.FLOAT8: return Float64(bigEndian: cast(value.baseAddress!))
case OIDs.BOOL: return (value.baseAddress!.pointee != 0)
case OIDs.VARCHAR, OIDs.TEXT, OIDs.CHAR:
return String(cString: value.baseAddress!)
case OIDs.NAME: // e.g. SELECT datname FROM pg_database
return String(cString: value.baseAddress!)
case OIDs.TIMESTAMPTZ: // 1184
// TODO: I think it is better to fix this during the query, that is,
// to a SELECT unix_time(startDate) like thing.
// hm. How to parse this? We used to have the format in the attribute?
// http://www.linuxtopia.org/online_books/database_guides/Practical_PostgreSQL_database/PostgreSQL_x2632_005.htm
// 2024-11-08(hh): this seems to be 8 bytes aka UInt64 and the above
// for String representations
// https://postgrespro.com/list/thread-id/1482672
// https://materialize.com/docs/sql/types/timestamp/
// - Min value 4713 BC
// - Max value 294276 AD
// - Max resolution 1 microsecond
if value.count == 8 {
// 1_000_000
let msecs = Double(Int64(bigEndian: cast(value.baseAddress!)))
let date = Date(timeInterval: TimeInterval(msecs) / 1000000.0,
since: Date.pgReferenceDate)
return date
}
return String(cString: value.baseAddress!)
case OIDs.TIMESTAMP:
return String(cString: value.baseAddress!)
case OIDs.OID:
// https://www.postgresql.org/docs/9.5/static/datatype-oid.html
return UInt32(bigEndian: cast(value.baseAddress!))
default:
print("Unexpected OID: \(type): \(String(cString:value.baseAddress!))")
return Data(buffer: value)
}
}
func valueForTextPGValue(type: Oid, value: UnsafeBufferPointer<Int8>,
attribute: Attribute?) -> Any?
{
// TODO: consider attribute! (e.g. for date, valueType in attr, if set)
// - What we want is that the class is grabbed from the attribute, and
// if that is a PostgreSQLDecodable, we pass it the type and everything.
// TODO: decode actual types :-)
switch type {
case OIDs.INT2:
guard let base = value.baseAddress else { return Int16(0) }
return Int16(atol(base))
case OIDs.INT4:
guard let base = value.baseAddress else { return Int32(0) }
return Int32(atol(base))
case OIDs.FLOAT4:
guard let base = value.baseAddress else { return Float32(0) }
return Float32(atof(base))
case OIDs.FLOAT8:
guard let base = value.baseAddress else { return Float64(0) }
return Float64(atof(base))
case OIDs.VARCHAR:
guard let base = value.baseAddress else { return Optional<String>.none }
return String(cString: base)
case OIDs.TIMESTAMPTZ:
// TODO: I think it is better to fix this during the query, that is,
// to a SELECT unix_time(startDate) like thing.
// hm. How to parse this? We used to have the format in the attribute?
// http://www.linuxtopia.org/online_books/database_guides/Practical_PostgreSQL_database/PostgreSQL_x2632_005.htm
guard let base = value.baseAddress else { return Optional<String>.none }
return String(cString: base)
default:
print("OID: \(type): \(String(cString:value.baseAddress!))")
guard let base = value.baseAddress else { return Optional<String>.none }
return String(cString: base)
}
}
// MARK: - Model Queries
public func evaluateQueryExpression(_ sqlexpr : SQLExpression,
_ optAttrs : [ Attribute ]?,
result: ( AdaptorRecord ) throws -> Void)
throws
{
_ = try _runSQL(sql: sqlexpr.statement, optAttrs: optAttrs,
bindings: sqlexpr.bindVariables, cb: result)
}
public func evaluateUpdateExpression(_ sqlexpr: SQLExpression) throws -> Int {
return try _runSQL(sql: sqlexpr.statement, optAttrs: nil,
bindings: sqlexpr.bindVariables) { rec in } ?? 0
}
// MARK: - Transactions
public var isTransactionInProgress : Bool = false
@inlinable
public func begin() throws {
guard !isTransactionInProgress
else { throw AdaptorChannelError.TransactionInProgress }
try performSQL("BEGIN TRANSACTION;")
isTransactionInProgress = true
}
@inlinable
public func commit() throws {
isTransactionInProgress = false
try performSQL("COMMIT TRANSACTION;")
}
@inlinable
public func rollback() throws {
isTransactionInProgress = false
try performSQL("ROLLBACK TRANSACTION;")
}
// MARK: - Errors
var lastError : String? {
guard let cstr = PQerrorMessage(handle) else { return nil }
return String(cString: cstr)
}
// MARK: - Description
public func appendToDescription(_ ms: inout String) {
if let handle = handle {
ms += " \(handle)"
}
else {
ms += " finished"
}
}
// MARK: - reflection
@inlinable
public func describeSequenceNames() throws -> [ String ] {
return try PostgreSQLModelFetch(channel: self).describeSequenceNames()
}
@inlinable
public func describeDatabaseNames() throws -> [ String ] {
return try PostgreSQLModelFetch(channel: self).describeDatabaseNames()
}
@inlinable
public func describeTableNames() throws -> [ String ] {
return try PostgreSQLModelFetch(channel: self).describeTableNames()
}
@inlinable
public func describeEntityWithTableName(_ table: String) throws -> Entity? {
return try PostgreSQLModelFetch(channel: self)
.describeEntityWithTableName(table)
}
@inlinable
public func describeEntitiesWithTableNames(_ tableNames: [ String ])
throws -> [ Entity ]
{
return try PostgreSQLModelFetch(channel: self)
.describeEntitiesWithTableNames(tableNames)
}
// MARK: - Insert w/ auto-increment support
@inlinable
open func insertRow(_ row: AdaptorRow, _ entity: Entity, refetchAll: Bool)
throws -> AdaptorRow
{
let attributes : [ Attribute ]? = {
if refetchAll { return entity.attributes }
// TBD: refetch-all if no pkeys are assigned
guard let pkeys = entity.primaryKeyAttributeNames, !pkeys.isEmpty
else { return entity.attributes }
return entity.attributesWithNames(pkeys)
}()
let expr = PostgreSQLExpression(entity: entity)
expr.prepareInsertReturningExpressionWithRow(row, attributes: attributes)
var rec : AdaptorRecord? = nil
try evaluateQueryExpression(expr, attributes) { record in
guard rec == nil else { // multiple matched!
throw AdaptorError.FailedToRefetchInsertedRow(
entity: entity, row: row)
}
rec = record
}
guard let rrec = rec else { // no record returned?
throw AdaptorError.FailedToRefetchInsertedRow(entity: entity, row: row)
}
return rrec.asAdaptorRow
}
}
fileprivate func cast<T>(_ value: UnsafePointer<Int8>) -> T {
return value.withMemoryRebound(to: T.self, capacity: 1) { typedPtr in
typedPtr.pointee
}
}
fileprivate func tdup<T>(_ value: T) -> UnsafeBufferPointer<Int8> {
let len = MemoryLayout<T>.size
let raw = OpaquePointer(malloc(len)!)
let ptr = UnsafeMutablePointer<T>(raw)
ptr.pointee = value
return UnsafeBufferPointer(start: UnsafePointer(raw), count: len)
}
fileprivate extension Date {
// 2000-01-01
static let pgReferenceDate = Date(timeIntervalSince1970: 946684800)
}
// MARK: - Binding
fileprivate struct Bind {
// So this always has the value *malloc*'ed in rawValue, which is not
// particularily great :-)
var type : Oid = 0
var length : Int32 = 0
var isBinary : Int32 = BinaryFlag
var rawValue : UnsafePointer<Int8>? = nil
}
fileprivate protocol PGBindableValue {
func bind(index: Int, log: Bool) throws -> Bind
}
extension Optional: PGBindableValue where Wrapped: PGBindableValue {
fileprivate func bind(index idx: Int, log: Bool) throws -> Bind {
switch self {
case .some(let value): return try value.bind(index: idx, log: log)
case .none:
if log { print(" [\(idx)]> bind NULL") }
return Bind(type: 0 /*Hmmm*/, length: 0, rawValue: nil)
}
}
}
extension String: PGBindableValue {
fileprivate func bind(index idx: Int, log: Bool) throws -> Bind {
if log { print(" [\(idx)]> bind string \"\(self)\"") }
// TODO: include 0 in length?
let rawValue = UnsafePointer(strdup(self))
return Bind(type: OIDs.VARCHAR,
length: rawValue.flatMap { Int32(strlen($0)) } ?? 0,
rawValue: rawValue)
}
}
extension BinaryInteger {
fileprivate func bind(index idx: Int, log: Bool) throws -> Bind {
if log { print(" [\(idx)]> bind int \(self)") }
let value = Int(self) // Hmm
let bp = tdup(value.bigEndian)
return Bind(type: MemoryLayout<Int>.size == 8
? OIDs.INT8 : OIDs.INT4,
length: Int32(bp.count), rawValue: bp.baseAddress!)
}
}
extension Int : PGBindableValue {}
extension UInt : PGBindableValue {}
extension Int32 : PGBindableValue {}
extension Int64 : PGBindableValue {}
extension Date: PGBindableValue {
fileprivate func bind(index idx: Int, log: Bool) throws -> Bind {
let diff = self.timeIntervalSince(Date.pgReferenceDate)
let msecs = Int64(diff * 1000000.0) // seconds to milliseconds
let bp = tdup(msecs.bigEndian)
return Bind(type: OIDs.TIMESTAMPTZ, // 1184
length: 8,
rawValue: bp.baseAddress!)
}
}
extension UUID: PGBindableValue {
fileprivate func bind(index idx: Int, log: Bool) throws -> Bind {
return try uuidString.bind(index: idx, log: log)
}
}
extension KeyGlobalID: PGBindableValue {
fileprivate func bind(index idx: Int, log: Bool) throws -> Bind {
assert(keyCount == 1)
switch value {
case .singleNil:
return try Optional<String>.none.bind(index: idx, log: log)
case .int (let value) : return try value.bind(index: idx, log: log)
case .string(let value) : return try value.bind(index: idx, log: log)
case .uuid (let value) : return try value.bind(index: idx, log: log)
case .values(let values):
if values.count > 1 {
throw PostgreSQLAdaptorChannel.Error
.ExecError(reason: "Invalid multi-gid bind", sql: "")
}
assert(values.first is PGBindableValue)
if let value = values.first as? PGBindableValue {
return try value.bind(index: idx, log: log)
}
else { return try Optional<String>.none.bind(index: idx, log: log) }
}
}
}