Skip to content

Commit 7135938

Browse files
authored
Merge pull request #8 from RohitM-IN/development
Refactor and bug fixes
2 parents ad77869 + ac870d0 commit 7135938

9 files changed

+312
-104
lines changed

README.md

+126-13
Original file line numberDiff line numberDiff line change
@@ -1,29 +1,142 @@
11
# SQLParser
22

3-
SQLParser is a JavaScript library that converts SQL-like filter strings into DevExpress format filters. It provides utilities for parsing, sanitizing, and converting SQL-like expressions into a format that can be used with DevExpress components.
3+
SQLParser is a JavaScript library that converts SQL `WHERE` clauses into a structured **Abstract Syntax Tree (AST)** and transforms them into DevExpress filter format. It removes inline parameters while preserving them as dynamic variables for flexible query processing.
44

5-
## Usage
5+
## Features
66

7-
### Convert SQL to AST
7+
- **AST-Based Query Processing**: Parses `WHERE` clauses and generates a structured AST.
8+
- **Supports Dynamic Parameters**: Identifies and extracts placeholders (`{param}`) for dynamic resolution.
9+
- **Parameter Cleanup**: Removes inline parameters while maintaining their structure.
10+
- **DevExpress-Compatible Output**: Converts parsed SQL conditions into the DevExpress filter format.
11+
- **Short-Circuit Optimization**: By default, eliminates `value = value` expressions for DevExpress compatibility (can be disabled for performance optimization).
12+
- **Separation of Concerns**: Generate AST once, then use it for multiple state updates.
813

9-
To convert a SQL-like filter string to an Abstract Syntax Tree (AST):
14+
## Example Workflow
15+
16+
### **Step 1: Input SQL**
17+
18+
```sql
19+
WHERE OrderID = {CustomerOrders.OrderID} AND Status IN (1, 3)
20+
```
21+
22+
### **Step 2: Generate AST**
1023

1124
```javascript
12-
const filterString= "(ID <> {Item.ID}) AND (ItemGroupType IN ({Item.AllowedItemGroupType}))";
13-
const parsedResult = convertSQLToAst(filterString);
25+
import { convertSQLToAst } from "sqlparser-devexpress";
26+
27+
const sqlQuery = "OrderID = {CustomerOrders.OrderID} AND Status IN (1, 3)";
28+
const { ast, variables } = convertSQLToAst(sqlQuery, true); // Enable logs
29+
```
30+
31+
#### **AST Output**
32+
33+
```json
34+
{
35+
"type": "logical",
36+
"operator": "AND",
37+
"left": {
38+
"type": "comparison",
39+
"field": "OrderID",
40+
"operator": "=",
41+
"value": {
42+
"type": "placeholder",
43+
"value": "CustomerOrders.OrderID"
44+
}
45+
},
46+
"right": {
47+
"type": "comparison",
48+
"field": "Status",
49+
"operator": "in",
50+
"value": {
51+
"type": "value",
52+
"value": [1, 3]
53+
}
54+
}
55+
}
1456
```
1557

16-
### Convert AST to DevExpress Format
58+
#### Extracted Variables
1759

18-
To convert an AST to DevExpress format:
60+
The parser identifies placeholders within the SQL query and extracts them for dynamic value resolution.
61+
62+
#### **Example Output:**
63+
```json
64+
[
65+
"CustomerOrders.OrderID"
66+
]
67+
```
68+
69+
These extracted variables can be used to fetch the corresponding state values in the application. You can store them in a `Record<string, any>`, where the key is the placeholder name, and the value is the resolved data from the application's state.
70+
71+
72+
73+
### **Step 3: Convert AST to DevExpress Format**
1974

