DEV Community

Discussion on: 100 Languages Speedrun: Episode 26: Raku (Perl 6)

Collapse
 
lizmat profile image
Elizabeth Mattijsen • Edited

Thank you for looking into the Raku Programming Language. I feel however it needs some notes and corrections. Hope you won't mind too much.

Time to get to the most shitty part of Perl design

The writer seems to have missed the fact that that is just THE part of Perl design that was NOT copied from Perl. In Raku, everything is an object (or can act as one). Numbers are either Int (bigints actually), Rat (rational number, consisting of 2 Ints), Num (floating point) or Complex (a real and a imaginary component). They are NOT just scalars.

The numeric operators, such as ==, <, etc, will attempt to coerce their operands to numeric values if they are not already. The string operators , such as 'eq', 'lt', etc, will coerce their operands to strings. That's a simple rule. No need to think much about that. Contrary to Javascript e.g., you don't have to guess whether a + b will be a string concatenation or a numeric addition!

There are no "numbers" or "strings". It's just scalars, and they convert automatically.

That is completely incorrect: they do NOT convert automatically. It's the operators that coerce their operands. If you do a:

my $a = "42";
say $a + 666;  # 708
say $a ~ 666;  # 42666
Enter fullscreen mode Exit fullscreen mode

The $a is still a string. It only gets coerced to a numeric value for the addition with +. Just as the constant 666 is coerced to a string for the concatenation with ~.

As soon as you grok that the operators coerce their operands, you also understand the behaviour of eq on lists and hashes: eq in that case, works on the stringification of the lists and hashes. Which may produce unexpected results if you don't understand what the operators do.

So generally, you don't use string comparison operators on lists or hashes. There are more useful operators, such as eqv which tests equivalence of both operands:

say [1,2] eqv [1,2];    # True
say [1,2] eqv [1,"2"];  # False
Enter fullscreen mode Exit fullscreen mode

or the set equality operator (==) or which considers its operands as Sets:

say [1,2] (==) [1,2];    # True
say [1,2] (==) [2,1];    # True
say [1,2] (==) [1,"2"];  # False
Enter fullscreen mode Exit fullscreen mode

But we'll probably still run into the issue where numbers and strings are 99% same except where they aren't.

They aren't. That's the big departure from Perl. A lesson learnt!

Overall, total disaster. This can be worked around, but from my Perl and JavaScript experience, not having working universal == is massive pain that comes up all the time.

If you take the effort of not applying older experiences without more research, you will find that not having a universal == is actually a good thing.

it's a total embarrassment to design a language without a working universal == in this century.

A lot of thought has gone into why operators work like they do in the Raku Programming Language. It would serve the author well by trying to move ahead from their misconceptions and hurt from the past before making a judgement.

Unlike Julia, .sin is a method not a standalone function, and .sqrt is a method

These statements are factually incorrect:

say sin pi / 2;  # 1
say sqrt 81;   # 9
Enter fullscreen mode Exit fullscreen mode

and there's no √.

That is correct, but easily fixed:

constant &prefix:<√> = &sqrt;
say √81;  # 9
Enter fullscreen mode Exit fullscreen mode

Note that (almost) all operators in Raku are just subroutines with special names.

It tries out so many things, I barely scratched the surface here.

That is a very true statement.

I'd definitely recommend Raku as language to give a go for a fun weekend, even if few would want to use it for anything more serious.

One note of caution. Use of the Raku Programming Language may be addictive. Even if you don't like the whole package, you may want to implement parts of it in the programming language of your choice! :-)

And if you want to seem some cool uses of Raku: there's this years Raku Advent Calendar (and the one from last year as well) with all sorts of interesting smaller and bigger blog posts about Raku.

And if you want to keep up-to-date on Rakudo developments (the most prominent implementation of Raku), you can check out the Rakudo Weekly News.

Collapse
 
taw profile image
Tomasz Wegrzanowski

