冒泡排序算法

Arrays.sort();声明10个数字的数组,随机赋10个1-100的数字,打印输出,冒泡排序后,再打印输出。

package com;

import java.util.Random;

public class Test {
	static int[] array = new int[10];

	public static void main(String[] args) {
		getarray();
		sort(array);
	}

	/**
	 * 随机得到数组
	 */
	public static void getarray() {
		Random ran = new Random();
		for (int i = 0; i < 10; i++) {
			array[i] = 1 + ran.nextInt(100);
		}
		System.out.println("原数组为:");
		for (int i : array) {
			System.out.print(i + "  ");
		}
		System.out.println();
	}

	/**
	 * 
	 * @param array
	 *            j的取值范围特别关键,其他的没有什么难的
	 */
	public static void sort(int[] array) {
		int temp = 0;
		for (int i = 0; i < array.length; i++) {
			for (int j = 0; j < (array.length - 1) - i; j++) {
				if (array[j] > array[j + 1]) {
					temp = array[j];
					array[j] = array[j + 1];
					array[j + 1] = temp;
				}
			}
		}
		System.out.println("排序后的数组为:");
		for (int i : array) {
			System.out.print(i+"  ");
		}
	}

	/**
	 * 
	 * @param array
	 *            这个是用来做实验的
	 */
	public static void sort1(int[] array) {
		int[] a = { 4, 6, 3, 2, 1, 7 };
		int temp = 0;
		for (int i = 0; i < 6; i++) {
			for (int j = 0; j < (5 - i); j++) {
				if (a[j] > a[j + 1]) {
					temp = a[j];
					a[j] = a[j + 1];
					a[j + 1] = temp;
				}
			}
		}
		for (int i : a) {
			System.out.println(i);
		}
	}

}

结果:
原数组为:
10  64  3  49  4  88  48  33  95  38  
排序后的数组为:
3  4  10  33  38  48  49  64  88  95  

 

你可能感兴趣的:(Java小知识点,冒泡排序)