The Proxy object is used to define custom behavior for fundamental operations (e.g. property lookup, assignment, enumeration, function invocation, etc).
var p = new Proxy(target, handler);
targetProxy. It can be any sort of object, including a native array, a function or even another proxy.handlerProxy.revocable()Proxy object.The handler object is a placeholder object which contains traps for Proxy.
All traps are optional. If a trap has not been defined, the default behavior is to forward the operation to the target.
handler.getPrototypeOf()Object.getPrototypeOf.handler.setPrototypeOf()Object.setPrototypeOf.handler.isExtensible()Object.isExtensible.handler.preventExtensions()Object.preventExtensions.handler.getOwnPropertyDescriptor()Object.getOwnPropertyDescriptor.handler.defineProperty()Object.defineProperty.handler.has()in operator.handler.get()handler.set()handler.deleteProperty()delete operator.handler.ownKeys()Object.getOwnPropertyNames and Object.getOwnPropertySymbols.handler.apply()handler.construct()new operator.Some non-standard traps are obsolete and have been removed.
In this simple example the number 37 gets returned as the default value when the property name is not in the object. It is using the get handler.
var handler = {
    get: function(obj, prop) {
        return prop in obj ?
            obj[prop] :
            37;
    }
};
var p = new Proxy({}, handler);
p.a = 1;
p.b = undefined;
console.log(p.a, p.b); // 1, undefined
console.log('c' in p, p.c); // false, 37
 In this example, we are using a native JavaScript object to which our proxy will forward all operations that are applied to it.
var target = {};
var p = new Proxy(target, {});
p.a = 37; // operation forwarded to the target
console.log(target.a); // 37. The operation has been properly forwarded
 Note that while this "no-op" works for JavaScript objects it does not work for native browser objects like DOM Elements. See this for one solution.
With a Proxy, you can easily validate the passed value for an object. This example uses the set handler.
let validator = {
  set: function(obj, prop, value) {
    if (prop === 'age') {
      if (!Number.isInteger(value)) {
        throw new TypeError('The age is not an integer');
      }
      if (value > 200) {
        throw new RangeError('The age seems invalid');
      }
    }
    // The default behavior to store the value
    obj[prop] = value;
    // Indicate success
    return true;
  }
};
let person = new Proxy({}, validator);
person.age = 100;
console.log(person.age); // 100
person.age = 'young'; // Throws an exception
person.age = 300; // Throws an exception A function proxy could easily extend a constructor with a new constructor. This example uses the construct and apply handlers.
function extend(sup, base) {
  var descriptor = Object.getOwnPropertyDescriptor(
    base.prototype, 'constructor'
  );
  base.prototype = Object.create(sup.prototype);
  var handler = {
    construct: function(target, args) {
      var obj = Object.create(base.prototype);
      this.apply(target, obj, args);
      return obj;
    },
    apply: function(target, that, args) {
      sup.apply(that, args);
      base.apply(that, args);
    }
  };
  var proxy = new Proxy(base, handler);
  descriptor.value = proxy;
  Object.defineProperty(base.prototype, 'constructor', descriptor);
  return proxy;
}
var Person = function(name) {
  this.name = name;
};
var Boy = extend(Person, function(name, age) {
  this.age = age;
});
Boy.prototype.sex = 'M';
var Peter = new Boy('Peter', 13);
console.log(Peter.sex);  // "M"
console.log(Peter.name); // "Peter"
console.log(Peter.age);  // 13 Sometimes you want to toggle the attribute or class name of two different elements. Here's how using the set handler.
let view = new Proxy({
  selected: null
},
{
  set: function(obj, prop, newval) {
    let oldval = obj[prop];
    if (prop === 'selected') {
      if (oldval) {
        oldval.setAttribute('aria-selected', 'false');
      }
      if (newval) {
        newval.setAttribute('aria-selected', 'true');
      }
    }
    // The default behavior to store the value
    obj[prop] = newval;
    // Indicate success
    return true;
  }
});
let i1 = view.selected = document.getElementById('item-1');
console.log(i1.getAttribute('aria-selected')); // 'true'
let i2 = view.selected = document.getElementById('item-2');
console.log(i1.getAttribute('aria-selected')); // 'false'
console.log(i2.getAttribute('aria-selected')); // 'true' The products proxy object evaluates the passed value and converts it to an array if needed. The object also supports an extra property called latestBrowser both as a getter and a setter.
let products = new Proxy({
  browsers: ['Internet Explorer', 'Netscape']
},
{
  get: function(obj, prop) {
    // An extra property
    if (prop === 'latestBrowser') {
      return obj.browsers[obj.browsers.length - 1];
    }
    // The default behavior to return the value
    return obj[prop];
  },
  set: function(obj, prop, value) {
    // An extra property
    if (prop === 'latestBrowser') {
      obj.browsers.push(value);
      return true;
    }
    // Convert the value if it is not an array
    if (typeof value === 'string') {
      value = [value];
    }
    // The default behavior to store the value
    obj[prop] = value;
    // Indicate success
    return true;
  }
});
console.log(products.browsers); // ['Internet Explorer', 'Netscape']
products.browsers = 'Firefox'; // pass a string (by mistake)
console.log(products.browsers); // ['Firefox'] <- no problem, the value is an array
products.latestBrowser = 'Chrome';
console.log(products.browsers); // ['Firefox', 'Chrome']
console.log(products.latestBrowser); // 'Chrome' This proxy extends an array with some utility features. As you see, you can flexibly "define" properties without using Object.defineProperties. This example can be adapted to find a table row by its cell. In that case, the target will be table.rows.
let products = new Proxy([
  { name: 'Firefox', type: 'browser' },
  { name: 'SeaMonkey', type: 'browser' },
  { name: 'Thunderbird', type: 'mailer' }
],
{
  get: function(obj, prop) {
    // The default behavior to return the value; prop is usually an integer
    if (prop in obj) {
      return obj[prop];
    }
    // Get the number of products; an alias of products.length
    if (prop === 'number') {
      return obj.length;
    }
    let result, types = {};
    for (let product of obj) {
      if (product.name === prop) {
        result = product;
      }
      if (types[product.type]) {
        types[product.type].push(product);
      } else {
        types[product.type] = [product];
      }
    }
    // Get a product by name
    if (result) {
      return result;
    }
    // Get products by type
    if (prop in types) {
      return types[prop];
    }
    // Get product types
    if (prop === 'types') {
      return Object.keys(types);
    }
    return undefined;
  }
});
console.log(products[0]); // { name: 'Firefox', type: 'browser' }
console.log(products['Firefox']); // { name: 'Firefox', type: 'browser' }
console.log(products['Chrome']); // undefined
console.log(products.browser); // [{ name: 'Firefox', type: 'browser' }, { name: 'SeaMonkey', type: 'browser' }]
console.log(products.types); // ['browser', 'mailer']
console.log(products.number); // 3
 traps list exampleNow in order to create a complete sample traps list, for didactic purposes, we will try to proxify a non native object that is particularly suited to this type of operation: the docCookies global object created by the "little framework" published on the document.cookie page.
