Create the simple equivalent of the UNIX uniqutility, which only prints the lines from the STDIN input, which are not repeating the previous line. The solution of this task can be built on the solution of Task 95, The catutility. This time, the entered lines have to be saved, so let’s introduce the $previous variable and make an explicit … Continue reading “📘 The uniq utility written in Perl 6”
Category: Programming languages
📘 The cat utility written in Perl 6
Create the equivalent of the UNIX catutility that copies its STDIN input directly to STDOUT. Reading from the input and sending it to the output is a relatively easy task. The $*IN handle is by default connected to STDIN. Being an object of the IO::Handle type, it has the slurp method that returns the whole input text in one … Continue reading “📘 The cat utility written in Perl 6”
📘 Parallel file processing in Perl 6
Process the files from the current directory in a few parallel threads. We have to do something with each file in the directory, and it has to be done in such a way that files are processed independently with a few workers. It is not possible to predict how long the process will take for … Continue reading “📘 Parallel file processing in Perl 6”
📘 Atomic operations in Perl 6
Using the solution for Task 38, the Monte Carlo method, create a program that calculates the result using multiple threads. Perl 6 has built-in support for parallel computing. In Task 92, Sleep Sort, we’ve seen how to use the keywords await, gather, and take to spawn a few threads and wait for them to finish. When different threads want to … Continue reading “📘 Atomic operations in Perl 6”
📘 Sleep Sort in Perl 6
Implement the Sleep Sort algorithm for a few small positive integer values. The Sleep Sortis a funny implementation of the sorting algorithm. For each input value, an asynchronous thread starts, which waits for the number of seconds equals to the input number and then prints it. So, if all the threads are spawned simultaneously, the output … Continue reading “📘 Sleep Sort in Perl 6”
📘 Setting timeouts in Perl 6
Do not wait for a slow code block if it takes too long. In Perl 6, promises are the best way to create timeouts. In the following example, two code blocks are created; they are executed in parallel. my $timeout = Promise.in(2).then({ say ‘Timeout after 2 seconds’;});my $code = start { sleep 5; say ‘Done after 5 seconds’;} … Continue reading “📘 Setting timeouts in Perl 6”
📘 Computing leap years in Perl 6
Tell if the given year is leap or common. The algorithm for detecting whether the year is leap includes a few divisibility tests. Take an extract in the pseudocode from Wikipedia: if (year is not divisible by 4) then (it is a common year)else if (year is not divisible by 100) then (it is a leap year)else if (year is not divisible by 400) then (it is a common … Continue reading “📘 Computing leap years in Perl 6”
📘 Datetime arithmetic in Perl 6
Find the difference between the two dates. Add a given number of days to the date. The DateTime class in Perl 6 defines the + and – operators, which can be used in combination with either another DateTime object or with the Duration object. Let us first find the difference between the two given dates: my $date1 = DateTime.new(‘2017-12-31T23:59:50’);my $date2 … Continue reading “📘 Datetime arithmetic in Perl 6”
📘 Formatted date in Perl 6
Print the current date in an even better format. In Perl 6, there is a built-in DateTime class. It is equipped with a few useful methods, so there’s no need to use external modules for many standard tasks. Save the current moment in the $now variable: my $now = DateTime.now; The easiest thing is to print the … Continue reading “📘 Formatted date in Perl 6”
📘 Current date and time in Perl 6
Print current date and time as an epoch and in a human-readable format. In Perl 6, the time function returns the current time as the Unix epoch: say time; The output is something like this: 1495785518. For manipulating dates and times, use the built-in DateTime class: say DateTime.now; The date is now in a more human-readable format, although … Continue reading “📘 Current date and time in Perl 6”
📘 Basic calculator written in Perl 6
Create a program that calculates mathematical operations with two operands, for example: 4 + 5.3 or 7.8 / 3. In this task, we will only limit the solution for the simplest case with only one operation so that there are no issues with the precedence order or parentheses. Let’s first make a solution with regexes … Continue reading “📘 Basic calculator written in Perl 6”
📘 Checking balanced parentheses using Perl 6
Check if the parentheses in a given string are balanced, i. e., whether every opening parenthesis has the corresponding closing one. Let us limit the input strings with the strings containing parentheses () only and no other kinds of brackets {}, [], or <>. The text in between contains only letters and spaces. Empty parentheses are not allowed. Prepare … Continue reading “📘 Checking balanced parentheses using Perl 6”
📘 Decoding Roman numerals using Perl 6
Convert a string, with a Roman number, to a decimal number. The task is opposite to Task 46, Convert to Roman numerals, but let’s use grammars to solve it. The idea is to directly find the sequences of Roman digits that correspond to thousands, hundreds, tens, and ones. For example, as soon as the program sees LXX, … Continue reading “📘 Decoding Roman numerals using Perl 6”
📘 %Templating% engine written in Perl 6
Implement a simple templating engine, which substitutes values in placeholders of the form %name%. The objective is to create a function that takes a template string and a hash with named values and does the substitution. So, let us prepare and pass them to a function. Notice that, in Perl 6, it is possible to pass … Continue reading “📘 %Templating% engine written in Perl 6”
📘 Simple string compressor written in Perl 6
Convert a string containing repeating characters to a string, where each repetition is represented by the character and the number of its copies. For example, the original string abccccdefffffggghhi converts to the compressed string abc4def5g3h2i. my $str = ‘abccccdefffffggghhi’;$str ~~ s:g/ ( (<:alpha>) $0+ ) /{ $0[0] ~ $0.chars }/;say $str; # abc4def5g3h2i The global replacement finds the parts of the string with … Continue reading “📘 Simple string compressor written in Perl 6”
📘 Pig Latin using Perl 6
Convert the given text to Pig Latin. Pig Latin is a pseudo-language, each word of which is derived from the corresponding English word, following a couple of simple rules: If the word starts with consonant letters (including consonant sounds represented by letter combinations such as qu), move them all to the end of the word. Append … Continue reading “📘 Pig Latin using Perl 6”
📘 Increasing digits by one using Perl 6
In the given integer number, replace all the digits so that 1 becomes 2, 2 becomes 3, etc., and 9 becomes 0. This task can be approached both mathematically and string-wise. In Perl 6, regexes seem to be the best match. Although a number is an example of the numeric data type, Perl 6 allows … Continue reading “📘 Increasing digits by one using Perl 6”
📘 Separating groups of digits using Perl 6
Put commas between the three-digit groups in a big number. The task is to print an integer number, for example, 1234567890,in the form of 1,234,567,890. Here is a possible solution that uses a lot of Perl 6 facilities: $n ~~ s/<?after \d> (\d ** 3)+ $/{$0.map(‘,’ ~ *).join}/; On the top level, we’ve got a substitution s///. The … Continue reading “📘 Separating groups of digits using Perl 6”
📘 Separating digits and letters using Perl 6
In a given string that contains letters and digits, insert dashes on the borders between the digit and letter sequences. The goal of the task is to convert, for example, the string 6TGT68 to 6-TGT-68. With some modification, this task may be needed for creating the canonical form of car license plates in some countries. There are … Continue reading “📘 Separating digits and letters using Perl 6”
📘 Removing duplicated words using Perl 6
Remove repeated words from froma sentence. Repeated words are most often unintended typing mistakes. In rare cases, though, this is correct like with the word that: He said that that tree is bigger. Anyway, let us remove the double words ignoring the grammar for now. To find if the word is repeated, a regex with variables can be … Continue reading “📘 Removing duplicated words using Perl 6”