我正在尝试在python中自学一些排序算法,我在输出方面遇到了一些麻烦。我正在尝试实施一种计数排序算法,我已经做到了这一点:
def counting_sort(l):
nums = l
highest = max(nums) + 1
helper_list = [0] * highest
s_list = []
for i in range(len(nums)):
value = nums[i]
helper_list[value] += 1
for j in range(len(helper_list)):
s_list.append([j] * helper_list[j])
return s_list
一切都几乎很好,但是当我提供诸如[5, 2, 2, 3, 1, 2]
之类的输入时。
我得到的结果如下:[[], [1], [2, 2, 2], [3], [5]]
。
答案 0 :(得分:1)
您只需更改“延伸”的“附加”即可。 append函数在列表中添加一个元素,在本例中为另一个列表。 extend函数将列表与作为参数给出的列表连接起来。
您的功能应如下所示:
def counting_sort(elements):
highest = max(elements) + 1
helper_list = [0] * highest
s_list = []
for value in elements:
helper_list[value] += 1
for j in range(len(helper_list)):
s_list.extend([j] * helper_list[j])
return s_list
答案 1 :(得分:0)
问题在于:
s_list.append([j] * helper_list[j])
这表示要将一个列表([j]*helper_list[j]
)附加到s_list
,将该列表添加为新的元素或s_list
。
相反,您希望在另一个列表中添加一个列表,这可以这样做:
s_list.append += ([j] * helper_list[j])
答案 2 :(得分:0)
def counting_sort(unordered_list, k, desc=False):
'''
unordered_list is the input array to be sorted.
k is the range of non-negative key values.
desc lets the algorithm to sort the array in descending order.
time complexity is the sum of the times for two steps, O(n + k).
'''
count_list = [0] * k
for element in unordered_list:
count_list[element] += 1
if desc:
enumerator = reversed(list(enumerate(count_list)))
else:
enumerator = enumerate(count_list)
sorted_list = []
for idx, count in enumerator:
sorted_list += [idx] * count
return sorted_list