7

我正在使用 JavaScript 弱图,在 google chrome 开发人员控制台中尝试此代码后,使用 --js-flags="--expose-gc" 运行,我不明白为什么弱图继续引用 ab 如果是gc'ed。

var a = {listener: function(){ console.log('A') }}
a.b = {listener: function(){ console.log('B') }}

var map = new WeakMap()

map.set(a.b, [])
map.set(a, [a.b.listener])

console.log(map) // has both a and a.b

gc()
console.log(map) // still have both a and a.b

a = undefined
gc()
console.log(map) // only have a.b: why does still have a reference to a.b? Should'nt be erased?
4

1 回答 1

5

更新 2/2020

当我现在运行此代码时,它按预期工作。我认为打开控制台会导致在以前版本的 Chrome 中保留对象,但现在不是。重新分配包含对对象的引用的变量的值将导致该对象被垃圾收集(假设没有其他对象具有对它的引用)。


在您的示例代码中,您没有释放您的a变量。它是一个顶级 var,永远不会超出范围,也永远不会被显式取消引用,因此它保留在 WeakMap 中。WeakMap/WeakSet 一旦在你的代码中不再引用它就会释放对象。在您的示例中,如果您console.log(a)在打完一个gc()电话后,您仍然希望a还活着,对吗?

因此,这是一个工作示例,展示了 WeakSet 的运行情况,以及一旦对它的所有引用都消失了,它将如何删除一个条目:https ://embed.plnkr.co/cDqi5lFDEbvmjl5S19Wr/

const wset = new WeakSet();

// top level static var, should show up in `console.log(wset)` after a run
let arr = [1];
wset.add(arr);

function test() {
  let obj = {a:1}; //stack var, should get GCed
  wset.add(obj);
}

test();

//if we wanted to get rid of `arr` in `wset`, we could explicitly de-reference it
//arr = null;

// when run with devtools console open, `wset` always holds onto `obj`
// when devtools are closed and then opened after, `wset` has the `arr` entry,
// but not the `obj` entry, as expected
console.log(wset);

请注意,打开 Chrome 开发工具可防止某些对象被垃圾收集,这使得实际操作比预期的更困难 :)

于 2017-04-24T04:16:00.230 回答