wiki-plugin-allyabase 0.0.6 → 0.0.7
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/BUGFIXES.md +277 -0
- package/package.json +1 -1
- package/server/server.js +28 -3
package/BUGFIXES.md
ADDED
|
@@ -0,0 +1,277 @@
|
|
|
1
|
+
# Allyabase Plugin - Critical Bug Fixes
|
|
2
|
+
|
|
3
|
+
## Date: February 9, 2026
|
|
4
|
+
|
|
5
|
+
### Critical Bug #1: Invalid Express Route Wildcard
|
|
6
|
+
|
|
7
|
+
**Problem:**
|
|
8
|
+
Multiple routes used the wildcard `*` syntax which is invalid in newer versions of path-to-regexp (used by Express):
|
|
9
|
+
|
|
10
|
+
```javascript
|
|
11
|
+
// Federation route (line 291)
|
|
12
|
+
app.use('/plugin/allyabase/federation/*', function(req, res, next) {
|
|
13
|
+
|
|
14
|
+
// Service proxy routes (line 633)
|
|
15
|
+
app.all(`/plugin/allyabase/${service}/*`, function(req, res) {
|
|
16
|
+
```
|
|
17
|
+
|
|
18
|
+
This caused:
|
|
19
|
+
```
|
|
20
|
+
PathError: Missing parameter name at index 30: /plugin/allyabase/federation/*
|
|
21
|
+
PathError: Missing parameter name at index 25: /plugin/allyabase/julia/*
|
|
22
|
+
```
|
|
23
|
+
|
|
24
|
+
**Fix:**
|
|
25
|
+
Changed both to use regex patterns:
|
|
26
|
+
|
|
27
|
+
```javascript
|
|
28
|
+
// Federation route (line 291)
|
|
29
|
+
app.use(/^\/plugin\/allyabase\/federation\/.*/, function(req, res, next) {
|
|
30
|
+
|
|
31
|
+
// Service proxy routes (line 633)
|
|
32
|
+
app.all(new RegExp(`^\\/plugin\\/allyabase\\/${service}\\/.*`), function(req, res) {
|
|
33
|
+
```
|
|
34
|
+
|
|
35
|
+
**Locations:**
|
|
36
|
+
- `server/server.js:291` - Federation route
|
|
37
|
+
- `server/server.js:633` - Service proxy routes (all 14 services)
|
|
38
|
+
|
|
39
|
+
**Impact:** Plugin would crash immediately on load, making all federation endpoints and service proxies unusable.
|
|
40
|
+
|
|
41
|
+
---
|
|
42
|
+
|
|
43
|
+
### Critical Bug #2: Process Suicide in Docker Containers
|
|
44
|
+
|
|
45
|
+
**Problem:**
|
|
46
|
+
The `cleanupOrphanedProcesses()` function scans ports and kills any process using them. In Docker containers:
|
|
47
|
+
- PID 1 is always the main container process (the wiki server)
|
|
48
|
+
- When the plugin finds the wiki using a port, it tries to kill PID 1
|
|
49
|
+
- This kills the entire container
|
|
50
|
+
|
|
51
|
+
**Symptoms:**
|
|
52
|
+
```
|
|
53
|
+
[wiki-plugin-allyabase] Found process 1 using port 3005
|
|
54
|
+
[wiki-plugin-allyabase] Attempting to kill process 1...
|
|
55
|
+
[wiki-plugin-allyabase] Process 1 still running, sending SIGKILL...
|
|
56
|
+
```
|
|
57
|
+
|
|
58
|
+
Followed by container crash.
|
|
59
|
+
|
|
60
|
+
**Fix #1: PID Protection**
|
|
61
|
+
Added safety checks to `killProcessByPid()`:
|
|
62
|
+
```javascript
|
|
63
|
+
// CRITICAL: Never kill PID 1 in Docker containers
|
|
64
|
+
if (pid === 1) {
|
|
65
|
+
console.log('⚠️ Skipping PID 1 (init process)');
|
|
66
|
+
return false;
|
|
67
|
+
}
|
|
68
|
+
|
|
69
|
+
// Also don't kill our own process
|
|
70
|
+
if (pid === process.pid) {
|
|
71
|
+
console.log('⚠️ Skipping PID ${pid} (this is us!)');
|
|
72
|
+
return false;
|
|
73
|
+
}
|
|
74
|
+
```
|
|
75
|
+
|
|
76
|
+
**Fix #2: Docker Detection**
|
|
77
|
+
Added Docker environment detection to skip port cleanup entirely:
|
|
78
|
+
```javascript
|
|
79
|
+
const isDocker = fs.existsSync('/.dockerenv') || fs.existsSync('/run/.containerenv');
|
|
80
|
+
|
|
81
|
+
if (isDocker) {
|
|
82
|
+
console.log('🐳 Detected Docker environment - skipping port cleanup');
|
|
83
|
+
console.log('In Docker, services should run in separate containers');
|
|
84
|
+
return;
|
|
85
|
+
}
|
|
86
|
+
```
|
|
87
|
+
|
|
88
|
+
**Location:** `server/server.js:63-100, 156-175`
|
|
89
|
+
|
|
90
|
+
**Rationale:**
|
|
91
|
+
In Docker/containerized environments:
|
|
92
|
+
- Each service runs in its own container
|
|
93
|
+
- Services don't share the same process space
|
|
94
|
+
- Attempting to kill processes by port is:
|
|
95
|
+
- Dangerous (can kill the wiki itself)
|
|
96
|
+
- Unnecessary (services are isolated)
|
|
97
|
+
- Won't work anyway (can't kill processes in other containers)
|
|
98
|
+
|
|
99
|
+
---
|
|
100
|
+
|
|
101
|
+
## Testing the Fixes
|
|
102
|
+
|
|
103
|
+
### Before Fix:
|
|
104
|
+
```bash
|
|
105
|
+
# Install allyabase plugin
|
|
106
|
+
docker exec -u node -w /home/node/lib/node_modules/wiki wiki-dave npm install wiki-plugin-allyabase
|
|
107
|
+
|
|
108
|
+
# Restart wiki
|
|
109
|
+
docker-compose restart wiki-dave
|
|
110
|
+
|
|
111
|
+
# Result: Wiki crashes immediately
|
|
112
|
+
# Logs show: Attempting to kill process 1... [crash]
|
|
113
|
+
```
|
|
114
|
+
|
|
115
|
+
### After Fix:
|
|
116
|
+
```bash
|
|
117
|
+
# Install allyabase plugin
|
|
118
|
+
docker exec -u node -w /home/node/lib/node_modules/wiki wiki-dave npm install wiki-plugin-allyabase
|
|
119
|
+
|
|
120
|
+
# Restart wiki
|
|
121
|
+
docker-compose restart wiki-dave
|
|
122
|
+
|
|
123
|
+
# Result: Wiki starts successfully
|
|
124
|
+
# Logs show:
|
|
125
|
+
# 🐳 Detected Docker environment - skipping port cleanup
|
|
126
|
+
# ✅ wiki-plugin-allyabase ready!
|
|
127
|
+
```
|
|
128
|
+
|
|
129
|
+
---
|
|
130
|
+
|
|
131
|
+
## Architecture Implications
|
|
132
|
+
|
|
133
|
+
### Original Design (Non-Docker):
|
|
134
|
+
```
|
|
135
|
+
┌─────────────────────────────┐
|
|
136
|
+
│ Single Machine/VM │
|
|
137
|
+
│ │
|
|
138
|
+
│ ┌──────────────────────┐ │
|
|
139
|
+
│ │ Wiki (PID 123) │ │
|
|
140
|
+
│ │ Port 3333 │ │
|
|
141
|
+
│ └──────────────────────┘ │
|
|
142
|
+
│ │
|
|
143
|
+
│ ┌──────────────────────┐ │
|
|
144
|
+
│ │ PM2 │ │
|
|
145
|
+
│ │ ├─ Fount (PID 456) │ │
|
|
146
|
+
│ │ ├─ BDO (PID 789) │ │
|
|
147
|
+
│ │ ├─ Joan (PID 101) │ │
|
|
148
|
+
│ │ └─ ...13 more │ │
|
|
149
|
+
│ └──────────────────────┘ │
|
|
150
|
+
│ │
|
|
151
|
+
│ Allyabase plugin can: │
|
|
152
|
+
│ - Kill orphaned PM2 │
|
|
153
|
+
│ - Kill processes on ports │
|
|
154
|
+
│ - Restart services │
|
|
155
|
+
└─────────────────────────────┘
|
|
156
|
+
```
|
|
157
|
+
|
|
158
|
+
### Docker Design (Current):
|
|
159
|
+
```
|
|
160
|
+
┌──────────────────┐ ┌──────────────────┐ ┌──────────────────┐
|
|
161
|
+
│ Wiki Container │ │ Fount Container │ │ BDO Container │
|
|
162
|
+
│ │ │ │ │ │
|
|
163
|
+
│ ┌──────────────┐ │ │ ┌──────────────┐ │ │ ┌──────────────┐ │
|
|
164
|
+
│ │ Wiki (PID 1) │ │ │ │ Fount (PID 1)│ │ │ │ BDO (PID 1) │ │
|
|
165
|
+
│ │ Port 3000 │ │ │ │ Port 3006 │ │ │ │ Port 3003 │ │
|
|
166
|
+
│ └──────────────┘ │ │ └──────────────┘ │ │ └──────────────┘ │
|
|
167
|
+
└──────────────────┘ └──────────────────┘ └──────────────────┘
|
|
168
|
+
│ │ │
|
|
169
|
+
└─────────────────────┴──────────────────────┘
|
|
170
|
+
│
|
|
171
|
+
Docker Network
|
|
172
|
+
|
|
173
|
+
Each container:
|
|
174
|
+
- Has its own PID 1 (init process)
|
|
175
|
+
- Isolated process space
|
|
176
|
+
- Cannot kill processes in other containers
|
|
177
|
+
- Managed by Docker Compose, not PM2
|
|
178
|
+
|
|
179
|
+
Allyabase plugin in Docker:
|
|
180
|
+
- ✅ Provides proxy routes to services
|
|
181
|
+
- ✅ Handles federation resolution
|
|
182
|
+
- ❌ Cannot manage service lifecycles (that's Docker's job)
|
|
183
|
+
- ❌ Cannot kill processes (dangerous and won't work)
|
|
184
|
+
```
|
|
185
|
+
|
|
186
|
+
---
|
|
187
|
+
|
|
188
|
+
## Future Considerations
|
|
189
|
+
|
|
190
|
+
### Service Management in Docker
|
|
191
|
+
|
|
192
|
+
The plugin's service management features (launch, healthcheck) need rethinking for Docker:
|
|
193
|
+
|
|
194
|
+
**Current Approach (Non-Docker):**
|
|
195
|
+
- `POST /plugin/allyabase/launch` - Runs `allyabase_setup.sh` which spawns PM2
|
|
196
|
+
- PM2 manages all 14 services as child processes
|
|
197
|
+
- Plugin can kill/restart services
|
|
198
|
+
|
|
199
|
+
**Docker Approach Options:**
|
|
200
|
+
|
|
201
|
+
1. **Docker Compose (Recommended):**
|
|
202
|
+
```yaml
|
|
203
|
+
services:
|
|
204
|
+
wiki:
|
|
205
|
+
image: wiki-federation:latest
|
|
206
|
+
fount:
|
|
207
|
+
image: fount:latest
|
|
208
|
+
bdo:
|
|
209
|
+
image: bdo:latest
|
|
210
|
+
# ...etc
|
|
211
|
+
```
|
|
212
|
+
- Services managed by Docker Compose
|
|
213
|
+
- Plugin acts as pure proxy layer
|
|
214
|
+
- No lifecycle management in plugin
|
|
215
|
+
|
|
216
|
+
2. **Docker API Integration:**
|
|
217
|
+
- Plugin calls Docker API to start/stop containers
|
|
218
|
+
- Requires Docker socket mount
|
|
219
|
+
- More complex but gives control
|
|
220
|
+
|
|
221
|
+
3. **Hybrid (Current State):**
|
|
222
|
+
- Plugin works as proxy in Docker
|
|
223
|
+
- Manual service management via docker-compose CLI
|
|
224
|
+
- Plugin's /launch endpoint doesn't work in Docker (services already running)
|
|
225
|
+
|
|
226
|
+
### Recommendation
|
|
227
|
+
|
|
228
|
+
For Docker deployments:
|
|
229
|
+
1. Use docker-compose to manage all services
|
|
230
|
+
2. Allyabase plugin provides:
|
|
231
|
+
- ✅ Service proxy routes
|
|
232
|
+
- ✅ Federation resolution
|
|
233
|
+
- ✅ Healthcheck endpoint (checks if services respond)
|
|
234
|
+
- ❌ Launch/lifecycle management (handled by Docker)
|
|
235
|
+
|
|
236
|
+
For non-Docker deployments:
|
|
237
|
+
1. Original design works as intended
|
|
238
|
+
2. PM2 process management
|
|
239
|
+
3. Full lifecycle control via plugin
|
|
240
|
+
|
|
241
|
+
---
|
|
242
|
+
|
|
243
|
+
## Files Modified
|
|
244
|
+
|
|
245
|
+
1. **server/server.js**
|
|
246
|
+
- Line 291: Fixed Express federation route wildcard (`*` → regex)
|
|
247
|
+
- Line 633: Fixed Express service proxy route wildcards (all 14 services, `*` → regex)
|
|
248
|
+
- Lines 63-100: Added PID 1 protection and self-protection
|
|
249
|
+
- Lines 156-175: Added Docker detection and port cleanup skip
|
|
250
|
+
|
|
251
|
+
## Backward Compatibility
|
|
252
|
+
|
|
253
|
+
These changes are **fully backward compatible**:
|
|
254
|
+
|
|
255
|
+
- **Non-Docker environments:** Port cleanup still works (unless PID 1 or self)
|
|
256
|
+
- **Docker environments:** Automatically detected and handled safely
|
|
257
|
+
- **Existing functionality:** All proxy routes, federation, and endpoints unchanged
|
|
258
|
+
|
|
259
|
+
## Testing Checklist
|
|
260
|
+
|
|
261
|
+
- [ ] Plugin loads without crash in Docker
|
|
262
|
+
- [ ] Federation endpoints respond (no PathError)
|
|
263
|
+
- [ ] Wiki doesn't kill itself on startup
|
|
264
|
+
- [ ] Proxy routes work (e.g., `/plugin/allyabase/bdo/*`)
|
|
265
|
+
- [ ] Healthcheck endpoint works
|
|
266
|
+
- [ ] Docker detection logs appear
|
|
267
|
+
- [ ] Non-Docker deployment still works (if applicable)
|
|
268
|
+
|
|
269
|
+
---
|
|
270
|
+
|
|
271
|
+
## Related Issues
|
|
272
|
+
|
|
273
|
+
- Original crash report: Dave's wiki crashed when allyabase installed
|
|
274
|
+
- Error 1: `PathError: Missing parameter name at index 30`
|
|
275
|
+
- Error 2: `Attempting to kill process 1` followed by container death
|
|
276
|
+
|
|
277
|
+
Both issues now resolved.
|
package/package.json
CHANGED
package/server/server.js
CHANGED
|
@@ -63,6 +63,18 @@ function loadWikiKeypair() {
|
|
|
63
63
|
// Function to kill process by PID
|
|
64
64
|
function killProcessByPid(pid) {
|
|
65
65
|
try {
|
|
66
|
+
// CRITICAL: Never kill PID 1 in Docker containers - it's the main container process
|
|
67
|
+
if (pid === 1) {
|
|
68
|
+
console.log(`[wiki-plugin-allyabase] ⚠️ Skipping PID 1 (init process) - this is likely the wiki server itself in Docker`);
|
|
69
|
+
return false;
|
|
70
|
+
}
|
|
71
|
+
|
|
72
|
+
// Also don't kill our own process
|
|
73
|
+
if (pid === process.pid) {
|
|
74
|
+
console.log(`[wiki-plugin-allyabase] ⚠️ Skipping PID ${pid} (this is us!)`);
|
|
75
|
+
return false;
|
|
76
|
+
}
|
|
77
|
+
|
|
66
78
|
console.log(`[wiki-plugin-allyabase] Attempting to kill process ${pid}...`);
|
|
67
79
|
process.kill(pid, 'SIGTERM');
|
|
68
80
|
|
|
@@ -156,7 +168,18 @@ async function cleanupOrphanedProcesses() {
|
|
|
156
168
|
// Stop PM2 if it's running (cleans up all managed services)
|
|
157
169
|
await stopPM2();
|
|
158
170
|
|
|
159
|
-
//
|
|
171
|
+
// Detect if we're in a Docker container
|
|
172
|
+
// In Docker, services run in separate containers, so port cleanup is unnecessary and dangerous
|
|
173
|
+
const isDocker = fs.existsSync('/.dockerenv') || fs.existsSync('/run/.containerenv');
|
|
174
|
+
|
|
175
|
+
if (isDocker) {
|
|
176
|
+
console.log('[wiki-plugin-allyabase] 🐳 Detected Docker environment - skipping port cleanup');
|
|
177
|
+
console.log('[wiki-plugin-allyabase] In Docker, services should run in separate containers, not as processes on ports');
|
|
178
|
+
console.log('[wiki-plugin-allyabase] Cleanup complete (Docker mode)');
|
|
179
|
+
return;
|
|
180
|
+
}
|
|
181
|
+
|
|
182
|
+
// Fallback: kill any processes using our ports (only in non-Docker environments)
|
|
160
183
|
console.log('[wiki-plugin-allyabase] Cleaning up any processes on service ports...');
|
|
161
184
|
for (const [service, port] of Object.entries(SERVICE_PORTS)) {
|
|
162
185
|
await killProcessByPort(port);
|
|
@@ -288,7 +311,8 @@ async function startServer(params) {
|
|
|
288
311
|
|
|
289
312
|
// CORS middleware for federation endpoints
|
|
290
313
|
// Allows cross-origin requests from other federated wikis
|
|
291
|
-
|
|
314
|
+
// Use regex to match all federation paths (Express doesn't support * wildcard in newer versions)
|
|
315
|
+
app.use(/^\/plugin\/allyabase\/federation\/.*/, function(req, res, next) {
|
|
292
316
|
res.setHeader('Access-Control-Allow-Origin', '*');
|
|
293
317
|
res.setHeader('Access-Control-Allow-Methods', 'GET, POST, OPTIONS');
|
|
294
318
|
res.setHeader('Access-Control-Allow-Headers', 'Content-Type');
|
|
@@ -606,7 +630,8 @@ async function startServer(params) {
|
|
|
606
630
|
// Create proxy routes for each service
|
|
607
631
|
Object.entries(SERVICE_PORTS).forEach(([service, port]) => {
|
|
608
632
|
// Proxy all methods (GET, POST, PUT, DELETE, etc.)
|
|
609
|
-
|
|
633
|
+
// Use regex pattern instead of wildcard to avoid PathError in newer path-to-regexp
|
|
634
|
+
app.all(new RegExp(`^\\/plugin\\/allyabase\\/${service}\\/.*`), function(req, res) {
|
|
610
635
|
const targetPath = req.url.replace(`/plugin/allyabase/${service}`, '');
|
|
611
636
|
console.log(`[PROXY] ${req.method} /plugin/allyabase/${service}${targetPath} -> http://localhost:${port}${targetPath}`);
|
|
612
637
|
console.log(`[PROXY] Headers:`, JSON.stringify(req.headers, null, 2));
|