在 Java 中移动数组
Rupam Yadav
2023年1月30日
2021年7月3日
-
在 Java 中使用
for
循环和temp
变量移动数组 -
在 Java 8 中使用
skip()
方法移动数组 -
在 Java 中使用
Collections.rotate(List<type> list, int distance)
移动数组
在本文中,我们将介绍在 Java 中移动数组元素的方法。
在 Java 中使用 for
循环和 temp
变量移动数组
在这段代码中,我们有一个 array
变量,它是一个 int
类型变量的集合。在这里,我们试图拉动变量 n
给定的索引 2 处的元素,它会转到数组的索引 0。
为了达到这个目的,我们将 array
和索引传递给由 for
循环组成的方法 ShiftToRight
。我们将索引 n
处的元素存储在 temp
变量中。
temp=a[n]; i.e. temp=[2] i.e. temp=a[2] i.e. temp=3;
第一次迭代:
for(i=2;i>0;i--) i.e. for(i=2;2>0;i--)
a[i]=a[i-1]; i.e. a[2]=a[2-1] i.e. a[2]=a[1] i.e. a[2]=2
第二次迭代:
for(i=1;1>0;i--)
a[i]=a[i-1]; i.e. a[1]=a[1-1] i.e. a[1]=a[0] i.e. a[1]=1
由于 i(0)
不大于 0,我们就退出了 for
循环。
a[0]=temp i.e. a[0]=3
传入索引值之后的 array
中的元素保持不变。在这种情况下,最后两个元素在移位后保持在其原始索引处。
import java.util.Arrays;
public class ShiftTest {
public static void main(String args[]){
int [] array = {1,2,3,4,5};
int n = 2;
System.out.println("Array "+Arrays.toString(array));
ShiftToRight(array,n);
}
public static void ShiftToRight(int a[],int n){
int temp = a[n];
for (int i = n; i > 0; i--) {
a[i] = a[i-1];
}
a[0] = temp;
System.out.println("Array after shifting to right by one : "+Arrays.toString(a));
}
}
输出:
Array [1, 2, 3, 4, 5]
Array after shifting to right by one : [3, 1, 2, 4, 5]
在 Java 8 中使用 skip()
方法移动数组
Java 8 中的 skip()
方法丢弃流中的 n
个元素并返回由剩余元素组成的流。如果流包含少于 n
个元素,则返回一个空流。
我们使用 Arrays.stream()
方法将 array
转换为流,并调用 skip()
方法将 1 传递给它。它跳过数组的第一个元素。稍后使用 lambda
格式,我们打印返回流的每个元素。
import java.util.Arrays;
public class TestArray {
public static void main(String[] args) {
int [] array = {1,2,3,4,5,6,7};
Arrays.stream(array).skip(1).forEach(System.out::println);
}
}
输出:
ShiftedArray: [2, 3, 4, 5, 6, 7]
在 Java 中使用 Collections.rotate(List<type> list, int distance)
移动数组
为了将我们的数组移动一个,我们使用这个方法将 Collection
列表中给定的元素旋转给定的距离。我们使用 Arrays.asList()
将我们的 array
转换为 List。list
在索引 2 处旋转。
它将列表中的每个元素移动指定的距离,并将索引大于给定长度的元素移动到列表的开头。
import java.util.Arrays;
import java.util.Collections
import java.util.List;
public class Test11 {
public static void main(String args[]){
String [] strArray = {"One","Two","Three","Four","Five"};
System.out.println("Original List : " + Arrays.toString(strArray));
List<String> list = Arrays.asList(strArray);
Collections.rotate( list, 2);
System.out.println("Rotated List: " + list);
}
}
输出:
Original List : [One, Two, Three, Four, Five]
Rotated List: [Four, Five, One, Two, Three]
Author: Rupam Yadav
Rupam Saini is an android developer, who also works sometimes as a web developer., He likes to read books and write about various things.
LinkedIn