A JSON parser for PHP that supports comments
You can use the following function to decode commented json:
function json_decode_commented($json, $assoc = false, $maxDepth = 512, $opts = 0) {
$data = preg_replace('~
(" (?:\\\\. | [^"])*+ ") | \# [^\v]*+ | // [^\v]*+ | /\* .*? \*/
~xs', '$1', $data);
return json_decode($json, $assoc, $maxDepth, $opts);
}
It supports all PHP-style comments: /*, #, //. String values are preserved as is.
Comments are not part of JSON, so a "JSON parser" is not required to accept comments..
I'd use YAML. Even if parsing is slightly slower (PHP has a native JSON parser but no native YAML parser) it's probably neglectible and if it's not, you can always cache the parsed object. Besides that, since the PHP JSON parser does not support comments you'd have to use a non-native one, i.e. it most likely wouldn't be faster than the YAML parser (assuming both are well-written)
YAML
If you need portability and don't want any pre-processing or non-standard syntax, then YAML is probably the way to go. Though, beware of the dangers and caveats of YAML.
Most, if not all, of JSON is compatible with YAML (YAML is a superset of JSON), and it supports comments. So the initial switch is easy.
JSON with comments
I recently needed to migrate from INI files in PHP to something that has support for integers and booleans, but still supported comments as well.
JSON seemed like a good format, except for supporting comments. If you want to make this work, you don't need a whole custom JSON parser. It can be made to work with simple wrapper that strips the comments uses the native json_decode
after that. (This works for sane content that trusted people author. If you allow crazy inputs there is probably a way to break this.)
Code from github.com/countervandalism/stillalive, with the regex from @makaveli_lcf:
class JsonUtil {
/**
* From https://stackoverflow.com/a/10252511/319266
* @return array|false
*/
public static function load( $filename ) {
$contents = @file_get_contents( $filename );
if ( $contents === false ) {
return false;
}
return json_decode( self::stripComments( $contents ), true );
}
/**
* From https://stackoverflow.com/a/10252511/319266
* @param string $str
* @return string
*/
protected static function stripComments( $str ) {
return preg_replace( '![ \t]*//.*[ \t]*[\r\n]!', '', $str );
}
}