-
Notifications
You must be signed in to change notification settings - Fork 526
/
Copy pathexercise_1.js
99 lines (84 loc) · 3.13 KB
/
exercise_1.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
96
97
98
//C:\Users\knowl\Documents\hyf\databases\Week2\exercise_1.js
import {createNewConnection, useDatabase} from './connection_query.js';
const createAuthorsTable = (connection) => {
return new Promise((resolve, reject) => {
const createAuthorsTableQuery = `
CREATE TABLE IF NOT EXISTS authors (
author_id INT AUTO_INCREMENT PRIMARY KEY,
author_name VARCHAR(100) NOT NULL,
university VARCHAR(100),
date_of_birth DATE,
h_index INT,
gender ENUM('Male', 'Female', 'Other')
);
`;
connection.query(createAuthorsTableQuery, (err, results) => {
if (err) {
console.error('Error creating authors table:', err.stack);
reject(err);
return;
}
console.log('Authors table created.');
resolve();
});
});
};
const addMentorColumn = (connection) => {
return new Promise((resolve, reject) => {
const checkColumnExistsQuery = `
SELECT COUNT(*) AS columnExists
FROM information_schema.columns
WHERE table_name = 'authors'
AND column_name = 'mentor';
`;
connection.query(checkColumnExistsQuery, (err, results) => {
if (err) {
console.error('Error checking for mentor column:', err.stack);
reject(err);
return;
}
const columnExists = results[0].columnExists;
if (columnExists) {
console.log('Mentor column already exists. No changes made.');
resolve();
} else {
const addMentorColumnQuery = `
ALTER TABLE authors
ADD COLUMN mentor INT,
ADD CONSTRAINT fk_mentor
FOREIGN KEY (mentor) REFERENCES authors(author_id)
ON DELETE SET NULL
ON UPDATE CASCADE;
`;
connection.query(addMentorColumnQuery, (err, results) => {
if (err) {
console.error('Error adding mentor column:', err.stack);
reject(err);
return;
}
console.log('Mentor column added with foreign key constraint.');
resolve();
});
}
});
});
};
const exerciseOne = async () => {
const connection = createNewConnection();
connection.connect(err => {
if (err) {
return console.error('Connection error: ' + err.stack);
}
console.log('exercise_1: Connected!');
});
try {
await useDatabase(connection) ; // Select the database
await createAuthorsTable(connection) ; // Create the authors table
await addMentorColumn(connection) ; // Add the mentor column with foreign key
} catch (err) {
console.error('Failed to set up the database:', err);
} finally {
connection.end();
}
};
exerciseOne();