encodeURIComponent算法源代码

时间:2012-03-09 14:28:16

标签: javascript encoding titanium

我正在使用Javascript开发一个钛应用程序。我需要在Javascript中使用encodeURIComponent的开源实现。

有人可以指导我或给我一些实施吗?

3 个答案:

答案 0 :(得分:6)

此功能的规格位于15.1.3.4


V8的现代版本(2018)在C ++中实现它。见src/uri.h

// ES6 section 18.2.6.5 encodeURIComponenet (uriComponent)
static MaybeHandle<String> EncodeUriComponent(Isolate* isolate,
                                              Handle<String> component) {

调用uri.cc中定义的Encode


旧版本的V8在JavaScript中实现,并在BSD许可下分发。见src/uri.js第359行。

// ECMA-262 - 15.1.3.4
function URIEncodeComponent(component) {
  var unescapePredicate = function(cc) {
    if (isAlphaNumeric(cc)) return true;
    // !
    if (cc == 33) return true;
    // '()*
    if (39 <= cc && cc <= 42) return true;
    // -.
    if (45 <= cc && cc <= 46) return true;
    // _
    if (cc == 95) return true;
    // ~
    if (cc == 126) return true;

    return false;
  };

  var string = ToString(component);
  return Encode(string, unescapePredicate);
}

那里没有调用encodeURIComponent,但是同一文件中的这段代码确定了映射:

InstallFunctions(global, DONT_ENUM, $Array(
    "escape", URIEscape,
    "unescape", URIUnescape,
    "decodeURI", URIDecode,
    "decodeURIComponent", URIDecodeComponent,
    "encodeURI", URIEncode,
    "encodeURIComponent", URIEncodeComponent
  ));

答案 1 :(得分:0)

你需要什么编码组件?它已经出现在JS中。

无论如何,这是一个实施的例子:

http://phpjs.org/functions/rawurlencode:501#comment_93984

答案 2 :(得分:0)

这是我的实现方式:

var encodeURIComponent = function( str ) {
    var hexDigits = '0123456789ABCDEF';
    var ret = '';
    for( var i=0; i<str.length; i++ ) {
        var c = str.charCodeAt(i);
        if( (c >= 48/*0*/ && c <= 57/*9*/) ||
            (c >= 97/*a*/ && c <= 122/*z*/) ||
            (c >= 65/*A*/ && c <= 90/*Z*/) ||
            c == 45/*-*/ || c == 95/*_*/ || c == 46/*.*/ || c == 33/*!*/ || c == 126/*~*/ ||
            c == 42/***/ || c == 92/*\\*/ || c == 40/*(*/ || c == 41/*)*/ ) {
                ret += str[i];
        }
        else {
            ret += '%';
            ret += hexDigits[ (c & 0xF0) >> 4 ];
            ret += hexDigits[ (c & 0x0F) ];
        }
    }
    return ret;
};