美文网首页
Node.js URL安全的Base64编码

Node.js URL安全的Base64编码

作者: 枫葉也 | 来源:发表于2021-02-07 22:33 被阅读0次

    由于标准的Base64包含+/=,直接将标准Base64编码后的字符串放到url中会有问题。于是便有URL安全的Base64编码,该编码方式把标准Base64中的+变成-/变成_,并把=去掉,以便可以在URL中使用。

    查了下Node.js标准库中并没有URL安全的Base64编码实现,又不想引入第三方的包依赖,参考gist代码片段,并做了下修复改进如下:

    const base64 = exports;
    
    base64.encode = function (unencoded) {
        return Buffer.from(unencoded || '').toString('base64');
    };
    
    base64.decode = function (encoded) {
        return Buffer.from(encoded || '', 'base64').toString('utf8');
    };
    
    base64.urlEncode = function (unencoded) {
        const encoded = base64.encode(unencoded);
        return encoded.replace(/\\+/g, '-').replace(/\\//g, '_').replace(/=+$/g, '');
    };
    
    base64.urlDecode = function (encoded) {
        encoded = encoded.replace(/-/g, '+').replace(/_/g, '/');
        while (encoded.length % 4)
            encoded += '=';
        return base64.decode(encoded);
    };
    

    参考链接:

    An extremely simple implementation of base64 encoding / decoding using node.js Buffers (plus url-safe versions) · GitHub

    相关文章

      网友评论

          本文标题:Node.js URL安全的Base64编码

          本文链接:https://www.haomeiwen.com/subject/wzptxltx.html