Torgny's Perl Weekly Challenge Blog

The Weekly Challenge

This is where I post my solutions to The Weekly Challenge and try to write a bit about the problems.


Week 342 - Balance String & Max Score

Fri Oct 10 16:57:44 CEST 2025

I made use of the little script that I wrote last week and again genrated five test cases for each of the tasks. So far, the script works.

The first task can be seen as a matter of interleaving letters and digits. The core module List::Util provides two functions, zip() and mesh() for interleaving elements from two lists. Hence, I start by separating the letters and digits of the input string into two lists, sorting them along the way in order to eventually return the lexicographically smallest string, and then use mesh to interleave the two lists.

Now, there are three possible cases for forming strings so that no letter is followed by a letter and no digit by a digit:

  1. There is an equal number of digits and letters. In this case, the string should start with a digit, since digits are lexicographically smaller than letters.
  2. There is one more digit than letters. In this case, the string must start with a digit in order to not have a string where a digit follows a digit at the end.
  3. There is one more letter than digits. Like in the previous case, the string must start with a letter in order to not have a string where a letter follows a letter.

All other cases makes it impossible to form a valid string.

The mesh() function will insert undef when it runs out of elements from one list, so for cases (2) and (3), I use grep to filter out out those in order not to screw up the string.

Notice that it would be possible to deal with the first case in the same way as the second and get the same result, but for clarity, I will keep them separate.


        #!/usr/bin/perl

        use v5.36;

        use Test::More tests => 5;

        use List::Util qw(mesh);

        sub balance_string {
            my @letters = sort $_[0] =~ /[a-z]/g;
            my @digits  = sort $_[0] =~ /\d/g;
            if (@digits == @letters) {
                return join q{}, mesh \@digits, \@letters;
            } elsif (@digits == @letters + 1) {
                return join q{}, grep { defined } mesh \@digits, \@letters;
            } elsif (@letters == @digits + 1) {
                return join q{}, grep { defined } mesh \@letters, \@digits;
            }
            q{};
        }

        is(balance_string("a0b1c2"),  "0a1b2c");
        is(balance_string("abc12"),   "a1b2c");
        is(balance_string("0a2b1c3"), "0a1b2c3");
        is(balance_string("1a23"),    q{});
        is(balance_string("ab123"),   "1a2b3");
        

For the second task, List::Util comes to the rescue again with its max() function.

Working from the end of the function, I generate a list of points to split the string at, and then map over those points to create two substrings for which I use assignment to empty lists to get the numbers of zeros and ones respectively in the strings. Adding those two numbers gives the score of the substrings, and max() determines which score is the maximum.


        #!/usr/bin/perl

        use v5.36;

        use Test::More tests => 5;

        use List::Util qw(max);

        sub get_max_score {
            max map {
                (() = substr($_[0], 0, $_) =~ /0/g) + (() = substr($_[0], $_) =~ /1/g)
            } 1..(length($_[0]) - 1);
        }

        is(get_max_score("0011"),   4);
        is(get_max_score("0000"),   3);
        is(get_max_score("1111"),   3);
        is(get_max_score("0101"),   3);
        is(get_max_score("011101"), 5);
        

Week 341 - Broken Keyboard & Reverse Prefix

Wed Oct 1 21:26:37 CEST 2025

This week, I made a stupid little script for generating boilerplate test suites given the example inputs and outputs on the weekly web page. It will probably break soon (hashes, for example), but it saves me some copying and pasting for now. Running ./makepwc 341 gives me the two files ch-1.pl and ch-2.pl containing five test cases each and a function ready to be worked on.

For the first task this week, I would like to throw out a question to you Perl experts. As you can see, I use two nested greps to filter out the words that contain broken keys, and in the block of the inner grep, I need to access the $_ of both the inner and the outer grep. This is a pattern and a problem that I have come across before, and I solve it here by storing the outer $_ in a variable $word that I can access from the inner block along with the inner grep's $_. However, I have a feeling that there is a prettier way of doing this than saving it to a auxiliary variable. If you know, or have a suggestion, please let me know. I know there are some one-liner masters out there.


        #!/usr/bin/perl

        use v5.36;

        use Test::More tests => 5;

        sub count_words {
            grep {
                my $word = $_;
                ! grep { index($word, $_) >= 0 } @{ $_[1] };
            } split / /, lc $_[0];
        }

        is(count_words('Hello World',          ['d']),        1);
        is(count_words('apple banana cherry',  [ 'a', 'e' ]), 0);
        is(count_words('Coding is fun',        []),           3);
        is(count_words('The Weekly Challenge', [ 'a', 'b' ]), 2);
        is(count_words('Perl and Python',      ['p']),        1);
        
