わかりました、これは私の好奇心を刺激したので、単純な悪さヒューリスティックを使用して動的計画法アルゴリズムを作成しましたabs(num_words - avg_words)**3
。どんなヒューリスティックでも動作するはずです。出力例は次のとおりです。
>>> section_words = [100, 100, 100, 100, 100, 100, 40000, 100, 100, 100, 100]
>>> def heuristic(num_words, avg):
... return abs(num_words - avg)**3
...
>>> print_solution(solve(section_words, heuristic, 3))
Total=41000, 3 readings, avg=13666.67
Reading #1 ( 600 words): [100, 100, 100, 100, 100, 100]
Reading #2 (40000 words): [40000]
Reading #3 ( 400 words): [100, 100, 100, 100]
>>> print_solution(solve(section_words, heuristic, 5))
Total=41000, 5 readings, avg=8200.00
Reading #1 ( 300 words): [100, 100, 100]
Reading #2 ( 300 words): [100, 100, 100]
Reading #3 (40000 words): [40000]
Reading #4 ( 200 words): [100, 100]
Reading #5 ( 200 words): [100, 100]
>>> section_words = [7, 300, 242, 100, 115, 49, 563,
1000, 400, 9, 14, 300, 200, 400,
500, 200, 10, 19, 1876, 100, 200,
15, 59, 299, 144, 85, 400, 600, 534, 200, 143, 15]
>>> print_solution(solve(section_words, heuristic, 10))
Total=9098, 10 readings, avg=909.80
Reading #1 ( 649 words): [7, 300, 242, 100]
Reading #2 ( 727 words): [115, 49, 563]
Reading #3 ( 1000 words): [1000]
Reading #4 ( 723 words): [400, 9, 14, 300]
Reading #5 ( 600 words): [200, 400]
Reading #6 ( 729 words): [500, 200, 10, 19]
Reading #7 ( 1876 words): [1876]
Reading #8 ( 902 words): [100, 200, 15, 59, 299, 144, 85]
Reading #9 ( 1000 words): [400, 600]
Reading #10 ( 892 words): [534, 200, 143, 15]
>>> print_solution(solve(section_words, heuristic, 5))
Total=9098, 5 readings, avg=1819.60
Reading #1 ( 2376 words): [7, 300, 242, 100, 115, 49, 563, 1000]
Reading #2 ( 2023 words): [400, 9, 14, 300, 200, 400, 500, 200]
Reading #3 ( 1905 words): [10, 19, 1876]
Reading #4 ( 1302 words): [100, 200, 15, 59, 299, 144, 85, 400]
Reading #5 ( 1492 words): [600, 534, 200, 143, 15]
>>> print_solution(solve(section_words, heuristic, 3))
Total=9098, 3 readings, avg=3032.67
Reading #1 ( 3099 words): [7, 300, 242, 100, 115, 49, 563, 1000, 400, 9, 14, 300]
Reading #2 ( 3205 words): [200, 400, 500, 200, 10, 19, 1876]
Reading #3 ( 2794 words): [100, 200, 15, 59, 299, 144, 85, 400, 600, 534, 200, 143, 15]
これがコードです。ただし、良い練習のために自分で実装することをお勧めします!
サブ問題は次のとおりです。セクションを読み値でR(n, i, j)
分割することの最も悪い点は何ですか?i
j
n
基本ケースは単純です:
R(1, i, j) = heuristic(num words in sections i thru j, total words / total sections)
次に、再帰のために、残したセクションの数を左右に分割するすべての可能な方法から最適なソリューションを見つけ、そのパーティションを配置するのに最適な場所を見つけます。
R(n, i, j) = the lowest badness out of
R(1, i, i+1) + R(n-1, i+1, j)
R(1, i, i+2) + R(n-1, i+2, j)
...
R(1, i, j-1) + R(n-1, j-1, j)
R(2, i, i+1) + R(n-2, i+1, j)
R(2, i, i+2) + R(n-2, i+2, j)
...
R(2, i, j-1) + R(n-2, j-1, j)
...
...
R(n-1, i, i+1) + R(1, i+1, j)
R(n-1, i, i+2) + R(1, i+2, j)
...
R(n-1, i, j-1) + R(1, j-1, j)
病的なケースは、セクションよりも多くの読み取り値がある場合です。
R(n, i, j) = infinity if n > j-i
ソリューションを構築してn=1
いきj-i = 1
ますi=0
。
最終的に 5 つの入れ子になった for ループを持つことになるので、可能な限り効率的かどうかはわかりませんが、うまくいくようです。