System.arraycopy拷贝数组,
arraycopy(Object src,int srcPos,Object dest,int destPos,int length)
从指定源数组中复制一个数组,复制从指定的位置开始,到目标数组的指定位置结束。从 src 引用的源数组到
dest 引用的目标数组,数组组件的一个子序列被复制下来。被复制的组件的编号等于 length
参数。源数组中位置在 srcPos 到 srcPos+length-1 之间的组件被分别复制到目标数组中的
destPos 到 destPos+length-1 位置。
int[] res=new int[]{1,2,3,4,5};
int[] des=new int[]{6,7,8,9,10};
System.arraycopy(res,0,res,0,3);
TextView TV= (TextView) findViewById(R.id.text);
StringBuffer SB=new StringBuffer();
for (int i=0;iappend(res[i]);
}
TV.setText(SB.toString());
如果参数 src 和 dest 引用相同的数组对象,则复制的执行过程就好像首先将
srcPos 到 srcPos+length-1 位置的组件复制到一个带有
length 组件的临时数组,然后再将此临时数组的内容复制到目标数组的 destPos 到
destPos+length-1 位置一样。
int[] res=new int[]{1,2,3,4,5};
int[] des=new int[]{6,7,8,9,10};
System.arraycopy(res,1,res,0,3);
TextView TV= (TextView) findViewById(R.id.text);
StringBuffer SB=new StringBuffer();
for (int i=0;iappend(res[i]);
}
TV.setText(SB.toString());
假如这样的话就是23445.。。。
public class MainActivity extends AppCompatActivity {
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
int[] res=new int[]{1,2,3,4,5};
int[] des=new int[]{6,7,8,9,10};
System.arraycopy(res,1,des,0,3);
TextView TV= (TextView) findViewById(R.id.text);
StringBuffer SB=new StringBuffer();
for (int i=0;i//System.out.print(des.toString());
}
}
好明显的道理就是我们是为了得到目标数组,原数组只起被复制的功能,我们打印一万遍源数组还是不变的。但是我们要考虑的是,我们复制的长度再加上目标数组的起始位置不能大于目标数组的长度,
System.arraycopy(res,1,des,4,3);
我们不能从目标数组第四位加起,还截取3,那么就.ArrayIndexOutOfBoundsException:数组下标越界了。
所以要慎重。