当前位置:   article > 正文

力扣:两数之和(java)_java的两个int[] 相加

java的两个int[] 相加

题目:给定一个整数数组 nums 和一个整数目标值 target,请你在该数组中找出和为目标值 target  的那 两个 整数,并返回它们的数组下标。

你可以假设每种输入只会对应一个答案。但是,数组中同一个元素在答案里不能重复出现。你可以按任意顺序返回答案。

方法1:暴力解法

枚举两个不同下标 整数 的组合,相加是否等于target

  1. public class Solution {
  2. public int[] twoSum(int[] nums,int target){
  3. for (int i = 0; i < nums.length-1; i++) {
  4. for(int j = i+1; j < nums.length; j++){
  5. if(nums[i] + nums[j] == target){
  6. return new int[]{i,j};
  7. }
  8. }
  9. }
  10. return null;
  11. }
  12. }

时间复杂度:O(n^{^{2}})

空间复杂度:O(1)

方法2:查找表法

以空间换时间

将遍历过的数值和对应的下标记录在表(哈希表,平衡二叉搜索树)中,不需要维护表中元素顺序性,首选哈希表。

  1. public class Solution2 {
  2. public int[] twoSum(int[] nums,int target){
  3. int len = nums.length;
  4. Map<Integer,Integer> hashMap = new HashMap<>(len-1);
  5. hashMap.put(nums[0],0);
  6. for (int i = 1; i < len; i++) {
  7. int another = target-nums[i];
  8. if(hashMap.containsKey(another)){
  9. return new int[]{i,hashMap.get(another)};
  10. }
  11. hashMap.put(nums[i],i);
  12. }
  13. return null;
  14. }
  15. }

时间复杂度:O(n)

空间复杂度:O(n)

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/神奇cpp/article/detail/978407
推荐阅读
相关标签
  

闽ICP备14008679号