深圳軟體測試培訓:java中陣列的操作

andy888發表於2019-09-02

深圳軟體測試培訓: java 中陣列的操作

. 陣列最常見的一個操作就是遍歷。

因為陣列的每個元素都可以透過 索引 來訪問,透過 for 迴圈就可以遍歷陣列。

public class M {

    public static void main(String[] args) {

        int[] ns = { 1, 3 , 2 , 6, 5 };

        for (int i=0; i<ns.length; i++) {

            int n = ns[i];

            System.out.println(n);

        }

    }

}

執行結果:

1

3

2

6

5

第二種方式是使用for each 迴圈,直接迭代陣列的每個元素:

public class M{

    public static void main(String[] args) {

        int[] ns = { 1, 3 , 2 , 6, 5 };

        for (int n : ns) {

            System.out.println(n);

        }

    }

}

執行結果:

1

3

2

6

5

. 陣列 另外 最常見的一個操作就是 排序

氣泡排序演算法對一個陣列從小到大進行排序

import java.util.Arrays;

public class M{

    public static void main(String[] args) {

        int[] ns = { 1 , 3 , 2 , 6 , 5 };

 // 排序前

for (int n : ns) {

            System.out.println(n);

        }

 

        for (int i = 0; i < ns.length - 1; i++) {

            for (int j = 0; j < ns.length - i - 1; j++) {

                if (ns[j] > ns[j+1]) {

                    int tmp = ns[j];

                    ns[j] = ns[j+1];

                    ns[j+1] = tmp;

                }

            }

        }

// 排序後

for (int n : ns) {

            System.out.println(n);

        }

    }

}

執行結果:

1

3

2

6

5

1

2

3

5

6

J ava 內建了排序功能,使用 Arrays.sort 排序:

import java.util.Arrays;

public class Main {

    public static void main(String[] args) {

        int[] ns = { 1 , 3 , 2 ,6, 5 };

        Arrays.sort(ns);

for (int n : ns) {

            System.out.println(n);

        }

    }

}

執行結果:

1

2

3

5

6


來自 “ ITPUB部落格 ” ,連結:http://blog.itpub.net/69942977/viewspace-2655737/,如需轉載,請註明出處,否則將追究法律責任。

相關文章