拼多多演算法面試題 二分查詢

2021-10-09 02:57:06 字數 2488 閱讀 7501

題目:給定乙個有序數列和target值,判斷target是否在序列中,並返回index,序列中的值可能重複,需要返回最大的index值

解法:二分查詢

python版**

1.非遞迴演算法

def binary_search(lis, nun):

left = 0

right = len(lis) - 1

while left <= right: #迴圈條件

mid = (left + right) // 2 #獲取中間位置,數字的索引(序列前提是有序的)

if num < lis[mid]: #如果查詢數字比中間數字小,那就去二分後的左邊找,

right = mid - 1 #來到左邊後,需要將右變的邊界換為mid-1

elif num > lis[mid]: #如果查詢數字比中間數字大,那麼去二分後的右邊找

left = mid + 1 #來到右邊後,需要將左邊的邊界換為mid+1

else:

return mid #如果查詢數字剛好為中間值,返回該值得索引

return -1 #如果迴圈結束,左邊大於了右邊,代表沒有找到

lis = [11, 32, 51, 21, 42, 9, 5, 6, 7, 8]

print(lis)

lis.sort()

print(lis)

while 1:

num = int(input('輸入要查詢的數:'))

res = binary_search(lis, num)

print(res)

if res == -1:

print('未找到!')

else:

print('找到!')

2.遞迴演算法

def binary_search(lis, left, right, num):

if left > right: #遞迴結束條件

return -1

mid = (left + right) // 2

if num < lis[mid]:

right = mid -1

elif num > lis[mid]:

left = mid + 1

else:

return mid

return binary_search(lis, left, right, num)

#這裡之所以會有return是因為必須要接收值,不然返回none

#回溯到最後一層的時候,如果沒有return,那麼將會返回none

lis = [11, 32, 51, 21, 42, 9, 5, 6, 7, 8]

print(lis)

lis.sort()

print(lis)

while 1:

num = int(input('輸入要查詢的數:'))

res = binary_search(lis, 0, len(lis)-1,num)

print(res)

if res == -1:

print('未找到!')

else:

print('找到!')

c++版本

迭代法實現:

#includeusing namespace std;

int binary_search(int arr, int low, int high, int key)

return -1;

}int main()

; int x = 10;

int n = sizeof(arr) / sizeof(arr[0]);

int result = binary_search(arr, 0, n - 1, x);

(result == -1) ? cout << "element is not present in array"

: cout << "element is present at index " << result;

return 0;

}遞迴法實現:

# includeusing namespace std;

int binary_search(int arr,int low , int high, int key)

// 該元素不在陣列中

return -1;

}int main()

; int x = 10;

int n = sizeof(arr) / sizeof(arr[0]);

int result = binary_search(arr, 0, n - 1, x);

(result == -1) ? cout << "element is not present in array"

: cout << "element is present at index " << result;

return 0;

}

九章演算法 拼多多面試題 單詞接龍 II

描述 給出兩個單詞 start和end 和乙個字典,找出所有從start到end的最短轉換序列。變換規則如下 每次只能改變乙個字母。變換過程中的中間單詞必須在字典 現。樣例1 輸入 start a end c dict a b c 輸出 a c 解釋 a c 樣例2 輸入 start hit end...

查詢演算法 二分查詢

利用二分查詢演算法查詢某乙個元素,前提條件是該被查詢的元素是乙個已經有序的陣列。二分查詢的思想是將陣列元素的最高位 high 和最低位 low 進行標記,取陣列元素的中間 mid 和和要查詢的值 key 進行比較,如果目標值比中間值要大,則將最低位設定為mid 1,繼續進行查詢。如果目標值小於中間值...

查詢演算法 二分查詢

二分查詢的思路是很簡單的,前提是這組資料是有順序的。思路是從中間找乙個數,判斷大小,如果數比中間數大,說明在中間數到結尾的數中,如果小於,則說明在開始和中間數之間,經過多次相同操作,就可以得到我們想查詢的數時間複雜度就是 o logn 非遞迴的實現 const testarr let i 0whil...