基于 TDD 与 Babel 运行时转译实现 OAuth 2.0 插件化认证核心


维护一个支持多种认证方式的 OAuth 2.0 服务,其复杂性往往会随着业务扩展而失控。最初可能只需要支持标准的密码模式,但很快,产品需求就会引入 GitHub、Google 登录,甚至对接遗留系统的单点登录。这通常导致核心代码库中出现臃肿的 if/elseswitch 结构,每一次新增认证方式都像是在心脏上做手术,风险高,回归测试成本巨大。

// 一个典型的反模式:认证逻辑与核心代码紧密耦合
function handleTokenRequest(req, res) {
    const { grant_type, provider } = req.body;

    if (grant_type === 'password') {
        // ...处理密码认证...
    } else if (grant_type === 'social' && provider === 'github') {
        // ...处理 GitHub 认证...
    } else if (grant_type === 'social' && provider === 'google') {
        // ...处理 Google 认证...
    } else if (grant_type === 'urn:custom:sso') {
        // ...处理内部 SSO...
    } else {
        // 新增一种 provider 就需要修改这里的代码
        return res.status(400).send({ error: 'unsupported_grant_type' });
    }
    // ...后续的 token 签发逻辑...
}

这种代码结构的可维护性极差。我们的目标是构建一个微内核架构,让 OAuth 2.0 的核心流程保持稳定,而将所有易变的认证逻辑隔离到独立的、可热插拔的插件中。这个过程,必须由测试驱动开发(TDD)来保驾护航,确保核心的健壮性和接口定义的清晰性。

第一步:用测试定义插件契约

在编写任何实现代码之前,首要任务是定义核心系统与插件之间的契约。TDD 在这里的作用至关重要,它强迫我们从调用者的角度思考,设计出一个清晰、最小化的插件接口。我们将使用 Jest 作为测试框架。

我们的第一个测试,要验证认证引擎在找不到合适的插件时,能够正确地拒绝请求。

src/core/auth-engine.test.js:

import { AuthEngine } from './auth-engine';

describe('AuthEngine', () => {
    let engine;

    beforeEach(() => {
        // 每次测试前都创建一个干净的引擎实例
        engine = new AuthEngine();
    });

    it('should throw an error if no matching plugin is found for a given strategy', async () => {
        const authRequest = { strategy: 'non-existent-strategy' };
        
        // 断言:当调用一个不存在的策略时,authenticate 方法应该会抛出异常
        // TDD 的核心:先写下期望,再让代码满足它
        await expect(engine.authenticate(authRequest)).rejects.toThrow(
            'No plugin found for strategy: non-existent-strategy'
        );
    });
    
    // ... 更多测试将在这里添加
});

这个测试现在是失败的,因为 AuthEngine 甚至还不存在。接下来,我们创建最简实现让它通过。

src/core/auth-engine.js:

// 日志记录器,在真实项目中会使用 Winston 或 pino 等库
const logger = {
    info: (msg) => console.log(`[INFO] ${msg}`),
    error: (msg, err) => console.error(`[ERROR] ${msg}`, err),
};

export class AuthEngine {
    constructor() {
        this.plugins = new Map(); // 使用 Map 存储插件,key 为 strategy ID
    }

    registerPlugin(plugin) {
        if (!plugin || typeof plugin.getStrategyId !== 'function') {
            throw new Error('Invalid plugin: must have a getStrategyId method.');
        }
        const strategyId = plugin.getStrategyId();
        
        if (this.plugins.has(strategyId)) {
            logger.info(`Overwriting plugin for strategy: ${strategyId}`);
        }
        
        this.plugins.set(strategyId, plugin);
        logger.info(`Plugin registered for strategy: ${strategyId}`);
    }

    async authenticate(authRequest) {
        const { strategy } = authRequest;
        const plugin = this.plugins.get(strategy);

        if (!plugin) {
            throw new Error(`No plugin found for strategy: ${strategy}`);
        }

        // 委托给插件进行实际的认证
        // 暂时返回 null,后续测试会驱动我们实现它
        return null;
    }
}

现在第一个测试通过了。接着,我们定义插件的完整契约。一个认证插件至少需要两件事:一个唯一的策略标识符(如 passwordgithub),以及一个执行认证的 authenticate 方法。

让我们用测试来驱动这个设计。

src/core/auth-engine.test.js:

// ... 接上文 ...

// 定义一个模拟插件,用于测试引擎与插件的交互
class MockPlugin {
    constructor(strategyId, authResult) {
        this.strategyId = strategyId;
        this.authResult = authResult;
        // 使用 jest.fn() 来监视方法调用
        this.authenticate = jest.fn(async (credentials) => {
            if (this.authResult.shouldFail) {
                throw new Error('Authentication failed');
            }
            return this.authResult.user;
        });
    }