2075
```javascript
21-
const ast = { /* your AST here */ };
22-
const variables = [/* your variables here */];
23-
const state = { /* your state here */ };
76+
import { convertAstToDevextreme } from "sqlparser-devexpress";
77+
78+
const sampleState = {
79+
"CustomerOrders.OrderID": 76548
80+
};
81+
82+
const devexpressFilter = convertAstToDevextreme(ast, sampleState, true); // Short-circuit enabled (default)
2483

25-
const devExpressFilter = convertAstToDevextreme(ast, variables, state);
84+
console.log("DevExpress Filter:", JSON.stringify(devexpressFilter, null, 2));
85+
```
86+
87+
#### **DevExpress Filter Output**
88+
89+
```json
90+
[
91+
["OrderID", "=", 76548],
92+
"and",
93+
[
94+
["Status", "=", 1],
95+
"or",
96+
["Status", "=", 3]
97+
]
98+
]
99+
```
26100

27-
console.log(devExpressFilter);
101+
## Installation
102+
103+
```sh
104+
npm install sqlparser-devexpress
28105
```
29106

107+
## API Reference
108+
109+
### `convertSQLToAst(filterString, enableConsoleLogs = false)`
110+
111+
- **Input:** SQL `WHERE` clause as a string.
112+
- **Output:** An object `{ ast }` where:
113+
- `ast`: The parsed Abstract Syntax Tree.
114+
- **Example:**
115+
```javascript
116+
const { ast } = convertSQLToAst("OrderID = {CustomerOrders.OrderID} AND Status IN (1, 3)");
117+
```
118+
119+
### `convertAstToDevextreme(ast, state, shortCircuit = true)`
120+
121+
- **Input:**
122+
- `ast`: The AST generated from `convertSQLToAst()`.
123+
- `state`: An object containing values for placeholders.
124+
- `shortCircuit`: (Optional, default `true`) Enables short-circuiting of `value = value` expressions for DevExpress compatibility.
125+
- **Output:** DevExpress filter array.
126+
- **Example:**
127+
```javascript
128+
const devexpressFilter = convertAstToDevextreme(ast, sampleState, false); // Disables short-circuiting
129+
```
130+
131+
## Roadmap
132+
133+
- Support for additional SQL operators and functions.
134+
- Improved error handling and validation.
135+
136+
## Contributing
137+
138+
Contributions are welcome! Feel free to open issues or submit pull requests.
139+
140+
## License
141+
142+
MIT

package.json

