The PHP functions htmlspecialchars and it’s reverse htmlspecialchars_decode only handles the following characters:
- ‘&’ (ampersand) becomes ‘&’
- ‘”‘ (double quote) becomes ‘"’ when ENT_NOQUOTES is not set.
- ”’ (single quote) becomes ‘'’ only when ENT_QUOTES is set.
- ‘<‘ (less than) becomes ‘<’
- ‘>’ (greater than) becomes ‘>’
If you want to output html text containing nordic/german characters like Å, Ä, Ö and Ü in dialog boxes (popups) these characters also needs to be converted. The following PHP function does this for you:
function unhtml( $string ) {
$string = str_replace ( '&', '&', $string );
$string = str_replace ( ''', '\'', $string );
$string = str_replace ( '"', '"', $string );
$string = str_replace ( '<', '<', $string );
$string = str_replace ( '>', '>', $string );
$string = str_replace ( 'ü', 'ü', $string );
$string = str_replace ( 'Ü', 'Ü', $string );
$string = str_replace ( 'ä', 'ä', $string );
$string = str_replace ( 'Ä', 'Ä', $string );
$string = str_replace ( 'ö', 'ö', $string );
$string = str_replace ( 'Ö', 'Ö', $string );
$string = str_replace ( 'å', 'å', $string );
$string = str_replace ( 'Å', 'Å', $string );
return $string;
}
It is important that the code is saved in UTF-8 encoding (or the format your web page is using). Edit the code in for example Windows notedpad and use Save as. Now you can select UTF-8 encoding when saving the file.
Or if you are using UNIX / Linux you can use iconv to convert the file if it is not already in the correct format. First, to find out the current encoding for your file, use the file command:
$ file --mime-encoding unhtml.php
unhtml.php: iso-8859-1
Now, to convert it to UTF-8 using the iconv command:
iconv -f iso-8859-1 -t utf-8 unhtml.php > unhtml-utf-8.php
The reverse of unhtml is of course the html function:
/* Encodes specific characters for display as html */
function html($string) {
  $string = str_replace ( '&', '&', $string );
  $string = str_replace ( '\'', ''', $string );
  $string = str_replace ( '"', '"', $string );
  $string = str_replace ( '<', '<', $string );
  $string = str_replace ( '>', '>', $string );
  $string = str_replace ( 'ü', 'ü', $string );
  $string = str_replace ( 'Ü', 'Ü', $string );
  $string = str_replace ( 'ä', 'ä', $string );
  $string = str_replace ( 'Ä', 'Ä', $string );
  $string = str_replace ( 'ö', 'ö', $string );
  $string = str_replace ( 'Ö', 'Ö', $string );
  $string = str_replace ( 'å', 'å', $string );
  $string = str_replace ( 'Å', 'Å', $string );
  return $string;
}
?>