aboutsummaryrefslogtreecommitdiff
path: root/challenge-093/abigail/perl/ch-2.pl
blob: cb5fe45311020112f2ad1f3baac5e9bded6afcb6 (plain)
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
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
#!/opt/perl/bin/perl

use 5.032;

use strict;
use warnings;
no  warnings 'syntax';

use experimental 'signatures';
use experimental 'lexical_subs';

my $LEFT  = 0;
my $NODE  = 1;
my $RIGHT = 2;

#
# Recursively calculate the "tree sum". sum_tree returns a tuple:
#    - $sum:   The sum tree of the tree
#    - $paths: The number of possible paths
#
sub sum_tree ($tree) {
    return (0, 0) unless @$tree;  # Empty tree

    #
    # Recurse
    #
    my ($s_l, $p_l) = sum_tree ($$tree [$LEFT]);
    my ($s_r, $p_r) = sum_tree ($$tree [$RIGHT]);

    #
    # The number of paths is the sum of the number of paths of each
    # child, or 1 if both childs are empty.
    # The sum is the sum of the tree sums of both children, plus the
    # value of the node itself, times the number of paths.
    #
    my $paths = ($p_l + $p_r) || 1;
    my $sum   =  $s_l + $s_r + $paths * $$tree [$NODE];

    ($sum, $paths);
}

#
# Did not want to parse the input, as two examples are not enough
# to deduce how the input looks like -- for instance, if we have
# a root with two children, which each has two children, how is
# it going to look? 
#
# So, we're just hard coding the two examples. Blech.
#

my $leaf = [];

#
# Tree from example 1
#
my $t1_3 = [$leaf, 3, $leaf];
my $t1_4 = [$leaf, 4, $leaf];
my $t1_2 = [$t1_3, 2, $t1_4];
my $t1_1 = [$t1_2, 1, $leaf];

#
# Tree from example 2
#
my $t2_4 = [$leaf, 4, $leaf];
my $t2_2 = [$t2_4, 2, $leaf];
my $t2_5 = [$leaf, 5, $leaf];
my $t2_6 = [$leaf, 6, $leaf];
my $t2_3 = [$t2_5, 3, $t2_6];
my $t2_1 = [$t2_2, 1, $t2_3];

say +(sum_tree $t1_1) [0];
say +(sum_tree $t2_1) [0];

__END__