目錄 一.簡介 二.效果演示 三.源碼下載 四.猜你喜歡 零基礎 OpenGL (ES) 學習路線推薦 : OpenGL (ES) 學習目錄 >> OpenGL ES 基礎 零基礎 OpenGL (ES) 學習路線推薦 : OpenGL (ES) 學習目錄 >> OpenGL ES 轉場 零基礎 O ...
轉自:
http://www.java265.com/JavaJingYan/202204/16502899232926.html
數組:
數組(Array)是有序的元素序列。 [1] 若將有限個類型相同的變數的集合命名,那麼這個名稱為數組名。組成數組的各個變數稱為數組的分量,也稱為數組的元素,有時也稱為下標變數。用於區分數組的各個元素的數字編號稱為下標。數組是在程式設計中,為了處理方便, 把具有相同類型的若幹元素按有序的形式組織起來的一種形式。 [1] 這些有序排列的同類數據元素的集合稱為數組
下文筆者講述將兩個數組合併的方法分享,如下所示:
數組合併是我們日常經常遇見的需求,下文筆者將一一道來,如下所示
方式一、apache-commons
使用apache-commons中的ArrayUtils.addAll(Object[], Object[]) String[] both = (String[]) ArrayUtils.addAll(first, second); static String[] concat(String[] first, String[] second) {} static <T> T[] concat(T[] first, T[] second) {} 如果jdk不支持泛型,將T換成String
方式二、System.arraycopy()
例
static String[] concat(String[] a, String[] b) { String[] c= new String[a.length+b.length]; System.arraycopy(a, 0, c, 0, a.length); System.arraycopy(b, 0, c, a.length, b.length); return c; }
方式三、Arrays.copyOf()
在java6中,有一個方法Arrays.copyOf(),是一個泛型函數。我們可以利用它,寫出更通用的合併方法
public static <T> T[] concat(T[] first, T[] second) { T[] result = Arrays.copyOf(first, first.length + second.length); System.arraycopy(second, 0, result, first.length, second.length); return result; } public static <T> T[] concatAll(T[] first, T[]... rest) { int totalLength = first.length; for (T[] array : rest) { totalLength += array.length; } T[] result = Arrays.copyOf(first, totalLength); int offset = first.length; for (T[] array : rest) { System.arraycopy(array, 0, result, offset, array.length); offset += array.length; } return result; } String[] both = concat(first, second); String[] more = concat(first, second, third, fourth);
方式四、Array.newInstance
private static <T> T[] concat(T[] a, T[] b) { final int alen = a.length; final int blen = b.length; if (alen == 0) { return b; } if (blen == 0) { return a; } final T[] result = (T[]) java.lang.reflect.Array. newInstance(a.getClass().getComponentType(), alen + blen); System.arraycopy(a, 0, result, 0, alen); System.arraycopy(b, 0, result, alen, blen); return result; }