Lua operators, why isn’t +=, -= and so on defined?

This is just guesswork on my part, but:

1. It’s hard to implement this in a single-pass compiler

Lua’s bytecode compiler is implemented as a single-pass recursive descent parser that immediately generates code. It does not parse to a separate AST structure and then in a second pass convert that to bytecode.

This forces some limitations on the grammar and semantics. In particular, anything that requires arbitrary lookahead or forward references is really hard to support in this model. This means assignments are already hard to parse. Given something like:

foo.bar.baz = "value"

When you’re parsing foo.bar.baz, you don’t realize you’re actually parsing an assignment until you hit the = after you’ve already parsed and generated code for that. Lua’s compiler has a good bit of complexity just for handling assignments because of this.

Supporting self-assignment would make that even harder. Something like:

foo.bar.baz += "value"

Needs to get translated to:

foo.bar.baz = foo.bar.baz + "value"

But at the point that the compiler hits the =, it’s already forgotten about foo.bar.baz. It’s possible, but not easy.

2. It may not play nice with the grammar

Lua doesn’t actually have any statement or line separators in the grammar. Whitespace is ignored and there are no mandatory semicolons. You can do:

io.write("one")
io.write("two")

Or:

io.write("one") io.write("two")

And Lua is equally happy with both. Keeping a grammar like that unambiguous is tricky. I’m not sure, but self-assignment operators may make that harder.

3. It doesn’t play nice with multiple assignment

Lua supports multiple assignment, like:

a, b, c = someFnThatReturnsThreeValues()

It’s not even clear to me what it would mean if you tried to do:

a, b, c += someFnThatReturnsThreeValues()

You could limit self-assignment operators to single assignment, but then you’ve just added a weird corner case people have to know about.

With all of this, it’s not at all clear that self-assignment operators are useful enough to be worth dealing with the above issues.

Leave a Comment