/*
  var docCookies = ... get the "docCookies" object here:  
  https://developer.mozilla.org/en-US/docs/DOM/document.cookie#A_little_framework.3A_a_complete_cookies_reader.2Fwriter_with_full_unicode_support
*/
var docCookies = new Proxy(docCookies, {
  get: function (oTarget, sKey) {
    return oTarget[sKey] || oTarget.getItem(sKey) || undefined;
  },
  set: function (oTarget, sKey, vValue) {
    if (sKey in oTarget) { return false; }
    return oTarget.setItem(sKey, vValue);
  },
  deleteProperty: function (oTarget, sKey) {
    if (sKey in oTarget) { return false; }
    return oTarget.removeItem(sKey);
  },
  enumerate: function (oTarget, sKey) {
    return oTarget.keys();
  },
  ownKeys: function (oTarget, sKey) {
    return oTarget.keys();
  },
  has: function (oTarget, sKey) {
    return sKey in oTarget || oTarget.hasItem(sKey);
  },
  defineProperty: function (oTarget, sKey, oDesc) {
    if (oDesc && 'value' in oDesc) { oTarget.setItem(sKey, oDesc.value); }
    return oTarget;
  },
  getOwnPropertyDescriptor: function (oTarget, sKey) {
    var vValue = oTarget.getItem(sKey);
    return vValue ? {
      value: vValue,
      writable: true,
      enumerable: true,
      configurable: false
    } : undefined;
  },
});
/* Cookies test */
console.log(docCookies.my_cookie1 = 'First value');
console.log(docCookies.getItem('my_cookie1'));
docCookies.setItem('my_cookie1', 'Changed value');
console.log(docCookies.my_cookie1); | Specification | Status | Comment | 
|---|---|---|
| ECMAScript 2015 (6th Edition, ECMA-262) The definition of 'Proxy' in that specification. | Standard | Initial definition. | 
| ECMAScript 2016 (ECMA-262) The definition of 'Proxy' in that specification. | Standard | |
| ECMAScript 2017 (ECMA-262) The definition of 'Proxy' in that specification. | Standard | |
| ECMAScript Latest Draft (ECMA-262) The definition of 'Proxy' in that specification. | Draft | 
| Desktop | ||||||
|---|---|---|---|---|---|---|
| Chrome | Edge | Firefox | Internet Explorer | Opera | Safari | |
| Basic support | 49 | 12 | 18 | No | 36 | 10 | 
| revocable | Yes | Yes | 34 | No | Yes | 10 | 
| handler.apply | 49 | 12 | 18 | No | 36 | 10 | 
| handler.construct | 49 | 12 | 18 | No | 36 | 10 | 
| handler.defineProperty | 49 | 12 | 18 | No | 36 | 10 | 
| handler.deleteProperty | 49 | 12 | 18 | No | 36 | 10 | 
| handler.enumerate | No | No | 37 — 47 | No | No | No | 
| handler.get | 49 | 12 | 18 | No | 36 | 10 | 
| handler.getOwnPropertyDescriptor | 49 | 12 | 18 | No | 36 | 10 | 
| handler.getPrototypeOf | No | No | 49 | No | No | No | 
| handler.has | 49 | 12 | 18 | No | 36 | 10 | 
| handler.isExtensible | ? | ? | 31 | No | ? | ? | 
| handler.ownKeys | 49 | 12 | 18 
 | No | 36 | 10 | 