    getStrategyId() {
        return this.strategyId;
    }
}

describe('AuthEngine', () => {
    // ... 已有的测试 ...

    it('should successfully authenticate using a registered plugin', async () => {
        const user = { id: 'user-123', name: 'John Doe' };
        const mockPlugin = new MockPlugin('password', { user });
        engine.registerPlugin(mockPlugin);

        const authRequest = { 
            strategy: 'password', 
            credentials: { username: 'test', password: 'password' } 
        };
        const result = await engine.authenticate(authRequest);

        // 断言:引擎返回了插件提供的用户信息
        expect(result).toEqual(user);
        // 断言:插件的 authenticate 方法被正确调用了
        expect(mockPlugin.authenticate).toHaveBeenCalledWith(authRequest.credentials);
        expect(mockPlugin.authenticate).toHaveBeenCalledTimes(1);
    });

    it('should propagate errors from the plugin during authentication', async () => {
        const mockPlugin = new MockPlugin('password', { shouldFail: true });
        engine.registerPlugin(mockPlugin);

        const authRequest = {
            strategy: 'password',
            credentials: { username: 'test', password: 'wrong-password' }
        };

        // 断言:插件抛出的异常被引擎捕获并向上抛出
        await expect(engine.authenticate(authRequest)).rejects.toThrow('Authentication failed');
    });
});

为了让这些新测试通过,我们需要完善 AuthEngineauthenticate 方法。

src/core/auth-engine.js:

// ...
export class AuthEngine {
    // ... constructor 和 registerPlugin 不变 ...

    async authenticate(authRequest) {
        const { strategy, credentials } = authRequest;
        const plugin = this.plugins.get(strategy);

        if (!plugin) {
            throw new Error(`No plugin found for strategy: ${strategy}`);
        }
        
        // 校验插件是否实现了 authenticate 方法
        if (typeof plugin.authenticate !== 'function') {
            throw new Error(`Plugin for strategy '${strategy}' does not implement authenticate method.`);
        }

        try {
            logger.info(`Attempting authentication with strategy: ${strategy}`);
            // 将认证过程完全委托给插件
            const user = await plugin.authenticate(credentials);
            logger.info(`Authentication successful for strategy: ${strategy}`);
            return user;
        } catch (error) {
            logger.error(`Authentication failed for strategy: ${strategy}`, error);
            // 重新抛出异常,让上层调用者处理具体的业务逻辑
            throw error;
        }
    }
}

至此,我们通过 TDD 的方式,定义了一个清晰的插件契约和一个健壮的核心认证引擎。引擎本身不关心任何具体的认证逻辑,只负责插件的注册、查找和调用委托。

第二步:实现一个具体的插件

现在,我们来实现第一个具体的插件:标准的密码认证。

plugins/password-plugin.js:

// 在真实项目中,这里会连接数据库进行用户校验
const mockUserDatabase = new Map([
    ['admin', {
        id: 'user-001',
        username: 'admin',
        passwordHash: 'hashed_password_for_admin', // 应使用 bcrypt.compareSync
        scopes: ['admin', 'read', 'write']
    }]
]);

export default class PasswordPlugin {
    getStrategyId() {
        return 'password';
    }

    /**
     * @param {object} credentials - 包含 username 和 password 的对象
     * @returns {Promise<object>} - 成功时返回用户信息对象
     * @throws {Error} - 认证失败时抛出错误
     */
    async authenticate(credentials) {
        const { username, password } = credentials;
        if (!username || !password) {
            throw new Error('Username and password are required.');
        }

        const user = mockUserDatabase.get(username);

        // 实际项目中这里是异步的密码比对
        // const isValid = await bcrypt.compare(password, user.passwordHash);
        const isValid = user && password === 'secret'; // 仅为示例

        if (!user || !isValid) {
            throw new Error('Invalid username or password.');
        }
        
        // 认证成功,返回不包含敏感信息的用户对象
        const { passwordHash, ...userInfo } = user;
        return userInfo;
    }
}

这个插件是一个独立的、自包含的 ES 模块,它实现了我们之前用测试定义的契约。

第三步:动态加载与 Babel 运行时转译

我们不希望在主程序中通过 import 手动加载每个插件。一个真正可扩展的系统应该能自动发现并加载指定目录下的所有插件。更进一步,我们希望插件开发者可以使用最新的 JavaScript 语法(ESNext)甚至 TypeScript,而无需关心复杂的构建配置。

这里的关键技术点是:在 Node.js 服务启动时,使用 Babel 对插件代码进行实时转译(Just-in-Time Transpilation)。

