client.js
8.33 KB
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
import Promise from 'bluebird';
import * as helpers from './helpers';
import Raw from './raw';
import Runner from './runner';
import Formatter from './formatter';
import Transaction from './transaction';
import QueryBuilder from './query/builder';
import QueryCompiler from './query/compiler';
import SchemaBuilder from './schema/builder';
import SchemaCompiler from './schema/compiler';
import TableBuilder from './schema/tablebuilder';
import TableCompiler from './schema/tablecompiler';
import ColumnBuilder from './schema/columnbuilder';
import ColumnCompiler from './schema/columncompiler';
import { Pool } from 'generic-pool';
import inherits from 'inherits';
import { EventEmitter } from 'events';
import { makeEscape } from './query/string'
import { assign, uniqueId, cloneDeep } from 'lodash'
const debug = require('debug')('knex:client')
const debugQuery = require('debug')('knex:query')
const debugBindings = require('debug')('knex:bindings')
const debugPool = require('debug')('knex:pool')
let id = 0
function clientId() {
return `client${id++}`
}
// The base client provides the general structure
// for a dialect specific client object.
function Client(config = {}) {
this.config = config
//Client is a required field, so throw error if it's not supplied.
//If 'this.dialect' is set, then this is a 'super()' call, in which case
//'client' does not have to be set as it's already assigned on the client prototype.
if(!this.config.client && !this.dialect) {
throw new Error(`knex: Required configuration option 'client' is missing.`)
}
this.connectionSettings = cloneDeep(config.connection || {})
if (this.driverName && config.connection) {
this.initializeDriver()
if (!config.pool || (config.pool && config.pool.max !== 0)) {
this.__cid = clientId()
this.initializePool(config)
}
}
this.valueForUndefined = this.raw('DEFAULT');
if (config.useNullAsDefault) {
this.valueForUndefined = null
}
}
inherits(Client, EventEmitter)
assign(Client.prototype, {
formatter() {
return new Formatter(this)
},
queryBuilder() {
return new QueryBuilder(this)
},
queryCompiler(builder) {
return new QueryCompiler(this, builder)
},
schemaBuilder() {
return new SchemaBuilder(this)
},
schemaCompiler(builder) {
return new SchemaCompiler(this, builder)
},
tableBuilder(type, tableName, fn) {
return new TableBuilder(this, type, tableName, fn)
},
tableCompiler(tableBuilder) {
return new TableCompiler(this, tableBuilder)
},
columnBuilder(tableBuilder, type, args) {
return new ColumnBuilder(this, tableBuilder, type, args)
},
columnCompiler(tableBuilder, columnBuilder) {
return new ColumnCompiler(this, tableBuilder, columnBuilder)
},
runner(connection) {
return new Runner(this, connection)
},
transaction(container, config, outerTx) {
return new Transaction(this, container, config, outerTx)
},
raw() {
return new Raw(this).set(...arguments)
},
_formatQuery(sql, bindings, timeZone) {
bindings = bindings == null ? [] : [].concat(bindings);
let index = 0;
return sql.replace(/\\?\?/g, (match) => {
if (match === '\\?') {
return '?'
}
if (index === bindings.length) {
return match
}
const value = bindings[index++];
return this._escapeBinding(value, {timeZone})
})
},
_escapeBinding: makeEscape({
escapeString(str) {
return `'${str.replace(/'/g, "''")}'`
}
}),
query(connection, obj) {
if (typeof obj === 'string') obj = {sql: obj}
obj.bindings = this.prepBindings(obj.bindings)
debugQuery(obj.sql)
this.emit('query', assign({__knexUid: connection.__knexUid}, obj))
debugBindings(obj.bindings)
return this._query(connection, obj).catch((err) => {
err.message = this._formatQuery(obj.sql, obj.bindings) + ' - ' + err.message
this.emit('query-error', err, assign({__knexUid: connection.__knexUid}, obj))
throw err
})
},
stream(connection, obj, stream, options) {
if (typeof obj === 'string') obj = {sql: obj}
this.emit('query', assign({__knexUid: connection.__knexUid}, obj))
debugQuery(obj.sql)
obj.bindings = this.prepBindings(obj.bindings)
debugBindings(obj.bindings)
return this._stream(connection, obj, stream, options)
},
prepBindings(bindings) {
return bindings;
},
wrapIdentifier(value) {
return (value !== '*' ? `"${value.replace(/"/g, '""')}"` : '*')
},
initializeDriver() {
try {
this.driver = this._driver()
} catch (e) {
helpers.exit(`Knex: run\n$ npm install ${this.driverName} --save\n${e.stack}`)
}
},
poolDefaults(poolConfig) {
const name = this.dialect + ':' + this.driverName + ':' + this.__cid
return {
min: 2,
max: 10,
name: name,
log(str, level) {
if (level === 'info') {
debugPool(level.toUpperCase() + ' pool ' + name + ' - ' + str)
}
},
create: (callback) => {
this.acquireRawConnection()
.tap(function(connection) {
connection.__knexUid = uniqueId('__knexUid')
if (poolConfig.afterCreate) {
return Promise.promisify(poolConfig.afterCreate)(connection)
}
})
.asCallback(callback)
},
destroy: (connection) => {
if (poolConfig.beforeDestroy) {
helpers.warn(`
beforeDestroy is deprecated, please open an issue if you use this
to discuss alternative apis
`)
poolConfig.beforeDestroy(connection, function() {})
}
if (connection !== void 0) {
this.destroyRawConnection(connection)
}
},
validate: (connection) => {
if (connection.__knex__disposed) {
helpers.warn(`Connection Error: ${connection.__knex__disposed}`)
return false
}
return this.validateConnection(connection)
}
}
},
initializePool(config) {
if (this.pool) {
helpers.warn('The pool has already been initialized')
return
}
this.pool = new Pool(assign(this.poolDefaults(config.pool || {}), config.pool))
},
validateConnection(connection) {
return true
},
// Acquire a connection from the pool.
acquireConnection() {
return new Promise((resolver, rejecter) => {
if (!this.pool) {
return rejecter(new Error('Unable to acquire a connection'))
}
let wasRejected = false
const t = setTimeout(() => {
wasRejected = true
rejecter(new Promise.TimeoutError(
'Knex: Timeout acquiring a connection. The pool is probably full. ' +
'Are you missing a .transacting(trx) call?'
))
}, this.config.acquireConnectionTimeout || 60000)
this.pool.acquire((err, connection) => {
clearTimeout(t)
if (err) {
return rejecter(err)
}
if (wasRejected) {
this.pool.release(connection)
} else {
debug('acquired connection from pool: %s', connection.__knexUid)
resolver(connection)
}
})
})
},
// Releases a connection back to the connection pool,
// returning a promise resolved when the connection is released.
releaseConnection(connection) {
return new Promise((resolver) => {
debug('releasing connection to pool: %s', connection.__knexUid)
this.pool.release(connection)
resolver()
})
},
// Destroy the current connection pool for the client.
destroy(callback) {
const promise = new Promise((resolver) => {
if (!this.pool) {
return resolver()
}
this.pool.drain(() => {
this.pool.destroyAllNow(() => {
this.pool = undefined
resolver()
})
})
})
// Allow either a callback or promise interface for destruction.
if (typeof callback === 'function') {
promise.asCallback(callback)
} else {
return promise
}
},
// Return the database being used by this client.
database() {
return this.connectionSettings.database
},
toString() {
return '[object KnexClient]'
},
canCancelQuery: false,
assertCanCancelQuery() {
if (!this.canCancelQuery) {
throw new Error("Query cancelling not supported for this dialect");
}
},
cancelQuery() {
throw new Error("Query cancelling not supported for this dialect")
}
})
export default Client