最近我一直在試圖學習遞歸算法,並且我遇到了一個死衚衕。給定一定數量的列表,其中每個列表表示從一個商店到所有其他商店所需的時間,以及包含時間間隔序列的列表,是否有一種方法可以找到使用遞歸的商店之間的所有可能路線?在python中查找約束列表中的所有組合
例如
list_of_shops = [shop1, shop2, shop3, shop4]
# Index for this list and the one below are the same
list_of_time_it_takes = [[0, 2, 1, 4], [2, 0, 1, 4], [2, 1, 0, 4], [1, 2, 3, 0]]
# the 0 indicates the index of the shop. It takes 0 minutes to reach the shop from itself.
list_of_time_intervals = [0, 2, 2]
商店只能訪問一次。我們可以看到,3個店都以2個分鐘的間隔被訪問和可能的途徑是:
shop4> SHOP2> shop1
shop3> shop1> SHOP2
所以我試圖解決上面使用下面的代碼所需的輸出問題:
shops = [[0, 2, 1, 4, 9], [2, 0, 1, 4, 9], [2, 1, 0, 4, 9], [1, 2, 3, 0, 11], [3, 6, 16, 4, 0]]
times = [0, 2, 2, 4, 11]
list_of_shops = ['shop0', 'shop1', 'shop2', 'shop3', 'shop4']
index_dict = {}
def function(shops_input, times_input, i, index_list):
#print("given i = ", i)
#print("given shops = ", shops_input)
#print("given times = ", times_input)
shops_copy, times_copy = shops_input[:], times_input[:]
pop = times_copy.pop(0)
#print("obtained pop = ", pop)
if shops[i] in shops_copy:
index_list.append(shops.index(shops[i]))
shops_copy.pop(shops_copy.index(shops[i]))
if len(index_list) == len(times):
index_dict[list_of_shops[index_list[0]]] = index_list
print(index_list)
print(index_dict)
if len(times_copy):
try:
function(shops_copy, times_copy, shops[i].index(times_copy[0]), index_list)
except ValueError:
return
def main_function(shops, times):
for i in range(len(shops)):
function(shops, times, i, [])
print("---------end funct---------")
main_function(shops, times)
而且它在某些情況下工作,但肯定不是在所有情況下。它應該給我所有可能的路線基於給定的時間間隔,但是,它似乎並沒有在很多情況下工作。
例如,如果我改變商店和時間:
shops = [[0,1,1,1],[1,0,1,1],[1,1,0,1],[1,1,1,0]]
times = [0, 1, 1]
它給出的2個possiblities的輸出 - >開始從SHOP2 = [2,0,1]和 - >從shop3 =起始[3 ,0,1]。有什麼辦法可以讓我的算法有效嗎?
謝謝!我理解樹結構的基礎知識,但是我從未與他們合作過。有沒有辦法使用您提供的解決方案來獲得我可以使用的可能路線的可重用表示?例如,一個包含起始點作爲關鍵字的字典,以及作爲鍵值的所有從該點開始的路線?我在問,因爲這是需要使用這些值的稍大項目的一部分。 非常感謝! – 2015-04-03 05:53:58
ofcourse你可以,你只需要輸出,並將其轉換成你想要的。我會爲你離開那個挑戰:) – fceruti 2015-04-03 06:35:03
我就在那上面!順便說一下,是否有一種簡單的設置方法,以避免算法中出現重複?例如,如果我想排除shop1 - > shop2 - > shop1類型的路由。或者這樣做效率不高? – 2015-04-03 06:38:52