今天学习了数组的运用 包括Arrays类的几个用法:
Arrays.toString 输出一维数组
system.coyp()
public class dd {
public static void main(String[] args) {
int [] a = {1,2,3,4};
for(int i:a){
System.out.print(i);}
int [] b = {3,5,6,7,8};
for(int c:b){
System.out.print(c);}
System.arraycopy(a, 0, b, 1, 3); 在a数组0位置复制3个数据到b数组1位置覆盖后3个数据
for(int x:a){
System.out.print((x));}
for(int y:b){
System.out.print(y);}
}
} 输出结果为 3,1,2,3,8
二维数组的遍历输入(扩展内容)
import java.util.Scanner;
public class dd {
public static void main(String[] args) {
String [][]a = new String[3][3];
Scanner sc=new Scanner(System.in);
for(int i=0;i<a.length;i++){
System.out.println("请输入一组姓名,学号,成绩");
for(int t=0;t<a[i].length;t++){
String inputNum=sc.next();
a[i][t]=inputNum;
}
}System.out.println("结果为:");
for(String[] x:a){
for(String y:x){
System.out.print(y);System.out.println(" ");
}
System.out.println(" ");
}
}
}
public class s {
public static void main(String[] args) {
int []a =new int []{32,12,45,32,44,5};
for(int i=0;i<a.length;i++){
for(int j=i+1;j<a.length;j++){ 降序根据数据的交换
if(a[i]>a[j]){
int k = a[i];
a[i] = a[j];
a[j] = k;
}
}
}System.out.println(Arrays.toString(a));
}
}
public class qq {
/**主方法*/
public static void main(String[] args) {
//声明数组
int[] nums = {27, 8, 57, 9, 23, 41, 65, 19, 0, 1, 2, 4, 5};
//应用快速排序方法
quickSort(nums, 0, nums.length-1);
//显示排序后的数组
for(int i = 0; i < nums.length; ++i) {
System.out.print(nums[i] + ",");
}
System.out.println("");
}
/**快速排序方法*/
public static void quickSort(int[] a, int lo0, int hi0) {
int lo = lo0;
int hi = hi0;
if (lo >= hi)
return;
//确定指针方向的逻辑变量
boolean transfer=true;
while (lo != hi) {
if (a[lo] > a[hi]) {
//交换数字
int temp = a[lo];
a[lo] = a[hi];
a[hi] = temp;
//决定下标移动,还是上标移动
transfer = (transfer == true) ? false : true;
}
//将指针向前或者向后移动
if(transfer)
hi--;
else
lo++;
//显示每一次指针移动的数组数字的变化
for(int i = 0; i < a.length; ++i) {
System.out.print(a[i] + ",");
}
System.out.print(" (lo,hi) = " + "(" + lo + "," + hi + ")");
System.out.println("");
}
//将数组分开两半,确定每个数字的正确位置
lo--;
hi++;
quickSort(a, lo0, lo);
quickSort(a, hi, hi0);
}
}