src/core/plugin-loader.js:

import fs from 'fs/promises';
import path from 'path';
import { transformFileAsync } from '@babel/core';

// Babel 配置,确保能转译现代 JS 语法
const babelOptions = {
    presets: [
        ['@babel/preset-env', {
            targets: {
                node: 'current', // 针对当前运行的 Node.js 版本
            },
        }],
    ],
    plugins: [
        // 如果插件使用 TypeScript,可以添加 preset-typescript
    ]
};

const logger = {
    info: (msg) => console.log(`[PluginLoader] ${msg}`),
    warn: (msg) => console.warn(`[PluginLoader] ${msg}`),
    error: (msg, err) => console.error(`[PluginLoader] ${msg}`, err),
};

export class PluginLoader {
    constructor(pluginDirectory) {
        this.pluginDirectory = pluginDirectory;
    }

    /**
     * 扫描插件目录,加载并实例化所有有效插件
     * @returns {Promise<Array<object>>}
     */
    async loadPlugins() {
        try {
            const files = await fs.readdir(this.pluginDirectory);
            const pluginPromises = files
                .filter(file => file.endsWith('.js')) // 或 .ts 等
                .map(file => this.loadPlugin(path.join(this.pluginDirectory, file)));
            
            const plugins = await Promise.all(pluginPromises);
            // 过滤掉加载失败的插件
            return plugins.filter(p => p !== null);
        } catch (error) {
            logger.error('Failed to read plugin directory.', error);
            if (error.code === 'ENOENT') {
                logger.warn(`Plugin directory not found: ${this.pluginDirectory}. No plugins will be loaded.`);
                return [];
            }
            throw error;
        }
    }

    /**
     * 加载单个插件文件,进行转译和实例化
     * @param {string} filePath - 插件文件的绝对路径
     * @returns {Promise<object|null>}
     */
    async loadPlugin(filePath) {
        logger.info(`Loading plugin from: ${filePath}`);
        try {
            // 1. 使用 Babel 异步转译文件
            const result = await transformFileAsync(filePath, babelOptions);
            if (!result || !result.code) {
                throw new Error('Babel transformation returned empty code.');
            }

            // 2. 在一个安全的、临时的上下文中执行转译后的代码
            // 这里的坑在于:直接 eval 很危险。在生产环境中,
            // 应该使用 Node.js 的 vm 模块或 vm2 库创建一个沙箱环境来执行插件代码,
            // 限制其对文件系统、网络的访问权限。为简化示例,我们暂时直接 require。
            // 更安全的做法是写入临时文件再 require。
            const tempFilePath = `${filePath}.tmp.js`;
            await fs.writeFile(tempFilePath, result.code);
            
            // 使用动态 import() 加载模块
            const module = await import(tempFilePath);
            await fs.unlink(tempFilePath); // 清理临时文件

            const PluginClass = module.default;
            if (typeof PluginClass !== 'function' || !PluginClass.prototype) {
                logger.warn(`File ${filePath} does not export a valid class.`);
                return null;
            }

            return new PluginClass();

        } catch (error) {
            logger.error(`Failed to load plugin from ${filePath}.`, error);
            return null;
        }
    }
}

这个 PluginLoader 是整个架构的动态核心。它解耦了主应用和插件的实现细节。现在,我们可以在应用启动时,将这个加载器与认证引擎集成起来。

第四步:组装完整的认证服务

现在,我们将所有部分串联起来,构建一个基于 Express 的简单 OAuth 2.0 Token 端点。

graph TD
    A[HTTP POST /token] --> B{Express Controller};
    B --> C[AuthEngine];
    C --> D{Plugin Registry};
    D -- 根据 strategy 查找 --> E[Specific Plugin];
    E -- 执行认证逻辑 --> E;
    E -- 返回用户信息/抛出错误 --> C;
    C -- 返回认证结果 --> B;
    B --> F[JWT Token Service];
    F -- 签发 Access Token --> F;
    F --> B;
    B --> G[HTTP 200 OK with Token];

    subgraph "启动时"
        H[PluginLoader] -- 扫描 `plugins/` 目录 --> I[Babel 转译];
        I --> J[实例化所有插件];
        J -- 注册插件 --> D;
    end

src/server.js:

import express from 'express';
import { AuthEngine } from './core/auth-engine.js';
import { PluginLoader } from './core/plugin-loader.js';
import path from 'path';

// 模拟 JWT 服务
const jwtService = {
    sign: (payload) => `mock-jwt-for-${payload.id}`,
};

const app = express();
app.use(express.json());

const PORT = process.env.PORT || 3000;

