1. 完全二叉树部分后续遍历
题目表述:
输入: 1 2 3 4 5 6 7
输出: 2 3 1
示例代码:
# 测试数据
test_data = [1,2,3,4,5,6,7]
# 找出非叶子节点
new_list = []
for i in test_data:left = 2 * iright = left + 1if left in test_data or right in test_data:new_list.append(i)
# 遍历二叉树
# 根元素
cur_ele = 1
res = []def tree(root,ele_list):# 后续遍历: 左 -> 右 -> 根left = root * 2if left in ele_list:tree(left,ele_list)right = left + 1if right in ele_list:tree(right,ele_list)res.append(root)tree(cur_ele,new_list)
print(res)
2. 猜密码
题目描述:
小杨申请了一个保密柜,但是他忘记了密码。只记得密码都是数字,
而且所有数字都是不重复的。请你根据他记住的数字范围和密码的最
小数字数量,帮他算下有哪些可能的组合,规则如下:
1、输出的组合都是从可选的数字范围中选取的,且不能重复;
2、输出的密码数字要按照从小到大的顺序排列,密码组合需要按照
字母顺序,从小到大的顺序排序。
3、输出的每一个组合的数字的数量要大于等于密码最小数字数量;
4、如果可能的组合为空,则返回“None”
示例:
输入:2,3,42
输出:2,32,3,42,43,4
算法参考下图:
示例代码:
# 测试数据
test_data = [2,3,4,5]
test_num = 2def fun(s_list,num):# 密码长度为1if num == 1:for _ in s_list:tmp = []tmp.append(_)print(tmp)# 密码长度大于2start = 0while start < len(s_list) - 1:end = start + (num - 2)while end < len(s_list) - 1:last = end + 1while last < len(s_list):tmp = s_list[start:end+1]tmp.append(s_list[last])print(tmp)last += 1end += 1start += 1
fun(test_data,test_num)
3. 五子棋谜
题目描述:
张兵和王武是五子棋迷,工作之余经常切磋棋艺。这不,这会儿又下
起来了。走了一会儿,轮张兵了,对着一条线思考起来了,这条线上
的棋子分布如下:
用数组表示: -1 0 1 1 1 0 1 0 1 -1
棋子分布说明:1. -1代表白子,0代表空位,1 代表黑子2. 数组长度L, 满足 1 < L < 40, 且L为奇数
你得帮他写一个程序,算出最有利的出子位置。 最有利定义:1. 找到一个空位(0),用棋子(1/-1)填充该位置,可以使得当前子的最大连续长度变大;2. 如果存在多个位置,返回最靠近中间的较小的那个坐标;3. 如果不存在可行位置,直接返回-1;4. 连续长度不能超过5个(五字棋约束);
示例:
输入:1-1 0 1 1 1 0 1 0 1 -1 1
输出:2
算法参考下图:
示例代码:
from math import fabsdef fun(s_list,ele):start = 0end = len(s_list) - 1pos = startpos_list = []cur_pos = -1while pos <= end:if s_list[pos] == 0:left = posright = poswhile right - left <= 4 and left >= start and right <= end:before_left = leftbefore_right = rightif left != 0 and s_list[left - 1] == ele:left -= 1if right != end and s_list[right + 1] == ele:right += 1if left == before_left and right == before_right:break;if right - left >= cur_long and right != left:cur_pos = poscur_long = right - leftpos_list.append(cur_pos)pos += 1if cur_pos == -1:return cur_poselse:middle_pos = pos_list[0]middle_length = len(s_list) / 2for pos in pos_list:if fabs(pos - middle_length) <= fabs(middle_pos - middle_length):middle_pos = posreturn middle_pos
test_data = [-1, 0, 1, 1, 1, 0, 1, 0, 1, -1, 1]
fun(test_data,1)