How do I do a deep copy of a 2d array in Java?

前端 未结 6 1296
深忆病人
深忆病人 2020-11-22 02:07

I just got bit by using .clone() on my 2d boolean array, thinking that this was a deep copy.

How can I perform a deep copy of my bool

6条回答
  •  攒了一身酷
    2020-11-22 02:26

    Here's a reflective example using java.lang.reflect.Array which is more robust and a bit easier to follow. This method will copy any array, and deeply copies multidimensional arrays.

    package mcve.util;
    
    import java.lang.reflect.*;
    
    public final class Tools {
        private Tools() {}
        /**
         * Returns a copy of the specified array object, deeply copying
         * multidimensional arrays. If the specified object is null, the
         * return value is null. Note: if the array object has an element
         * type which is a reference type that is not an array type, the
         * elements themselves are not deep copied. This method only copies
         * array objects.
         *
         * @param  array the array object to deep copy
         * @param     the type of the array to deep copy
         * @return a copy of the specified array object, deeply copying
         *         multidimensional arrays, or null if the object is null
         * @throws IllegalArgumentException if the specified object is not
         *                                  an array
         */
        public static  T deepArrayCopy(T array) {
            if (array == null)
                return null;
    
            Class arrayType = array.getClass();
            if (!arrayType.isArray())
                throw new IllegalArgumentException(arrayType.toString());
    
            int length = Array.getLength(array);
            Class componentType = arrayType.getComponentType();
    
            @SuppressWarnings("unchecked")
            T copy = (T) Array.newInstance(componentType, length);
    
            if (componentType.isArray()) {
                for (int i = 0; i < length; ++i)
                    Array.set(copy, i, deepArrayCopy(Array.get(array, i)));
            } else {
                System.arraycopy(array, 0, copy, 0, length);
            }
    
            return copy;
        }
    }
    

提交回复
热议问题