I’m trying to create a function that checks if a table already exists in the database and if it doesn’t, create one But the problem is the If doesn’t await for checkTableExist()
JavaScript
x
40
40
1
const checkTableExist = async () => {
2
console.log('starting check')
3
db.query(`SELECT column_name
4
FROM INFORMATION_SCHEMA.COLUMNS
5
WHERE table_name = 'users'`, async (error, results) => {
6
if (error) {
7
console.log(error)
8
}
9
if (results !== null) {
10
console.log('Not exist')
11
return true
12
}
13
console.log('Exist')
14
return false
15
})
16
}
17
18
19
const createTable = async () => {
20
await db.connect();
21
if (await checkTableExist() !== true) {
22
console.log('Creating Table')
23
await db.query(`CREATE TABLE users (
24
id SERIAL PRIMARY KEY,
25
name varchar(100),
26
email varchar(100),
27
celular varchar(11),
28
password varchar(255),
29
validated boolean
30
)`)
31
db.end()
32
return
33
}
34
db.end()
35
console.log('Table already exist')
36
return
37
}
38
39
createTable()
40
Console Log
JavaScript
1
4
1
starting check
2
Creating Table
3
Not exist
4
Advertisement
Answer
In checkTableExist
you are checking your DB Query results using a callback function. In there, when you return
, you are not actually returning to the createTable
function, you’re getting back to checkTableExist
.
If you use await
, your return
s should work correctly:
JavaScript
1
13
13
1
const checkTableExist = async () => {
2
console.log('starting check')
3
4
const results = await db.query(`SELECT column_name FROM INFORMATION_SCHEMA.COLUMNS WHERE table_name = 'users'`);
5
6
if (results !== null) {
7
console.log('Not exist')
8
return true
9
}
10
console.log('Exist')
11
return false
12
})
13