公衆號: 愛寫bug(ID:icodebugs)java
給定一個已按照升序排列 的有序數組,找到兩個數使得它們相加之和等於目標數。python
函數應該返回這兩個下標值 index1 和 index2,其中 index1 必須小於 index2。數組
說明:app
示例:less
輸入: numbers = [2, 7, 11, 15], target = 9 輸出: [1,2] 解釋: 2 與 7 之和等於目標數 9 。所以 index1 = 1, index2 = 2 。
Given an array of integers that is already sorted in ascending order, find two numbers such that they add up to a specific target number.函數
The function twoSum should return indices of the two numbers such that they add up to the target, where index1 must be less than index2.debug
Note:指針
雙指針例題的增強版:一個指針從左向右移動,另外一個指針從右向左,左指針與右指針之和若是小於 target ,則左指針右移一位,若是大於target ,右指針左移一位,直到雙指針之和等於target。code
class Solution { public int[] twoSum(int[] numbers, int target) { int[] res = new int[2]; int i = 0, j = numbers.length - 1,temp;//i爲左指針,j爲右指針 while (i < j) { temp=numbers[i] + numbers[j];//先記錄兩數之和 if (temp == target) {//等於目標數則記錄其索引 res[0] = i + 1; res[1] = j + 1; return res; } else if (temp < target) {//小於目標數,左指針右移一位 i++; } else {//大於目標數,右指針左移一位 j--; } } return null; } }
class Solution: def twoSum(self, numbers: List[int], target: int) -> List[int]: i=0 j=len(numbers)-1 while i<j: if numbers[i]+numbers[j]==target: return i+1,j+1 elif numbers[i]+numbers[j]>target: j-=1 else:i+=1
這道題自己很簡單,幾個小細節:索引
if (temp == target)
先判斷與目標數是否相同 可減小運行時間(由於Leetcode是拿不少不一樣數據來運行,而不是一條超長數據。仔細想一想這裏的區別)temp=numbers[i] + numbers[j]
先把兩數之和記錄下來,像py3裏那種判斷兩次(==、>)每次都計算一次兩數和,會消耗更多時間,這在判斷條件增多時會很明顯。後面找到py3
一種頗有意思的解法,就是效率不高,擴展一下思路便可:
class Solution(object): def twoSum(self, numbers, target): s = {} r = [] for i in range(len(numbers)): if numbers[i] in s.keys():#判斷該數在s鍵值對的鍵中是否存在。由於鍵值對的鍵記錄的是差值 r.append(s[numbers[i]]+1) r.append(i+1) return r s[target-numbers[i]] = i#目標數與每個數差值記錄爲s鍵值對的鍵,其索引記錄爲值 return None
利用py3字典特性解題,頗有意思。