In the second task, index can be used to find the last character of the prefix, giving two substrings that can be glued together after having reversed the first one.

        #!/usr/bin/perl

        use v5.36;

        use Test::More tests => 5;

        sub reverse_prefix {
            my $i = index($_[0], $_[1]) + 1;
            reverse(substr $_[0], 0, $i) . substr $_[0], $i;
        }

        is(reverse_prefix("programming", "g"), "gorpramming");
        is(reverse_prefix("hello",       "h"), "hello");
        is(reverse_prefix("abcdefghij",  "h"), "hgfedcbaij");
        is(reverse_prefix("reverse",     "s"), "srevere");
        is(reverse_prefix("perl",        "r"), "repl");
        

Lessons learned in Week 339

Sun Sep 28 14:14:22 CEST 2025


Week 339 - Max Diff & Peak Point

Wed Sep 17 19:50:36 CEST 2025

I do not know much about math, but it seems to me that a way of solving the first task for positive integers would be to subtract the product of the two smallest numbers from the product of the two largest numbers. I base this on the assumption that the two smallest numbers will form the smallest product, and that the two largest number will form the largest product, but I cannot prove that such is the case. If the assumption holds, the problem can be solved by sorting the integers and performing the operation using the two first and the two last elements of the resulting list. I guess that throwing in an abs() will solve the problem for combinations of negative and positive integers, thanks to some …tive property, but I have not thought too much about it.


        #!/usr/bin/perl

        use v5.42;

        use Test::More tests => 5;

        sub find_max_diff {
            my @ints = sort { $b <=> $a } map { abs } @_;
            $ints[0] * $ints[1] - $ints[$#ints] * $ints[$#ints - 1];
        }

        is(find_max_diff(5, 9, 3, 4, 6),   42);
        is(find_max_diff(1, -2, 3, -4),    10);
        is(find_max_diff(-3, -1, -2, -4),  10);
        is(find_max_diff(10, 2, 0, 5, 1),  50);
        is(find_max_diff(7, 8, 9, 10, 10), 44);
        
The second task can be solved by using map to convert the gains to altitudes and then getting the maximum altitude. The initial altitude of 0 has to be accounted for in order to handle cases were the altitude never exceeds the starting altitude.

        #!/usr/bin/perl

        use v5.42;

        use Test::More tests => 5;

        use List::Util qw(max);

        sub find_peak_gain {
            my $altitude;
            max(0, map { $altitude += $_ } @_);
        }

        is(find_peak_gain(-5, 1, 5, -9, 2),    1);
        is(find_peak_gain(10, 10, 10, -25),    30);
        is(find_peak_gain(3, -4, 2, 5, -6, 1), 6);
        is(find_peak_gain(-1, -2, -3, -4),     0);
        is(find_peak_gain(-10, 15, 5),         10);
        
A neater solution could be constructed by calling in another List::Util function.

        use List::Util qw(max reductions);

        sub find_peak_gain {
            max(reductions { $a + $b } 0, @_);
        }
        
Now I would like to write a little script that converts the examples of the weekly challenge into Test::More test suite boilerplates.

Week 301 - Largest Number & Hamming Distance

Tue Dec 24 21:40:07 CET 2024

The first task shows what a convenient language Perl is when it comes to treating numerical data as text whenever needed. The problem of forming the largest number is almost a matter of sorting the numbers as strings in descending order and then gluing them together in one long string. Almost, because a problem arises whenever a number coincides with the first part of another number:

Input values Desired order Sorted by { $b cmp $a }
3, 32 3, 32 32, 3
3, 33 doesn't matter 33, 3
3, 34 34, 3 34, 3
Using the number 3 in combination with 32, 33 and 34 as an example, it is clear why sorting the numbers as strings does not work.

One way of getting the sorting order right is by extending the shorter number with it's last digit and then use that number in the comparison:

Input values Desired order Extended Sorted by { $b cmp $a }
3, 32 3, 32 33, 32 33, 32
3, 33 doesn't matter 33, 33 33, 331
3, 34 34, 3 33, 34 34, 33
1 Or the other way around.

A function that extends a number to make it the same length as another number is used in the sorting operation and then the sorted numbers are pasted together to form the final result:


        #!/usr/bin/perl

        use v5.40;

        use Test::More tests => 2;

        use List::Util qw(max);

        sub form_largest {
            join q{}, sort { extend($b, $a) cmp extend($a, $b) } @_;
        }

        sub extend {
            $_[0] . (substr($_[0], -1) x (max(length($_[1]) - length($_[0]), 0)));
        }

        is(form_largest(20, 3),           320);
        is(form_largest(3, 30, 34, 5, 9), 9534330);
        

The second task is about adding hamming distances for all pairs of numbers in a list. One way of thinking about hamming distances between two numbers is to think of it as the number of binary ones in the result of an exclusive or operation. Here, that counting operation is performed on a string representation, but could have been done using the checksum prefix % of unpack. Apart from that, the task is solved using a function for generating all pairs of numbers, and a function for adding all distances up:


        #!/usr/bin/perl

        use v5.40;

        use Test::More tests => 2;

        use List::Util qw(reduce);

        sub pair {
            @_ == 2 ? [ $_[0], $_[1] ]
                    : ((map { [ $_[0], $_ ] } @_[1..$#_]), pair(@_[1..$#_]));
        }

        sub get_distance {
            grep { $_ == 1 } split //, sprintf "%b", $_[0] ^ $_[1];
        }

        sub add_distances {
            reduce { $a + $b } map { get_distance($_->[0], $_->[1]) } pair(@_);
        }

        is(add_distances(4, 14, 2), 6);
        is(add_distances(4, 14, 4), 4);
        

I am looking forward to learn nifty ways of creating combinations of list elements!


Corrections - Week 289

Thu Oct 3 20:20:55 CEST 2024


Week 289 - Third Maximum & Jumbled Letters

Mon Sep 30 21:14:53 CEST 2024

The first task can be solved with some help from the List::Util module by creating a list of unique integers sorted in descending order and then getting the third element of that list, or the first if it is shorter than three.


        #!/usr/bin/perl

        use v5.40;

        use Test::More tests => 3;

        use List::Util qw(uniq);

        sub get_third_maximum {
            my @l = uniq sort { $b <=> $a } @_;
            return @l > 2 ? $l[2] : $l[0];
        }

        is(get_third_maximum(5, 6, 4, 1), 4);
        is(get_third_maximum(4, 5),       5);
        is(get_third_maximum(1, 2, 2, 3), 1);
        
Again, the List::Util module comes handy for solving the second task where it can be used to shuffle letters.

My first idea was to split the input string on word boundaries and take it from there. Unfortunately, the task's definition of a word is not quite the same as how Perl's \b metasymbol thinks of a word.

Therefore I decided to let the substitution operator do the work of finding words, and then use the /e modifier to jumble the word in the replacement portion of the operator.

Obviously, only words that are four characters or longer need to be considered. Shorter words will appear the same when jumbled.


        #!/usr/bin/perl

        use v5.40;

        use List::Util qw(shuffle);

        my $s = <<END;
        This supposed Cambridge research is unfortunately an urban legend. However,
        the effect has been studied. For example—and with a title that probably
        made the journal’s editor a little nervous—Raeding wrods with jubmled
        lettres: there is a cost by Rayner, White, et. al. looked at reading speed
        and comprehension of jumbled text.
        END

        say $s;
        say $s =~ s/(\pL)(\pL{2,})(\pL)/$1 . (join '', shuffle(split q(), $2)) . $3/reg;
        

Lessons learned in week 288

Mon Sep 30 19:17:42 CEST 2024

It is funny how your mental model influences the way you perceive a problem and it's solution. Every schoolboy knows that a palindrome is something that reads the same backwards as forwards. I know that too, but despite knowing that and despite being equipped with a language which allows me to easily allocate new memory for a reversed string, I treated a palindrome as something whose first half reads the same as it's last half backwards, and created an overly complicated function for checking palindromeness. And no, it didn't even save me from allocating memory.

Good terms to know:


Week 288 - Closest Palindrome & Contiguous Block

Wed Sep 25 21:31:00 CEST 2024

Brute-forcing seems to be a fine way of dealing with the first task. A function to determine whether a string is a palindrome or not comes in handy for finding the previous and next palindromes, and then it is a matter comparing the two the right way around so that the lower is returned, should they be of equal distance from the given integer.


        #!/usr/bin/perl

        use v5.40;

        use Test::More tests => 4;

        sub is_palindrome {
            my $l = length $_[0] / 2;
            return ($l == 0
                    or substr($_[0], 0, $l) eq scalar reverse substr($_[0], -$l));
        }

        sub get_closest_palindrome {
            my ($l, $h) = ($_[0] - 1, $_[0] + 1);
            --$l until is_palindrome($l);
            ++$h until is_palindrome($h);
            return $h - $_[0] < $_[0] - $l ? $h : $l;
        }

        is(get_closest_palindrome(123),  121);
        is(get_closest_palindrome(2),    1);
        is(get_closest_palindrome(1400), 1441);
        is(get_closest_palindrome(1001), 999);
        

Some basic optimization could be added to this algorithm. Given that the previous palindrome has been found, searching for the next could be aborted as soon as it is known that none exists at a closer distance than the previous.

I thought of solving the second task by attaching a piece of data to each cell to indicate which block it belongs so that all cells of a contiguous block are marked with the same block id. Finding the largest block would then be about finding the block id attached to the most number of cells. The only remaining issue is then how to actually assign block ids.

My initial idea was to scan the matrix from top to bottom and left to right and to each cell assign the same block id as the previous cell if they contained the same character. I quickly realized that such an algorithm would have to include a mechanism to join blocks and reassign block ids, making it a bit too complicated.

While I kept the idea of block ids, I choose – instead of scanning – to walk each block and mark each cell in the block using a function that is applied to each unmarked cell (indicated by block id 0) and then recursively to all that cell's neighboring cells that contain the same character and is yet unmarked. The last part is important to avoid ending up in an infinite loop.


        #!/usr/bin/perl

        use v5.40;

        use Test::More tests => 3;

        sub mark_cell {
            my ($matrix, $row, $column, $block) = @_;
            $matrix->[$row][$column][1] = $block;
            if ($row > 0
                    and $matrix->[$row - 1][$column][0] eq $matrix->[$row][$column][0]
                    and $matrix->[$row - 1][$column][1] == 0) {
                mark_cell($matrix, $row - 1, $column, $block);
            }
            if ($column > 0
                    and $matrix->[$row][$column - 1][0] eq $matrix->[$row][$column][0]
                    and $matrix->[$row][$column - 1][1] == 0) {
                mark_cell($matrix, $row, $column - 1, $block);
            }
            if ($row < $#$matrix
                    and $matrix->[$row + 1][$column][0] eq $matrix->[$row][$column][0]
                    and $matrix->[$row + 1][$column][1] == 0) {
                mark_cell($matrix, $row + 1, $column, $block);
            }
            if ($column < $#{ $matrix->[0] }
                    and $matrix->[$row][$column + 1][0] eq $matrix->[$row][$column][0]
                    and $matrix->[$row][$column + 1][1] == 0) {
                mark_cell($matrix, $row, $column + 1, $block);
            }
        }

        sub get_largest_contiguous_block {
            my $matrix = [ map { [ map { [ $_, 0] } @$_ ] } @{$_[0]} ];
            my $block = 1;
            my %sizes;
            foreach my $row (0..$#$matrix) {
                foreach my $column (0..$#{ $matrix->[0] }) {
                    unless ($matrix->[$row][$column][1]) {
                        mark_cell($matrix, $row, $column, $block++)
                    }
                    ++$sizes{ $matrix->[$row][$column][1] };
                }
            }
            return (sort { $b <=> $a } values %sizes)[0];
        }

        my $example1 = [
            [ 'x', 'x', 'x', 'x', 'o' ],
            [ 'x', 'o', 'o', 'o', 'o' ],
            [ 'x', 'o', 'o', 'o', 'o' ],
            [ 'x', 'x', 'x', 'o', 'o' ],
        ];

        my $example2 = [
            [ 'x', 'x', 'x', 'x', 'x' ],
            [ 'x', 'o', 'o', 'o', 'o' ],
            [ 'x', 'x', 'x', 'x', 'o' ],
            [ 'x', 'o', 'o', 'o', 'o' ],
        ];

        my $example3 = [
            [ 'x', 'x', 'x', 'o', 'o' ],
            [ 'o', 'o', 'o', 'x', 'x' ],
            [ 'o', 'x', 'x', 'o', 'o' ],
            [ 'o', 'o', 'o', 'x', 'x' ],
        ];

        is(get_largest_contiguous_block($example1), 11);
        is(get_largest_contiguous_block($example2), 11);
        is(get_largest_contiguous_block($example3), 7);
        

Lessons learned in week 286

Mon Sep 16 19:58:52 CEST 2024

There is more than one way to get the name of the file containing the script of the first task, as well as the content of that file.

To get the file name, we can use the $0 variable or the __FILE__ token. Either is a good alternative for the purpose of this script as they will both give the same value, but when used from a module, they may give different values. The caller function could also be used.

It is not clear to me exactly what __FILE__ is, but it seems to be a function. It is referred to as a special literal in the Camel Book, but it also appears in the alphabetical list of functions. In perlfunc, it is listed as a keyword.

As for getting the actual content of the file (and apart from the quine way of doing it, which of course is extra impressive), we can use the open function in combination with read or the diamond operator, or we can, as one contribution shows, use the DATA file handle.


Week 286 - Self Spammer & Order Game

Mon Sep 9 19:48:37 CEST 2024

The first task, Self Spammer, seems rather straightforward. We open the current script, slurp it and split it into a list of words of which we randomly select one to print:


        #!/usr/bin/perl

        use v5.40;

        open my $f, '<', $0;
        undef $/;
        @_ = split /\s+/, <$f>;
        say $_[ int rand @_ ];
        

As for the second task, I would not be surprised if there is some clever way of sorting or manipulating the list so that the number of calls to min() and max() can be minimized. While thinking about that, let me present a solution to Order Game that simply plays the game according to the specification:


        #!/usr/bin/perl

        use v5.40;

        use Test::More tests => 3;

        use List::Util qw(min max pairs);

        sub play_game {
            return min(@_) if @_ == 2;
            my $f = \&max;
            return play_game(
                map {
                    $f = $f == \&min ? \&max : \&min;
                    $f->($_->[0], $_->[1]);
                } pairs @_
            );
        }

        is(play_game(2, 1, 4, 5, 6, 3, 0, 2),                         1);
        is(play_game(0, 5, 3, 2),                                     0);
        is(play_game(9, 2, 1, 4, 5, 6, 0, 7, 3, 1, 3, 5, 7, 9, 0, 8), 2);
        

That is a recursive function that stops when the length of the list is two. A core module helps creating pairs and a variable that is alternately set to min and max helps interleaving those two calls.


Lessons learned in week 285

Sun Sep 8 14:16:47 CEST 2024

Making Change is indeed a classic problem and it turned out that it is included in George Pólya's How to Solve It which I actually had on a shelf in my bookcase. The recursive solution presented on the very last two pages of the book could be expressed like this in Perl:


        #!/usr/bin/perl

        use v5.40;

        use Test::More tests => 3;

        sub make_change {
            my @coins = (1, 5, 10, 25, 50);
            return 0 if (my $n = shift) < 0;
            return 1 if (my $i = shift // $#coins) == 0;
            return make_change($n, $i - 1) + make_change($n - $coins[$i], $i);
        }

        is(make_change(9), 2);
        is(make_change(15), 6);
        is(make_change(100), 292);
        

Like other contributions show, the core idea of computation by adding already known numbers can also be used to construct a table with as many rows and columns as is necessary to look up the answer.


Week 285

Sat Sep 7 15:31:58 CEST 2024

The Weekly Challenge - 285

The first task, No Connection, gives rise to a number of questions. How many destinations with no further outgoing connections are there? Are there branches in the list of routes? Are there loops?

Assuming that there is only one route with no outgoing connection, the list of routes could be transformed into two lists of starting points and destinations, and the problem could then be solved by finding the element in the list of destination that does not appear in the list of starting points. This would provide an excellent opportunity to construct a glorious write-only one-liner of nested maps and greps, as well as a chance for optimization by sorting the list of starting points.

Assuming that there are no loops and that each starting point only leads to one destination, the problem could be solved by picking a random starting point and simply walking the routes until a destination with no outgoing connection is reached:


        #!/usr/bin/perl

        use v5.40;

        use Test::More tests => 2;

        sub get_no_connection {
            my ($c) = my %r = map { $_->[0], $_->[1] } @_;
            $c = $r{$c} while $r{$c};
            return $c;
        }

        is(get_no_connection([ 'B', 'C' ], [ 'D', 'B' ], [ 'C', 'A' ]), 'A');
        is(get_no_connection([ 'A', 'Z' ]), 'Z');
        

The second task, Making Change, is a bit trickier and has got the smell of a classic programming problem. I assume that there is an elegant and well known way of solving this problem that any real expert programmer is either familiar with or able to work out. I guess that the same goes for a skilled mathematician and that the solution involves something related to a tree with weighted nodes that can be multiplied or added, integer sequences or set theory.

I have not come across this problem before and I cannot immediately see the elegant way of solving this, so I have to, embarrassingly, resort to solving it by simply starting with a list of coins of as high denominations as possible and substituting each for lower denominations until a list of only pennies is reached.

The first thing to notice is that amounts that are not evenly divisible by five will be given as change in as many ways as the next lower amount that is divisible by five. For example, the amounts 5, 6, 7, 8 and 9 can all be given as change in two ways.

If we try to iteratively substitute coins for those of lower denominations, we will come across the problem of missing certain combinations of change. For example, if we for the amount 15 (a dime and a nickel) substitute the dime for two nickels, we will be able to find further combinations of nickels and pennies, but we will not find the combination of one dime and five pennies.

One way of getting around this problem by adding some depth to the algorithm, and for each substitution make further substitutions on a copy of the original list of coins. This will however introduce a new problem where certain combinations of change are found multiple times. For example, a dime can be split into two nickels, which in turn can be split into either one nickel and five pennies, or five pennies and one nickel, which in turn both can be split into ten nickels. An ugly way of getting around this problem is to keep track of the combinations found so far.

Furthermore, there is the problem of how to substitute one coin for coins of lower denominations. While quarters, dimes and nickels can all be substituted, either directly or indirectly, for all combinations of lower denominations, half-dollars can be substituted in two ways that cannot further be substituted for all combinations of lower denominations. If we split a half-dollar into two quarters, we will miss the combination of five dimes and vice versa.

There is of course also the question of how many ways the amount zero can be given as change.

A little helper function sets up the initial list of coins for a given a value and then starts the actual work of finding all ways of giving change:


        #!/usr/bin/perl

        use v5.40;

        use List::Util qw(first);
        use Test::More tests => 3;

        my %coins = (
            50 => [ [ 25, 25 ], [ 10, 10, 10, 10, 10 ] ],
            25 => [ [ 10, 10, 5 ] ],
            10 => [ [ 5, 5 ] ],
            5  => [ [ 1, 1, 1, 1, 1 ] ],
            1  => [ [1] ],
        );

        sub make_change {
            my $n = shift;
            my @l;
            while ($n > 0) {
                my $coin = first { $_ <= $n } sort { $b <=> $a } keys %coins;
                push @l, $coin;
                $n -= $coin;
            }
            return f([@l], {});
        }

        sub f {
            my @l = sort @{ $_[0] };
            my $h = $_[1];
            return if exists $h->{"@l"};
            $h->{"@l"} = 1;
            foreach my $i (grep { $l[$_] != 1 } 0..$#l) {
                foreach (@{ $coins{ $l[$i] } } ) {
                    my @a = @l;
                    splice @a, $i, 1, @{$_};
                    f([@a], $h);
                }
            }
            return keys %$h;
        }

        is(make_change(9), 2);
        is(make_change(15), 6);
        is(make_change(100), 292);
        

Now I cannot wait to learn how to solve this problem in the proper way!