DEV Community

Brandon Weaver
Brandon Weaver

Posted on • Updated on

Advent of Ruby 3.0 - Day 02 - Password Philosophy

Ruby 3.0 was just released, so it's that merry time of year where we take time to experiment and see what all fun new features are out there.

This series of posts will take a look into several Ruby 2.7 and 3.0 features and how one might use them to solve Advent of Code problems. The solutions themselves are not meant to be the most efficient as much as to demonstrate novel uses of features.

I'll be breaking these up by individual days as each of these posts will get progressively longer and more involved, and I'm not keen on giving 10+ minute posts very often.

With that said, let's get into it!

<< Previous | Next >>

Day 02 - Part 01 - Password Philosophy

For this problem we need to validate some passwords by a set of criteria:

1-3 a: abcde
Enter fullscreen mode Exit fullscreen mode

The two numbers signify the count of the letter to their right that the password on the far right should contain. In the above case, there should be one to three occurrences of a in abcde, and because there are it's a valid password.

This password, however, is invalid as it has no occurrences of b:

1-3 b: cdefg
Enter fullscreen mode Exit fullscreen mode

Now with those rules down, let's take a look at

See the full solution here on Github.

A Crash Course in Regex

Perhaps the most ideal way to get the data we want is to parse it with Regular Expressions. Before we do that let's give a quick run through some concepts, and make sure you try these out in Rubular to see it in action.

This isn't a comprehensive tutorial but a quick reference. If you want a full tutorial look into this one.

Matching Multiples

You can certainly use literal symbols in Regex, but sometimes you want something like any character (.), any digit (\d), the lowercase letters ([a-z]), or a literal space (\s). They help us describe the shape of our input so we can extract what we want from it.

There are also modifiers like * and + for zero or more occurrences of whatever was before, and one or more respectively.

'abc'.match(/[a-z]+/)
# => #<MatchData "abc">

'012'.match(/[a-z]+/)
# => nil
Enter fullscreen mode Exit fullscreen mode

Capture Groups

One of the key features of regex we want to use is the concept of capturing and naming segments of the input. Let's say we wanted to (naively) parse an IP Address:

IP_REGEX = /(?<first>\d+)\.(?<second>\d+)\.(?<third>\d+)\.(?<fourth>\d+)/

'192.168.1.1'.match(IP_REGEX)
# => #<MatchData "192.168.1.1"
#   first:"192"
#   second:"168"
#   third:"1"
#   fourth:"1"
# >
Enter fullscreen mode Exit fullscreen mode

Rubular will show you these groups in action, but the concept is that we can use (?<capture_name>captured_regex_value) to give a name to what we want to extract. We can even use named_captures to get those values from our match data, but I'd recommend &. in case it returned nil from no match:

'192.168.1.1'.match(IP_REGEX).named_captures
# => {"first"=>"192", "second"=>"168", "third"=>"1", "fourth"=>"1"}
Enter fullscreen mode Exit fullscreen mode

Whitespace Insensitive

You can add options to the end of a regex to make it act differently, like x which makes it whitespace insensitive so you can multi-line and add some comments to make it easier to read what you're up to:

IP_REGEX = /
  (?<first>\d+)\.
  (?<second>\d+)\.
  (?<third>\d+)\.
  (?<fourth>\d+)
/x
Enter fullscreen mode Exit fullscreen mode

Same idea, but much easier to read what's going on.

Regex Applied

All that together gives us a Regex that looks like this:

PASSWORD_INFO = /
  # Beginning of line
  ^

  # Capture the entire thing as "input"
  (?<input>

    # Get the low count of the letter, capture it with
    # the name low_count
    (?<low_count>\d+)

    # Ignore the dash
    -

    # ...and the high count
    (?<high_count>\d+)

    # literal space
    \s

    # Find our target letter
    (?<target_letter>[a-z]):

    \s

    # ...and the rest of the line is our password
    (?<password>[a-z]+)

  # End the input
  )

  # End of line
  $
/x
Enter fullscreen mode Exit fullscreen mode

The trick here is we want both the entire line as well as a few items like the counts, target letter, and the password itself. If we were to use this against both of our examples above we'd get this:

'1-3 a: abcde'.match(PASSWORD_INFO)
# => #<MatchData "1-3 a: abcde"
#   input:"1-3 a: abcde"
#   low_count:"1"
#   high_count:"3"
#   target_letter:"a"
#   password:"abcde"
# >

'1-3 b: cdefg'.match(PASSWORD_INFO)
# => #<MatchData "1-3 b: cdefg"
#   input:"1-3 b: cdefg"
#   low_count:"1"
#   high_count:"3"
#   target_letter:"b"
#   password:"cdefg"
# >
Enter fullscreen mode Exit fullscreen mode

...and that looks like something we can use to solve this problem. Just be careful that those counts are strings.

Extracting the Password

