ما هي طريقة Java System.arraycopy()؟
إعلان طريقة Java System.arraycopy()
تعريف الطريقة لطريقة java.lang.System.arraycopy() في فئة java.lang كما يلي:public static void arraycopy(Object src, int srcIndex, Object dest, int destIndex, int len)
حدود
فيما يلي معلمات طريقة arraycopy :-
src : إنها المصفوفة المصدر.
-
srcIndex : هو فهرس البداية للمصفوفة المصدر.
-
dest : إنها المصفوفة الوجهة.
-
destIndex : هو فهرس البداية للمصفوفة الوجهة.
-
len : هو عدد العناصر التي يجب نسخها من المصفوفة المصدر إلى المصفوفة الوجهة.
وظائف
يقوم أسلوب arraycopy بنسخ البيانات من src ، بدءًا من srcIndex حتى عناصر srcIndex +( len - 1)، إلى المصفوفة dest في destIndex حتى destIndex + ( len - 1).قيمة الإرجاع
تحتوي طريقة arraycopy على نوع إرجاع فارغ مما يعني أنها لا تُرجع أي شيء.مثال
public class Example {
public static void main(String[] args) {
String[] src = { "Monday","Tuesday", "Wednesday", "Thursday", "Friday", "Saturday", "Sunday"};
String[] dest = { "January", "February", "March", "April", "May", "June", "July", "August"};
int srcIndex = 2;
int destIndex = 3;
int len = 2;
//print number of elements that need to be copied
//from the source to the destination array
System.out.println("len : " + len);
//print source index
System.out.println("srcIndex : " + srcIndex);
//print elements of the source array
System.out.print("src : ");
for (int i = 0; i < src.length; i++)
System.out.print(src[i] + " ");
System.out.println("");
//print destination index
System.out.println("destIndex : " + destIndex);
//print elements of the destination array
System.out.print("dest : ");
for (int i = 0; i < dest.length; i++)
System.out.print(dest[i] + " ");
System.out.println("");
// Use of arraycopy() method
System.arraycopy(src, srcIndex, dest, destIndex, len);
// this method copies the 'len' no of elements
// from the src array to the dest array using the srcIndex
// and destIndex as reference points in both the arrays
// Print elements of destination after
System.out.print("final destination array : ");
for (int i = 0; i < dest.length; i++)
System.out.print(dest[i] + " ");
}
}
انتاج |
len : 2 srcIndex : 2 src : الاثنين الثلاثاء الأربعاء الخميس الجمعة السبت الأحد destIndex : 3 dest : يناير فبراير مارس أبريل مايو يونيو يوليو أغسطس مصفوفة الوجهة النهائية : يناير فبراير مارس الأربعاء الخميس يونيو يوليو أغسطس
مثال على تغيير المعلمات
// Example of changing parameters
srcIndex = 4;
destIndex = 5;
len = 1;
انتاج |
len : 1 srcIndex : 4 src : الاثنين الثلاثاء الأربعاء الخميس الجمعة السبت الأحد destIndex : 5 dest : يناير فبراير مارس أبريل مايو يونيو يوليو أغسطس مصفوفة الوجهة النهائية : يناير فبراير مارس أبريل مايو الجمعة يوليو أغسطس
GO TO FULL VERSION