aboutsummaryrefslogtreecommitdiff
path: root/challenge-078/andinus/README
blob: 8455cdb3ee33e25a35802e43e4a767b6586bc296 (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
75
76
77
78
79
                            ━━━━━━━━━━━━━━━
                             CHALLENGE 078
                            ━━━━━━━━━━━━━━━


Table of Contents
─────────────────

1 Task 1 - Leader Element
.. 1.1 Perl
2 Task 2 - Left Rotation
.. 2.1 Perl





1 Task 1 - Leader Element
═════════════════════════

  You are given an array @A containing distinct integers.

  Write a script to find all leader elements in the array @A. Print (0)
  if none found.

  • An element is leader if it is greater than all the elements to its
    right side.


1.1 Perl
────────

  • Program: [file:perl/ch-1.pl]

  We take input from `@ARGV', loop over it. And then we loop over the
  elements at right, goto next if `$arg' is less than `$elm'. This will
  push all the leader elements to `@leader'.
  ┌────
  │ my @leader;
  │ MAIN: while (my $arg = shift @ARGV) {
  │     foreach my $elm (@ARGV) {
  │         next MAIN if $arg < $elm;
  │     }
  │     push @leader, $arg;
  │ }
  └────


2 Task 2 - Left Rotation
════════════════════════

  You are given array @A containing positive numbers and @B containing
  one or more indices from the array @A.

  Write a script to left rotate @A so that the number at the first index
  of @B becomes the first element in the array. Similary, left rotate @A
  again so that the number at the second index of @B becomes the first
  element in the array.


2.1 Perl
────────

  • Program: [file:perl/ch-2.pl]

  Loop over `@B' & then rotate the elements. Same could've been done
  with Left Rotation, I find this easier to understand.
  ┌────
  │ my @A = qw(10 20 30 40 50);
  │ my @B = qw(3 4);
  │
  │ foreach (@B) {
  │     my @tmp = @A;
  │     foreach (1 ... scalar @tmp - $_) {
  │         unshift @tmp, pop @tmp;
  │     }
  │     print join(', ', @tmp), "\n";
  │ }
  └────