Java基础(第三季)
2021-04-02 本文已影响0人
Cook1fan
data:image/s3,"s3://crabby-images/7afec/7afeccb57899216cfe8763743d4639fad2db0bf3" alt=""
data:image/s3,"s3://crabby-images/00b2b/00b2b6830b50f223e430e89e21255ca1f2e4ef72" alt=""
data:image/s3,"s3://crabby-images/e6491/e64919cdc92522704b281dd0f4c7c05889846108" alt=""
data:image/s3,"s3://crabby-images/2418d/2418de969e3b57108c6fe1fdc013e4800a9f7c2b" alt=""
data:image/s3,"s3://crabby-images/423e4/423e47c679fc6df5d117d6110e8b78ffb715aefa" alt=""
data:image/s3,"s3://crabby-images/7eeab/7eeab31fc2b3ee25682ea79ca37310352a31132f" alt=""
data:image/s3,"s3://crabby-images/ad0ce/ad0ce9c89db507725818d064f4b80274167ba1fc" alt=""
data:image/s3,"s3://crabby-images/18a26/18a264b3a0f17861bc6d8345e9f1fc2cb4472373" alt=""
data:image/s3,"s3://crabby-images/b4b91/b4b91417410ed7da0f1536aba91623975268b3c3" alt=""
data:image/s3,"s3://crabby-images/e7830/e783060cf9d05648849336ffc8af7a5a1c5352f2" alt=""
data:image/s3,"s3://crabby-images/c00de/c00de2817c136b16a33e3377dc273f4cb89fe674" alt=""
data:image/s3,"s3://crabby-images/39173/39173bca76322d763cc1f8b8a27921633ecf8f60" alt=""
data:image/s3,"s3://crabby-images/6f19a/6f19a256b079fd559fc6a2e4f8f635443242f929" alt=""
data:image/s3,"s3://crabby-images/d9ade/d9ade8c624ba06ac38338ea9c136bc4116cbc839" alt=""
public class TwoSumDemo {
/**
* 通过双重循环遍历数组中所有元素的两两组合
* 当出现符合的就放回两个元素的下标
* @param nums
* @param target
* @return
*/
public static int[] twoSum1(int[] nums, int target) {
for (int i = 0; i < nums.length; i++) {
for (int j = i + 1; j < nums.length; j++) {
if (target - nums[i] == nums[j]) {
return new int[]{i, j};
}
}
}
return null;
}
public static void main(String[] args) {
int[] nums = new int[]{2, 7, 11, 15};
int target = 9;
int[] myIndex = twoSum1(nums, target);
assert myIndex != null;
for (int el : myIndex) {
System.out.println(el);
}
}
}
更优算法
data:image/s3,"s3://crabby-images/dce2a/dce2a8eaaf0d5bf389b32c6952ff129e2824f261" alt=""
public static int[] twoSum2(int[] nums, int target) {
Map<Integer, Integer> map = new HashMap<>();
for (int i = 0; i < nums.length; i++) {
int partnerNumber = target - nums[i];
if (map.containsKey(partnerNumber)) {
return new int[]{map.get(partnerNumber), i};
}
map.put(nums[i], i);
}
return null;
}