天天看點

【資料結構與算法】順序查找

  • 基本思想

順序查找是最簡單的查找方法,從線性表的一端開始,依次将每個記錄的關鍵字與給定值進行比較。

  • 代碼實作
/**
 * 源碼名稱:SeqSearch.java 
 * 日期:2014-08-13
 * 程式功能:順序查找 
 * 版權:[email protected] 
 * 作者:A2BGeek
 */
public class SeqSearch {
	public static int seqSearch(int[] in, int key) {
		int length = in.length;
		int i;
		for (i = 0; i < length && in[i] != key; i++)
			;
		if (i < length) {
			return i;
		} else {
			return -1;
		}
	}

	public static int seqSearchOpt(int[] in, int key) {
		int[] innew = extendArraySize(in, key);
		int length = innew.length;
		int i;
		for (i = 0; innew[i] != key; i++)
			;
		if (i < length) {
			return i;
		} else {
			return -1;
		}
	}

	public static int[] extendArraySize(int[] a, int key) {
		int[] b = new int[a.length + 1];
		b[a.length] = key;
		System.arraycopy(a, 0, b, 0, a.length);
		return b;
	}

	public static void main(String[] args) {
		int[] testCase = { 4, 5, 8, 0, 9, 1, 3, 2, 6, 7 };
		int key = (int) (Math.random() * 10);
		System.out.println("key is " + key);
		long startTime = System.nanoTime();
		// int index = seqSearch(testCase, key);
		int index = seqSearchOpt(testCase, key);
		long endTime = System.nanoTime();
		System.out.println("running: " + (endTime - startTime) + "ns");
		System.out.println("index is " + index);
	}
}
           
  • 補充說明

順序查找最關鍵的優化點在于循環過程,seqSearchOpt本來是出于優化的目的寫的,因為每次循環的比較條件變少了,效率肯定可以提高。如果是用C語言實作,是沒有問題的,但是java不支援靜态數組擴充,是以效率反而沒有提高。

繼續閱讀