Let's make a one-liner to extract the password:

def extract_password(line) = 
    line.match(PASSWORD_INFO)&.named_captures&.transform_keys(&:to_sym)
Enter fullscreen mode Exit fullscreen mode

So not technically a one-liner, and more Python-y feeling. Rule of thumb is that endless methods should only contain one expression or value, and a chain is an expression. Whitespace is free as well, use it liberally, future you will be glad you did when you have to read back over your code again.

Anyways, the only new part here is transform_keys which is turning all the String keys to Symbols. Why? Well truthfully it's to show some pattern matching potentials in the next section.

It's the Letter that Counts

One-liners are useful for quick functions, and eventually we're going to need something to count how many of each letter there are in the password.

Yes, there are more efficient ways to do this, but that's an exercise I leave up to the reader to figure out.

Luckily we have a nifty function named tally that can help us do just that:

def letter_counts(word) = word.chars.tally
Enter fullscreen mode Exit fullscreen mode

tally returns the counts of each item in a collection:

letter_counts 'aabbccc'
# => {"a"=>2, "b"=>2, "c"=>3}
Enter fullscreen mode Exit fullscreen mode

...where we might have used this trick before:

def letter_counts(word) =
  word.chars.each_with_object(Hash.new(0)) { |c, counts| counts[c] += 1 }
Enter fullscreen mode Exit fullscreen mode

I prefer tally myself, and I use it quite a bit. Heck, me, David, Shannon, and Steph even helped name it.

Valid Passwords

Now we have the tools we need to see if a password is valid, so let's take a look at the function itself:

def valid_passwords(input)
  input.filter_map do
    extracted_password = extract_password(_1) or next
    extracted_password => {
      input:, low_count:, high_count:, target_letter:, password:
    }

    low_count, high_count = low_count.to_i, high_count.to_i
    count = letter_counts(password)[target_letter]

    input if (low_count..high_count).include?(count)
  end
end
Enter fullscreen mode Exit fullscreen mode

There's a lot in there, so let's start breaking it down.

Filter Map

filter_map is a fun one, it both filters and maps as the name implies. That means only truthy elements are kept in the end result:

[1, 2, 3].filter_map { _1 * 2 if _1.even? }
# => 4
Enter fullscreen mode Exit fullscreen mode

Granted in the above case we don't strictly need it, we could have used select, but if we wanted to both extract the password itself, keep the match data, and filter out invalid inputs it gets real handy real fast.

or? Is that Perl?

Yes. I use english operators on occasion when they make sense. This is one such case. If the extracted password is nil we know we can bail out early, and this is a trick from Perl for early returns or exceptions that made its way into Ruby:

line = gets or raise 'error!'
Enter fullscreen mode Exit fullscreen mode

Then again I put undue emphasis on left-to-right readability, and avoid using or and and in work code.

Rocket One-Line Pattern Match (RHA)

This one is fun, and similar to the Javascript destructuring:

{ a, b } = { a: 1, b: 2 }
// => a = 1, b = 2
Enter fullscreen mode Exit fullscreen mode

...except it's in reverse, and it's called Right Hand Assignment:

extracted_password => {
 input:, low_count:, high_count:, target_letter:, password:
}
Enter fullscreen mode Exit fullscreen mode

This is why we mapped those keys to symbols was to demonstrate this feature. I do wish this was implemented with Object#send as a default because then I could do something like this:

person_object => { name:, age: }
Enter fullscreen mode Exit fullscreen mode

...but alas, no such luck. It's fun to note though that these patterns can also have validations in them that respond to ===, and we all know how much fun === is. Let's take a look at an example of that:

{ a: 1, b: 2, c: 'foo' } => { a: Integer, b: 2, c: }
Enter fullscreen mode Exit fullscreen mode

Be warned, there are some slight bugs and odd issues here as it's experimental, such as only the local variable c will be defined unless we do this:

{ a: 1, b: 2, c: 'foo' } => {
  a: Integer => a, b: 2 => b, c:
}
Enter fullscreen mode Exit fullscreen mode

Which I think is a bug, and I'll get it reported up later.

The Rest of the Owl

The remainder of the function isn't anything too unique:

low_count, high_count = low_count.to_i, high_count.to_i
count = letter_counts(password)[target_letter]

input if (low_count..high_count).include?(count)
Enter fullscreen mode Exit fullscreen mode

We want actual numbers to compare to for our counts, we want the counts of each letter in the word, and then we want to see whether or not that count falls within the expected range.

If it does we return the input, and if not it gets filtered out of our return.

Valid Password Counts

Like in the other problem we can just wrap that previous one in another function to get the count of valid passwords:

def valid_password_count(...) = valid_passwords(...).size
Enter fullscreen mode Exit fullscreen mode

Again, I like the extra debugging potential as well as keeping these two ideas separate from each other.

Reading the Input

Which brings us to parsing the input from AoC:

