Nel risolvere di projecteuler.net problema # 31 [SPOILER AVANTI] (contando il numero di modi per fare 2 £ con le monete britanniche), ho voluto usare programmazione dinamica. Ho iniziato con OCaml, e ha scritto il corto e molto efficiente seguente programmazione:Utilizzo della programmazione dinamica in Haskell? [Warning: Project Euler 31 soluzione all'interno]
open Num
let make_dyn_table amount coins =
let t = Array.make_matrix (Array.length coins) (amount+1) (Int 1) in
for i = 1 to (Array.length t) - 1 do
for j = 0 to amount do
if j < coins.(i) then
t.(i).(j) <- t.(i-1).(j)
else
t.(i).(j) <- t.(i-1).(j) +/ t.(i).(j - coins.(i))
done
done;
t
let _ =
let t = make_dyn_table 200 [|1;2;5;10;20;50;100;200|] in
let last_row = Array.length t - 1 in
let last_col = Array.length t.(last_row) - 1 in
Printf.printf "%s\n" (string_of_num (t.(last_row).(last_col)))
Esegue in ~ 8ms sul mio portatile. Se aumento l'importo da 200 pence a un milione, il programma trova ancora una risposta in meno di due secondi.
Ho tradotto il programma per Haskell (che non era sicuramente divertente in sé), e anche se termina con la risposta giusta per 200 pence, se aumentare quel numero a 10000, il mio computer portatile viene a una brusca frenata (un sacco di thrashing). Ecco il codice:
import Data.Array
createDynTable :: Int -> Array Int Int -> Array (Int, Int) Int
createDynTable amount coins =
let numCoins = (snd . bounds) coins
t = array ((0, 0), (numCoins, amount))
[((i, j), 1) | i <- [0 .. numCoins], j <- [0 .. amount]]
in t
populateDynTable :: Array (Int, Int) Int -> Array Int Int -> Array (Int, Int) Int
populateDynTable t coins =
go t 1 0
where go t i j
| i > maxX = t
| j > maxY = go t (i+1) 0
| j < coins ! i = go (t // [((i, j), t ! (i-1, j))]) i (j+1)
| otherwise = go (t // [((i, j), t!(i-1,j) + t!(i, j - coins!i))]) i (j+1)
((_, _), (maxX, maxY)) = bounds t
changeCombinations amount coins =
let coinsArray = listArray (0, length coins - 1) coins
dynTable = createDynTable amount coinsArray
dynTable' = populateDynTable dynTable coinsArray
((_, _), (i, j)) = bounds dynTable
in
dynTable' ! (i, j)
main =
print $ changeCombinations 200 [1,2,5,10,20,50,100,200]
Mi piacerebbe sentire da qualcuno che conosce Haskell bene perché le prestazioni di questa soluzione è poi così male.
FWIW, se fossi scrivendo questo da zero in Haskell, avrei fatto qualcosa di molto più vicino alla risposta di @ augustss di Daniel. – luqui
questo avrebbe potuto essere fatto in modo più efficiente usando solo liste e pieghe giuste. vedi http://stackoverflow.com/questions/36699695 –