Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Prevent uglifyjs from renaming certain functions

I have a function that has a constructor within it. It creates a new object and returns it:

function car() {
   function Car() {}
   return new Car();
}

As a result uglify renames Car to some letter and when this returns it looks like the object name is just some letter. In chrome for instance it will say the type of the object is "t".

Is there a way to tell uglify to preserve some function's name?

like image 695
Parris Avatar asked Oct 09 '12 19:10

Parris


2 Answers

You need to use the reserved-names parameter:

--reserved-names “Car”
like image 74
Bill Avatar answered Nov 13 '22 18:11

Bill


Even if you follow Bill's suggestion, there's still a problem with your approach.

car().constructor !== car().constructor

One would expect those to be equal

I would change your approach to creating a constructor and giving it a Factory constructor

/** @private */
function Car() {
   ...
}

Car.create = function() {
    return new Car();
}

Or the following (module pattern), combined with Bill's approach. Then you're not returning an object with a different prototype every time

var car  = (function() {
   function Car() {...}
   return function() {
       return new Car();
   }
})();

// car().constructor === car().constructor // true
like image 6
Juan Mendes Avatar answered Nov 13 '22 18:11

Juan Mendes