File.readlines(ARGV[0]).then { puts valid_password_count(_1) }
Enter fullscreen mode Exit fullscreen mode

This line will not change too terribly much throughout the rest of the problems.

Day 02 - Part 02 - A Different Password Philosophy

As with all programming, specifications change, and in the case of this problem the way they parse the passwords as valid has changed!

Now the counts are actually positions in the password. We want to check if the password has the target character in one, but not both, of those positions.

# is valid: position 1 contains a and position 3 does not.
1-3 a: abcde

# is invalid: neither position 1 nor position 3 contains b.
1-3 b: cdefg

# is invalid: both position 2 and position 9 contain c.
2-9 c: ccccccccc
Enter fullscreen mode Exit fullscreen mode

That means we have a few things to change in our function.

Changes to the Regex

We need to change our capture group names from low_count and high_count to position_one and position_two as the intent has changed:

PASSWORD_INFO = /
  # Beginning of line
  ^

  # Capture the entire thing as "input"
  (?<input>

    # Get the first position
    (?<position_one>\d+)

    # Ignore the dash
    -

    # and the second position
    (?<position_two>\d+)

    # literal space
    \s

    # Find our target letter
    (?<target_letter>[a-z]):

    \s

    # and the rest of the line is our password
    (?<password>[a-z]+)

  # End the input
  )

  # End of line
  $
/x
Enter fullscreen mode Exit fullscreen mode

Not too terrible a change, but naming matters, so best to change it.

Valid Passwords

Now let's look into our main function and what needs to change there:

def valid_passwords(input)
  input.filter_map do
    extracted_password = extract_password(_1) or next

    extracted_password => {
      input:, position_one:, position_two:, target_letter:, password:
    }

    position_one = position_one.to_i - 1
    position_two = position_two.to_i - 1

    char_one, char_two = password[position_one], password[position_two]

    input if [char_one, char_two].one?(target_letter)
  end
end
Enter fullscreen mode Exit fullscreen mode

Pattern Match Names

We need to change low_count and high_count here as well to our new position names:

extracted_password => {
  input:, position_one:, position_two:, target_letter:, password:
}
Enter fullscreen mode Exit fullscreen mode

Someone's Using Lua for Indexes

In the specification they mentioned that things were 1 indexed instead of 0 so we need to offset the positions to compensate:

position_one = position_one.to_i - 1
position_two = position_two.to_i - 1
Enter fullscreen mode Exit fullscreen mode

Retrieving Characters

Then we want to grab the characters at those positions:

char_one, char_two = password[position_one], password[position_two]
Enter fullscreen mode Exit fullscreen mode

Is one-line multi-assignment frowned upon? Probably. Does it work? Yes.

Validation

Now instead of checking the count we want to make sure that one, and only one, of the characters is our target:

input if [char_one, char_two].one?(target_letter)
Enter fullscreen mode Exit fullscreen mode

This is a concept known as exclusive or, or XOR, except we're using the nice english variants here instead. Ruby does have an XOR in ^ though:

true ^ true
# => false

true ^ false
# => true

false ^ true
# => true

false ^ false
# => false
Enter fullscreen mode Exit fullscreen mode

Just be careful of the precedence if you use that as this breaks:

input if char_one == target_letter ^ char_two == target_letter
Enter fullscreen mode Exit fullscreen mode

Personally I feel this is a bug as || and && work differently and allow this, but I'm not sure. It can be fixed as so:

input if (char_one == target_letter) ^ (char_two == target_letter)
Enter fullscreen mode Exit fullscreen mode

...and with that the rest of the function is the same and we've met the requirements!

Wrapping Up Day 02

That about wraps up day two, we'll be continuing to work through each of these problems and exploring their solutions and methodology over the next few days and weeks.

If you want to find all of the original solutions, check out the Github repo with fully commented solutions.

<< Previous | Next >>

Top comments (2)

Collapse
 
joshcheek profile image
Josh Cheek

OMG, I did not know about filter_map, and I have needed it so many times!

I don't think it's necessary here, though, a normal filter would work, since the output is the same as the input. This would also simplify the code in several places and remove a potential gotcha from changing the value of input.


The rocket assignment is a really interesting example. I might make use of that.

{ a: 1, b: 2, c: 'foo' } => {
  a: Integer => a, b: 2 => b, c:
}
Enter fullscreen mode Exit fullscreen mode

That's a great example!


input if (low_count..high_count).include?(count)
Enter fullscreen mode Exit fullscreen mode

Range#cover? is better here, as it translates to low_count <= count && count <= high_count, where Range#include? is more like (low_count..high_count).any? { |n| n == cont }

Collapse
 
baweaver profile image
Brandon Weaver

Yep, you're correct that filter_map isn't technically needed here and filter would have worked. My original intent was for that to be different, but I left it to mention the function mostly.

TIL: Range#cover? - Will update later today to mention that.