3

I am getting the following error .I know I need to escape few chars but is there any better way to do this ?

My path variable has some error

  getNearByUsers(latlong) {
    return http.get({
      host: 'search-vegme-user-7l3rylms73566frh4hwxblekn4.us-east-1.cloudsearch.amazonaws.com',
      path: '/2013-01-01/search?q=nikhil&expr.distance=haversin(35.621966,-120.686706,latlong.latitude,latlong.longitude)&sort=distance asc&return=distance,displayname,profileimageurl'
    }, function(response) {
      // Continuously update stream with data
      var body = '';
      response.on('data', function(d) {
        body += d;
      });
      response.on('end', function() {

        // Data reception is done, do whatever with it!
        var parsed = JSON.parse(body);
        console.log(parsed);

      });
    });
  }


  "errors": [
{
  "message": "Request path contains unescaped characters.",
  "originalError": {}
}
  ]
Nikhil Kulkarni
  • 644
  • 1
  • 6
  • 23

1 Answers1

2

You need to use encodeURIComponent().

var value = "haversin(35.621966,-120.686706,latlong.latitude,latlong.longitude)";
value = encodeURIComponent(value);
console.log(value); //"haversin(35.621966%2C-120.686706%2Clatlong.latitude%2Clatlong.longitude)"

Improved solution : Query-string encoding of a Javascript Object

serialize = function(obj) {
  var str = [];
  for(var p in obj)
    if (obj.hasOwnProperty(p)) {
      str.push(encodeURIComponent(p) + "=" + encodeURIComponent(obj[p]));
    }
  return str.join("&");
}

console.log("/2013-01-01/search?" + serialize({
    'q': "nikhil",
    'expr.distance': "haversin(35.621966,-120.686706,latlong.latitude,latlong.longitude)",
    'sort': "distance asc",
    'return': "distance,displayname,profileimageurl"
}));
Community
  • 1
  • 1
user2226755
  • 12,494
  • 5
  • 50
  • 73
  • 2
    Or use [`querystring.stringify()`](https://nodejs.org/api/querystring.html#querystring_querystring_stringify_obj_sep_eq_options). – robertklep May 07 '16 at 10:52