在這篇文章中,您將學習如何透過遵循生產級最佳實踐來使用 JavaScript 實現推播通知。最好的事情之一是我也會提供一個資料夾結構,以便您可以輕鬆地設定您的專案。
在現實世界的應用程式中設定推播通知需要仔細規劃。我將向您展示如何在專業的 Node.js 應用程式中建立此功能。我們將介紹重要的部分,例如如何組織您的程式碼、確保內容安全,並確保即使您的應用程式不斷成長,它也能正常運作。
首先,您需要一個函式庫來幫助您從 Node.js 伺服器發送推播通知。 web-push 函式庫提供了用於傳送通知和管理必要金鑰的工具。
首先,讓我們設定專案結構以維護乾淨且可擴展的程式碼庫:
/notification-service ├── /config │ ├── default.js │ └── production.js ├── /controllers │ └── notificationController.js ├── /models │ └── user.js ├── /routes │ └── notificationRoutes.js ├── /services │ ├── notificationService.js │ ├── subscriptionService.js │ └── webPushService.js ├── /utils │ └── errorHandler.js ├── /tests │ └── notification.test.js ├── app.js ├── package.json ├── .env └── README.md
在深入實施之前,請確保您已安裝以下 NPM 軟體包:
bash npm install express mongoose web-push dotenv supertest
為不同環境(例如開發、生產)建立設定檔。這些文件儲存特定於環境的設定。
// /config/default.js module.exports = { server: { port: 3000, env: 'development' }, pushNotifications: { publicVapidKey: process.env.VAPID_PUBLIC_KEY, privateVapidKey: process.env.VAPID_PRIVATE_KEY, gcmApiKey: process.env.GCM_API_KEY }, db: { uri: process.env.MONGO_URI } };
// /config/production.js module.exports = { server: { port: process.env.PORT || 3000, env: 'production' }, // Same structure as default, with production-specific values };
使用 Mongoose 定義您的使用者架構和通知訂閱。
// /models/user.js const mongoose = require('mongoose'); const subscriptionSchema = new mongoose.Schema({ endpoint: String, keys: { p256dh: String, auth: String } }); const userSchema = new mongoose.Schema({ email: { type: String, required: true, unique: true }, subscriptions: [subscriptionSchema], preferences: { pushNotifications: { type: Boolean, default: true } } }); module.exports = mongoose.model('User', userSchema);
將處理通知的邏輯模組化到服務中。
// /services/webPushService.js const webPush = require('web-push'); const config = require('config'); webPush.setVapidDetails( 'mailto:example@yourdomain.org', config.get('pushNotifications.publicVapidKey'), config.get('pushNotifications.privateVapidKey') ); module.exports = { sendNotification: async (subscription, payload) => { try { await webPush.sendNotification(subscription, JSON.stringify(payload)); } catch (error) { console.error('Error sending notification', error); } } };
// /services/notificationService.js const User = require('../models/user'); const webPushService = require('./webPushService'); module.exports = { sendPushNotifications: async (userId, payload) => { const user = await User.findById(userId); if (user && user.preferences.pushNotifications) { user.subscriptions.forEach(subscription => { webPushService.sendNotification(subscription, payload); }); } } };
處理 API 路由並整合服務。
// /controllers/notificationController.js const notificationService = require('../services/notificationService'); exports.sendNotification = async (req, res, next) => { try { const { userId, title, body } = req.body; const payload = { title, body }; await notificationService.sendPushNotifications(userId, payload); res.status(200).json({ message: 'Notification sent successfully' }); } catch (error) { next(error); } };
為您的 API 設定路由。
// /routes/notificationRoutes.js const express = require('express'); const router = express.Router(); const notificationController = require('../controllers/notificationController'); router.post('/send', notificationController.sendNotification); module.exports = router;
集中錯誤處理以確保應用程式不會崩潰。
// /utils/errorHandler.js module.exports = (err, req, res, next) => { console.error(err.stack); res.status(500).send({ error: 'Something went wrong!' }); };
初始化應用程式並連接到資料庫。
// app.js const express = require('express'); const mongoose = require('mongoose'); const config = require('config'); const notificationRoutes = require('./routes/notificationRoutes'); const errorHandler = require('./utils/errorHandler'); const app = express(); app.use(express.json()); app.use('/api/notifications', notificationRoutes); app.use(errorHandler); mongoose.connect(config.get('db.uri'), { useNewUrlParser: true, useUnifiedTopology: true }) .then(() => console.log('MongoDB connected...')) .catch(err => console.error('MongoDB connection error:', err)); const PORT = config.get('server.port'); app.listen(PORT, () => console.log(`Server running in ${config.get('server.env')} mode on port ${PORT}`));
編寫測試以確保您的服務在各種條件下按預期工作。
// /tests/notification.test.js const request = require('supertest'); const app = require('../app'); describe('Notification API', () => { it('should send a notification', async () => { const res = await request(app) .post('/api/notifications/send') .send({ userId: 'someUserId', title: 'Test', body: 'This is a test' }); expect(res.statusCode).toEqual(200); expect(res.body.message).toBe('Notification sent successfully'); }); });
這種生產級設定可確保您的推播通知系統可擴充、安全且可維護。該程式碼的組織方式是為了支援輕鬆測試、部署和監控,遵循行業最佳實踐。如果您還有任何疑問或需要具體實施細節,請隨時詢問!
以上是使用 JavaScript 實作推播通知:生產級方法的詳細內容。更多資訊請關注PHP中文網其他相關文章!