这篇文章介绍了C#算法之两数之和,文中通过示例代码介绍的非常详细。对大家的学习或工作具有一定的参考借鉴价值,需要的朋友可以参考下
题目
给定一个整数数组 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;
}
}
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持得得之家。
沃梦达教程
本文标题为:C#算法之两数之和
基础教程推荐
猜你喜欢
- linux – 如何在Debian Jessie中安装dotnet core sdk 2023-09-26
- 一个读写csv文件的C#类 2022-11-06
- ZooKeeper的安装及部署教程 2023-01-22
- C#控制台实现飞行棋小游戏 2023-04-22
- unity实现动态排行榜 2023-04-27
- C# 调用WebService的方法 2023-03-09
- C# windows语音识别与朗读实例 2023-04-27
- winform把Office转成PDF文件 2023-06-14
- C#类和结构详解 2023-05-30
- C# List实现行转列的通用方案 2022-11-02