Of these, only += on tuple elements and indexing with floats strike me as WTFs, and many others are evidence of the author really going out of their way to look for behaviors to nitpick on. The absolute majority of these are things that Python programmers either will never encounter, or can easily explain from Python "first principles" (e.g. most of the nitpicks on string and sequence behaviors).
I can tell you what I consider WTF worthy - things that I and others have undoubtedly been bitten by because they are ubiquitous. Those are mutable defaults, lack of loop scoping, and "global"/"nonlocal" scoping. Oh, and add the crazy "ascii" I/O encoding default on 2.7 (and the inability to cleanly reset it) to that list.
Truthiness values are also WTF worthy (although not mentioned above).
if not x:
do_something()
Where do_something will occur if x is None, zero, 0.0, a blank string or even midnight in some versions of python.
This has bitten me multiple times. It's a violation of python's explicit over implicit. It's an example of weak typing in an otherwise strongly typed language. There's really no good reason for it.
IMO, if x isn't a boolean, that line should just throw an exception. If you want to check for x being 0.0 or "", you should do x == "" or x == 0.0.
I would argue that the vast majority of behaviours described here are precisely the desired behaviour.
In fact, I think the ones he picks reflect tremendously on his skill as a programmer.
Take for instance his apparent insistence that int(2 * '3') should produce 6. Cool. Magic "special" behaviour for the multiply operator if the string happens to contain a number.
The same goes for his desire for the string "False" to be falsey. Wonderful magic special behaviour dependent on the (possibly unknown) content of a string means I've got to go round checking my strings for magic values.
I agree, but there's enough weird shit going on here that it's still a worthwhile "article". For me, the `mixing numerical types`, `Operator precedence?`, `extend vs +=`, `Indexing with floats`, `all and emptiness`, and `Comparing NaNs` were all interesting.
I interpret "wat" in the original "wat" presentation as "certain behaviors that can't be predicted by reading the code". In this regard, I don't think many things pointed out in the article can be considered as "wat". I could predict the behavior of many items fairly easily. The same thing could not be applied when I watched the original "wat" presentation.
The only exception I think is the bool coercion. Even though I can predict the behavior, I find it fairly disturbing. I believe that should have been removed when transitioning to Python 3. It is very unfortunate, considering Python is generally reluctant to implicit type conversion.
makes perfect sense, because the all all does is check the truthiness of the argument's elements. An empty list is false, non-empty is true, no matter the contents.
Because people from normal langs or without cs background expect type cast roundtrip to return original value if temp type can represent any value of source type (e.g. string can represent any value of bool)
I tend to write complex conditionals with parenthesis, sometimes excessively, but the clarity and guarantee of correct evaluation far outweighs any brevity.
isn't it doing the opposite? str(False) is the string "False", which bool() casts to True because it is a non-empty string; Non-empty strings are cast to True booleans.
This is much faster than checking if the string has some semantic meaning first, which would have to be localized.
Excellent talk. Her use of the dis module to explain wats by showing bytecode was particularly enlightening. It inspired me to give a similar talk next week end at PyConFr: https://github.com/makinacorpus/makina-slides/blob/master/py... (in French but the meat of it is Python code).
OCaml's parsing rules are pretty opaque sometimes. For example, if you have an "if" statement that's just performing effects (not returning a value), you may run into behavior like this:
# let x = ref 0;;
val x : int ref = {contents = 0}
# let y = ref 0;;
val y : int ref = {contents = 0}
# if false then
x := 1;
y := 1;
;;
- : unit = ()
# (!x, !y);;
- : int * int = (0, 1)
# y := 0;;
- : unit = ()
# if false then
let z = 1 in
x := z;
y := z;
;;
- : unit = ()
# (!x, !y);;
- : int * int = (0, 0)
actually almost none of these seem like wats to me.. Just what I would expect.
The one wat was adding a float to a huge integer. Granted, I assumed something fishy might happen with such large numbers, so I steer away from doing those operations.
Well to be fair it is only a wat if you don't know about floating point imprecision. Because that is exactly what is causing this contrary to what is stated. Also python just gets this behavior from C, so the other claim that this is a special case of python is also not true.
Since the 1 is shifted 53 bits to the left the number is right at the start of the number range where only even numbers can be represented.
You get 900719925470993 as the decimal number which you cast to float : 900719925470992.0
Then you add 1.0 and get 900719925470992.0 because of floating point imprecision and rounding. The next floating point number would be 900719925470994.0.
92 is less than 93 and this gets you this seemingly weird x+1.0 < x = true.
∗∗ is the exponentiation operator. True is implicitly converted to 1, and False to 0. It's a coincidence that 0^0, 0^1, 1^0, and 1^1 line up with converse implication.
Working in Python, my biggest wat is that a test can cause a failed assertion in the code and still succeed (if AssertionError is caught somewhere upwards in the code, which will happen at any `except Exception`).
I've hit this too, it would be really nice if AssertError didn't inherit from Exception. There's a whole Exception object hierarchy but it seems like none of the parents of Exception are actually useable for anything
Any assignment operator (compound or not) follows the same namespace rules. Scope lookups are consistent within a scope, regardless of order. Any "namespaced" lookup (`x[y]` and `foo.bar`) will act inside that namespace.
Non-namespaced identifiers will always assign into the nearest enclosing scope (a scope is always a named function) by default, since clobbering outer scopes - particularly globals - is dangerous. You can opt in to clobbering with `global` and `nonlocal`. If you don't ever assign to a name in the current scope, lookups will be lexical (since a local lookup cannot succeed).
---
Hopefully most of these value judgements should be relatively obvious.
`is` means "do these things reside in the same location in memory?", and the runtime is merely required to give a plausible answer.
For inequivalent values or `True`, `False` and `None`, the result is defined. Identity is also preserved across assignment. For everything else, the answer is "whatever the runtime feels like". PyPy, for instance, will always say True for integers and floats.
It's not just hard to predict - it's inherently unpredictable. The runtime gets free reign as long as you can't prove that it's lying.
[+] [-] ak217|10 years ago|reply
I can tell you what I consider WTF worthy - things that I and others have undoubtedly been bitten by because they are ubiquitous. Those are mutable defaults, lack of loop scoping, and "global"/"nonlocal" scoping. Oh, and add the crazy "ascii" I/O encoding default on 2.7 (and the inability to cleanly reset it) to that list.
[+] [-] crdoconnor|10 years ago|reply
This has bitten me multiple times. It's a violation of python's explicit over implicit. It's an example of weak typing in an otherwise strongly typed language. There's really no good reason for it.
IMO, if x isn't a boolean, that line should just throw an exception. If you want to check for x being 0.0 or "", you should do x == "" or x == 0.0.
[+] [-] ketralnis|10 years ago|reply
Put another way, += is not just syntactic sugar. With lists, it actually mutates the original list.
[+] [-] hueving|10 years ago|reply
[+] [-] ngoldbaum|10 years ago|reply
[+] [-] aexaey|10 years ago|reply
[+] [-] bpicolo|10 years ago|reply
The only actual surprise on this list is, I agree, that += operator. Especially because tup[0] = tup[0] + [1] fails as expected.
[+] [-] cma|10 years ago|reply
[+] [-] ris|10 years ago|reply
In fact, I think the ones he picks reflect tremendously on his skill as a programmer.
Take for instance his apparent insistence that int(2 * '3') should produce 6. Cool. Magic "special" behaviour for the multiply operator if the string happens to contain a number.
The same goes for his desire for the string "False" to be falsey. Wonderful magic special behaviour dependent on the (possibly unknown) content of a string means I've got to go round checking my strings for magic values.
[+] [-] d23|10 years ago|reply
[+] [-] polemic|10 years ago|reply
In python 2.x you could redefine True and False, and this is fun:
But python3 dropped a lot of wat-ness.This one is fun too: https://bugs.python.org/issue13936
[+] [-] yokohummer7|10 years ago|reply
The only exception I think is the bool coercion. Even though I can predict the behavior, I find it fairly disturbing. I believe that should have been removed when transitioning to Python 3. It is very unfortunate, considering Python is generally reluctant to implicit type conversion.
[+] [-] pvdebbe|10 years ago|reply
[+] [-] agf|10 years ago|reply
[+] [-] jayflux|10 years ago|reply
Cast false to a string, then check the Boolean value of that string. It's not an empty string so of course it would be true.
[+] [-] lostmsu|10 years ago|reply
[+] [-] ngoldbaum|10 years ago|reply
Clearly the correct answer is 'xxx>' ;)
[+] [-] aldanor|10 years ago|reply
>>> type(np.uint64(1) + 1) numpy.float64
[+] [-] jaibot|10 years ago|reply
[+] [-] julian37|10 years ago|reply
[+] [-] tcdent|10 years ago|reply
[+] [-] hueving|10 years ago|reply
[+] [-] msane|10 years ago|reply
This is much faster than checking if the string has some semantic meaning first, which would have to be localized.
[+] [-] agf|10 years ago|reply
[+] [-] rhizome31|10 years ago|reply
[+] [-] dalke|10 years ago|reply
[+] [-] nv-vn|10 years ago|reply
[+] [-] isbadawi|10 years ago|reply
[0]: http://www.javapuzzlers.com/
[1]: https://www.youtube.com/watch?v=wbp-3BJWsU8
[2]: https://www.youtube.com/watch?v=yGFok5AJAyc
[3]: https://www.youtube.com/watch?v=Wnzyp1aitb8
[+] [-] Macha|10 years ago|reply
* Reassigning interned integers via reflection
* private fields work on a class level, not an instance level, i.e. Instances of a class can read private fields of other instances of the same class.
* Arguably package-private fields as the docs like to avoid mentioning they exist.
* ==, particularly in regards to boxed types.
* List<String> x = new ArrayList<String>() {{ add("hello"); add("world"); }};
* The behaviour of .equals with the object you create above
* Type Erasure
[+] [-] oct|10 years ago|reply
[+] [-] Veedrac|10 years ago|reply
[+] [-] Ao7bei3s|10 years ago|reply
Oh, and `null`, in any language ;-)
[+] [-] 746F7475|10 years ago|reply
[+] [-] lqdc13|10 years ago|reply
The one wat was adding a float to a huge integer. Granted, I assumed something fishy might happen with such large numbers, so I steer away from doing those operations.
[+] [-] khulat|10 years ago|reply
Since the 1 is shifted 53 bits to the left the number is right at the start of the number range where only even numbers can be represented.
You get 900719925470993 as the decimal number which you cast to float : 900719925470992.0
Then you add 1.0 and get 900719925470992.0 because of floating point imprecision and rounding. The next floating point number would be 900719925470994.0.
92 is less than 93 and this gets you this seemingly weird x+1.0 < x = true.
[+] [-] eru|10 years ago|reply
If all would work any other way, it would be seriously broken. (Given the rules for how to convert list to bool.)
[+] [-] ksikka|10 years ago|reply
[+] [-] johnsoft|10 years ago|reply
[+] [-] mxmul|10 years ago|reply
[+] [-] dllthomas|10 years ago|reply
[+] [-] ketralnis|10 years ago|reply
[+] [-] eru|10 years ago|reply
[+] [-] amelius|10 years ago|reply
[+] [-] Veedrac|10 years ago|reply
Any assignment operator (compound or not) follows the same namespace rules. Scope lookups are consistent within a scope, regardless of order. Any "namespaced" lookup (`x[y]` and `foo.bar`) will act inside that namespace.
Non-namespaced identifiers will always assign into the nearest enclosing scope (a scope is always a named function) by default, since clobbering outer scopes - particularly globals - is dangerous. You can opt in to clobbering with `global` and `nonlocal`. If you don't ever assign to a name in the current scope, lookups will be lexical (since a local lookup cannot succeed).
---
Hopefully most of these value judgements should be relatively obvious.
[+] [-] fela|10 years ago|reply
[+] [-] fela|10 years ago|reply
[+] [-] Veedrac|10 years ago|reply
For inequivalent values or `True`, `False` and `None`, the result is defined. Identity is also preserved across assignment. For everything else, the answer is "whatever the runtime feels like". PyPy, for instance, will always say True for integers and floats.
It's not just hard to predict - it's inherently unpredictable. The runtime gets free reign as long as you can't prove that it's lying.
[+] [-] chris_wot|10 years ago|reply
[+] [-] misiti3780|10 years ago|reply
awesome idea - thank you