+5-1
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,6 @@
11
{
22
"name": "sqlparser-devexpress",
3-
"version": "2.1.0",
3+
"version": "2.2.0",
44
"main": "src/index.js",
55
"type": "module",
66
"scripts": {
@@ -11,6 +11,10 @@
1111
"require": "./src/index.js"
1212
},
1313
"types": "src/@types/default.d.ts",
14+
"repository": {
15+
"type": "git",
16+
"url": "https://github.com/RohitM-IN/SQLParser.git"
17+
},
1418
"keywords": [
1519
"sql",
1620
"parser",

src/constants.js

+13
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,13 @@
1+
//
2+
export const LITERALS = ["number", "string", "null"];
3+
4+
// Define operator precedence for parsing expressions
5+
export const OPERATOR_PRECEDENCE = {
6+
"OR": 1, "AND": 2, "=": 3, "!=": 3, ">": 3, "<": 3, ">=": 3, "<=": 3,
7+
"IN": 3, "<>": 3, "LIKE": 3, "IS": 3, "BETWEEN": 3
8+
};
9+
10+
// Regular expression to check for unsupported SQL patterns (like SELECT-FROM or JOIN statements)
11+
export const UNSUPPORTED_PATTERN = /\bSELECT\b.*\bFROM\b|\bINNER\s+JOIN\b/i;
12+
13+
export const LOGICAL_OPERATORS = ['and', 'or'];

src/core/converter.js

+51-33
Original file line numberDiff line numberDiff line change
@@ -1,37 +1,31 @@
1-
const logicalOperators = ['and', 'or'];
1+
import { LOGICAL_OPERATORS } from "../constants.js";
22

33
/**
44
* Main conversion function that sets up the global context
5-
* @param {Object} ast - The abstract syntax tree
6-
* @param {Array} vars - Array of variable names
7-
* @param {Object} results - Optional object for placeholder resolution
85
* @returns {Array|null} DevExpress format filter
96
*/
107
function DevExpressConverter() {
118
// Global variables accessible throughout the converter
129
let resultObject = null;
13-
let primaryEntity = null;
14-
let primaryKey = null;
15-
let variables = [];
1610
const EnableShortCircuit = true;
1711

1812
/**
1913
* Main conversion function that sets up the global context
2014
* @param {Object} ast - The abstract syntax tree
21-
* @param {Array} vars - Array of variable names
2215
* @param {Object} ResultObject - Optional object for placeholder resolution
16+
* @param {boolean} enableShortCircuit - Optional enabling and disabling the shortcircuit ie evaluating value = value scenario
2317
* @returns {Array|null} DevExpress format filter
2418
*/
25-
function convert(ast, vars, ResultObject = null) {
19+
function convert(ast, ResultObject = null, enableShortCircuit = true) {
2620
// Set up global context
27-
variables = vars;
2821
resultObject = ResultObject;
22+
EnableShortCircuit = enableShortCircuit;
2923

3024
// Process the AST
3125
let result = processAstNode(ast);
3226

3327
// Handle special cases for short circuit
34-
if(result === true || result === false || result === null) return [];
28+
if (result === true || result === false || result === null) return [];
3529

3630
return processAstNode(ast);
3731
}
@@ -111,8 +105,8 @@ function DevExpressConverter() {
111105

112106
// Detect and flatten nested logical expressions
113107
if (parentOperator === null) {
114-
if (left.length === 3 && logicalOperators.includes(left[1])) parentOperator = left[1];
115-
if (right.length === 3 && logicalOperators.includes(right[1])) parentOperator = right[1];
108+
if (left.length === 3 && LOGICAL_OPERATORS.includes(left[1])) parentOperator = left[1];
109+
if (right.length === 3 && LOGICAL_OPERATORS.includes(right[1])) parentOperator = right[1];
116110
}
117111

118112
// Flatten nested logical expressions if applicable
@@ -136,13 +130,21 @@ function DevExpressConverter() {
136130
}
137131

138132
// Handle "IN" condition, including comma-separated values
139-
if (operator === "IN") {
140-
return handleInOperator(ast);
133+
if (operator === "IN" || operator === "NOT IN") {
134+
return handleInOperator(ast, operator);
141135
}
142136

143137
const left = ast.left !== undefined ? processAstNode(ast.left) : convertValue(ast.field);
144138
const right = ast.right !== undefined ? processAstNode(ast.right) : convertValue(ast.value);
145-
const comparison = [left, ast.operator.toLowerCase(), right];
139+
const operatorToken = ast.operator.toLowerCase();
140+
141+
let comparison = [left, operatorToken, right];
142+
143+
if (isFunctionNullCheck(ast.left, true)) {
144+
comparison = [[left, operatorToken, right], 'or', [left, operatorToken, null]];
145+
} else if (isFunctionNullCheck(ast.right, true)) {
146+
comparison = [[left, operatorToken, right], 'or', [right, operatorToken, null]];
147+
}
146148

147149
// Apply short-circuit evaluation if enabled
148150
if (EnableShortCircuit) {
@@ -179,7 +181,7 @@ function DevExpressConverter() {
179181
* @param {Object} ast - The comparison operator AST node.
180182
* @returns {Array} DevExpress format filter.
181183
*/
182-
function handleInOperator(ast) {
184+
function handleInOperator(ast, operator) {
183185
let resolvedValue = convertValue(ast.value);
184186

185187
// Handle comma-separated values in a string
@@ -190,19 +192,18 @@ function DevExpressConverter() {
190192
} else {
191193
resolvedValue = firstValue;
192194
}
195+
} else if (typeof resolvedValue === 'string' && resolvedValue.includes(',')) {
196+
resolvedValue = resolvedValue.split(',').map(v => v.trim());
193197
}
194198

195-
if(Array.isArray(resolvedValue) && resolvedValue.length){
199+
let operatorToken = operator === "IN" ? '=' : operator === "NOT IN" ? '!=' : operator;
200+
let joinOperatorToken = operator === "IN" ? 'or' : operator === "NOT IN" ? 'and' : operator;
196201

197-
return Array.prototype.concat
198-
.apply(
199-
[],
200-
resolvedValue.map((i) => [[ast.field, '=', i], 'or']),
201-
)
202-
.slice(0, -1)
202+
if (Array.isArray(resolvedValue) && resolvedValue.length) {
203+
return resolvedValue.flatMap(i => [[ast.field, operatorToken, i], joinOperatorToken]).slice(0, -1);
203204
}
204205

205-
return [ast.field, "in", resolvedValue];
206+
return [ast.field, operatorToken, resolvedValue];
206207
}
207208

208209
/**
@@ -225,7 +226,7 @@ function DevExpressConverter() {
225226
}
226227

227228
// Special handling for ISNULL function
228-
if (val.type === "function" && val.name === "ISNULL" && val.args?.length >= 2) {
229+
if (isFunctionNullCheck(val)) {
229230
return convertValue(val.args[0]);
230231
}
231232

@@ -260,6 +261,18 @@ function DevExpressConverter() {
260261
return node?.type === "function" && node.name === "ISNULL" && valueNode?.type === "value";
261262
}
262263

264+
/**
265+
* Checks if a node is a ISNULL function without value
266+
* @param {Object} node
267+
* @returns {boolean} True if this is an ISNULL check.
268+
*/
269+
function isFunctionNullCheck(node, isPlaceholderCheck = false) {
270+
const isValidFunction = node?.type === "function" && node?.name === "ISNULL" && node?.args?.length >= 2;
271+
272+
return isPlaceholderCheck ? isValidFunction && node?.args[0]?.value?.type !== "placeholder" : isValidFunction;
273+
}
274+
275+
263276
/**
264277
* Determines whether the logical tree should be flattened.
265278
* This is based on the parent operator and the current operator.
@@ -329,15 +342,22 @@ function DevExpressConverter() {
329342
* @returns {boolean|null} The result of the evaluation or null if not evaluable.
330343
*/
331344
function evaluateExpression(left, operator, right) {
332-
if (isNaN(left) || isNaN(right) || left === null || right === null) return null;
345+
if ((left !== null && isNaN(left)) || (right !== null && isNaN(right))) return null;
346+
347+
if (left === null || right === null) {
348+
if (operator === '=' || operator === '==') return left === right;
349+
if (operator === '<>' || operator === '!=') return left !== right;
350+
return null; // Any comparison with null should return null
351+
}
352+
333353
switch (operator) {
334354
case '=': case '==': return left === right;
335355
case '<>': case '!=': return left !== right;
336356
case '>': return left > right;
337357
case '>=': return left >= right;
338358
case '<': return left < right;
339359
case '<=': return left <= right;
340-
default: return false;
360+
default: return null; // Invalid operator
341361
}
342362
}
343363

@@ -351,12 +371,10 @@ const devExpressConverter = DevExpressConverter();
351371
/**
352372
* Converts an abstract syntax tree to DevExpress format
353373
* @param {Object} ast - The abstract syntax tree
354-
* @param {Array} variables - Array of variable names
355374
* @param {Object} resultObject - Optional object for placeholder resolution
356-
* @param {string} primaryEntity - Optional primary entity name
357-
* @param {string} primaryKey - Optional primary key value
375+
* @param {string} enableShortCircuit - Optional enabling and disabling the shortcircuit ie evaluating value = value scenario
358376
* @returns {Array|null} DevExpress format filter
359377
*/
360-
export function convertToDevExpressFormat({ ast, variables, resultObject = null }) {
361-
return devExpressConverter.init(ast, variables, resultObject);
378+
export function convertToDevExpressFormat({ ast, resultObject = null, enableShortCircuit = true }) {
379+
return devExpressConverter.init(ast, resultObject,enableShortCircuit);
362380
}

0 commit comments

Comments
 (0)