C#算法之两数之和
程序员文章站
2022-03-13 17:02:59
题目给定一个整数数组nums和一个目标值target,请你在该数组中找出和为目标值的那两个整数,并返回他们的数组下标。你可以假设每种输入只会对应一个答案。但是,你不能重复利用这个数组中同样的元素。示例...
题目
给定一个整数数组 nums
和一个目标值 target
,请你在该数组中找出和为目标值的那 两个 整数,并返回他们的数组下标。
你可以假设每种输入只会对应一个答案。但是,你不能重复利用这个数组中同样的元素。
示例:
给定 nums = [2, 7, 11, 15], target = 9
因为 nums[0] + nums[1] = 2 + 7 = 9
所以返回 [0, 1]
提示:不能自身相加。
测试用例
[2,7,11,15]
9
预期结果
[0,1]
格式模板
public class solution { public int[] twosum(int[] nums, int target) { /* 代码 */ } }
笔者的代码,仅供参考
使用暴力方法,运行时间 700ms-1100ms
public class solution { public int[] twosum(int[] nums, int target) { int [] a = new int[2]; for (int i = 0; i < nums.length - 1; i++) { for (int j = i + 1; j < nums.length; j++) { if (nums[i] + nums[j] == target) { a[0] = i; a[1] = j; } } } return a; } }
运行时间 400ms-600ms
由于使用的是哈希表,所以缺点是键不能相同。
public class solution { public int[] twosum(int[] nums, int target) { int[] a = new int[2]; system.collections.hashtable hashtable = new system.collections.hashtable(); for(int i = 0; i < nums.length; i++) { hashtable.add(nums[i], i); } for(int i = 0; i < nums.length; i++) { int complement = target - nums[i]; if (hashtable.containskey(complement) && int.parse(hashtable[complement].tostring())!=i) { a[0] = i; a[1] = int.parse(hashtable[complement].tostring()); } } return a; } }
还是哈希表,缺点是哈希表存储的类型是object,获取值时需要进行转换。
public int[] twosum(int[] nums, int target) { int[] a = new int[2]; system.collections.hashtable h = new system.collections.hashtable(); for (int i = 0; i < nums.length; i++) { int c = target - nums[i]; if (h.containskey(c)) { a[0] = int.parse(h[c].tostring()) <= nums[i] ? int.parse(h[c].tostring()) : i; a[1] = int.parse(h[c].tostring()) > nums[i] ? int.parse(h[c].tostring()) : i; } else if (!h.containskey(nums[i])) { h.add(nums[i], i); } } return a; }
抄一下别人的
public class solution { public int[] twosum(int[] nums, int target) { int[] res = {0, 0}; int len = nums.length; dictionary<int, int> dict = new dictionary<int, int>(); for (int i = 0; i < len; i++) { int query = target - nums[i]; if (dict.containskey(query)) { int min = (i <= dict[query]) ? i : dict[query]; int max = (i <= dict[query]) ? dict[query] : i; return new int[] { min, max }; } else if (!dict.containskey(nums[i])) { dict.add(nums[i], i); } } return res; } }
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持。