async function bootstrap() {
    const authEngine = new AuthEngine();
    
    // 初始化插件加载器,并加载所有插件
    const pluginDir = path.resolve(process.cwd(), 'plugins');
    const pluginLoader = new PluginLoader(pluginDir);
    const plugins = await pluginLoader.loadPlugins();

    // 将加载的插件注册到认证引擎
    plugins.forEach(plugin => authEngine.registerPlugin(plugin));

    // 定义 OAuth 2.0 Token 端点
    app.post('/token', async (req, res) => {
        const { grant_type, ...credentials } = req.body;

        if (!grant_type) {
            return res.status(400).json({ error: 'invalid_request', error_description: 'grant_type is required.' });
        }
        
        try {
            const authRequest = {
                strategy: grant_type, // 我们将 grant_type 直接映射为插件的 strategy
                credentials,
            };

            const user = await authEngine.authenticate(authRequest);
            
            // 认证成功,签发 Token
            const accessToken = jwtService.sign({ sub: user.id, scopes: user.scopes });
            
            return res.status(200).json({
                access_token: accessToken,
                token_type: 'Bearer',
                expires_in: 3600,
            });

        } catch (error) {
            // 统一处理认证失败的情况
            console.error('[TokenEndpoint] Authentication failed:', error.message);
            return res.status(401).json({ error: 'invalid_grant', error_description: 'Authentication failed.' });
        }
    });

    app.listen(PORT, () => {
        console.log(`OAuth 2.0 Provider is running on http://localhost:${PORT}`);
    });
}

bootstrap().catch(err => {
    console.error('Failed to bootstrap the application:', err);
    process.exit(1);
});

现在,整个系统已经成型。添加一个新的认证方式(例如,GitHub 登录)只需要在 plugins/ 目录下创建一个新的 github-plugin.js 文件,实现 getStrategyIdauthenticate 方法即可,核心代码库一行都不需要修改。

最终验证:端到端测试

最后一步,我们编写一个端到端测试,来验证整个流程,包括动态插件加载和 API 端点。我们可以使用 supertest 来模拟 HTTP 请求。

src/server.e2e.test.js:

// 注意:这个测试需要一个完整的启动/关闭服务器的机制
// 为简化,这里展示思路

// 伪代码
describe('OAuth 2.0 Token Endpoint E2E', () => {
    let app;
    
    beforeAll(async () => {
        // 在测试前启动一个包含真实插件加载逻辑的服务器实例
        app = await setupTestServer(); 
    });

    afterAll(async () => {
        // 关闭服务器
        await app.close();
    });

    it('should return a token for valid password credentials', async () => {
        const response = await request(app)
            .post('/token')
            .send({
                grant_type: 'password',
                username: 'admin',
                password: 'secret'
            });

        expect(response.status).toBe(200);
        expect(response.body).toHaveProperty('access_token');
        expect(response.body.access_token).toContain('mock-jwt-for-user-001');
    });
    
    it('should return 401 for invalid password credentials', async () => {
        const response = await request(app)
            .post('/token')
            .send({
                grant_type: 'password',
                username: 'admin',
                password: 'wrong_password'
            });
            
        expect(response.status).toBe(401);
        expect(response.body).toEqual({
            error: 'invalid_grant',
            error_description: 'Authentication failed.'
        });
    });

    it('should return 401 for an unsupported grant_type', async () => {
        const response = await request(app)
            .post('/token')
            .send({ grant_type: 'unsupported_one' });
        
        expect(response.status).toBe(401);
    });
});

这个测试套件验证了我们的插件化架构在真实 HTTP 请求下的表现,确保了 TDD 带来的信心从单元级别贯穿到了集成级别。

架构的局限性与未来迭代

当前实现的方案虽然解决了核心的可扩展性问题,但在生产环境中仍有几个需要权衡和改进的地方。

首先,Babel 的运行时转译会带来启动延迟和一定的内存开销。对于需要快速启动的无服务器(Serverless)环境,这种模式可能不适用。一个优化路径是,在生产构建阶段预先转译所有插件,运行时直接加载转译后的文件。运行时转译更适合开发环境,以提供极致的开发体验。

其次,插件的安全性是一个重要考量。当前实现直接加载并执行插件代码,这意味着一个恶意的插件可以访问整个服务的进程空间。在需要支持第三方插件的场景下,必须引入代码沙箱(如 vm2 库),严格限制插件的权限,比如文件系统访问、网络请求和对 process 对象的访问。

最后,插件的生命周期管理目前很简单。一个更成熟的系统需要考虑插件的热重载、版本管理以及依赖注入等高级特性,从而构建一个真正企业级的、高可维护性的认证中台。


  目录