Extending java's ThreadLocal to allow the values to be reset across all threads

前端 未结 3 891
迷失自我
迷失自我 2021-01-23 10:19

After looking at this question, I think I want to wrap ThreadLocal to add a reset behavior.

I want to have something similar to a ThreadLocal, with a method I can call f

相关标签:
3条回答
  • 2021-01-23 10:55

    Interacting with objects in a ThreadLocal across threads

    I'll say up front that this is a bad idea. ThreadLocal is a special class which offers speed and thread-safety benefits if used correctly. Attempting to communicate across threads with a ThreadLocal defeats the purpose of using the class in the first place.

    If you need access to an object across multiple threads there are tools designed for this purpose, notably the thread-safe collections in java.util.collect.concurrent such as ConcurrentHashMap, which you can use to replicate a ThreadLocal by using Thread objects as keys, like so:

    ConcurrentHashMap<Thread, AtomicBoolean> map = new ConcurrentHashMap<>();
    
    // pass map to threads, let them do work, using Thread.currentThread() as the key
    
    // Update all known thread's flags
    for(AtomicBoolean b : map.values()) {
        b.set(true);
    }
    

    Clearer, more concise, and avoids using ThreadLocal in a way it's simply not designed for.

    Notifying threads that their data is stale

    I just need a way to notify all these threads that their ThreadLocal variable is stale.

    If your goal is simply to notify other threads that something has changed you don't need a ThreadLocal at all. Simply use a single AtomicBoolean and share it with all your tasks, just like you would your ThreadLocal<AtomicBoolean>. As the name implies updates to an AtomicBoolean are atomic and visible cross-threads. Even better would be to use a real synchronization aid such as CyclicBarrier or Phaser, but for simple use cases there's no harm in just using an AtomicBoolean.

    Creating an updatable "ThreadLocal"

    All of that said, if you really want to implement a globally update-able ThreadLocal your implementation is broken. The fact that you haven't run into issues with it is only a coincidence and future refactoring may well introduce hard-to-diagnose bugs or crashes. That it "has worked without incident" only means your tests are incomplete.

    • First and foremost, an ArrayList is not thread-safe. You simply cannot use it (without external synchronization) when multiple threads may interact with it, even if they will do so at different times. That you aren't seeing any issues now is just a coincidence.
    • Storing the objects as a List prevents us from removing stale values. If you call ThreadLocal.set() it will append to your list without removing the previous value, which introduces both a memory leak and the potential for unexpected side-effects if you anticipated these objects becoming unreachable once the thread terminated, as is usually the case with ThreadLocal instances. Your use case avoids this issue by coincidence, but there's still no need to use a List.

    Here is an implementation of an IterableThreadLocal which safely stores and updates all existing instances of the ThreadLocal's values, and works for any type you choose to use:

    import java.util.Iterator;
    import java.util.concurrent.ConcurrentMap;
    
    import com.google.common.collect.MapMaker;
    
    /**
     * Class extends ThreadLocal to enable user to iterate over all objects
     * held by the ThreadLocal instance.  Note that this is inherently not
     * thread-safe, and violates both the contract of ThreadLocal and much
     * of the benefit of using a ThreadLocal object.  This class incurs all
     * the overhead of a ConcurrentHashMap, perhaps you would prefer to
     * simply use a ConcurrentHashMap directly instead?
     * 
     * If you do really want to use this class, be wary of its iterator.
     * While it is as threadsafe as ConcurrentHashMap's iterator, it cannot
     * guarantee that all existing objects in the ThreadLocal are available
     * to the iterator, and it cannot prevent you from doing dangerous
     * things with the returned values.  If the returned values are not
     * properly thread-safe, you will introduce issues.
     */
    public class IterableThreadLocal<T> extends ThreadLocal<T>
                                        implements Iterable<T> {
        private final ConcurrentMap<Thread,T> map;
    
        public IterableThreadLocal() {
            map = new MapMaker().weakKeys().makeMap();
        }
    
        @Override
        public T get() {
            T val = super.get();
            map.putIfAbsent(Thread.currentThread(), val);
            return val;
        }
    
        @Override
        public void set(T value) {
            map.put(Thread.currentThread(), value);
            super.set(value);
        }
    
        /**
         * Note that this method fundamentally violates the contract of
         * ThreadLocal, and exposes all objects to the calling thread.
         * Use with extreme caution, and preferably only when you know
         * no other threads will be modifying / using their ThreadLocal
         * references anymore.
         */
        @Override
        public Iterator<T> iterator() {
            return map.values().iterator();
        }
    }
    

    As you can hopefully see this is little more than a wrapper around a ConcurrentHashMap, and incurs all the same overhead as using one directly, but hidden in the implementation of a ThreadLocal, which users generally expect to be fast and thread-safe. I implemented it for demonstration purposes, but I really cannot recommend using it in any setting.

    0 讨论(0)
  • 2021-01-23 11:03

    It won't be a good idea to do that since the whole point of thread local storage is, well, thread locality of the value it contains - i.e. that you can be sure that no other thread than your own thread can touch the value. If other threads could touch your thread local value, it won't be "thread local" anymore and that will break the memory model contract of thread local storage.

    Either you have to use something other than ThreadLocal (e.g. a ConcurrentHashMap) to store the value, or you need to find a way to schedule an update on the threads in question.

    You could use google guava's map maker to create a static final ConcurrentWeakReferenceIdentityHashmap with the following type: Map<Thread, Map<String, Object>> where the second map is a ConcurrentHashMap. That way you'd be pretty close to ThreadLocal except that you can iterate through the map.

    0 讨论(0)
  • 2021-01-23 11:03

    I'm disappointed in the quality of the answers received for this question; I have found my own solution.

    I wrote my test case today, and found the only issue with the code in my question is the Boolean. Boolean is not mutable, so my list of references wasn't doing me any good. I had a look at this question, and changed my code to use AtomicBoolean, and now everything works as expected.

    public class ThreadLocalFlag {
    
        private ThreadLocal<AtomicBoolean> flag;
        private List<AtomicBoolean> allValues = new ArrayList<AtomicBoolean>();
    
        public ThreadLocalFlag() {
            flag = new ThreadLocal<AtomicBoolean>() {
                @Override protected AtomicBoolean initialValue() {
                    AtomicBoolean value = new AtomicBoolean();
                    allValues.add(value);
                    return value;
                }
            };
        }
    
        public boolean get() {
            return flag.get().get();
        }
    
        public void set(boolean value) {
            flag.get().set(value);
        }
    
        public void setAll(boolean value) {
            for (AtomicBoolean tlValue : allValues) {
                tlValue.set(value);
            }
        }
    }
    

    Test case:

    public class ThreadLocalFlagTest {
    
        private static ThreadLocalFlag flag = new ThreadLocalFlag();
        private static boolean runThread = true;
    
        @AfterClass
        public static void tearDownOnce() throws Exception {
            runThread = false;
            flag = null;
        }
    
        /**
         * @throws Exception if there is any issue with the test
         */
        @Test
        public void testSetAll() throws Exception {
            startThread("ThreadLocalFlagTest-1", false);
            try {
                Thread.sleep(1000L);
            } catch (InterruptedException e) {
                //ignore
            }
            startThread("ThreadLocalFlagTest-2", true);
            try {
                Thread.sleep(1000L);
            } catch (InterruptedException e) {
                //ignore
            }
            startThread("ThreadLocalFlagTest-3", false);
            try {
                Thread.sleep(1000L);
            } catch (InterruptedException e) {
                //ignore
            }
            startThread("ThreadLocalFlagTest-4", true);
            try {
                Thread.sleep(8000L); //watch the alternating values
            } catch (InterruptedException e) {
                //ignore
            }
            flag.setAll(true);
            try {
                Thread.sleep(8000L); //watch the true values
            } catch (InterruptedException e) {
                //ignore
            }
            flag.setAll(false);
            try {
                Thread.sleep(8000L); //watch the false values
            } catch (InterruptedException e) {
                //ignore
            }
        }
    
        private void startThread(String name, boolean value) {
            Thread t = new Thread(new RunnableCode(value));
            t.setName(name);
            t.start();
        }
    
        class RunnableCode implements Runnable {
    
            private boolean initialValue;
    
            RunnableCode(boolean value) {
                initialValue = value;
            }
    
            @Override
            public void run() {
                flag.set(initialValue);
                while (runThread) {
                    System.out.println(Thread.currentThread().getName() + ": " + flag.get());
                    try {
                        Thread.sleep(4000L);
                    } catch (InterruptedException e) {
                        //ignore
                    }
                }
            }
        }
    }
    
    0 讨论(0)
提交回复
热议问题