Javascriptで、プッシュ、ポップ、シフト、またはインデックスベースの割り当てを使用して配列が変更されたときに通知される方法はありますか?処理できるイベントを発生させるものが欲しいのですが。
watch()
SpiderMonkey の機能については知っていますが、変数全体が別の値に設定されている場合にのみ機能します。
Javascriptで、プッシュ、ポップ、シフト、またはインデックスベースの割り当てを使用して配列が変更されたときに通知される方法はありますか?処理できるイベントを発生させるものが欲しいのですが。
watch()
SpiderMonkey の機能については知っていますが、変数全体が別の値に設定されている場合にのみ機能します。
回答:
いくつかのオプションがあります...
素早くダーティーなルートをたどるとpush()
、配列のメソッドをオーバーライドできます1:
Object.defineProperty(myArray, "push", {
enumerable: false, // hide from for...in
configurable: false, // prevent further meddling...
writable: false, // see above ^
value: function () {
for (var i = 0, n = this.length, l = arguments.length; i < l; i++, n++) {
RaiseMyEvent(this, n, this[n] = arguments[i]); // assign/raise your event
}
return n;
}
});
1または、すべてのアレイをターゲットにする場合は、をオーバーライドできますArray.prototype.push()
。ただし、注意してください。環境内の他のコードは、そのような変更を気に入らないか、期待しない場合があります。それでも、キャッチオールが魅力的に聞こえる場合は、に置き換えmyArray
てくださいArray.prototype
。
これは1つの方法にすぎず、配列の内容を変更する方法はたくさんあります。おそらくもっと包括的なものが必要です...
メソッドをオーバーライドするのではなく、独自の監視可能な配列を作成できます。この特定の実施コピー配列新しい配列のようなオブジェクトに、カスタム提供push()
、pop()
、shift()
、unshift()
、slice()
、およびsplice()
方法、ならびに(前述の方法のいずれかを介して、または配列サイズのみ変更されることを条件とするカスタムインデックスアクセサlength
プロパティ)。
function ObservableArray(items) {
var _self = this,
_array = [],
_handlers = {
itemadded: [],
itemremoved: [],
itemset: []
};
function defineIndexProperty(index) {
if (!(index in _self)) {
Object.defineProperty(_self, index, {
configurable: true,
enumerable: true,
get: function() {
return _array[index];
},
set: function(v) {
_array[index] = v;
raiseEvent({
type: "itemset",
index: index,
item: v
});
}
});
}
}
function raiseEvent(event) {
_handlers[event.type].forEach(function(h) {
h.call(_self, event);
});
}
Object.defineProperty(_self, "addEventListener", {
configurable: false,
enumerable: false,
writable: false,
value: function(eventName, handler) {
eventName = ("" + eventName).toLowerCase();
if (!(eventName in _handlers)) throw new Error("Invalid event name.");
if (typeof handler !== "function") throw new Error("Invalid handler.");
_handlers[eventName].push(handler);
}
});
Object.defineProperty(_self, "removeEventListener", {
configurable: false,
enumerable: false,
writable: false,
value: function(eventName, handler) {
eventName = ("" + eventName).toLowerCase();
if (!(eventName in _handlers)) throw new Error("Invalid event name.");
if (typeof handler !== "function") throw new Error("Invalid handler.");
var h = _handlers[eventName];
var ln = h.length;
while (--ln >= 0) {
if (h[ln] === handler) {
h.splice(ln, 1);
}
}
}
});
Object.defineProperty(_self, "push", {
configurable: false,
enumerable: false,
writable: false,
value: function() {
var index;
for (var i = 0, ln = arguments.length; i < ln; i++) {
index = _array.length;
_array.push(arguments[i]);
defineIndexProperty(index);
raiseEvent({
type: "itemadded",
index: index,
item: arguments[i]
});
}
return _array.length;
}
});
Object.defineProperty(_self, "pop", {
configurable: false,
enumerable: false,
writable: false,
value: function() {
if (_array.length > -1) {
var index = _array.length - 1,
item = _array.pop();
delete _self[index];
raiseEvent({
type: "itemremoved",
index: index,
item: item
});
return item;
}
}
});
Object.defineProperty(_self, "unshift", {
configurable: false,
enumerable: false,
writable: false,
value: function() {
for (var i = 0, ln = arguments.length; i < ln; i++) {
_array.splice(i, 0, arguments[i]);
defineIndexProperty(_array.length - 1);
raiseEvent({
type: "itemadded",
index: i,
item: arguments[i]
});
}
for (; i < _array.length; i++) {
raiseEvent({
type: "itemset",
index: i,
item: _array[i]
});
}
return _array.length;
}
});
Object.defineProperty(_self, "shift", {
configurable: false,
enumerable: false,
writable: false,
value: function() {
if (_array.length > -1) {
var item = _array.shift();
delete _self[_array.length];
raiseEvent({
type: "itemremoved",
index: 0,
item: item
});
return item;
}
}
});
Object.defineProperty(_self, "splice", {
configurable: false,
enumerable: false,
writable: false,
value: function(index, howMany /*, element1, element2, ... */ ) {
var removed = [],
item,
pos;
index = index == null ? 0 : index < 0 ? _array.length + index : index;
howMany = howMany == null ? _array.length - index : howMany > 0 ? howMany : 0;
while (howMany--) {
item = _array.splice(index, 1)[0];
removed.push(item);
delete _self[_array.length];
raiseEvent({
type: "itemremoved",
index: index + removed.length - 1,
item: item
});
}
for (var i = 2, ln = arguments.length; i < ln; i++) {
_array.splice(index, 0, arguments[i]);
defineIndexProperty(_array.length - 1);
raiseEvent({
type: "itemadded",
index: index,
item: arguments[i]
});
index++;
}
return removed;
}
});
Object.defineProperty(_self, "length", {
configurable: false,
enumerable: false,
get: function() {
return _array.length;
},
set: function(value) {
var n = Number(value);
var length = _array.length;
if (n % 1 === 0 && n >= 0) {
if (n < length) {
_self.splice(n);
} else if (n > length) {
_self.push.apply(_self, new Array(n - length));
}
} else {
throw new RangeError("Invalid array length");
}
_array.length = n;
return value;
}
});
Object.getOwnPropertyNames(Array.prototype).forEach(function(name) {
if (!(name in _self)) {
Object.defineProperty(_self, name, {
configurable: false,
enumerable: false,
writable: false,
value: Array.prototype[name]
});
}
});
if (items instanceof Array) {
_self.push.apply(_self, items);
}
}
(function testing() {
var x = new ObservableArray(["a", "b", "c", "d"]);
console.log("original array: %o", x.slice());
x.addEventListener("itemadded", function(e) {
console.log("Added %o at index %d.", e.item, e.index);
});
x.addEventListener("itemset", function(e) {
console.log("Set index %d to %o.", e.index, e.item);
});
x.addEventListener("itemremoved", function(e) {
console.log("Removed %o at index %d.", e.item, e.index);
});
console.log("popping and unshifting...");
x.unshift(x.pop());
console.log("updated array: %o", x.slice());
console.log("reversing array...");
console.log("updated array: %o", x.reverse().slice());
console.log("splicing...");
x.splice(1, 2, "x");
console.log("setting index 2...");
x[2] = "foo";
console.log("setting length to 10...");
x.length = 10;
console.log("updated array: %o", x.slice());
console.log("setting length to 2...");
x.length = 2;
console.log("extracting first element via shift()");
x.shift();
console.log("updated array: %o", x.slice());
})();
参照してください。Object.defineProperty()
それは私たちを近づけますが、それはまだ弾丸の証拠ではありません...
プロキシは別のソリューションを提供します...メソッドの呼び出しやアクセサなどをインターセプトできます。最も重要なのは、明示的なプロパティ名を提供しなくてもこれを実行できることです...これにより、任意のインデックスベースのアクセスをテストできます/割り当て。プロパティの削除を阻止することもできます。プロキシは事実上、変更後の変更の処理に加えて、変更を許可するかどうかを決定する前に変更を検査することを効果的に許可します。
以下は、削除されたサンプルです。
(function() {
if (!("Proxy" in window)) {
console.warn("Your browser doesn't support Proxies.");
return;
}
// our backing array
var array = ["a", "b", "c", "d"];
// a proxy for our array
var proxy = new Proxy(array, {
apply: function(target, thisArg, argumentsList) {
return thisArg[target].apply(this, argumentList);
},
deleteProperty: function(target, property) {
console.log("Deleted %s", property);
return true;
},
set: function(target, property, value, receiver) {
target[property] = value;
console.log("Set %s to %o", property, value);
return true;
}
});
console.log("Set a specific index..");
proxy[0] = "x";
console.log("Add via push()...");
proxy.push("z");
console.log("Add/remove via splice()...");
proxy.splice(1, 3, "y");
console.log("Current state of array: %o", array);
})();
set(index)
Arrayのプロトタイプにメソッドを実装し、アンチサニティのようなことをすることができると思います
ここですべての答えを読んで、外部ライブラリを必要としない簡単なソリューションを組み立てました。
また、このアプローチの一般的な考え方をよりよく示しています。
function processQ() {
// ... this will be called on each .push
}
var myEventsQ = [];
myEventsQ.push = function() { Array.prototype.push.apply(this, arguments); processQ();};
push
length
配列のを返します。したがって、Array.prototype.push.apply
変数に返された値を取得して 、カスタムpush
関数から返すことができます。
これを達成しているように見える次のものが見つかりました:https : //github.com/mennovanslooten/Observable-Arrays
Observable-Arraysはアンダースコアを拡張し、次のように使用できます:(そのページから)
// For example, take any array:
var a = ['zero', 'one', 'two', 'trhee'];
// Add a generic observer function to that array:
_.observe(a, function() {
alert('something happened');
});
arr[2] = "foo"
に変更されると、変更通知は非同期になります。JSはそのような変更を監視する方法を提供していないため、このライブラリは250ミリ秒ごとに実行されるタイムアウトに依存し、配列がまったく変更されていないかどうかを確認します。そのため、次回まで変更通知を受け取りませんタイムアウトが実行される時間。push()
ただし、すぐに(同期的に)通知を受けるなどの他の変更は可能です。
次のコードを使用して、配列への変更をリッスンしました。
/* @arr array you want to listen to
@callback function that will be called on any change inside array
*/
function listenChangesinArray(arr,callback){
// Add more methods here if you want to listen to them
['pop','push','reverse','shift','unshift','splice','sort'].forEach((m)=>{
arr[m] = function(){
var res = Array.prototype[m].apply(arr, arguments); // call normal behaviour
callback.apply(arr, arguments); // finally call the callback supplied
return res;
}
});
}
これが役に立てば幸い:)
@canon によって最も支持されているオーバーライドプッシュメソッドソリューションには、私の場合には不便であったいくつかの副作用があります。
これは、プッシュプロパティ記述子の異なる(なりwritable
とconfigurable
設定しなければならないtrue
代わりに、false
後の時点で例外が発生する)を、。
push()
複数の引数(などmyArray.push("a", "b")
)で1 回呼び出されると、イベントが複数回発生します。これは、私の場合は不要であり、パフォーマンスに悪影響を及ぼしました。
したがって、これは以前の問題を修正することができる最高の解決策であり、私の意見ではよりクリーン/シンプル/理解しやすいと思います。
Object.defineProperty(myArray, "push", {
configurable: true,
enumerable: false,
writable: true, // Previous values based on Object.getOwnPropertyDescriptor(Array.prototype, "push")
value: function (...args)
{
let result = Array.prototype.push.apply(this, args); // Original push() implementation based on https://github.com/vuejs/vue/blob/f2b476d4f4f685d84b4957e6c805740597945cde/src/core/observer/array.js and https://github.com/vuejs/vue/blob/daed1e73557d57df244ad8d46c9afff7208c9a2d/src/core/util/lang.js
RaiseMyEvent();
return result; // Original push() implementation
}
});
私のソースのコメントと、プッシュ以外のその他の変更機能を実装する方法のヒントについては、「ポップ」、「シフト」、「シフト解除」、「スプライス」、「ソート」、「リバース」を参照してください。
...
構文を持ち、arguments
キーワードを使用して簡単に置き換えることができる残りのパラメーターです。
if (!Array.prototype.forEach)
{
Object.defineProperty(Array.prototype, 'forEach',
{
enumerable: false,
value: function(callback)
{
for(var index = 0; index != this.length; index++) { callback(this[index], index, this); }
}
});
}
if(Object.observe)
{
Object.defineProperty(Array.prototype, 'Observe',
{
set: function(callback)
{
Object.observe(this, function(changes)
{
changes.forEach(function(change)
{
if(change.type == 'update') { callback(); }
});
});
}
});
}
else
{
Object.defineProperties(Array.prototype,
{
onchange: { enumerable: false, writable: true, value: function() { } },
Observe:
{
set: function(callback)
{
Object.defineProperty(this, 'onchange', { enumerable: false, writable: true, value: callback });
}
}
});
var names = ['push', 'pop', 'reverse', 'shift', 'unshift'];
names.forEach(function(name)
{
if(!(name in Array.prototype)) { return; }
var pointer = Array.prototype[name];
Array.prototype[name] = function()
{
pointer.apply(this, arguments);
this.onchange();
}
});
}
var a = [1, 2, 3];
a.Observe = function() { console.log("Array changed!"); };
a.push(8);
Object.observe()
とArray.observe()
スペックから取り出しました。サポートはすでにChromeからプルされています。:/
これが完全にすべてをカバーしているかどうかはわかりませんが、配列の要素が追加されたことを検出するために、このようなもの(特にデバッグ時)を使用します。
var array = [1,2,3,4];
array = new Proxy(array, {
set: function(target, key, value) {
if (Number.isInteger(Number(key)) || key === 'length') {
debugger; //or other code
}
target[key] = value;
return true;
}
});
興味深いコレクションライブラリはhttps://github.com/mgesmundo/smart-collectionです。配列を監視し、それにビューを追加することもできます。自分でテストしているので、パフォーマンスについてはわかりません。この投稿はすぐに更新されます。
私はいじり、これを思いついた。考え方は、オブジェクトにはすべてのArray.prototypeメソッドが定義されているが、別の配列オブジェクトでそれらを実行するというものです。これにより、shift()、pop()などのメソッドを監視できます。ただし、concat()などの一部のメソッドは、OArrayオブジェクトを返しません。これらのメソッドをオーバーロードしても、アクセサーが使用されている場合、オブジェクトは監視可能になりません。後者を実現するために、指定された容量内で各インデックスに対してアクセサが定義されます。
パフォーマンスについて... OArrayは、プレーンなArrayオブジェクトと比較して約10〜25倍遅くなります。容量が1〜100の範囲の場合、差は1x〜3xです。
class OArray {
constructor(capacity, observer) {
var Obj = {};
var Ref = []; // reference object to hold values and apply array methods
if (!observer) observer = function noop() {};
var propertyDescriptors = Object.getOwnPropertyDescriptors(Array.prototype);
Object.keys(propertyDescriptors).forEach(function(property) {
// the property will be binded to Obj, but applied on Ref!
var descriptor = propertyDescriptors[property];
var attributes = {
configurable: descriptor.configurable,
enumerable: descriptor.enumerable,
writable: descriptor.writable,
value: function() {
observer.call({});
return descriptor.value.apply(Ref, arguments);
}
};
// exception to length
if (property === 'length') {
delete attributes.value;
delete attributes.writable;
attributes.get = function() {
return Ref.length
};
attributes.set = function(length) {
Ref.length = length;
};
}
Object.defineProperty(Obj, property, attributes);
});
var indexerProperties = {};
for (var k = 0; k < capacity; k++) {
indexerProperties[k] = {
configurable: true,
get: (function() {
var _i = k;
return function() {
return Ref[_i];
}
})(),
set: (function() {
var _i = k;
return function(value) {
Ref[_i] = value;
observer.call({});
return true;
}
})()
};
}
Object.defineProperties(Obj, indexerProperties);
return Obj;
}
}
ネイティブプロトタイプを拡張することはお勧めしません。代わりに、new-listのようなライブラリを使用できます。https://github.com/azer/new-list
ネイティブJavaScript配列を作成し、変更をサブスクライブできます。更新をバッチ処理し、最終的な差分を提供します。
List = require('new-list')
todo = List('Buy milk', 'Take shower')
todo.pop()
todo.push('Cook Dinner')
todo.splice(0, 1, 'Buy Milk And Bread')
todo.subscribe(function(update){ // or todo.subscribe.once
update.add
// => { 0: 'Buy Milk And Bread', 1: 'Cook Dinner' }
update.remove
// => [0, 1]
})