File size: 1,084 Bytes
c4b0eef
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
/*
   dynamic programming
   difficulty: easy
   date: 25/Jan/2020 
   by: @brpapa
*/
//! essa solução está horrível (mas passou), seria melhor considerar como estado os indices (0 à N-1) dos gravetos atuais. Ao considerar o segmento como estado a matriz memo não é completamente usada e há um scan O(N) desnecessário em cada estado
#include <bits/stdc++.h>
#define ll long long
#define INF (ll)(1 << 30)
using namespace std;

vector<int> cuts;

ll memo[1010][1010];
ll dp(int l, int r) {
   ll &ans = memo[l][r];
   if (ans != -1) return ans;

   ans = INF;
   for (int cut : cuts)
      if (cut > l && cut < r)
         ans = min(ans, (ll) r-l + dp(cut, r) + dp(l, cut));

   if (ans == INF)  // nao tem corte no intervalo [l .. r]
      ans = 0ll;    // caso base
      
   return ans;
}

int main() {
   while (true) {
      int len; cin >> len;
      if (len == 0) return 0;
   
      int N; cin >> N;
      cuts.resize(N);
      for (int &cut : cuts) cin >> cut;

      memset(memo, -1ll, sizeof memo);
      printf("The minimum cutting is %ld.\n", dp(0, len));
   }
}