PHP Loose comparison

PHP has this particular functionality called Type juggling, it essentially tries to predict what a programmer wants to do with a variable, it usually checks whats's inside a variable and tries to convert it, for example if a string contains only numbers it will convert it to either an integer or a float, this behaviour can sometimes cause issues, especially when loose comparison is used.

In PHP there are 2 main types of comparison

  • Strict comparison (===)

  • Loose comparison (==)

Loose comparison

Loose comparison compares only the value of the variable and not the type, it uses type juggling to try and predict the type of the variable


Strict comparison

Strict comparison instead compares both the value of the variable and the type, it doesn't do any kind of type juggling since it also compares the type of the variable

Some examples

these examples may work or not depending on the version of php that is currently in use

var_dump(15 == "15");  // bool(true)
var_dump('0xdeadbeef' == '3735928559');  // bool(true) works on versions before php7

another peculiar example is :

var_dump('10e3' == '1e4');  // bool(true)

Here PHP interprets boh the strings 10e3 and 1e4 as a scientific notation, PHP first converts this numbers into floats and the procedes with the comparison

  • 10e3 becomes 10×102=100010×10 ^2 = 1000

  • 1e4 becomes 1×103=10001×10 ^3 = 1000

Magic Hashes

Due to PHP juggling, when comparing hashes to another variable, if the hash starts with 0e it will again be interpreted as a scientific notation and it's value is going to equal to 0

var_dump('0e123' == '0'); # bool(true)
var_dump(md5('sQcRTBkePLSY') == md5('fQvn3oAoYNfo')); # bool(true)
// it translates to : var_dump('0e576163277785256730155739473379' == '0e935872100939536813194636270943');

You can find whole lists of magic hashes on various algorithms here : https://github.com/spaze/hashes

Challenge

https://websec.fr/level10/index.php

a simple ctf challenge showcasing this kind of vulnerability

Last updated