I am developing an application in titanium using Javascript. I need an open source implementation of encodeURIComponent
in Javascript.
Can anybody guide me or show me some implementation?
I am developing an application in titanium using Javascript. I need an open source implementation of encodeURIComponent
in Javascript.
Can anybody guide me or show me some implementation?
Share Improve this question edited Aug 30, 2016 at 5:02 Rahul 2,75815 silver badges30 bronze badges asked Mar 9, 2012 at 14:28 AltafAltaf 5,17010 gold badges40 silver badges55 bronze badges 2-
2
You can find Mozilla's implementation of
str_encodeURI_Component
in "/js/src/jsstr.cpp": http://mxr.mozilla/mozilla-central/source/js/src/jsstr.cpp or http://hg.mozilla/mozilla-central/file/. – XP1 Commented Oct 17, 2012 at 13:48 - 1 @XP1 Mozilla has retired MXR; that page is now at dxr.mozilla/mozilla-central/source/js/src/jsstr.cpp – Daniel Gris Commented Apr 26, 2017 at 16:55
3 Answers
Reset to default 7The specification for this function is in 15.1.3.4.
Modern versions (2018) of V8 implement it in C++. See src/uri.h:
// ES6 section 18.2.6.5 encodeURIComponenet (uriComponent)
static MaybeHandle<String> EncodeUriComponent(Isolate* isolate,
Handle<String> ponent) {
which calls into Encode
defined in uri.
Older versions of V8 implemented it in JavaScript and distributed under the BSD license. See line 359 of src/uri.js.
// ECMA-262 - 15.1.3.4
function URIEncodeComponent(ponent) {
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(ponent);
return Encode(string, unescapePredicate);
}
It's not called encodeURIComponent
there, but this code in the same file, esablishes the mapping:
InstallFunctions(global, DONT_ENUM, $Array(
"escape", URIEscape,
"unescape", URIUnescape,
"decodeURI", URIDecode,
"decodeURIComponent", URIDecodeComponent,
"encodeURI", URIEncode,
"encodeURIComponent", URIEncodeComponent
));
Here is my implementation:
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;
};
What for do you need encodeuriponent? It is already present in JS.
Anyway, here's an example of implementation:
http://phpjs/functions/rawurlencode:501#ment_93984