Understanding Weak References
Understanding Weak References
Some time ago I was interviewing candidates for a Senior Java Engineer position. Among the many questions I asked was "What can you tell me about weak references?" I wasn't expecting a detailed technical treatise on the subject. I would probably have been
satisfied with "Umm... don't they have something to do with garbage collection?" I was instead surprised to find that out of twenty-odd engineers, all of whom had at least five years of Java experience and good qualifications, onlytwo of them even
knew that weak references existed, and only one of those two had actual useful knowledge about them. I even explained a bit about them, to see if I got an "Oh yeah" from anybody -- nope. I'm not sure why this knowledge is (evidently) uncommon, as weak references
are a massively useful feature which have been around since Java 1.2 was released, over seven years ago.
Now, I'm not suggesting you need to be a weak reference expert to qualify as a decent Java engineer. But I humbly submit that you should at leastknow what they are -- otherwise how will you know when you should be using them? Since they seem to
be a little-known feature, here is a brief overview of what weak references are, how to use them, and when to use them.
Strong references - 不能回收
First I need to start with a refresher on strong references. A strong reference is an ordinary Java reference, the kind you use every day. For example, the code:
StringBuffer buffer = new StringBuffer();
creates a new StringBuffer()
and stores a strong reference to it in the variablebuffer
. Yes, yes, this is kiddie
stuff, but bear with me. The important part about strong references -- the part that makes them "strong" -- is how they interact with the garbage collector. Specifically, if an object is reachable via a chain of strong references (strongly reachable), it is
not eligible for garbage collection. As you don't want the garbage collector destroying objects you're working on, this is normally exactly what you want.
When strong references are too strong
It's not uncommon for an application to use classes that it can't reasonably extend. The class might simply be markedfinal
, or it could be something more complicated, such as an interface returned
by a factory method backed by an unknown (and possibly even unknowable) number of concrete implementations. Suppose you have to use a class
Widget
and, for whatever reason, it isn't possible or practical to extendWidget
to add new functionality.
What happens when you need to keep track of extra information about the object? In this case, suppose we find ourselves needing to keep track of eachWidget's
serial number,
but theWidget
class doesn't actually have a serial number property -- and becauseWidget
isn't extensible, we can't add one. No problem at all,
that's whatHashMaps
are for:
serialNumberMap.put(widget, widgetSerialNumber);
This might look okay on the surface, but the strong reference to
will almost certainly cause problems. We have to know (with 100% certainty) when a particular
widgetWidget's
serial number is no longer needed,
so we can remove its entry from the map. Otherwise we're going to have a memory leak (if we don't removeWidgets
when we should) or we're going to inexplicably find ourselves missing serial numbers (if
we removeWidgets
that we're still using). If these problems sound familiar, they should: they are exactly the problems that users of non-garbage-collected languages face when trying to manage memory,
and we're not supposed to have to worry about this in a more civilized language like Java.
Another common problem with strong references is caching, particular with very large structures like images. Suppose you have an application which has to work with user-supplied images, like the web site design tool I work on. Naturally you want to cache
these images, because loading them from disk is very expensive and you want to avoid the possibility of having two copies of the (potentially gigantic) image in memory at once.
Because an image cache is supposed to prevent us from reloading images when we don't absolutely need to, you will quickly realize that the cache should always contain a reference to any image which is already in memory. With ordinary strong references, though,
that reference itself will force the image to remain in memory, which requires you (just as above) to somehow determine when the image is no longer needed in memory and remove it from the cache, so that it becomes eligible for garbage collection. Once again
you are forced to duplicate the behavior of the garbage collector and manually determine whether or not an object should be in memory.
Weak references - 垃圾收集时回收
A weak reference, simply put, is a reference that isn't strong enough to force an object to remain in memory. Weak references allow you to leverage the garbage collector's ability to determine reachability for you, so you don't have to do it yourself.
You create a weak reference like this:
WeakReference<Widget> weakWidget = new WeakReference<Widget>(widget);
and then elsewhere in the code you can use weakWidget.get()
to get the actualWidget
object. Of course the weak reference isn't strong enough to prevent garbage collection, so you may find (if there are no strong references to the widget) thatweakWidget.get()
suddenly starts returningnull
.
To solve the "widget serial number" problem above, the easiest thing to do is use the built-inWeakHashMap
class.
WeakHashMap
works exactly like
HashMap
, except that the keys (not the values!) are referred to using weak references. If aWeakHashMap
key becomes garbage, its entry
is removed automatically. This avoids the pitfalls I described and requires no changes other than the switch fromHashMap
to a
WeakHashMap
. If you're following the standard convention of referring to your maps via theMap
interface, no other code needs to even be aware
of the change.
Reference queues
Once a WeakReference
starts returningnull
, the object it pointed to has become garbage and theWeakReference
object is pretty much useless. This generally means that some sort of cleanup is required;WeakHashMap
, for example, has to remove such defunct entries to avoid holding onto an ever-increasing number
of deadWeakReferences
.
The ReferenceQueue
class makes it easy to keep track of dead references. If you pass aReferenceQueue
into a weak reference's constructor,
the reference object will be automatically inserted into the reference queue when the object to which it pointed becomes garbage. You can then, at some regular interval, process the
ReferenceQueue
and perform whatever cleanup is needed for dead references.
Different degrees of weakness
Up to this point I've just been referring to "weak references", but there are actually four different degrees of reference strength: strong, soft, weak, and phantom, in order from strongest to weakest. We've already discussed strong and weak references,
so let's take a look at the other two.
Soft references - 内存够用时不回收
A soft reference is exactly like a weak reference, except that it is less eager to throw away the object to which it refers. An object which is only weakly reachable (the strongest references to it areWeakReferences
)
will be discarded at the next garbage collection cycle, but an object which is softly reachable will generally stick around for a while.
SoftReferences
aren't
required to behave any differently than WeakReferences
, but in practice softly reachable objects are generally retained as long as memory is in plentiful supply. This makes them an excellent foundation
for a cache, such as the image cache described above, since you can let the garbage collector worry about both how reachable the objects are (a strongly reachable object willnever be removed from the cache) and how badly it needs the memory they are
consuming.
Phantom references
A phantom reference is quite different than either
or
SoftReferenceWeakReference
. Its grip on its object is so tenuous that you can't even retrieve the object -- itsget()
method always returnsnull
. The only use for such a reference is keeping track of when it gets enqueued into aReferenceQueue
, as at that point
you know the object to which it pointed is dead. How is that different fromWeakReference
, though?
The difference is in exactly when the enqueuing happens.
are enqueued as soon as the object to which they point becomes weakly reachable. This isbefore finalization or garbage collection has actually happened; in theory the object could even be "resurrected"
WeakReferences
by an unorthodoxfinalize()
method, but theWeakReference
would remain dead.PhantomReferences
are enqueued only when the object is physically removed from memory, and theget()
method always returnsnull
specifically
to prevent you from being able to "resurrect" an almost-dead object.
What good are PhantomReferences
? I'm only aware of two serious cases for them: first, they allow you to determine exactly when an object was removed from memory. They are in fact theonly
way to determine that. This isn't generally that useful, but might come in handy in certain very specific circumstances like manipulating large images: if you know for sure that an image should be garbage collected, you can wait until it actually is before
attempting to load the next image, and therefore make the dreaded
less likely.
OutOfMemoryError
Second, PhantomReferences
avoid a fundamental problem with finalization:finalize()
methods can "resurrect" objects
by creating new strong references to them. So what, you say? Well, the problem is that an object which overridesfinalize()
must now be determined to be garbage in at least two
separate garbage collection cycles in order to be collected. When the first cycle determines that it is garbage, it becomes eligible for finalization. Because of the (slim, but unfortunately real) possibility that the object was "resurrected" during finalization,
the garbage collector has to run again before the object can actually be removed. And because finalization might not have happened in a timely fashion, an arbitrary number of garbage collection cycles might have happened while the object was waiting for finalization.
This can mean serious delays in actually cleaning up garbage objects, and is why you can getOutOfMemoryErrors
even when most of the heap is garbage.
With PhantomReference
, this situation is impossible -- when aPhantomReference
is enqueued, there is absolutely no way to get a pointer to
the now-dead object (which is good, because it isn't in memory any longer). BecausePhantomReference
cannot be used to resurrect an object, the object can be instantly cleaned up during the first garbage
collection cycle in which it is found to be phantomly reachable. You can then dispose whatever resources you need to at your convenience.
Arguably, the finalize()
method should never have been provided in the first place.PhantomReferences
are definitely
safer and more efficient to use, and eliminatingfinalize()
would have made parts of the VM considerably simpler. But, they're also more work to implement, so I confess to still
usingfinalize()
most of the time. The good news is that at least you have a choice.
Conclusion
I'm sure some of you are grumbling by now, as I'm talking about an API which is nearly a decade old and haven't said anything which hasn't been said before. While that's certainly true, in my experience many Java programmers really don't know very much (if
anything) about weak references, and I felt that a refresher course was needed. Hopefully you at least learned alittle something from this review.
原文地址:https://weblogs.java.net/blog/2006/05/04/understanding-weak-references
Understanding Weak References的更多相关文章
- [翻译]Understanding Weak References(理解弱引用)
原文 Understanding Weak References Posted by enicholas on May 4, 2006 at 5:06 PM PDT 译文 我面试的这几个人怎么这么渣啊 ...
- [转]Understanding Weak References
原文地址:https://weblogs.java.net/blog/enicholas/archive/2006/05/understanding_w.html 推荐另一篇文章:http://www ...
- 【翻译】C# Tips & Tricks: Weak References - When and How to Use Them
原文:C# Tips & Tricks: Weak References - When and How to Use Them Sometimes you have an object whi ...
- Weak References
http://docwiki.embarcadero.com/RADStudio/Seattle/en/Automatic_Reference_Counting_in_Delphi_Mobile_Co ...
- 使用Memory Analyzer tool(MAT)分析内存泄漏(一)
转载自:http://www.blogjava.net/rosen/archive/2010/05/21/321575.html 前言 在平时工作过程中,有时会遇到OutOfMemoryError,我 ...
- Cheatsheet: 2013 10.01 ~ 10.08
Other 20 Tips for becoming a better programmer Top 10 Movies for Programmers .NET RaptorDB - The Key ...
- 不可访问内存 Java四种引用包括强引用,软引用,弱引用,虚引用
小结: 1.不可访问内存是指一组没有任何可访问指针指向的由计算机程序进行动态分配的内存块. 2.垃圾收集器能决定是否一个对象还是可访问的:任何被确定不可访问的对象将会被释放. https://zh.w ...
- Java Reference & ReferenceQueue一览
Overview The java.lang.ref package provides more flexible types of references than are otherwise ava ...
- eclipse memory analyzer对系统内存溢出堆文件解析0(转)
前言 在平时工作过程中,有时会遇到OutOfMemoryError,我们知道遇到Error一般表明程序存在着严重问题,可能是灾难性的.所以找出是什么原因造成OutOfMemoryError非常重要.现 ...
随机推荐
- 【转】Github 上传代码
版权声明:欢迎转载(^ω^)~不过转载请注明原文出处:http://blog.csdn.net/catglory ლ(╹◡╹ლ) 写在前面: 弄了两小时终于搞定了,把经验整理下,方便我以后上传代码XD ...
- js学习笔记-编写高效、规范的js代码-Tom
编写高效.规范的js代码: 1.变量命名空间问题,尽量使用局部变量,防止命名冲突(污染作用域中的全局变量):全局空间命名的变量可以在对应的文档域任意位置中使用window调用. 2.尽量使用单var定 ...
- Oracle 11g安装步骤详谈
又是十月南京阴雨天气 图书馆花了一个多小左右把11g安装折腾好了.其中折腾SQL Developer 花了好长时间,总算搞定了.好了,先总结下安装步骤,希望给后面的童鞋提高安装效率. 相互方便 共同 ...
- Java源码初学_AbstractList&AbstractCollection
一.AbstractCollection抽象类:(提供了Collection接口的骨干实现,以减少实现接口所需要的工作) 1.contains方法 contains方法,通过迭代器对于列表的每一个元素 ...
- (四)ubuntu学习前传—uboot中对Flash和DDR的管理
1.uboot阶段Flash的分区 (1)所谓分区,就是说对Flash进行分块管理.(2)PC机等产品中,因为大家都是在操作系统下使用硬盘的,整个硬盘由操作系统统一管理,操作系统会使用文件系统帮我们管 ...
- The Zen Programmer (zhuan)
http://blog.csdn.NET/marksinoberg/article/details/52460725 ***************************************** ...
- urllib.error.HTTPError: HTTP Error 403: Forbidden
问题: urllib.request.urlopen() 方法经常会被用来打开一个网页的源代码,然后会去分析这个页面源代码,但是对于有的网站使用这种方法时会抛出"HTTP Error 40 ...
- 开机使用root用户登录
有的fedora版本默认不支持开机以root用户登录,这是出于安全机制的考虑,可以通过设置实现开机root用户登录 步骤: 1.修改.etc/pam.d/gdm文件,注释掉auth pam_succ ...
- HTML5中的文本级语义
<p>这篇文章的发布时间是<time datetime="2016-02-26T16:30+08:00" pubdate>今天</time>&l ...
- HTML5 game engines
The following are few examples of game engines implemented with HTML5 and JavaScript: Construct 2: O ...