1. Two Sum:关于引用和hash table的思考
程序员文章站
2022-07-15 14:22:30
...
问题描述:
Given an array of integers, return indices of the two numbers such that they add up to a specific target.You may assume that each input would have exactly one solution, and you may not use the same element twice.
Example:
Given nums = [2, 7, 11, 15], target = 9,
Because nums[0] + nums[1] = 2 + 7 = 9,
return [0, 1].
c++解决:
class Solution {
public:
vector<int> twoSum(vector<int>& nums, int target) {
vector<int> a(2);
for(int i=0;i<nums.size();i++)
for(int j=i+1;j<nums.size();j++)
if(nums[i]+nums[j]==target)
{
a[0]=i;
a[1]=j;
return a;
}
return a;
}
};
时间复杂度 O(n^2)
- c++引用的作用?
答:c中有传值和传址两种方式。传值方式,函数调用过程中生成一个临时变量的形参,把实参的值传递给形参,实参的值在过程中不会被改变。而传址方式会可以改变实参的值。因为指针不安全,c++中引入了“引用”这一概念。
引用就是给对象起了个别名,编译器不会为对象开辟新的内存空间,原变量和引用公用一块内存空间。 - 引用和指针的区别
引用必须初始化,没有空引用,只有空指针。
int**
int&&右值引用 - 什么是左值,什么是右值?
左值:有地址空间,可被引用的数据对象。可以取地址。
int s=10;
int &n=s;
右值:只有临时地址。不可以取地址。
int &&n=10;
a++是先取出持久对象a的一份拷贝,再使持久对象a的值加1,最后返回那份拷贝,而那份拷贝是临时对象(不可以对其取地址),故其是右值;
++a则是使持久对象a的值加1,并返回那个持久对象a本身(可以对其取地址),故其是左值;
java解决方案:
//时间复杂度O(N),空间复杂度O(n)
public int[] twoSum(int[] nums, int target) {
Map<Integer, Integer> map = new HashMap<>();
for (int i = 0; i < nums.length; i++) {
int complement = target - nums[i];
if (map.containsKey(complement)) {
return new int[] { map.get(complement), i };
}
map.put(nums[i], i);
}
throw new IllegalArgumentException("No two sum solution");
}
java中的内存机制。
1.栈内存和堆内存
栈:存放局部变量。
堆:储存程序员申请的内存空间。也就是new出来的空间。
2.关于HashMap的时间复杂度O(1)的思考
最理想情况西hashmao时间复杂度为O(1),如果太差时间复杂度为O(n).
常用数据结构的时间复杂度
Data Structure | Add | Find | Delete | GetByIndex |
---|---|---|---|---|
Array (T[]) | O(n) | O(n) | O(n) | O(1) |
Linked list (LinkedList<T>) | O(1) | O(n) | O(n) | O(n) |
Resizable array list (List<T>) | O(1) | O(n) | O(n) | O(1) |
Stack (Stack<T>) | O(1) | - | O(1) | - |
Queue (Queue<T>) | O(1) | - | O(1) | - |
Hash table (Dictionary<K,T>) | O(1) | O(1) | O(1) | - |
Tree-based dictionary(SortedDictionary<K,T>) | O(log n) | O(log n) | O(log n) | - |
Hash table based set (HashSet<T>) | O(1) | O(1) | O(1) | - |
Tree based set (SortedSet<T>) | O(log n) | O(log n) | O(log n) | - |
上一篇: 字符串哈希[hash模板]
下一篇: 12.17日学习总结