Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Is there such a thing as a catch-all key for a javascript object?

Considering the following javascript example:

var myobj = {   func1: function() { alert(name in this) },
                func2: function() { alert(name in this) },
                func3: function() { alert(name in this) }
}

myobj.func2(); // returns true
myobj.func4(); // undefined function

Is it possible to create a 'catch-all' key for myobj that will get called if there is no key/function defined (as in func4()) while retaining the myobj.functionCall() format?

like image 841
user113716 Avatar asked Mar 01 '10 17:03

user113716


People also ask

Can JavaScript object have same keys?

No, JavaScript objects cannot have duplicate keys. The keys must all be unique.

How do you get a key from an object JavaScript?

Use object. keys(objectName) method to get access to all the keys of object.

Can an object be a key in an object JavaScript?

Can you use objects as Object keys in JavaScript? # The short answer is "no". All JavaScript object keys are strings.

Are all JavaScript object keys strings?

Object keys can only be strings, and even though a developer can use other data types to set an object key, JavaScript automatically converts keys to a string a value.


1 Answers

You can create a JavaScript object with 'wildcard' or 'catch-all' keys using a Proxy and a getter function. Unlike the solutions provided, a Proxy should work in just about any environment, including Node.js

var foo = new Object()

var specialFoo = new Proxy(foo, {
    get(target,name) {
        // do something here
        return name
    }
})

console.log(specialFoo.blabla) // this will output "blabla"

If you want the properties to be callable, simply return a function:

var specialFoo = new Proxy(foo, {
    get(target,name) {
        return function() {
            console.log('derp')
            return name
        }
    }
})


specialFoo.callMe() // this will print derp

Details: documentation on mozilla

like image 139
Jochem Stoel Avatar answered Oct 05 '22 23:10

Jochem Stoel