-
Notifications
You must be signed in to change notification settings - Fork 34
/
Copy pathApp.js
95 lines (78 loc) · 2.39 KB
/
App.js
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
import React from "react";
import "./styles.css";
import initSqlJs from "sql.js";
export default class App extends React.Component {
constructor() {
super();
this.state = { db: null, err: null, results: null }
}
componentDidMount() {
// sql.js needs to fetch its wasm file, so we cannot immediately instantiate the database
// without any configuration, initSqlJs will fetch the wasm files directly from the same path as the js
// see ../config-overrides.js
const me = this;
Promise.all([initSqlJs(), fetch('./test.db')]).then(async res => {
const SQLite = res[0], dbStorage = res[1];
const db = new SQLite.Database(new Uint8Array(await dbStorage.arrayBuffer()));
me.setState({db: db});
}).catch(err => {
me.setState({err});
});
}
exec(sql) {
let results = null, err = null;
try {
// The sql is executed synchronously on the UI thread.
// You may want to use a web worker
results = this.state.db.exec(sql); // an array of objects is returned
} catch (e) {
// exec throws an error when the SQL statement is invalid
err = e
}
this.setState({ results, err })
}
/**
* Renders a single value of the array returned by db.exec(...) as a table
*/
renderResult({ columns, values }) {
return (
<table>
<thead>
<tr>
{columns.map(columnName =>
<td>{columnName}</td>
)}
</tr>
</thead>
<tbody>
{values.map(row => // values is an array of arrays representing the results of the query
<tr>
{row.map(value =>
<td>{value}</td>
)}
</tr>
)}
</tbody>
</table>
);
}
render() {
let { db, err, results } = this.state;
if (!db) return <pre>Loading...</pre>;
return (
<div className="App">
<h1>React SQL interpreter</h1>
<textarea
onChange={e => this.exec(e.target.value)}
placeholder="Enter some SQL. No inpiration ? Try “select sqlite_version()”"
defaultValue="SELECT * FROM db_articles"
/>
<pre className="error">{(err || "").toString()}</pre>
<pre>{results
? results.map(this.renderResult) // results contains one object per select statement in the query
: ""
}</pre>
</div>
);
}
}