C's heritage: bitwise and equality operators

Posted on 29 December 2011 in Articles • 2 min read

I've stumbled in a Javascript situation where bitwise operators were used. Logically, a bitwise operator should have a higher precedence than an equality operator, e.g:

1
2
if x | 10 == y
    alert("We've got it!")

But it looks like that this code would work the other way, as in JavaScript bitwise operators have lower precedence than equality operators do (see Mozilla's JS reference). The code above would always return 0 for any valid numerical val, because the result of val & true is 0. So, the proper way would be to put parenthesis around bitwise expression:

1
2
if (x | 10) == y
   alert("We've got it!")

I dug up the history of the question and it seems like this behaviour comes from the age of K&R's C:

Early C had no separate operators for & and && or | and ||. (Got that?) Instead it used the notion (inherited from B and BCPL) of "truth-value context": where a Boolean value was expected, after "if" and "while" and so forth, the & and | operators were interpreted as && and || are now; in ordinary expressions, the bitwise interpretations were used. It worked out pretty well, but was hard to explain. (There was the notion of "top-level operators" in a truth-value context.)

The precedence of & and | were as they are now. ...

In retrospect it would have been better to go ahead and change the precedence of & to higher than ==, but it seemed safer just to split & and && without moving & past an existing operator. (After all, we had several hundred kilobytes of source code, and maybe 3 installations....)

—Dennis Ritchie [1].

In terms of logical statement in C:

1
2
3
if (x == 1 & y == 0) {
    /* ... */
}

Makes perfect sense. But it doesn't make any in terms of bitwise logic.

C++, Java, Objective-C, PHP, C# and finally Javascript have it the same way. Python, Ruby, Go have it the other way around.

Do you know any reasons (apart from the one that comes from C's heritage) which made programming languages' designers to follow C's precedence rules?