mbkauthe 3.5.0 → 4.0.1
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/README.md +54 -304
- package/docs/api.md +2 -2
- package/docs/db.md +26 -20
- package/docs/db.sql +116 -0
- package/docs/env.md +10 -0
- package/index.d.ts +3 -3
- package/index.js +4 -1
- package/lib/config/cookies.js +6 -0
- package/lib/config/index.js +20 -4
- package/lib/config/security.js +1 -1
- package/lib/middleware/auth.js +64 -30
- package/lib/middleware/index.js +37 -28
- package/lib/routes/auth.js +59 -36
- package/lib/routes/misc.js +22 -9
- package/package.json +1 -1
- package/views/Error/dError.handlebars +175 -88
- package/views/loginmbkauthe.handlebars +0 -2
package/docs/db.sql
ADDED
|
@@ -0,0 +1,116 @@
|
|
|
1
|
+
|
|
2
|
+
-- GitHub users table
|
|
3
|
+
CREATE TABLE user_github (
|
|
4
|
+
id SERIAL PRIMARY KEY,
|
|
5
|
+
user_name VARCHAR(50) REFERENCES "Users"("UserName"),
|
|
6
|
+
github_id VARCHAR(255) UNIQUE,
|
|
7
|
+
github_username VARCHAR(255),
|
|
8
|
+
access_token TEXT,
|
|
9
|
+
created_at TimeStamp WITH TIME ZONE DEFAULT NOW(),
|
|
10
|
+
updated_at TimeStamp WITH TIME ZONE DEFAULT NOW()
|
|
11
|
+
);
|
|
12
|
+
|
|
13
|
+
-- Add indexes for performance optimization
|
|
14
|
+
CREATE INDEX IF NOT EXISTS idx_user_github_github_id ON user_github (github_id);
|
|
15
|
+
CREATE INDEX IF NOT EXISTS idx_user_github_user_name ON user_github (user_name);
|
|
16
|
+
|
|
17
|
+
-- Google users table
|
|
18
|
+
CREATE TABLE user_google (
|
|
19
|
+
id SERIAL PRIMARY KEY,
|
|
20
|
+
user_name VARCHAR(50) REFERENCES "Users"("UserName"),
|
|
21
|
+
google_id VARCHAR(255) UNIQUE,
|
|
22
|
+
google_email VARCHAR(255),
|
|
23
|
+
access_token TEXT,
|
|
24
|
+
created_at TimeStamp WITH TIME ZONE DEFAULT NOW(),
|
|
25
|
+
updated_at TimeStamp WITH TIME ZONE DEFAULT NOW()
|
|
26
|
+
);
|
|
27
|
+
|
|
28
|
+
-- Add indexes for performance optimization
|
|
29
|
+
CREATE INDEX IF NOT EXISTS idx_user_google_google_id ON user_google (google_id);
|
|
30
|
+
CREATE INDEX IF NOT EXISTS idx_user_google_user_name ON user_google (user_name);
|
|
31
|
+
|
|
32
|
+
|
|
33
|
+
|
|
34
|
+
|
|
35
|
+
CREATE TYPE role AS ENUM ('SuperAdmin', 'NormalUser', 'Guest');
|
|
36
|
+
|
|
37
|
+
CREATE TABLE "Users" (
|
|
38
|
+
id INTEGER PRIMARY KEY AUTOINCREMENT,
|
|
39
|
+
"UserName" VARCHAR(50) NOT NULL UNIQUE,
|
|
40
|
+
"Password" VARCHAR(61), -- For raw passwords (when EncPass=false)
|
|
41
|
+
"PasswordEnc" VARCHAR(128), -- For encrypted passwords (when EncPass=true)
|
|
42
|
+
"Role" role DEFAULT 'NormalUser' NOT NULL,
|
|
43
|
+
"Active" BOOLEAN DEFAULT FALSE,
|
|
44
|
+
"HaveMailAccount" BOOLEAN DEFAULT FALSE,
|
|
45
|
+
"AllowedApps" JSONB DEFAULT '["mbkauthe", "portal"]',
|
|
46
|
+
"created_at" TIMESTAMP WITH TIME ZONE DEFAULT CURRENT_TIMESTAMP,
|
|
47
|
+
"updated_at" TIMESTAMP WITH TIME ZONE DEFAULT CURRENT_TIMESTAMP,
|
|
48
|
+
"last_login" TIMESTAMP WITH TIME ZONE
|
|
49
|
+
);
|
|
50
|
+
|
|
51
|
+
-- Add indexes for performance optimization
|
|
52
|
+
CREATE INDEX IF NOT EXISTS idx_users_username ON "Users" ("UserName");
|
|
53
|
+
CREATE INDEX IF NOT EXISTS idx_users_active ON "Users" ("Active");
|
|
54
|
+
CREATE INDEX IF NOT EXISTS idx_users_role ON "Users" ("Role");
|
|
55
|
+
CREATE INDEX IF NOT EXISTS idx_users_last_login ON "Users" (last_login);
|
|
56
|
+
|
|
57
|
+
-- Application Sessions table (stores multiple concurrent sessions per user)
|
|
58
|
+
-- Note: this is separate from the express-session store table named "session"
|
|
59
|
+
CREATE TABLE "Sessions" (
|
|
60
|
+
id UUID PRIMARY KEY DEFAULT gen_random_uuid(), -- requires pgcrypto or uuid-ossp
|
|
61
|
+
"UserName" VARCHAR(50) NOT NULL REFERENCES "Users"("UserName") ON DELETE CASCADE,
|
|
62
|
+
created_at TIMESTAMP WITH TIME ZONE DEFAULT NOW(),
|
|
63
|
+
expires_at TIMESTAMP WITH TIME ZONE,
|
|
64
|
+
meta JSONB
|
|
65
|
+
);
|
|
66
|
+
|
|
67
|
+
-- Indexes optimized by username instead of numeric user id
|
|
68
|
+
CREATE INDEX IF NOT EXISTS idx_sessions_username ON "Sessions" ("UserName");
|
|
69
|
+
CREATE INDEX IF NOT EXISTS idx_sessions_user_created ON "Sessions" ("UserName", created_at);
|
|
70
|
+
|
|
71
|
+
|
|
72
|
+
CREATE TABLE "session" (
|
|
73
|
+
sid VARCHAR(33) PRIMARY KEY NOT NULL,
|
|
74
|
+
sess JSONB NOT NULL,
|
|
75
|
+
expire TimeStamp WITH TIME ZONE Not Null,
|
|
76
|
+
);
|
|
77
|
+
|
|
78
|
+
-- Add indexes for performance optimization
|
|
79
|
+
CREATE INDEX IF NOT EXISTS idx_session_expire ON "session" ("expire");
|
|
80
|
+
CREATE INDEX IF NOT EXISTS idx_session_user_id ON "session" ((sess->'user'->>'id'));
|
|
81
|
+
|
|
82
|
+
|
|
83
|
+
|
|
84
|
+
CREATE TABLE "TwoFA" (
|
|
85
|
+
"UserName" VARCHAR(50) primary key REFERENCES "Users"("UserName"),
|
|
86
|
+
"TwoFAStatus" boolean NOT NULL,
|
|
87
|
+
"TwoFASecret" TEXT
|
|
88
|
+
);
|
|
89
|
+
|
|
90
|
+
-- Add indexes for performance optimization
|
|
91
|
+
CREATE INDEX IF NOT EXISTS idx_twofa_username ON "TwoFA" ("UserName");
|
|
92
|
+
CREATE INDEX IF NOT EXISTS idx_twofa_username_status ON "TwoFA" ("UserName", "TwoFAStatus");
|
|
93
|
+
|
|
94
|
+
|
|
95
|
+
|
|
96
|
+
CREATE TABLE "TrustedDevices" (
|
|
97
|
+
"id" SERIAL PRIMARY KEY,
|
|
98
|
+
"UserName" VARCHAR(50) NOT NULL REFERENCES "Users"("UserName") ON DELETE CASCADE,
|
|
99
|
+
"DeviceToken" VARCHAR(64) UNIQUE NOT NULL,
|
|
100
|
+
"DeviceName" VARCHAR(255),
|
|
101
|
+
"UserAgent" TEXT,
|
|
102
|
+
"IpAddress" VARCHAR(45),
|
|
103
|
+
"CreatedAt" TIMESTAMP WITH TIME ZONE DEFAULT CURRENT_TIMESTAMP,
|
|
104
|
+
"ExpiresAt" TIMESTAMP WITH TIME ZONE NOT NULL,
|
|
105
|
+
"LastUsed" TIMESTAMP WITH TIME ZONE DEFAULT CURRENT_TIMESTAMP
|
|
106
|
+
);
|
|
107
|
+
|
|
108
|
+
-- Add indexes for performance optimization
|
|
109
|
+
CREATE INDEX IF NOT EXISTS idx_trusted_devices_token ON "TrustedDevices"("DeviceToken");
|
|
110
|
+
CREATE INDEX IF NOT EXISTS idx_trusted_devices_username ON "TrustedDevices"("UserName");
|
|
111
|
+
CREATE INDEX IF NOT EXISTS idx_trusted_devices_expires ON "TrustedDevices"("ExpiresAt");
|
|
112
|
+
|
|
113
|
+
|
|
114
|
+
-- No Encrypted password for 'support' user
|
|
115
|
+
INSERT INTO "Users" ("UserName", "Password", "Role", "Active", "HaveMailAccount", "GuestRole")
|
|
116
|
+
VALUES ('support', '12345678', 'SuperAdmin', true, false, '{"allowPages": [""], "NotallowPages": [""]}'::jsonb);
|
package/docs/env.md
CHANGED
|
@@ -42,6 +42,7 @@ This document describes the environment variables MBKAuth expects and keeps brie
|
|
|
42
42
|
- Description: PostgreSQL connection string for auth (must start with `postgresql://` or `postgres://`).
|
|
43
43
|
- Example: `"LOGIN_DB":"postgresql://user:pass@localhost:5432/mbkauth"`
|
|
44
44
|
- Required: Yes
|
|
45
|
+
- Create free postgres db: https://neon.com/
|
|
45
46
|
|
|
46
47
|
- MBKAUTH_TWO_FA_ENABLE
|
|
47
48
|
- Description: Enable Two-Factor Authentication.
|
|
@@ -67,6 +68,13 @@ This document describes the environment variables MBKAuth expects and keeps brie
|
|
|
67
68
|
- Example: `"DEVICE_TRUST_DURATION_DAYS":30`
|
|
68
69
|
- Required: No
|
|
69
70
|
|
|
71
|
+
- MAX_SESSIONS_PER_USER
|
|
72
|
+
- Description: Maximum number of concurrent application sessions allowed per user. When creating a new session that would exceed this number, the oldest session(s) for that user are pruned to make room for the new session.
|
|
73
|
+
- Default: `5`
|
|
74
|
+
- Example: `"MAX_SESSIONS_PER_USER": 10`
|
|
75
|
+
- Notes: Must be a positive integer. Validation is performed at startup by `lib/config/index.js`.
|
|
76
|
+
- Required: No
|
|
77
|
+
|
|
70
78
|
- loginRedirectURL
|
|
71
79
|
- Description: Post-login redirect path.
|
|
72
80
|
- Default: `/dashboard`
|
|
@@ -81,6 +89,8 @@ This document describes the environment variables MBKAuth expects and keeps brie
|
|
|
81
89
|
- GITHUB_CLIENT_ID / GITHUB_CLIENT_SECRET / GOOGLE_CLIENT_ID / GOOGLE_CLIENT_SECRET
|
|
82
90
|
- Description: OAuth credentials (put in `mbkautheVar` preferred, or `mbkauthShared`).
|
|
83
91
|
- Required when provider enabled.
|
|
92
|
+
- Create Github OAuth App: https://github.com/settings/developers
|
|
93
|
+
- Create Google OAuth: https://console.cloud.google.com/
|
|
84
94
|
|
|
85
95
|
---
|
|
86
96
|
|
package/index.d.ts
CHANGED
|
@@ -23,7 +23,7 @@ declare global {
|
|
|
23
23
|
username: string;
|
|
24
24
|
fullname?: string;
|
|
25
25
|
role: 'SuperAdmin' | 'NormalUser' | 'Guest';
|
|
26
|
-
sessionId
|
|
26
|
+
sessionId?: string;
|
|
27
27
|
allowedApps?: string[];
|
|
28
28
|
};
|
|
29
29
|
preAuthUser?: {
|
|
@@ -79,7 +79,7 @@ declare module 'mbkauthe' {
|
|
|
79
79
|
username: string;
|
|
80
80
|
fullname?: string;
|
|
81
81
|
role: UserRole;
|
|
82
|
-
sessionId
|
|
82
|
+
sessionId?: string;
|
|
83
83
|
allowedApps?: string[];
|
|
84
84
|
}
|
|
85
85
|
|
|
@@ -101,7 +101,7 @@ declare module 'mbkauthe' {
|
|
|
101
101
|
Role: UserRole;
|
|
102
102
|
Active: boolean;
|
|
103
103
|
AllowedApps: string[];
|
|
104
|
-
|
|
104
|
+
|
|
105
105
|
created_at?: Date;
|
|
106
106
|
updated_at?: Date;
|
|
107
107
|
last_login?: Date;
|
package/index.js
CHANGED
|
@@ -95,5 +95,8 @@ export {
|
|
|
95
95
|
} from "./lib/middleware/auth.js";
|
|
96
96
|
export { renderError } from "./lib/utils/response.js";
|
|
97
97
|
export { dblogin } from "./lib/database/pool.js";
|
|
98
|
-
export {
|
|
98
|
+
export {
|
|
99
|
+
ErrorCodes, ErrorMessages, getErrorByCode,
|
|
100
|
+
createErrorResponse, logError
|
|
101
|
+
} from "./lib/utils/errors.js";
|
|
99
102
|
export default router;
|
package/lib/config/cookies.js
CHANGED
|
@@ -32,6 +32,12 @@ export const generateDeviceToken = () => {
|
|
|
32
32
|
return crypto.randomBytes(32).toString('hex');
|
|
33
33
|
};
|
|
34
34
|
|
|
35
|
+
// Hash a device token for safe storage in the database
|
|
36
|
+
export const hashDeviceToken = (token) => {
|
|
37
|
+
if (!token || typeof token !== 'string') return null;
|
|
38
|
+
return crypto.createHmac('sha256').update(token).digest('hex');
|
|
39
|
+
};
|
|
40
|
+
|
|
35
41
|
export const getDeviceTokenCookieOptions = () => ({
|
|
36
42
|
maxAge: DEVICE_TRUST_DURATION_MS,
|
|
37
43
|
domain: mbkautheVar.IS_DEPLOYED === 'true' ? `.${mbkautheVar.DOMAIN}` : undefined,
|
package/lib/config/index.js
CHANGED
|
@@ -62,9 +62,10 @@ function validateConfiguration() {
|
|
|
62
62
|
|
|
63
63
|
// Ensure specific keys are checked in mbkautheVar first, then mbkauthShared, then apply config defaults
|
|
64
64
|
const keysToCheck = [
|
|
65
|
-
"APP_NAME","DEVICE_TRUST_DURATION_DAYS","EncPass","Main_SECRET_TOKEN","SESSION_SECRET_KEY",
|
|
66
|
-
"LOGIN_DB","MBKAUTH_TWO_FA_ENABLE","COOKIE_EXPIRE_TIME","DOMAIN","loginRedirectURL",
|
|
67
|
-
"GITHUB_LOGIN_ENABLED","GITHUB_CLIENT_ID","GITHUB_CLIENT_SECRET","GOOGLE_LOGIN_ENABLED","GOOGLE_CLIENT_ID",
|
|
65
|
+
"APP_NAME","DEVICE_TRUST_DURATION_DAYS","EncPass","Main_SECRET_TOKEN","SESSION_SECRET_KEY",
|
|
66
|
+
"IS_DEPLOYED","LOGIN_DB","MBKAUTH_TWO_FA_ENABLE","COOKIE_EXPIRE_TIME","DOMAIN","loginRedirectURL",
|
|
67
|
+
"GITHUB_LOGIN_ENABLED","GITHUB_CLIENT_ID","GITHUB_CLIENT_SECRET","GOOGLE_LOGIN_ENABLED","GOOGLE_CLIENT_ID",
|
|
68
|
+
"GOOGLE_CLIENT_SECRET","MAX_SESSIONS_PER_USER"
|
|
68
69
|
];
|
|
69
70
|
|
|
70
71
|
const defaults = {
|
|
@@ -75,7 +76,8 @@ function validateConfiguration() {
|
|
|
75
76
|
COOKIE_EXPIRE_TIME: 2,
|
|
76
77
|
loginRedirectURL: '/dashboard',
|
|
77
78
|
GITHUB_LOGIN_ENABLED: 'false',
|
|
78
|
-
GOOGLE_LOGIN_ENABLED: 'false'
|
|
79
|
+
GOOGLE_LOGIN_ENABLED: 'false',
|
|
80
|
+
MAX_SESSIONS_PER_USER: 5
|
|
79
81
|
};
|
|
80
82
|
|
|
81
83
|
keysToCheck.forEach(key => {
|
|
@@ -183,6 +185,20 @@ function validateConfiguration() {
|
|
|
183
185
|
mbkautheVar.DEVICE_TRUST_DURATION_DAYS = 7;
|
|
184
186
|
}
|
|
185
187
|
|
|
188
|
+
// Validate MAX_SESSIONS_PER_USER if provided (must be positive integer)
|
|
189
|
+
if (mbkautheVar.MAX_SESSIONS_PER_USER !== undefined) {
|
|
190
|
+
const maxSessions = parseInt(mbkautheVar.MAX_SESSIONS_PER_USER, 10);
|
|
191
|
+
if (isNaN(maxSessions) || maxSessions <= 0) {
|
|
192
|
+
errors.push("mbkautheVar.MAX_SESSIONS_PER_USER must be a valid positive integer");
|
|
193
|
+
} else {
|
|
194
|
+
// Normalize to integer
|
|
195
|
+
mbkautheVar.MAX_SESSIONS_PER_USER = maxSessions;
|
|
196
|
+
}
|
|
197
|
+
} else {
|
|
198
|
+
// Ensure default value is set
|
|
199
|
+
mbkautheVar.MAX_SESSIONS_PER_USER = 5;
|
|
200
|
+
}
|
|
201
|
+
|
|
186
202
|
// Validate LOGIN_DB connection string format
|
|
187
203
|
if (mbkautheVar.LOGIN_DB && !mbkautheVar.LOGIN_DB.startsWith('postgresql://') && !mbkautheVar.LOGIN_DB.startsWith('postgres://')) {
|
|
188
204
|
errors.push("mbkautheVar.LOGIN_DB must be a valid PostgreSQL connection string");
|
package/lib/config/security.js
CHANGED
package/lib/middleware/auth.js
CHANGED
|
@@ -33,19 +33,18 @@ async function validateSession(req, res, next) {
|
|
|
33
33
|
});
|
|
34
34
|
}
|
|
35
35
|
|
|
36
|
-
// Normalize sessionId
|
|
37
|
-
const normalizedSessionId = sessionId
|
|
36
|
+
// Normalize sessionId (DB id) for consistent comparison
|
|
37
|
+
const normalizedSessionId = sessionId;
|
|
38
38
|
|
|
39
|
-
//
|
|
40
|
-
const query = `SELECT
|
|
41
|
-
|
|
39
|
+
// Validate session by DB primary key id and join to user
|
|
40
|
+
const query = `SELECT s.id as sid, s.expires_at, u."Active", u."Role"
|
|
41
|
+
FROM "Sessions" s
|
|
42
|
+
JOIN "Users" u ON s."UserName" = u."UserName"
|
|
43
|
+
WHERE s.id = $1 LIMIT 1`;
|
|
44
|
+
const result = await dblogin.query({ name: 'validate-app-session', text: query, values: [normalizedSessionId] });
|
|
42
45
|
|
|
43
|
-
|
|
44
|
-
|
|
45
|
-
if (result.rows.length > 0 && !result.rows[0].SessionId) {
|
|
46
|
-
console.warn(`[mbkauthe] DB sessionId is null for user "${req.session.user.username}"`);
|
|
47
|
-
}
|
|
48
|
-
console.log(`[mbkauthe] Session invalidated for user "${req.session.user.username}"`);
|
|
46
|
+
if (result.rows.length === 0) {
|
|
47
|
+
console.log(`[mbkauthe] Session not found for user "${req.session.user.username}"`);
|
|
49
48
|
req.session.destroy();
|
|
50
49
|
clearSessionCookies(res);
|
|
51
50
|
return renderError(res, {
|
|
@@ -57,7 +56,25 @@ async function validateSession(req, res, next) {
|
|
|
57
56
|
});
|
|
58
57
|
}
|
|
59
58
|
|
|
60
|
-
|
|
59
|
+
const sessionRow = result.rows[0];
|
|
60
|
+
|
|
61
|
+
// Check expired
|
|
62
|
+
if (sessionRow.expires_at && new Date(sessionRow.expires_at) <= new Date()) {
|
|
63
|
+
console.log(`[mbkauthe] Session invalidated (expired) for user "${req.session.user.username}"`);
|
|
64
|
+
// destroy and clear cookies
|
|
65
|
+
req.session.destroy();
|
|
66
|
+
clearSessionCookies(res);
|
|
67
|
+
return renderError(res, {
|
|
68
|
+
code: 401,
|
|
69
|
+
error: "Session Expired",
|
|
70
|
+
message: "Your Session Has Expired. Please Log In Again.",
|
|
71
|
+
pagename: "Login",
|
|
72
|
+
page: `/mbkauthe/login?redirect=${encodeURIComponent(req.originalUrl)}`,
|
|
73
|
+
});
|
|
74
|
+
}
|
|
75
|
+
|
|
76
|
+
|
|
77
|
+
if (!sessionRow.Active) {
|
|
61
78
|
console.log(`[mbkauthe] Account is inactive for user "${req.session.user.username}"`);
|
|
62
79
|
req.session.destroy();
|
|
63
80
|
clearSessionCookies(res);
|
|
@@ -117,24 +134,32 @@ async function validateApiSession(req, res, next) {
|
|
|
117
134
|
return res.status(401).json(createErrorResponse(401, ErrorCodes.SESSION_EXPIRED));
|
|
118
135
|
}
|
|
119
136
|
|
|
120
|
-
// Normalize sessionId
|
|
121
|
-
const normalizedSessionId = sessionId
|
|
137
|
+
// Normalize sessionId (DB id) for consistent comparison
|
|
138
|
+
const normalizedSessionId = sessionId;
|
|
122
139
|
|
|
123
|
-
//
|
|
124
|
-
const query = `SELECT
|
|
125
|
-
|
|
140
|
+
// Validate session by DB primary key id and join to user
|
|
141
|
+
const query = `SELECT s.id as sid, s.expires_at, u."Active", u."Role"
|
|
142
|
+
FROM "Sessions" s
|
|
143
|
+
JOIN "Users" u ON s."UserName" = u."UserName"
|
|
144
|
+
WHERE s.id = $1 LIMIT 1`;
|
|
145
|
+
const result = await dblogin.query({ name: 'validate-app-session-for-api', text: query, values: [normalizedSessionId] });
|
|
126
146
|
|
|
127
|
-
|
|
128
|
-
if (!dbSessionId || dbSessionId !== normalizedSessionId) {
|
|
129
|
-
if (result.rows.length > 0 && !result.rows[0].SessionId) {
|
|
130
|
-
console.warn(`[mbkauthe] DB sessionId is null for user "${req.session.user.username}"`);
|
|
131
|
-
}
|
|
132
|
-
console.log(`[mbkauthe] Session invalidated for user "${req.session.user.username}"`);
|
|
147
|
+
if (result.rows.length === 0) {
|
|
133
148
|
req.session.destroy();
|
|
134
149
|
clearSessionCookies(res);
|
|
135
150
|
return res.status(401).json(createErrorResponse(401, ErrorCodes.SESSION_INVALID));
|
|
136
151
|
}
|
|
137
152
|
|
|
153
|
+
const sessionRow = result.rows[0];
|
|
154
|
+
|
|
155
|
+
// Check expired
|
|
156
|
+
if (sessionRow.expires_at && new Date(sessionRow.expires_at) <= new Date()) {
|
|
157
|
+
req.session.destroy();
|
|
158
|
+
clearSessionCookies(res);
|
|
159
|
+
return res.status(401).json(createErrorResponse(401, ErrorCodes.SESSION_EXPIRED));
|
|
160
|
+
}
|
|
161
|
+
|
|
162
|
+
|
|
138
163
|
if (!result.rows[0].Active) {
|
|
139
164
|
console.log(`[mbkauthe] Account is inactive for user "${req.session.user.username}"`);
|
|
140
165
|
req.session.destroy();
|
|
@@ -176,21 +201,30 @@ export async function reloadSessionUser(req, res) {
|
|
|
176
201
|
try {
|
|
177
202
|
const { id, sessionId: currentSessionId } = req.session.user;
|
|
178
203
|
|
|
179
|
-
|
|
180
|
-
|
|
181
|
-
|
|
204
|
+
if (!currentSessionId) {
|
|
205
|
+
req.session.destroy(() => {});
|
|
206
|
+
clearSessionCookies(res);
|
|
207
|
+
return false;
|
|
208
|
+
}
|
|
209
|
+
|
|
210
|
+
const normalizedSessionId = String(currentSessionId);
|
|
211
|
+
const query = `SELECT s.id as sid, s.expires_at, u.id as uid, u."UserName", u."Active", u."Role", u."AllowedApps"
|
|
212
|
+
FROM "Sessions" s
|
|
213
|
+
JOIN "Users" u ON s."UserName" = u."UserName"
|
|
214
|
+
WHERE s.id = $1 LIMIT 1`;
|
|
215
|
+
const result = await dblogin.query({ name: 'reload-session-user', text: query, values: [normalizedSessionId] });
|
|
182
216
|
|
|
183
217
|
if (result.rows.length === 0) {
|
|
184
|
-
//
|
|
218
|
+
// Session not found — invalidate session
|
|
185
219
|
req.session.destroy(() => {});
|
|
186
220
|
clearSessionCookies(res);
|
|
187
221
|
return false;
|
|
188
222
|
}
|
|
189
223
|
|
|
190
224
|
const row = result.rows[0];
|
|
191
|
-
|
|
192
|
-
|
|
193
|
-
|
|
225
|
+
|
|
226
|
+
// Check expired
|
|
227
|
+
if (row.expires_at && new Date(row.expires_at) <= new Date()) {
|
|
194
228
|
req.session.destroy(() => {});
|
|
195
229
|
clearSessionCookies(res);
|
|
196
230
|
return false;
|
package/lib/middleware/index.js
CHANGED
|
@@ -57,8 +57,8 @@ export async function sessionRestorationMiddleware(req, res, next) {
|
|
|
57
57
|
if (!req.session.user && req.cookies.sessionId) {
|
|
58
58
|
const sessionId = req.cookies.sessionId;
|
|
59
59
|
|
|
60
|
-
// Early validation to avoid unnecessary processing
|
|
61
|
-
if (typeof sessionId !== 'string' || !/^[
|
|
60
|
+
// Early validation to avoid unnecessary processing (expect DB UUID id)
|
|
61
|
+
if (typeof sessionId !== 'string' || !/^[0-9a-f]{8}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{12}$/i.test(sessionId)) {
|
|
62
62
|
// Clear invalid cookie to prevent repeated attempts
|
|
63
63
|
res.clearCookie('sessionId', {
|
|
64
64
|
domain: mbkautheVar.IS_DEPLOYED === 'true' ? `.${mbkautheVar.DOMAIN}` : undefined,
|
|
@@ -71,37 +71,46 @@ export async function sessionRestorationMiddleware(req, res, next) {
|
|
|
71
71
|
}
|
|
72
72
|
|
|
73
73
|
try {
|
|
74
|
-
|
|
75
|
-
|
|
76
|
-
|
|
77
|
-
|
|
74
|
+
// Validate session by DB primary key id and join to user
|
|
75
|
+
const query = `SELECT u.id, u."UserName", u."Active", u."Role", u."AllowedApps", s.expires_at
|
|
76
|
+
FROM "Sessions" s
|
|
77
|
+
JOIN "Users" u ON s."UserName" = u."UserName"
|
|
78
|
+
WHERE s.id = $1 LIMIT 1`;
|
|
79
|
+
const result = await dblogin.query({ name: 'restore-user-session', text: query, values: [sessionId] });
|
|
78
80
|
|
|
79
81
|
if (result.rows.length > 0) {
|
|
80
|
-
const
|
|
81
|
-
req.session.user = {
|
|
82
|
-
id: user.id,
|
|
83
|
-
username: user.UserName,
|
|
84
|
-
role: user.Role,
|
|
85
|
-
sessionId: normalizedSessionId,
|
|
86
|
-
allowedApps: user.AllowedApps,
|
|
87
|
-
};
|
|
82
|
+
const row = result.rows[0];
|
|
88
83
|
|
|
89
|
-
//
|
|
90
|
-
if (
|
|
91
|
-
|
|
84
|
+
// Reject expired sessions or inactive users
|
|
85
|
+
if ((row.expires_at && new Date(row.expires_at) <= new Date()) || !row.Active) {
|
|
86
|
+
// leave cookies cleared and don't restore session
|
|
92
87
|
} else {
|
|
93
|
-
|
|
94
|
-
|
|
95
|
-
|
|
96
|
-
|
|
97
|
-
|
|
98
|
-
|
|
99
|
-
|
|
100
|
-
|
|
101
|
-
|
|
88
|
+
const normalizedSessionId = String(sessionId);
|
|
89
|
+
req.session.user = {
|
|
90
|
+
id: row.id,
|
|
91
|
+
username: row.UserName,
|
|
92
|
+
role: row.Role,
|
|
93
|
+
sessionId: normalizedSessionId,
|
|
94
|
+
allowedApps: row.AllowedApps,
|
|
95
|
+
};
|
|
96
|
+
|
|
97
|
+
// Use cached FullName from client cookie when available to avoid extra DB queries
|
|
98
|
+
if (req.cookies.fullName && typeof req.cookies.fullName === 'string') {
|
|
99
|
+
req.session.user.fullname = req.cookies.fullName;
|
|
100
|
+
} else {
|
|
101
|
+
// Fallback: attempt to fetch FullName from profiledata to populate session
|
|
102
|
+
try {
|
|
103
|
+
const profileRes = await dblogin.query({
|
|
104
|
+
name: 'restore-get-fullname',
|
|
105
|
+
text: 'SELECT "FullName" FROM "profiledata" WHERE "UserName" = $1 LIMIT 1',
|
|
106
|
+
values: [row.UserName]
|
|
107
|
+
});
|
|
108
|
+
if (profileRes.rows.length > 0 && profileRes.rows[0].FullName) {
|
|
109
|
+
req.session.user.fullname = profileRes.rows[0].FullName;
|
|
110
|
+
}
|
|
111
|
+
} catch (profileErr) {
|
|
112
|
+
console.error("[mbkauthe] Error fetching FullName during session restore:", profileErr);
|
|
102
113
|
}
|
|
103
|
-
} catch (profileErr) {
|
|
104
|
-
console.error("[mbkauthe] Error fetching FullName during session restore:", profileErr);
|
|
105
114
|
}
|
|
106
115
|
}
|
|
107
116
|
}
|
package/lib/routes/auth.js
CHANGED
|
@@ -7,7 +7,7 @@ import { dblogin } from "../database/pool.js";
|
|
|
7
7
|
import { mbkautheVar } from "../config/index.js";
|
|
8
8
|
import {
|
|
9
9
|
cachedCookieOptions, cachedClearCookieOptions, clearSessionCookies,
|
|
10
|
-
generateDeviceToken, getDeviceTokenCookieOptions, DEVICE_TRUST_DURATION_MS
|
|
10
|
+
generateDeviceToken, getDeviceTokenCookieOptions, DEVICE_TRUST_DURATION_MS, hashDeviceToken
|
|
11
11
|
} from "../config/cookies.js";
|
|
12
12
|
import { packageJson } from "../config/index.js";
|
|
13
13
|
import { hashPassword } from "../config/security.js";
|
|
@@ -63,6 +63,8 @@ export async function checkTrustedDevice(req, username) {
|
|
|
63
63
|
}
|
|
64
64
|
|
|
65
65
|
try {
|
|
66
|
+
// Hash the provided device token before querying DB (we store token hashes in DB)
|
|
67
|
+
const deviceTokenHash = hashDeviceToken(deviceToken);
|
|
66
68
|
const deviceQuery = `
|
|
67
69
|
SELECT td."UserName", td."LastUsed", td."ExpiresAt", u."id", u."Active", u."Role", u."AllowedApps"
|
|
68
70
|
FROM "TrustedDevices" td
|
|
@@ -72,7 +74,7 @@ export async function checkTrustedDevice(req, username) {
|
|
|
72
74
|
const deviceResult = await dblogin.query({
|
|
73
75
|
name: 'check-trusted-device',
|
|
74
76
|
text: deviceQuery,
|
|
75
|
-
values: [
|
|
77
|
+
values: [deviceTokenHash, username]
|
|
76
78
|
});
|
|
77
79
|
|
|
78
80
|
if (deviceResult.rows.length > 0) {
|
|
@@ -95,7 +97,7 @@ export async function checkTrustedDevice(req, username) {
|
|
|
95
97
|
await dblogin.query({
|
|
96
98
|
name: 'update-device-last-used',
|
|
97
99
|
text: 'UPDATE "TrustedDevices" SET "LastUsed" = NOW() WHERE "DeviceToken" = $1',
|
|
98
|
-
values: [
|
|
100
|
+
values: [deviceTokenHash]
|
|
99
101
|
});
|
|
100
102
|
|
|
101
103
|
console.log(`[mbkauthe] Trusted device validated for user: ${username}`);
|
|
@@ -124,13 +126,9 @@ export async function completeLoginProcess(req, res, user, redirectUrl = null, t
|
|
|
124
126
|
throw new Error('Username is required in user object');
|
|
125
127
|
}
|
|
126
128
|
|
|
127
|
-
// smaller session id is sufficient and faster to generate/serialize
|
|
128
|
-
const sessionId = crypto.randomBytes(32).toString("hex");
|
|
129
|
-
console.log(`[mbkauthe] Generated session ID for username: ${username}`);
|
|
130
|
-
|
|
131
129
|
// Fix session fixation: Delete old session BEFORE regenerating to prevent timing window
|
|
132
130
|
const oldSessionId = req.sessionID;
|
|
133
|
-
|
|
131
|
+
|
|
134
132
|
// Delete old session first to prevent session fixation attacks
|
|
135
133
|
await dblogin.query({
|
|
136
134
|
name: 'login-delete-old-session-before-regen',
|
|
@@ -146,27 +144,50 @@ export async function completeLoginProcess(req, res, user, redirectUrl = null, t
|
|
|
146
144
|
});
|
|
147
145
|
});
|
|
148
146
|
|
|
149
|
-
//
|
|
150
|
-
|
|
151
|
-
|
|
152
|
-
|
|
153
|
-
|
|
154
|
-
|
|
155
|
-
|
|
156
|
-
|
|
157
|
-
|
|
158
|
-
|
|
159
|
-
|
|
160
|
-
|
|
161
|
-
|
|
162
|
-
})
|
|
163
|
-
|
|
147
|
+
// Enforce max sessions per user (configurable via mbkautheVar.MAX_SESSIONS_PER_USER) and persist a new application session record (keyed by username)
|
|
148
|
+
const configuredMax = parseInt(mbkautheVar.MAX_SESSIONS_PER_USER, 10);
|
|
149
|
+
const MAX_SESSIONS = Number.isInteger(configuredMax) && configuredMax > 0 ? configuredMax : 5;
|
|
150
|
+
|
|
151
|
+
// Count active sessions for this user (by username)
|
|
152
|
+
const countRes = await dblogin.query({
|
|
153
|
+
name: 'count-user-sessions',
|
|
154
|
+
text: `SELECT id FROM "Sessions" WHERE "UserName" = $1 AND (expires_at IS NULL OR expires_at > NOW()) ORDER BY created_at ASC`,
|
|
155
|
+
values: [username]
|
|
156
|
+
});
|
|
157
|
+
|
|
158
|
+
const currentSessions = countRes.rows.length;
|
|
159
|
+
if (currentSessions >= MAX_SESSIONS) {
|
|
160
|
+
console.log(`[mbkauthe] User "${username}" has ${currentSessions} active sessions, exceeding max of ${MAX_SESSIONS}. Pruning oldest sessions.`);
|
|
161
|
+
// prune the oldest session(s) to make room for the new one
|
|
162
|
+
await dblogin.query({
|
|
163
|
+
name: 'prune-oldest-user-session',
|
|
164
|
+
text: `DELETE FROM "Sessions" WHERE id IN (SELECT id FROM "Sessions" WHERE "UserName" = $1 AND (expires_at IS NULL OR expires_at > NOW()) ORDER BY created_at ASC LIMIT $2)` ,
|
|
165
|
+
values: [username, (currentSessions - (MAX_SESSIONS - 1))]
|
|
166
|
+
});
|
|
167
|
+
}
|
|
168
|
+
|
|
169
|
+
const expiresAt = new Date(Date.now() + (cachedCookieOptions.maxAge || 0));
|
|
170
|
+
|
|
171
|
+
// Insert new session record for the user (store username) and return the DB id
|
|
172
|
+
const insertRes = await dblogin.query({
|
|
173
|
+
name: 'insert-app-session',
|
|
174
|
+
text: `INSERT INTO "Sessions" ("UserName", expires_at, meta) VALUES ($1, $2, $3) RETURNING id`,
|
|
175
|
+
values: [username, expiresAt, JSON.stringify({ ip: req.ip, ua: req.headers['user-agent'] || null })]
|
|
176
|
+
});
|
|
177
|
+
const dbSessionId = insertRes.rows[0].id;
|
|
178
|
+
|
|
179
|
+
// Update last_login timestamp for the user
|
|
180
|
+
await dblogin.query({
|
|
181
|
+
name: 'login-update-last-login',
|
|
182
|
+
text: `UPDATE "Users" SET "last_login" = NOW() WHERE "id" = $1`,
|
|
183
|
+
values: [user.id]
|
|
184
|
+
});
|
|
164
185
|
|
|
165
186
|
req.session.user = {
|
|
166
187
|
id: user.id,
|
|
167
188
|
username: username,
|
|
168
189
|
role: user.role || user.Role,
|
|
169
|
-
sessionId,
|
|
190
|
+
sessionId: dbSessionId,
|
|
170
191
|
allowedApps: user.allowedApps || user.AllowedApps,
|
|
171
192
|
};
|
|
172
193
|
|
|
@@ -194,11 +215,11 @@ export async function completeLoginProcess(req, res, user, redirectUrl = null, t
|
|
|
194
215
|
return res.status(500).json({ success: false, message: "Internal Server Error" });
|
|
195
216
|
}
|
|
196
217
|
|
|
197
|
-
// Expose
|
|
198
|
-
res.cookie("sessionId",
|
|
218
|
+
// Expose DB session id and display name to client for UI (fullName falls back to username)
|
|
219
|
+
res.cookie("sessionId", dbSessionId, cachedCookieOptions);
|
|
199
220
|
res.cookie("fullName", req.session.user.fullname || username, { ...cachedCookieOptions, httpOnly: false });
|
|
200
221
|
|
|
201
|
-
// Handle trusted device if requested
|
|
222
|
+
// Handle trusted device if requested (token no longer stored in DB as token_hash)
|
|
202
223
|
if (trustDevice) {
|
|
203
224
|
try {
|
|
204
225
|
const deviceToken = generateDeviceToken();
|
|
@@ -208,13 +229,16 @@ export async function completeLoginProcess(req, res, user, redirectUrl = null, t
|
|
|
208
229
|
const ipAddress = req.ip || req.connection.remoteAddress || 'Unknown';
|
|
209
230
|
const expiresAt = new Date(Date.now() + DEVICE_TRUST_DURATION_MS);
|
|
210
231
|
|
|
232
|
+
// Store only the HASH of the device token in DB; send the raw token to the client (httpOnly cookie)
|
|
233
|
+
const deviceTokenHash = hashDeviceToken(deviceToken);
|
|
211
234
|
await dblogin.query({
|
|
212
235
|
name: 'insert-trusted-device',
|
|
213
236
|
text: `INSERT INTO "TrustedDevices" ("UserName", "DeviceToken", "DeviceName", "UserAgent", "IpAddress", "ExpiresAt")
|
|
214
237
|
VALUES ($1, $2, $3, $4, $5, $6)`,
|
|
215
|
-
values: [username,
|
|
238
|
+
values: [username, deviceTokenHash, deviceName, userAgent, ipAddress, expiresAt]
|
|
216
239
|
});
|
|
217
240
|
|
|
241
|
+
// Send raw token to client as httpOnly cookie only
|
|
218
242
|
res.cookie("device_token", deviceToken, getDeviceTokenCookieOptions());
|
|
219
243
|
console.log(`[mbkauthe] Trusted device token created for user: ${username}`);
|
|
220
244
|
} catch (deviceErr) {
|
|
@@ -228,7 +252,7 @@ export async function completeLoginProcess(req, res, user, redirectUrl = null, t
|
|
|
228
252
|
const responsePayload = {
|
|
229
253
|
success: true,
|
|
230
254
|
message: "Login successful",
|
|
231
|
-
sessionId,
|
|
255
|
+
sessionId: dbSessionId,
|
|
232
256
|
};
|
|
233
257
|
|
|
234
258
|
if (redirectUrl) {
|
|
@@ -506,15 +530,14 @@ router.post("/api/logout", LogoutLimit, async (req, res) => {
|
|
|
506
530
|
try {
|
|
507
531
|
const { id, username } = req.session.user;
|
|
508
532
|
|
|
509
|
-
//
|
|
510
|
-
const operations = [
|
|
511
|
-
|
|
512
|
-
|
|
533
|
+
// Remove the application session record for this token (if present)
|
|
534
|
+
const operations = [];
|
|
535
|
+
if (req.session && req.session.user && req.session.user.sessionId) {
|
|
536
|
+
operations.push(dblogin.query({ name: 'logout-delete-app-session', text: 'DELETE FROM "Sessions" WHERE id = $1', values: [req.session.user.sessionId] }));
|
|
537
|
+
}
|
|
513
538
|
|
|
514
539
|
if (req.sessionID) {
|
|
515
|
-
operations.push(
|
|
516
|
-
dblogin.query({ name: 'logout-delete-session', text: 'DELETE FROM "session" WHERE sid = $1', values: [req.sessionID] })
|
|
517
|
-
);
|
|
540
|
+
operations.push(dblogin.query({ name: 'logout-delete-session', text: 'DELETE FROM "session" WHERE sid = $1', values: [req.sessionID] }));
|
|
518
541
|
}
|
|
519
542
|
|
|
520
543
|
await Promise.all(operations);
|