| handler.preventExtensions | 49 | 12 | 22 | No | 36 | 10 | 
| handler.set | 49 | 12 | 18 | No | 36 | 10 | 
| handler.setPrototypeOf | ? | ? | 49 | No | ? | ? | 
| Mobile | |||||||
|---|---|---|---|---|---|---|---|
| Android webview | Chrome for Android | Edge Mobile | Firefox for Android | Opera for Android | iOS Safari | Samsung Internet | |
| Basic support | 49 | 49 | Yes | 18 | 36 | 10 | 5.0 | 
| revocable | Yes | Yes | Yes | 34 | Yes | 10 | Yes | 
| handler.apply | 49 | 49 | Yes | 18 | 36 | 10 | 5.0 | 
| handler.construct | 49 | 49 | Yes | 18 | 36 | 10 | 5.0 | 
| handler.defineProperty | 49 | 49 | Yes | 18 | 36 | 10 | 5.0 | 
| handler.deleteProperty | 49 | 49 | Yes | 18 | 36 | 10 | 5.0 | 
| handler.enumerate | No | No | No | 37 — 47 | No | No | No | 
| handler.get | 49 | 49 | Yes | 18 | 36 | 10 | 5.0 | 
| handler.getOwnPropertyDescriptor | 49 | 49 | Yes | 18 | 36 | 10 | 5.0 | 
| handler.getPrototypeOf | No | No | No | 49 | No | No | No | 
| handler.has | 49 | 49 | Yes | 18 | 36 | 10 | 5.0 | 
| handler.isExtensible | ? | ? | ? | 31 | ? | ? | ? | 
| handler.ownKeys | 49 | 49 | Yes | 18 
 | 36 | 10 | 5.0 | 
| handler.preventExtensions | 49 | 49 | Yes | 22 | 36 | 10 | 5.0 | 
| handler.set | 49 | 49 | Yes | 18 | 36 | 10 | 5.0 | 
| handler.setPrototypeOf | ? | ? | ? | 49 | ? | ? | ? | 
| Server | |
|---|---|
| Node.js | |
| Basic support | 6.0.0 | 
| revocable | 6.0.0 | 
| handler.apply | 6.0.0 | 
| handler.construct | 6.0.0 | 
| handler.defineProperty | 6.0.0 | 
| handler.deleteProperty | 6.0.0 | 
| handler.enumerate | No | 
| handler.get | 6.0.0 | 
| handler.getOwnPropertyDescriptor | 6.0.0 | 
| handler.getPrototypeOf | 6.0.0 | 
| handler.has | 6.0.0 | 
| handler.isExtensible | 6.0.0 | 
| handler.ownKeys | 6.0.0 | 
| handler.preventExtensions | 6.0.0 | 
| handler.set | 6.0.0 | 
| handler.setPrototypeOf | 6.0.0 | 
Object.watch() is a non-standard feature but has been supported in Gecko for a long time.Some content (text, examples) in this page has been copied or adapted from the ECMAScript wiki which content is licensed CC 2.0 BY-NC-SA.
    © 2005–2018 Mozilla Developer Network and individual contributors.
Licensed under the Creative Commons Attribution-ShareAlike License v2.5 or later.
    https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Proxy