Skip to content

Commit 76d27cb

Browse files
authored
feat: Merge pull request #16 from firebolt-db/query-bindings
Query bindings
2 parents 6ba6723 + 42f79fa commit 76d27cb

File tree

12 files changed

+418
-22
lines changed

12 files changed

+418
-22
lines changed

README.md

+17-2
Original file line numberDiff line numberDiff line change
@@ -65,6 +65,7 @@ console.log(rows)
6565
* <a href="#engine-url">Engine URL</a>
6666
* <a href="#execute-query">Execute query</a>
6767
* <a href="#executequeryoptions">ExecuteQueryOptions</a>
68+
* <a href="#parameters">parameters</a>
6869
* <a href="#querysettings">QuerySettings</a>
6970
* <a href="#responsesettings">ResponseSettings</a>
7071
* <a href="#fetch-result">Fetch result</a>
@@ -145,7 +146,7 @@ For example: `your-engine.your-account.us-east-1.app.firebolt.io`. You can find
145146
const statement = await connection.execute(query, executeQueryOptions);
146147
```
147148

148-
### Execute Query with parameters
149+
### Execute Query with set flags
149150

150151
```typescript
151152
const statement = await connection.execute(query, {
@@ -158,19 +159,33 @@ const statement = await connection.execute(query, {
158159

159160
```typescript
160161
export type ExecuteQueryOptions = {
162+
parameters:? unknown[];
161163
settings?: QuerySettings;
162164
response?: ResponseSettings;
163165
};
164166
```
165167

168+
<a id="parameters"></a>
169+
### parameters
170+
`parameters` field is used to specify replacements for `?` symbol in the query.
171+
172+
For example:
173+
```typescript
174+
const statement = await connection.execute("select ?, ?", {
175+
parameters: ["foo", 1]
176+
});
177+
```
178+
179+
will produce `select 'foo', 1` query
180+
166181
<a id="querysettings"></a>
167182
### QuerySettings
168183

169184
| Parameter | Required | Default | Description |
170185
|---------------|----------|--------------|-----------------------------------|
171186
| output_format | | JSON_COMPACT | Specifies format of selected data |
172187

173-
You can also use QuerySettings to specify set parameters.
188+
You can also use QuerySettings to specify set flags.
174189
For example: `{ query_id: 'hello' }`
175190

176191

src/common/errors.ts

+4-1
Original file line numberDiff line numberDiff line change
@@ -3,12 +3,15 @@ export const MISSING_PASSWORD = 404002;
33
export const MISSING_DATABASE = 404003;
44
export const MISSING_ENGINE_ENDPOINT = 404004;
55

6+
export const INVALID_PARAMETERS = 400001;
7+
68
const errorMessages: Record<number, string> = {
79
[MISSING_PASSWORD]: "Password is missing",
810
[MISSING_USERNAME]: "Username is missing",
911
[MISSING_DATABASE]: "Database is missing",
1012
[MISSING_ENGINE_ENDPOINT]:
11-
"At least one should be provided: engineName or engineEndpoint"
13+
"At least one should be provided: engineName or engineEndpoint",
14+
[INVALID_PARAMETERS]: "Parameters should be array"
1215
};
1316

1417
export class ApiError extends Error {

src/common/util.ts

+6
Original file line numberDiff line numberDiff line change
@@ -33,3 +33,9 @@ export const checkArgumentExists = (expression: any, code: number) => {
3333
throw new ArgumentError({ code });
3434
}
3535
};
36+
37+
export const checkArgumentValid = (expression: any, code: number) => {
38+
if (!expression) {
39+
throw new ArgumentError({ code });
40+
}
41+
};

src/firebolt.ts

+5-1
Original file line numberDiff line numberDiff line change
@@ -2,6 +2,7 @@ import { Logger } from "./logger";
22
import { HttpClient } from "./http";
33
import { ResourceManager } from "./service";
44
import { FireboltCore } from "./core";
5+
import { QueryFormatter } from "./formatter";
56
import { FireboltClientOptions } from "./types";
67

78
type Dependencies = {
@@ -29,10 +30,13 @@ const getContext = (
2930
const httpClient =
3031
options.dependencies?.httpClient || new DefaultHttpClient(clientOptions);
3132

33+
const queryFormatter = new QueryFormatter();
34+
3235
const context = {
3336
logger,
3437
httpClient,
35-
apiEndpoint
38+
apiEndpoint,
39+
queryFormatter
3640
};
3741
return context;
3842
};

src/formatter/index.ts

+218
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,218 @@
1+
import BigNumber from "bignumber.js";
2+
import { checkArgumentValid } from "../common/util";
3+
import { INVALID_PARAMETERS } from "../common/errors";
4+
5+
const CHARS_GLOBAL_REGEXP = /[\0\b\t\n\r\x1a"'\\]/g; // eslint-disable-line no-control-regex
6+
7+
const COMMENTS_REGEXP =
8+
/("(""|[^"])*")|('(''|[^'])*')|(--[^\n\r]*)|(\/\*[\w\W]*?(?=\*\/)\*\/)/gm;
9+
10+
const CHARS_ESCAPE_MAP: Record<string, string> = {
11+
"\0": "\\0",
12+
"\b": "\\b",
13+
"\t": "\\t",
14+
"\n": "\\n",
15+
"\r": "\\r",
16+
"\x1a": "\\Z",
17+
'"': '\\"',
18+
"'": "\\'",
19+
"\\": "\\\\"
20+
};
21+
22+
const removeComments = (query: string) => {
23+
query = query.replace(COMMENTS_REGEXP, match => {
24+
if (
25+
(match[0] === '"' && match[match.length - 1] === '"') ||
26+
(match[0] === "'" && match[match.length - 1] === "'")
27+
)
28+
return match;
29+
30+
return "";
31+
});
32+
return query;
33+
};
34+
35+
const zeroPad = (param: number, length: number) => {
36+
let paded = param.toString();
37+
while (paded.length < length) {
38+
paded = "0" + paded;
39+
}
40+
41+
return paded;
42+
};
43+
44+
export class QueryFormatter {
45+
private format(query: string, params: unknown[]) {
46+
const regex = /(''|""|``|\\\\|\\'|\\"|'|"|`|\?)/g;
47+
48+
const STATE = {
49+
WHITESPACE: 0,
50+
SINGLE_QUOTE: 1,
51+
DOUBLE_QUOTE: 2,
52+
BACKTICK: 3
53+
};
54+
55+
const stateSwitches: Record<string, number> = {
56+
"'": STATE.SINGLE_QUOTE,
57+
'"': STATE.DOUBLE_QUOTE,
58+
"`": STATE.BACKTICK
59+
};
60+
61+
let state = STATE.WHITESPACE;
62+
63+
query = query.replace(regex, str => {
64+
if (str in stateSwitches) {
65+
if (state === STATE.WHITESPACE) {
66+
state = stateSwitches[str];
67+
} else if (state === stateSwitches[str]) {
68+
state = STATE.WHITESPACE;
69+
}
70+
}
71+
72+
if (str !== "?") {
73+
return str;
74+
}
75+
76+
if (state !== STATE.WHITESPACE) return str;
77+
78+
if (params.length == 0) {
79+
throw new Error("Too few parameters given");
80+
}
81+
82+
return this.escape(params.shift());
83+
});
84+
85+
if (params.length) {
86+
throw new Error("Too many parameters given");
87+
}
88+
89+
return query;
90+
}
91+
92+
private escape(param: unknown) {
93+
if (param === undefined || param === null) {
94+
return "NULL";
95+
}
96+
97+
switch (typeof param) {
98+
case "boolean": {
99+
return param ? "true" : "false";
100+
}
101+
case "number": {
102+
return param.toString();
103+
}
104+
case "object": {
105+
return this.escapeObject(param);
106+
}
107+
108+
case "string": {
109+
return this.escapeString(param);
110+
}
111+
default: {
112+
return "" + param;
113+
}
114+
}
115+
}
116+
117+
private escapeString(param: string) {
118+
let chunkIndex = (CHARS_GLOBAL_REGEXP.lastIndex = 0);
119+
let escapedValue = "";
120+
let match;
121+
122+
while ((match = CHARS_GLOBAL_REGEXP.exec(param))) {
123+
const key = match[0];
124+
escapedValue +=
125+
param.slice(chunkIndex, match.index) + CHARS_ESCAPE_MAP[key];
126+
chunkIndex = CHARS_GLOBAL_REGEXP.lastIndex;
127+
}
128+
129+
if (chunkIndex === 0) {
130+
// Nothing was escaped
131+
return "'" + param + "'";
132+
}
133+
134+
if (chunkIndex < param.length) {
135+
return "'" + escapedValue + param.slice(chunkIndex) + "'";
136+
}
137+
138+
return "'" + escapedValue + "'";
139+
}
140+
141+
private escapeBuffer(param: Buffer) {
142+
return "X" + this.escapeString(param.toString("hex"));
143+
}
144+
145+
private escapeArray(param: unknown[]) {
146+
let sql = "[";
147+
148+
for (let i = 0; i < param.length; i++) {
149+
const value = param[i];
150+
const prefix = i === 0 ? "" : ", ";
151+
152+
if (Array.isArray(value)) {
153+
sql += prefix + this.escapeArray(value);
154+
} else {
155+
sql += prefix + this.escape(value);
156+
}
157+
}
158+
159+
sql += "]";
160+
161+
return sql;
162+
}
163+
164+
private escapeDate(param: Date) {
165+
const dt = new Date(param);
166+
167+
if (isNaN(dt.getTime())) {
168+
return "NULL";
169+
}
170+
171+
const year = dt.getFullYear();
172+
const month = dt.getMonth() + 1;
173+
const day = dt.getDate();
174+
const hour = dt.getHours();
175+
const minute = dt.getMinutes();
176+
const second = dt.getSeconds();
177+
178+
// YYYY-MM-DD HH:mm:ss.mmm
179+
const str =
180+
zeroPad(year, 4) +
181+
"-" +
182+
zeroPad(month, 2) +
183+
"-" +
184+
zeroPad(day, 2) +
185+
" " +
186+
zeroPad(hour, 2) +
187+
":" +
188+
zeroPad(minute, 2) +
189+
":" +
190+
zeroPad(second, 2);
191+
//+ "." + zeroPad(millisecond, 3);
192+
193+
return this.escapeString(str);
194+
}
195+
196+
private escapeObject(param: unknown) {
197+
if (BigNumber.isBigNumber(param)) {
198+
return param.toString();
199+
} else if (Object.prototype.toString.call(param) === "[object Date]") {
200+
return this.escapeDate(param as Date);
201+
} else if (Array.isArray(param)) {
202+
return this.escapeArray(param);
203+
} else if (Buffer.isBuffer(param)) {
204+
return this.escapeBuffer(param);
205+
} else {
206+
return this.escapeString("" + param);
207+
}
208+
}
209+
210+
formatQuery(query: string, parameters?: unknown[]): string {
211+
query = removeComments(query);
212+
if (parameters) {
213+
checkArgumentValid(Array.isArray(parameters), INVALID_PARAMETERS);
214+
query = this.format(query, parameters);
215+
}
216+
return query;
217+
}
218+
}

src/http/node.ts

+1-1
Original file line numberDiff line numberDiff line change
@@ -71,7 +71,7 @@ export class NodeHttpClient {
7171
}
7272

7373
const request = this.request<T>(method, url, options);
74-
return request;
74+
return request.ready();
7575
}
7676

7777
if (response.status > 300) {

src/service/index.ts

+2
Original file line numberDiff line numberDiff line change
@@ -3,6 +3,7 @@ import { LoggerInterface } from "../logger";
33
import { DatabaseService } from "./database";
44
import { EngineService } from "./engine";
55
import { Authenticator } from "../auth";
6+
import { QueryFormatter } from "../formatter";
67
import { AuthOptions, Context } from "../types";
78

89
export class ResourceManager {
@@ -13,6 +14,7 @@ export class ResourceManager {
1314
constructor(context: {
1415
httpClient: HttpClientInterface;
1516
logger: LoggerInterface;
17+
queryFormatter: QueryFormatter;
1618
apiEndpoint: string;
1719
}) {
1820
this.context = {

src/statement/index.ts

+6-3
Original file line numberDiff line numberDiff line change
@@ -35,11 +35,14 @@ export class Statement {
3535
}
3636
) {
3737
this.context = context;
38-
3938
this.request = request;
40-
this.query = query;
39+
const { parameters } = executeQueryOptions;
40+
const formattedQuery = this.context.queryFormatter.formatQuery(
41+
query,
42+
parameters
43+
);
44+
this.query = formattedQuery;
4145
this.executeQueryOptions = executeQueryOptions;
42-
4346
this.rowStream = new RowStream();
4447
}
4548

src/types.ts

+3-2
Original file line numberDiff line numberDiff line change
@@ -1,10 +1,10 @@
11
import BigNumber from "bignumber.js";
2-
// import { Parameter } from "./paramter";
32
import { HttpClientInterface, HttpClientOptions } from "./http";
43

54
import { LoggerInterface, LoggerOptions } from "./logger";
65
import { ResourceManager } from "./service";
76
import { Meta } from "./meta";
7+
import { QueryFormatter } from "./formatter";
88

99
export type Statistics = {
1010
duration: number | BigNumber;
@@ -41,7 +41,7 @@ export type ResponseSettings = {
4141

4242
export type ExecuteQueryOptions = {
4343
settings?: QuerySettings;
44-
// paramters?: Parameter[];
44+
parameters?: unknown[];
4545
response?: ResponseSettings;
4646
};
4747

@@ -76,5 +76,6 @@ export type Context = {
7676
logger: LoggerInterface;
7777
httpClient: HttpClientInterface;
7878
resourceManager: ResourceManager;
79+
queryFormatter: QueryFormatter;
7980
apiEndpoint: string;
8081
};

0 commit comments

Comments
 (0)