Due to my ex-Perl background, this episode is very much "how much Raku fixes Perl issues" story, that's why I'm focusing on this.

It's sort of true that eqv and lack of behind-the-scenes variable conversions are a huge improvement over Perl already. But are the fixes going far enough?

For example these are three eqv-different objects, even though they print the same, == each other, eq each other, JSON-equal each other, and in a typical language with universal == they'd all be equal to each other (and are also pretty much indistinguishable in Perl):

> [cos(0), 1, 1.0]
[1 1 1]
Enter fullscreen mode Exit fullscreen mode

So using eqv as "universal ==" would require a lot of care to be paid to such invisible differences - something you don't need to do if you code in Ruby or Python or such, where == is completely predictable.

Another issue, and that comes up a lot. Now that we have eqv, can we have a Hash (or similar structure) that keys by eqv, just like Hashes in Ruby or dicts in Python work?

This doesn't work, and I'm not seeing anything that would work instead:

my %map;
my $x = 2;
my $y = 5;
%map{[$x, $y]} = 10; // a single key [2, 5], or anything eqv to it
Enter fullscreen mode Exit fullscreen mode

I know of Perl workarounds like stringifying keys or (for this simple case not in general) double-nesting Hashes, but they're drastically inferior to just being able to use arbitrary keys in Ruby (or at least arbitrary immutable keys in Python, which is close enough). Raku seems to be still suffering from Perl issues here.

JavaScript has same Perl legacy, and it used to suffer from the same issue, with only string-keyed hashes, and introduced ES6 Maps as a fix, so now we can use any objects as keys. I couldn't find any Raku equivalent.

As for sin vs .sin, I'm not sure why I missed that. You're right that both forms work.

Collapse
 
lizmat profile image
Elizabeth Mattijsen

Due to my ex-Perl background, this episode is very much "how much Raku fixes Perl issues" story, that's why I'm focusing on this.

Understood. But Raku borrowed a lot of ideas from many programming languages. And hopefully only the good things :-)

something you don't need to do if you code in Ruby or Python or such, where == is completely predictable

Well, I'd argue that == is completely predictable: it does a numerical comparison. I'd argue that a "universal ==" actually does more harm than good, as it may sweep potentially important differences "under the carpet" as it were.

Raku seems to be still suffering from Perl issues here.

You seemed to have missed object hashes. In short, you can specify a constraint to be applied on the keys of a hash. The default is Str(), which is short for Str(Any), which means: accept Any object (all classes except Junction and Mu inherit from Any) object and coerce it to Str.

An example of using just integer keys, would be:

my %hash{ Int };
%hash{ 42 } = "foo";  # ok
%hash{"42"} = "bar";  # NOT ok
Enter fullscreen mode Exit fullscreen mode

If you want it to coerce to an Int, you can use Int() as the type:

my %hash{ Int() };
%hash{ 42 } = "foo";  # ok
%hash{"42"} = "bar";  # also ok
Enter fullscreen mode Exit fullscreen mode

Now, when it comes to using lists as a key, the situation is a little more complex. You can use a value type as a key in an object hash. An immutable Set is an example of a value type:

my $s1 = Set.new(1,2,3);
my $s2 = Set.new(3,2,1);
my %hash{Set};
%hash{ $s1 } = 42;
say %hash{ $s2 };  # 42
Enter fullscreen mode Exit fullscreen mode

Now, Lists and Arrays are not value types: Arrays because they are mutable, and Lists because they can contain mutable elements:

my ($a, $b) = 42, 137;  # LHS is a List with mutable elements
Enter fullscreen mode Exit fullscreen mode

One approach to fix this for now, is the Tuple class. Discussions have been had about making Lists value types, but the above idiom is pretty pervasive in the Raku ecosystem and "darkpan", so not easy to fix. Perhaps a future version of Raku will allow for this to work:

my [$a,$b] = 42, 137;
Enter fullscreen mode Exit fullscreen mode

