Object (string or array) NAME. how to get it?

19,481

Solution 1

So For now the best answer is Elijah's

More generally:

Object.prototype.getName = function () { 
  var prop; 
  for (prop in self) {
     if (Object.prototype.hasOwnProperty.call(self, prop) && self[prop] === this && self[prop].constructor == this.constructor) { 
       return prop; 
     } 
  } 
  return ""; // no name found 
};

I wonder if there are better solutions.

Solution 2

The best you can do is to always explicitly set the array's name when you create it:

var z = [];
z.name = 'z';

You could do this by having a function makeArray that sets the name passed as an argument:

function makeArray(name) {
    var arr = [];
    arr.name = name;
    return arr;
}

The essential problem is that the several variables can point to the same array:

var z = [],
    x = z;

Then what should the name be: z or x?

Solution 3

The problem is that a variable (like an array) can have several names. For example:

var a = new Array();
var b = a;
a[0] = "hello";
alert(b[0]);//"hello"

What is the name of the array, a or b?

Solution 4

Can't be done. There is no way to access the name of the variable which is storing a reference to the object. Perhaps you should explain why you need behavior like this, so someone can suggest you an alternative way to approach the problem.

Solution 5

The only way to do this would be to brute-force check all properties of the global object (assuming the variable is global) until you find a property that === the array. Of course, it could be referenced by multiple variables so you would have to pick one of the names you get. This implementation gets the first variable to reference the array and will work in browsers and web worker threads:

Array.prototype.getName = function () {
  var prop;
  for (prop in self) {
    if (Object.prototype.hasOwnProperty.call(self, prop) && self[prop] === this) {
      return prop;
    }
  }
  return ""; // no name found
};

Of course, I don't recommend this at all. Do not do this.

Share:
19,481
Zibri
Author by

Zibri

Yes, I am the one who made ZiPhone.

Updated on June 16, 2022

Comments

  • Zibri
    Zibri almost 2 years

    I need a prototype done in this way:

    Array.prototype.getname=function(){ [...]return arrayname; }
    

    So I can:

    z=new Array;
    alert(z.name);
    

    and I should have "z" in the alert.

    I'm working on Chrome and caller/callee seem to return empty.