国内某金融技术公司笔试题2020年
程序员文章站
2022-05-06 20:37:42
...
差不多一个半小时五道题。最后一道题没有看懂。直接上前四道题。虽然是场景题,但是所用到的算法基本都是剑指offer原题。但是在输入输出上面有点变化,主要是细节处理哦!
第一题
数组中有一个数字出现的次数超过数组长度的一半,请找出这个数字。例如输入一个长度为9的数组{1,2,3,2,2,2,5,4,2}。由于数字2在数组中出现了5次,超过数组长度的一半,因此输出2。如果不存在则输出0。
利用排序算法,因为这个数字的出现次数超过数组长度的一半,所以排序之后,中间的数必定为答案:
int majorityElement(vector<int>& nums) {
sort(nums.begin(), nums.end());
return nums[nums.size() / 2];
}
第二题
这个思路是将整个数组排序,然后取出前k个数据就可以了,这个算法的时间复杂度为nlog(n),这里展示快速排序。代码如下:
出题人在输出上面还挖了一个坑,需要用 reversed函数输出。
def partition(alist, start, end):
if end <= start:
return
base = alist[start]
index1, index2 = start, end
while start < end:
while start < end and alist[end] >= base:
end -= 1
alist[start] = alist[end]
while start < end and alist[start] <= base:
start += 1
alist[end] = alist[start]
alist[start] = base
partition(alist, index1, start - 1)
partition(alist, start + 1, index2)
def find_least_k_nums(alist, k):
length = len(alist)
if not alist or k <=0 or k > length:
return None
start = 0
end = length - 1
partition(alist, start, end)
return alist[:k]
第三题:股票最大收益问题
计算差值: 后一天的价格 - 前一天的价格
def maxProfit(list1):
dict1={}
if len(list1)<=1:
print('无收益')
else:
for i in range(len(list1)):
if i>=len(list1)-1:
break
else:
if list1[i+1]-list1[i]>0:
dict1[list1[i+1]-list1[i]]=[list1[i+1],list1[i]]
for key,values in dict1.items():
print('%s买入,%s卖出,收益:%s'%(values[0],values[1],key))
print('最大收益:',sum(dict1.keys()))
第四题:最长公共子序列
思路:动态规划
def LCS(string1,string2):
len1 = len(string1)
len2 = len(string2)
res = [[0 for i in range(len1+1)] for j in range(len2+1)]
for i in range(1,len2+1):
for j in range(1,len1+1):
if string2[i-1] == string1[j-1]:
res[i][j] = res[i-1][j-1]+1
else:
res[i][j] = max(res[i-1][j],res[i][j-1])
return res,res[-1][-1]
上一篇: scrapy初探:写一个简单的爬虫
推荐阅读