to indicate a list with mutable elements, thereby freeing up () for immutable value type lists. The future will tell. Fortunately, Raku will allow such a change in syntax in a new language level: each compilation unit can indicate at which language level they wish to be compiled. This allows different semantics to be applied, while keeping interoperability between code of different language versions.

In short: the Raku Programming Language has "change" built into it, to make it a language of choice for long-living code bases. And which code base doesn't live longer than intended :-)

Collapse
 
codesections profile image
Daniel Sockwell

Thanks for the writeup! It's always great to hear another prospective and this post gives some fairly strong indications of where our docs could be clearer.

One distinction I'd like to draw re: == and eqv is between the "the behaviors of equality operators" and "the richness of the type system". As you point out, in JavaScript, 1, Math.cos(0) and 1.0 are all === – and this makes perfect sense, because the typeof each one is number and the value of each one is 1; thus, they really are equal, both in type and value.

In contrast, in Raku, 1 is an Int, cos(0) is a Num (i.e., a floating point number) and 1.0 is a Rat (a rational number). And that distinction (sometimes!) matters, either for performance or correctness reasons, and I'm glad to have access to eqv. (For example, with floating point rounding errors: .1 × 3 == .3 multiplies a Rat and thus returns True; .1e0 × 3 == .3 multiplies a Num/float and returns False – the way most other languages behave.) In other cases, the distinction between 1 doesn't matter – I just care how many of something there is – and I'm glad to have ==.

Maybe it's because of the time I've spent with Rust and other languages that care more about their types, but I have a strong preference for equality operators that are explicit about their type conversions. Ruby's decision to have 1 and 1.0 be == even though they're different classes strikes me as a misfeature: in every other case == tests for object equality, but in this one, special case it does something different. Though I totally understand that it's an area where people disagree :)

Thread Thread
 
taw profile image
Tomasz Wegrzanowski

Every language does 1 == 1.0 numerically, so Ruby isn't unusual here, Raku's eqv is the weird one out.
But mainly if you have a bunch of numbers of different types in Ruby, it is immediately obvious which number is what type, as they all print as different:

> p [1, 1.0, 1/1r]
[1, 1.0, (1/1)]
Enter fullscreen mode Exit fullscreen mode

Same with Python:

> print([1, 1.0, Fraction(1,1)])
[1, 1.0, Fraction(1, 1)]
Enter fullscreen mode Exit fullscreen mode

And I think pretty much all other languages where there are ints and floats and other types. If there are multiple number types, they appear as different.

In Raku they appear identical as 1, while eqv treats them as different. I don't think this is a good design.

Thread Thread
 
codesections profile image
Daniel Sockwell

Well, "print as" is also a complex topic :) In Raku, the .gist method (which is used by say etc) prints both 1.0 and 1 as 1, but the .raku method (which prints the debug representation) prints 1.0 and 1. This feels correct to me – again, maybe because of time spent with Rust, which makes exactly the same choice.

Thread Thread
 
codesections profile image
Daniel Sockwell

Oh, and re:

Every language does 1 == 1.0 numerically

Again with Rust, not only does 1 == 1.0 not return true, it doesn't even compile (without an explicit cast). So, from a certain point of view, Raku's behavior represents something of a compromise between the dynamic behavior of a language like Ruby and the type-system-enforced guarantees of a more static language.

And, really, Raku falls somewhere between those two extremes quite frequently. You noted Raku's clear Perl legacy, and that's definitely a big part of the linage. But Raku's DNA also owes a surprisingly large amount to Haskell due to a large number of Haskellers involved in the early design process (or so I've heard/read – I wasn't involved that early).

Thread Thread
 
taw profile image
Tomasz Wegrzanowski

Haskell makes the same choices as Ruby and Python (and pretty much every other language):

Prelude> 1
1
Prelude> 1.0
1.0
Prelude> 1 == 1.0
True
Enter fullscreen mode Exit fullscreen mode