1 /*
  2  * Copyright (c) 1997, 2024, Oracle and/or its affiliates. All rights reserved.
  3  * DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS FILE HEADER.
  4  *
  5  * This code is free software; you can redistribute it and/or modify it
  6  * under the terms of the GNU General Public License version 2 only, as
  7  * published by the Free Software Foundation.  Oracle designates this
  8  * particular file as subject to the "Classpath" exception as provided
  9  * by Oracle in the LICENSE file that accompanied this code.
 10  *
 11  * This code is distributed in the hope that it will be useful, but WITHOUT
 12  * ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or
 13  * FITNESS FOR A PARTICULAR PURPOSE.  See the GNU General Public License
 14  * version 2 for more details (a copy is included in the LICENSE file that
 15  * accompanied this code).
 16  *
 17  * You should have received a copy of the GNU General Public License version
 18  * 2 along with this work; if not, write to the Free Software Foundation,
 19  * Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA.
 20  *
 21  * Please contact Oracle, 500 Oracle Parkway, Redwood Shores, CA 94065 USA
 22  * or visit www.oracle.com if you need additional information or have any
 23  * questions.
 24  */
 25 
 26 package java.lang.ref;
 27 
 28 import jdk.internal.misc.Unsafe;
 29 import jdk.internal.vm.annotation.ForceInline;
 30 import jdk.internal.vm.annotation.IntrinsicCandidate;
 31 import jdk.internal.access.JavaLangRefAccess;
 32 import jdk.internal.access.SharedSecrets;
 33 import jdk.internal.ref.Cleaner;
 34 
 35 import java.util.Objects;
 36 
 37 /**
 38  * Abstract base class for reference objects.  This class defines the
 39  * operations common to all reference objects.  Because reference objects are
 40  * implemented in close cooperation with the garbage collector, this class may
 41  * not be subclassed directly.
 42  *
 43  * <div class="preview-block">
 44  *      <div class="preview-comment">
 45  *          The referent must have {@linkplain Objects#hasIdentity(Object) object identity}.
 46  *          When preview features are enabled, attempts to create a reference
 47  *          to a {@linkplain Class#isValue value object} result in an {@link IdentityException}.
 48  *      </div>
 49  * </div>
 50  * @param <T> the type of the referent
 51  *
 52  * @author   Mark Reinhold
 53  * @since    1.2
 54  * @sealedGraph
 55  */
 56 
 57 public abstract sealed class Reference<T>
 58     permits PhantomReference, SoftReference, WeakReference, FinalReference {
 59 
 60     /* The state of a Reference object is characterized by two attributes.  It
 61      * may be either "active", "pending", or "inactive".  It may also be
 62      * either "registered", "enqueued", "dequeued", or "unregistered".
 63      *
 64      *   Active: Subject to special treatment by the garbage collector.  Some
 65      *   time after the collector detects that the reachability of the
 66      *   referent has changed to the appropriate state, the collector
 67      *   "notifies" the reference, changing the state to either "pending" or
 68      *   "inactive".
 69      *   referent != null; discovered = null, or in GC discovered list.
 70      *
 71      *   Pending: An element of the pending-Reference list, waiting to be
 72      *   processed by the ReferenceHandler thread.  The pending-Reference
 73      *   list is linked through the discovered fields of references in the
 74      *   list.
 75      *   referent = null; discovered = next element in pending-Reference list.
 76      *
 77      *   Inactive: Neither Active nor Pending.
 78      *   referent = null.
 79      *
 80      *   Registered: Associated with a queue when created, and not yet added
 81      *   to the queue.
 82      *   queue = the associated queue.
 83      *
 84      *   Enqueued: Added to the associated queue, and not yet removed.
 85      *   queue = ReferenceQueue.ENQUEUE; next = next entry in list, or this to
 86      *   indicate end of list.
 87      *
 88      *   Dequeued: Added to the associated queue and then removed.
 89      *   queue = ReferenceQueue.NULL; next = this.
 90      *
 91      *   Unregistered: Not associated with a queue when created.
 92      *   queue = ReferenceQueue.NULL.
 93      *
 94      * The collector only needs to examine the referent field and the
 95      * discovered field to determine whether a (non-FinalReference) Reference
 96      * object needs special treatment.  If the referent is non-null and not
 97      * known to be live, then it may need to be discovered for possible later
 98      * notification.  But if the discovered field is non-null, then it has
 99      * already been discovered.
100      *
101      * FinalReference (which exists to support finalization) differs from
102      * other references, because a FinalReference is not cleared when
103      * notified.  The referent being null or not cannot be used to distinguish
104      * between the active state and pending or inactive states.  However,
105      * FinalReferences do not support enqueue().  Instead, the next field of a
106      * FinalReference object is set to "this" when it is added to the
107      * pending-Reference list.  The use of "this" as the value of next in the
108      * enqueued and dequeued states maintains the non-active state.  An
109      * additional check that the next field is null is required to determine
110      * that a FinalReference object is active.
111      *
112      * Initial states:
113      *   [active/registered]
114      *   [active/unregistered] [1]
115      *
116      * Transitions:
117      *                            clear [2]
118      *   [active/registered]     ------->   [inactive/registered]
119      *          |                                 |
120      *          |                                 | enqueue
121      *          | GC              enqueue [2]     |
122      *          |                -----------------|
123      *          |                                 |
124      *          v                                 |
125      *   [pending/registered]    ---              v
126      *          |                   | ReferenceHandler
127      *          | enqueue [2]       |--->   [inactive/enqueued]
128      *          v                   |             |
129      *   [pending/enqueued]      ---              |
130      *          |                                 | poll/remove
131      *          | poll/remove                     | + clear [4]
132      *          |                                 |
133      *          v            ReferenceHandler     v
134      *   [pending/dequeued]      ------>    [inactive/dequeued]
135      *
136      *
137      *                           clear/enqueue/GC [3]
138      *   [active/unregistered]   ------
139      *          |                      |
140      *          | GC                   |
141      *          |                      |--> [inactive/unregistered]
142      *          v                      |
143      *   [pending/unregistered]  ------
144      *                           ReferenceHandler
145      *
146      * Terminal states:
147      *   [inactive/dequeued]
148      *   [inactive/unregistered]
149      *
150      * Unreachable states (because enqueue also clears):
151      *   [active/enqueued]
152      *   [active/dequeued]
153      *
154      * [1] Unregistered is not permitted for FinalReferences.
155      *
156      * [2] These transitions are not possible for FinalReferences, making
157      * [pending/enqueued], [pending/dequeued], and [inactive/registered]
158      * unreachable.
159      *
160      * [3] The garbage collector may directly transition a Reference
161      * from [active/unregistered] to [inactive/unregistered],
162      * bypassing the pending-Reference list.
163      *
164      * [4] The queue handler for FinalReferences also clears the reference.
165      */
166 
167     private T referent;         /* Treated specially by GC */
168 
169     /* The queue this reference gets enqueued to by GC notification or by
170      * calling enqueue().
171      *
172      * When registered: the queue with which this reference is registered.
173      *        enqueued: ReferenceQueue.ENQUEUE
174      *        dequeued: ReferenceQueue.NULL
175      *    unregistered: ReferenceQueue.NULL
176      */
177     volatile ReferenceQueue<? super T> queue;
178 
179     /* The link in a ReferenceQueue's list of Reference objects.
180      *
181      * When registered: null
182      *        enqueued: next element in queue (or this if last)
183      *        dequeued: this (marking FinalReferences as inactive)
184      *    unregistered: null
185      */
186     @SuppressWarnings("rawtypes")
187     volatile Reference next;
188 
189     /* Used by the garbage collector to accumulate Reference objects that need
190      * to be revisited in order to decide whether they should be notified.
191      * Also used as the link in the pending-Reference list.  The discovered
192      * field and the next field are distinct to allow the enqueue() method to
193      * be applied to a Reference object while it is either in the
194      * pending-Reference list or in the garbage collector's discovered set.
195      *
196      * When active: null or next element in a discovered reference list
197      *              maintained by the GC (or this if last)
198      *     pending: next element in the pending-Reference list (null if last)
199      *    inactive: null
200      */
201     private transient Reference<?> discovered;
202 
203 
204     /* High-priority thread to enqueue pending References
205      */
206     private static class ReferenceHandler extends Thread {
207         ReferenceHandler(ThreadGroup g, String name) {
208             super(g, null, name, 0, false);
209         }
210 
211         public void run() {
212             // pre-load and initialize Cleaner class so that we don't
213             // get into trouble later in the run loop if there's
214             // memory shortage while loading/initializing it lazily.
215             Unsafe.getUnsafe().ensureClassInitialized(Cleaner.class);
216 
217             while (true) {
218                 processPendingReferences();
219             }
220         }
221     }
222 
223     /*
224      * Atomically get and clear (set to null) the VM's pending-Reference list.
225      */
226     private static native Reference<?> getAndClearReferencePendingList();
227 
228     /*
229      * Test whether the VM's pending-Reference list contains any entries.
230      */
231     private static native boolean hasReferencePendingList();
232 
233     /*
234      * Wait until the VM's pending-Reference list may be non-null.
235      */
236     private static native void waitForReferencePendingList();
237 
238     /*
239      * Enqueue a Reference taken from the pending list.  Calling this method
240      * takes us from the Reference<?> domain of the pending list elements to
241      * having a Reference<T> with a correspondingly typed queue.
242      */
243     private void enqueueFromPending() {
244         var q = queue;
245         if (q != ReferenceQueue.NULL) q.enqueue(this);
246     }
247 
248     private static final Object processPendingLock = new Object();
249     private static boolean processPendingActive = false;
250 
251     private static void processPendingReferences() {
252         // Only the singleton reference processing thread calls
253         // waitForReferencePendingList() and getAndClearReferencePendingList().
254         // These are separate operations to avoid a race with other threads
255         // that are calling waitForReferenceProcessing().
256         waitForReferencePendingList();
257         Reference<?> pendingList;
258         synchronized (processPendingLock) {
259             pendingList = getAndClearReferencePendingList();
260             processPendingActive = true;
261         }
262         while (pendingList != null) {
263             Reference<?> ref = pendingList;
264             pendingList = ref.discovered;
265             ref.discovered = null;
266 
267             if (ref instanceof Cleaner) {
268                 ((Cleaner)ref).clean();
269                 // Notify any waiters that progress has been made.
270                 // This improves latency for nio.Bits waiters, which
271                 // are the only important ones.
272                 synchronized (processPendingLock) {
273                     processPendingLock.notifyAll();
274                 }
275             } else {
276                 ref.enqueueFromPending();
277             }
278         }
279         // Notify any waiters of completion of current round.
280         synchronized (processPendingLock) {
281             processPendingActive = false;
282             processPendingLock.notifyAll();
283         }
284     }
285 
286     // Wait for progress in reference processing.
287     //
288     // Returns true after waiting (for notification from the reference
289     // processing thread) if either (1) the VM has any pending
290     // references, or (2) the reference processing thread is
291     // processing references. Otherwise, returns false immediately.
292     private static boolean waitForReferenceProcessing()
293         throws InterruptedException
294     {
295         synchronized (processPendingLock) {
296             if (processPendingActive || hasReferencePendingList()) {
297                 // Wait for progress, not necessarily completion.
298                 processPendingLock.wait();
299                 return true;
300             } else {
301                 return false;
302             }
303         }
304     }
305 
306     /**
307      * Start the Reference Handler thread as a daemon thread.
308      */
309     static void startReferenceHandlerThread(ThreadGroup tg) {
310         Thread handler = new ReferenceHandler(tg, "Reference Handler");
311         /* If there were a special system-only priority greater than
312          * MAX_PRIORITY, it would be used here
313          */
314         handler.setPriority(Thread.MAX_PRIORITY);
315         handler.setDaemon(true);
316         handler.start();
317     }
318 
319     static {
320         // provide access in SharedSecrets
321         SharedSecrets.setJavaLangRefAccess(new JavaLangRefAccess() {
322             @Override
323             public void startThreads() {
324                 ThreadGroup tg = Thread.currentThread().getThreadGroup();
325                 for (ThreadGroup tgn = tg;
326                      tgn != null;
327                      tg = tgn, tgn = tg.getParent());
328                 Reference.startReferenceHandlerThread(tg);
329                 Finalizer.startFinalizerThread(tg);
330             }
331 
332             @Override
333             public boolean waitForReferenceProcessing()
334                 throws InterruptedException
335             {
336                 return Reference.waitForReferenceProcessing();
337             }
338 
339             @Override
340             public void runFinalization() {
341                 Finalizer.runFinalization();
342             }
343 
344             @Override
345             public <T> ReferenceQueue<T> newNativeReferenceQueue() {
346                 return new NativeReferenceQueue<T>();
347             }
348         });
349     }
350 
351     /* -- Referent accessor and setters -- */
352 
353     /**
354      * Returns this reference object's referent.  If this reference object has
355      * been cleared, either by the program or by the garbage collector, then
356      * this method returns {@code null}.
357      *
358      * @apiNote
359      * This method returns a strong reference to the referent. This may cause
360      * the garbage collector to treat it as strongly reachable until some later
361      * collection cycle.  The {@link #refersTo(Object) refersTo} method can be
362      * used to avoid such strengthening when testing whether some object is
363      * the referent of a reference object; that is, use {@code ref.refersTo(obj)}
364      * rather than {@code ref.get() == obj}.
365      *
366      * @return   The object to which this reference refers, or
367      *           {@code null} if this reference object has been cleared
368      * @see #refersTo
369      */
370     @IntrinsicCandidate
371     public T get() {
372         return this.referent;
373     }
374 
375     /**
376      * Tests if the referent of this reference object is {@code obj}.
377      * Using a {@code null} {@code obj} returns {@code true} if the
378      * reference object has been cleared.
379      *
380      * @param  obj the object to compare with this reference object's referent
381      * @return {@code true} if {@code obj} is the referent of this reference object
382      * @since 16
383      */
384     public final boolean refersTo(T obj) {
385         return refersToImpl(obj);
386     }
387 
388     /* Implementation of refersTo(), overridden for phantom references.
389      * This method exists only to avoid making refersTo0() virtual. Making
390      * refersTo0() virtual has the undesirable effect of C2 often preferring
391      * to call the native implementation over the intrinsic.
392      */
393     boolean refersToImpl(T obj) {
394         return refersTo0(obj);
395     }
396 
397     @IntrinsicCandidate
398     private native boolean refersTo0(Object o);
399 
400     /**
401      * Clears this reference object. Invoking this method does not enqueue this
402      * object, and the garbage collector will not clear or enqueue this object.
403      *
404      * <p>When the garbage collector or the {@link #enqueue()} method clear
405      * references they do so directly, without invoking this method.
406      *
407      * @apiNote
408      * There is a potential race condition with the garbage collector. When this
409      * method is called, the garbage collector may already be in the process of
410      * (or already completed) clearing and/or enqueueing this reference.
411      * Avoid this race by ensuring the referent remains strongly reachable until
412      * after the call to clear(), using {@link #reachabilityFence(Object)} if
413      * necessary.
414      */
415     public void clear() {
416         clearImpl();
417     }
418 
419     /* Implementation of clear(). A simple assignment of the referent field
420      * won't do for some garbage collectors. There is the override for phantom
421      * references, which requires different semantics. This method is also
422      * used by enqueue().
423      *
424      * <p>This method exists only to avoid making clear0() virtual. Making
425      * clear0() virtual has the undesirable effect of C2 often preferring
426      * to call the native implementation over the intrinsic.
427      */
428     void clearImpl() {
429         clear0();
430     }
431 
432     @IntrinsicCandidate
433     private native void clear0();
434 
435     /* -- Operations on inactive FinalReferences -- */
436 
437     /* These functions are only used by FinalReference, and must only be
438      * called after the reference becomes inactive. While active, a
439      * FinalReference is considered weak but the referent is not normally
440      * accessed. Once a FinalReference becomes inactive it is considered a
441      * strong reference. These functions are used to bypass the
442      * corresponding weak implementations, directly accessing the referent
443      * field with strong semantics.
444      */
445 
446     /**
447      * Load referent with strong semantics.
448      */
449     T getFromInactiveFinalReference() {
450         assert this instanceof FinalReference;
451         assert next != null; // I.e. FinalReference is inactive
452         return this.referent;
453     }
454 
455     /**
456      * Clear referent with strong semantics.
457      */
458     void clearInactiveFinalReference() {
459         assert this instanceof FinalReference;
460         assert next != null; // I.e. FinalReference is inactive
461         this.referent = null;
462     }
463 
464     /* -- Queue operations -- */
465 
466     /**
467      * Tests if this reference object is in its associated queue, if any.
468      * This method returns {@code true} only if all of the following conditions
469      * are met:
470      * <ul>
471      * <li>this reference object was registered with a queue when it was created; and
472      * <li>the garbage collector has added this reference object to the queue
473      *     or {@link #enqueue()} is called; and
474      * <li>this reference object is not yet removed from the queue.
475      * </ul>
476      * Otherwise, this method returns {@code false}.
477      * This method may return {@code false} if this reference object has been cleared
478      * but not enqueued due to the race condition.
479      *
480      * @deprecated
481      * This method was originally specified to test if a reference object has
482      * been cleared and enqueued but was never implemented to do this test.
483      * This method could be misused due to the inherent race condition
484      * or without an associated {@code ReferenceQueue}.
485      * An application relying on this method to release critical resources
486      * could cause serious performance issue.
487      * An application should use {@link ReferenceQueue} to reliably determine
488      * what reference objects that have been enqueued or
489      * {@link #refersTo(Object) refersTo(null)} to determine if this reference
490      * object has been cleared.
491      *
492      * @return   {@code true} if and only if this reference object is
493      *           in its associated queue (if any).
494      */
495     @Deprecated(since="16")
496     public boolean isEnqueued() {
497         return (this.queue == ReferenceQueue.ENQUEUED);
498     }
499 
500     /**
501      * Clears this reference object, then attempts to add it to the queue with
502      * which it is registered, if any.
503      *
504      * <p>If this reference is registered with a queue but not yet enqueued,
505      * the reference is added to the queue; this method is
506      * <b><i>successful</i></b> and returns true.
507      * If this reference is not registered with a queue, or was already enqueued
508      * (by the garbage collector, or a previous call to {@code enqueue}), this
509      * method is <b><i>unsuccessful</i></b> and returns false.
510      *
511      * <p>{@linkplain java.lang.ref##MemoryConsistency Memory consistency effects}:
512      * Actions in a thread prior to a <b><i>successful</i></b> call to {@code enqueue}
513      * <a href="{@docRoot}/java.base/java/util/concurrent/package-summary.html#MemoryVisibility"><i>happen-before</i></a>
514      * the reference is removed from the queue by {@link ReferenceQueue#poll}
515      * or {@link ReferenceQueue#remove}. <b><i>Unsuccessful</i></b> calls to
516      * {@code enqueue} have no specified memory consistency effects.
517      *
518      * <p> When this method clears references it does so directly, without
519      * invoking the {@link #clear()} method. When the garbage collector clears
520      * and enqueues references it does so directly, without invoking the
521      * {@link #clear()} method or this method.
522      *
523      * @apiNote
524      * Use of this method allows the registered queue's
525      * {@link ReferenceQueue#poll} and {@link ReferenceQueue#remove} methods
526      * to return this reference even though the referent may still be strongly
527      * reachable.
528      *
529      * @return   {@code true} if this reference object was successfully
530      *           enqueued; {@code false} if it was already enqueued or if
531      *           it was not registered with a queue when it was created
532      */
533     public boolean enqueue() {
534         clearImpl(); // Intentionally clearImpl() to dispatch to overridden method, if needed
535         return this.queue.enqueue(this);
536     }
537 
538     /**
539      * Throws {@link CloneNotSupportedException}. A {@code Reference} cannot be
540      * meaningfully cloned. Construct a new {@code Reference} instead.
541      *
542      * @return never returns normally
543      * @throws  CloneNotSupportedException always
544      */
545     @Override
546     protected Object clone() throws CloneNotSupportedException {
547         throw new CloneNotSupportedException();
548     }
549 
550     /* -- Constructors -- */
551 
552     Reference(T referent) {
553         this(referent, null);
554     }
555 
556     Reference(T referent, ReferenceQueue<? super T> queue) {
557         if (referent != null) {
558             Objects.requireIdentity(referent);
559         }
560         this.referent = referent;
561         this.queue = (queue == null) ? ReferenceQueue.NULL : queue;
562     }
563 
564     /**
565      * Ensures that the given object remains
566      * <a href="package-summary.html#reachability"><em>strongly reachable</em></a>.
567      * This reachability is assured regardless of any optimizing transformations
568      * the virtual machine may perform that might otherwise allow the object to
569      * become unreachable (see JLS {@jls 12.6.1}). Thus, the given object is not
570      * reclaimable by garbage collection at least until after the invocation of
571      * this method. References to the given object will not be cleared (or
572      * enqueued, if applicable) by the garbage collector until after invocation
573      * of this method.
574      * Invocation of this method does not itself initiate reference processing,
575      * garbage collection, or finalization.
576      *
577      * <p> This method establishes an ordering for <em>strong reachability</em>
578      * with respect to garbage collection.  It controls relations that are
579      * otherwise only implicit in a program -- the reachability conditions
580      * triggering garbage collection.  This method is applicable only
581      * when reclamation may have visible effects,
582      * such as for objects that use finalizers or {@link Cleaner}, or code that
583      * performs {@linkplain java.lang.ref reference processing}.
584      *
585      * <p>{@linkplain java.lang.ref##MemoryConsistency Memory consistency effects}:
586      * Actions in a thread prior to calling {@code reachabilityFence(x)}
587      * <a href="{@docRoot}/java.base/java/util/concurrent/package-summary.html#MemoryVisibility"><i>happen-before</i></a>
588      * the garbage collector clears any reference to {@code x}.
589      *
590      * @apiNote
591      * Reference processing or finalization can occur after an object becomes
592      * unreachable. An object can become unreachable when the virtual machine
593      * detects that there is no further need for the object (other than for
594      * running a finalizer). In the course of optimization, the virtual machine
595      * can reorder operations of an object's methods such that the object
596      * becomes unneeded earlier than might naively be expected &mdash;
597      * including while a method of the object is still running. For instance,
598      * the VM can move the loading of <em>values</em> from the object's fields
599      * to occur earlier. The object itself is then no longer needed and becomes
600      * unreachable, and the method can continue running using the obtained values.
601      * This may have surprising and undesirable effects when using a Cleaner or
602      * finalizer for cleanup: there is a race between the
603      * program thread running the method, and the cleanup thread running the
604      * Cleaner or finalizer. The cleanup thread could free a
605      * resource, followed by the program thread (still running the method)
606      * attempting to access the now-already-freed resource.
607      * Use of {@code reachabilityFence} can prevent this race by ensuring that the
608      * object remains strongly reachable.
609      * <p>
610      * The following is an example in which the bookkeeping associated with a class is
611      * managed through array indices.  Here, method {@code action} uses a
612      * {@code reachabilityFence} to ensure that the {@code Resource} object is
613      * not reclaimed before bookkeeping on an associated
614      * {@code ExternalResource} has been performed; specifically, to
615      * ensure that the array slot holding the {@code ExternalResource} is not
616      * nulled out in method {@link Object#finalize}, which may otherwise run
617      * concurrently.
618      *
619      * {@snippet :
620      * class Resource {
621      *   private static ExternalResource[] externalResourceArray = ...
622      *
623      *   int myIndex;
624      *   Resource(...) {
625      *     this.myIndex = ...
626      *     externalResourceArray[myIndex] = ...;
627      *     ...
628      *   }
629      *   protected void finalize() {
630      *     externalResourceArray[this.myIndex] = null;
631      *     ...
632      *   }
633      *   public void action() {
634      *     try {
635      *       // ...
636      *       int i = this.myIndex; // last use of 'this' Resource in action()
637      *       Resource.update(externalResourceArray[i]);
638      *     } finally {
639      *       Reference.reachabilityFence(this);
640      *     }
641      *   }
642      *   private static void update(ExternalResource ext) {
643      *     ext.status = ...;
644      *   }
645      * }
646      * }
647      *
648      * The invocation of {@code reachabilityFence} is
649      * placed <em>after</em> the call to {@code update}, to ensure that the
650      * array slot is not nulled out by {@link Object#finalize} before the
651      * update, even if the call to {@code action} was the last use of this
652      * object.  This might be the case if, for example, a usage in a user program
653      * had the form {@code new Resource().action();} which retains no other
654      * reference to this {@code Resource}.
655      * The {@code reachabilityFence} call is placed in a {@code finally} block to
656      * ensure that it is invoked across all paths in the method. A more complex
657      * method might need further precautions to ensure that
658      * {@code reachabilityFence} is encountered along all code paths.
659      *
660      * <p> Method {@code reachabilityFence} is not required in constructions
661      * that themselves ensure reachability.  For example, because objects that
662      * are locked cannot, in general, be reclaimed, it would suffice if all
663      * accesses of the object, in all methods of class {@code Resource}
664      * (including {@code finalize}) were enclosed in {@code synchronized (this)}
665      * blocks.  (Further, such blocks must not include infinite loops, or
666      * themselves be unreachable, which fall into the corner case exceptions to
667      * the "in general" disclaimer.)  However, method {@code reachabilityFence}
668      * remains a better option in cases where synchronization is not as efficient,
669      * desirable, or possible; for example because it would encounter deadlock.
670      *
671      * @param ref the reference to the object to keep strongly reachable. If
672      * {@code null}, this method has no effect.
673      * @since 9
674      */
675     @ForceInline
676     public static void reachabilityFence(Object ref) {
677         // Does nothing. This method is annotated with @ForceInline to eliminate
678         // most of the overhead that using @DontInline would cause with the
679         // HotSpot JVM, when this fence is used in a wide variety of situations.
680         // HotSpot JVM retains the ref and does not GC it before a call to
681         // this method, because the JIT-compilers do not have GC-only safepoints.
682     }
683 }