赞
踩
题目:给定一个整数数组 nums 和一个整数目标值 target,请你在该数组中找出和为目标值 target 的那 两个 整数,并返回它们的数组下标。
你可以假设每种输入只会对应一个答案。但是,数组中同一个元素在答案里不能重复出现。你可以按任意顺序返回答案。
方法1:暴力解法
枚举两个不同下标 整数 的组合,相加是否等于target
- public class Solution {
- public int[] twoSum(int[] nums,int target){
- for (int i = 0; i < nums.length-1; i++) {
- for(int j = i+1; j < nums.length; j++){
- if(nums[i] + nums[j] == target){
- return new int[]{i,j};
- }
- }
- }
- return null;
- }
- }
时间复杂度:
空间复杂度:
方法2:查找表法
以空间换时间
将遍历过的数值和对应的下标记录在表(哈希表,平衡二叉搜索树)中,不需要维护表中元素顺序性,首选哈希表。
- public class Solution2 {
- public int[] twoSum(int[] nums,int target){
- int len = nums.length;
- Map<Integer,Integer> hashMap = new HashMap<>(len-1);
- hashMap.put(nums[0],0);
- for (int i = 1; i < len; i++) {
- int another = target-nums[i];
- if(hashMap.containsKey(another)){
- return new int[]{i,hashMap.get(another)};
- }
- hashMap.put(nums[i],i);
- }
- return null;
- }
- }
时间复杂度:
空间复杂度:
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。