I have a small html code and I need to convert it to UTF-8.
I use this iconv("windows-1251", "utf-8", $html);
All text converts correctly, but if text for example in tag . , then it don’t convert text and I see somethig like this Показать РјРЅ
5 Answers 5
If you have access to the Multibye package, you can try it. See the PHP page here: http://www.php.net/manual/en/function.mb-convert-encoding.php
You know, message like Показать мн you see if encoding for page is windows-1251 , but text encoded in utf-8 .
I saw this problem in one of my project, so just change change encoding for page in utf-8 and this text will shown correctly.
Let me take you some examples:
if page in utf-8 , but text in windows-1251 you wil see something like this:
. ?? . . . . . ?? . . . .
if page in windows-1251 , but text in utf-8 you see this:
"Мобильные телефоны";"Apple iPhone 4
I always use manual convertation (character-by-character), like this:
p.s. dont forget, the .php file encoding should be UTF8. also, in the head of HTML,insert standard declaration for UTF8
Most of the solutions lack conversion to single-byte encoding. I use mb_convert_encoding($string,’windows-1251′) to convert from UTF-8 in my case.
У меня есть небольшой html-код, и мне нужно преобразовать его в UTF-8.
Я использую этот iconv("windows-1251", "utf-8", $html);
Весь текст преобразуется правильно, но если текст, например, в теге . , то он не преобразует текст, и я вижу что-то подобное.
Если у вас есть доступ к пакету Multibye, вы можете попробовать его. Смотрите страницу PHP здесь: http://www.php.net/manual/en/function.mb-convert-encoding.php
Вы знаете, сообщение, похожее на то, что кодировка для страницы – это windows-1251 , но текст закодирован в utf-8 .
Я видел эту проблему в одном из моих проектов, поэтому просто измените кодировку изменений на странице в utf-8 и этот текст будет показан правильно.
Позвольте мне привести несколько примеров:
если страница в utf-8 , но текст в windows-1251 вы увидите что-то вроде этого:
. ?? . . . . . ?? . . . .
if page in windows-1251 , но текст в utf-8 вы видите так:
"Мобильные телефоны";"Apple iPhone 4
Я всегда использую ручную конвертацию (по-характеру), например:
ps не забывайте, кодировка файла .php должна быть UTF8. также в заголовке HTML, вставьте стандартную декларацию для UTF8
В большинстве решений отсутствует преобразование в однобайтовое кодирование. Я использую mb_convert_encoding ($ string, ‘windows-1251’) для преобразования из UTF-8 в моем случае.
(PHP 4 >= 4.0.5, PHP 5, PHP 7)
iconv — Преобразование строки в требуемую кодировку
Описание
Преобразует набор символов строки str из кодировки in_charset в out_charset .
Список параметров
Кодировка входной строки.
Требуемая на выходе кодировка.
Если добавить к out_charset строку //TRANSLIT, включается режим транслитерации. Это значит, что в случае, если символ не может быть представлен в требуемой кодировке, он будет заменен на один или несколько наиболее близких по внешнему виду символов. Если добавить строку //IGNORE, то символы, которые не могут быть представлены в требуемой кодировке, будут удалены. В случае отсутствия вышеуказанных параметров будет сгенерирована ошибка уровня E_NOTICE , а функция вернет FALSE .
Как будет работат //TRANSLIT и будет ли вообще, зависит от системной реализации iconv() ( ICONV_IMPL ). Известны некоторые реализации, которые просто игнорируют //TRANSLIT, так что конвертация для символов некорректных для out_charset скорее всего закончится ошибкой.
Строка, которую необходимо преобразовать.
Возвращаемые значения
Возвращает преобразованную строку или FALSE в случае возникновения ошибки.
Список изменений
Версия | Описание |
---|---|
5.4.0 | Начиная с этой версии, функция возвращает FALSE на некорректных символах, только если в выходной кодировке не указан //IGNORE. До этого функция возвращала часть строки. |
Примеры
Пример #1 Пример использования iconv()
= "Это символ евро — ‘€’." ;
echo ‘Исходная строка : ‘ , $text , PHP_EOL ;
echo ‘С добавлением TRANSLIT : ‘ , iconv ( "UTF-8" , "ISO-8859-1//TRANSLIT" , $text ), PHP_EOL ;
echo ‘С добавлением IGNORE : ‘ , iconv ( "UTF-8" , "ISO-8859-1//IGNORE" , $text ), PHP_EOL ;
echo ‘Обычное преобразование : ‘ , iconv ( "UTF-8" , "ISO-8859-1" , $text ), PHP_EOL ;
Результатом выполнения данного примера будет что-то подобное:
User Contributed Notes 39 notes
The "//ignore" option doesn’t work with recent versions of the iconv library. So if you’re having trouble with that option, you aren’t alone.
That means you can’t currently use this function to filter invalid characters. Instead it silently fails and returns an empty string (or you’ll get a notice but only if you have E_NOTICE enabled).
This has been a known bug with a known solution for at least since 2009 years but no one seems to be willing to fix it (PHP must pass the -c option to iconv). It’s still broken as of the latest release 5.4.3.
ini_set(‘mbstring.substitute_character’, "none");
$text= mb_convert_encoding($text, ‘UTF-8’, ‘UTF-8’);
That will strip invalid characters from UTF-8 strings (so that you can insert it into a database, etc.). Instead of "none" you can also use the value 32 if you want it to insert spaces in place of the invalid characters.
Please note that iconv(‘UTF-8’, ‘ASCII//TRANSLIT’, . ) doesn’t work properly when locale category LC_CTYPE is set to C or POSIX. You must choose another locale otherwise all non-ASCII characters will be replaced with question marks. This is at least true with glibc 2.5.
Example:
( LC_CTYPE , ‘POSIX’ );
echo iconv ( ‘UTF-8’ , ‘ASCII//TRANSLIT’ , "Žluťoučký kůň
" );
// ?lu?ou?k? k??
setlocale ( LC_CTYPE , ‘cs_CZ’ );
echo iconv ( ‘UTF-8’ , ‘ASCII//TRANSLIT’ , "Žluťoučký kůň
" );
// Zlutoucky kun
?>
Interestingly, setting different target locales results in different, yet appropriate, transliterations. For example:
//some German
$utf8_sentence = ‘Weiß, Goldmann, Göbel, Weiss, Göthe, Goethe und Götz’ ;
//UK
setlocale ( LC_ALL , ‘en_GB’ );
//transliterate
$trans_sentence = iconv ( ‘UTF-8’ , ‘ASCII//TRANSLIT’ , $utf8_sentence );
//gives [Weiss, Goldmann, Gobel, Weiss, Gothe, Goethe und Gotz]
//which is our original string flattened into 7-bit ASCII as
//an English speaker would do it (ie. simply remove the umlauts)
echo $trans_sentence . PHP_EOL ;
//Germany
setlocale ( LC_ALL , ‘de_DE’ );
$trans_sentence = iconv ( ‘UTF-8’ , ‘ASCII//TRANSLIT’ , $utf8_sentence );
//gives [Weiss, Goldmann, Goebel, Weiss, Goethe, Goethe und Goetz]
//which is exactly how a German would transliterate those
//umlauted characters if forced to use 7-bit ASCII!
//(because really ä = ae, ö = oe and ü = ue)
echo $trans_sentence . PHP_EOL ;
to test different combinations of convertions between charsets (when we don’t know the source charset and what is the convenient destination charset) this is an example :
= array( "UTF-8" , "ASCII" , "Windows-1252" , "ISO-8859-15" , "ISO-8859-1" , "ISO-8859-6" , "CP1256" );
$chain = "" ;
foreach ( $tab as $i )
<
foreach ( $tab as $j )
<
$chain .= " $i$j " . iconv ( $i , $j , " $my_string " );
>
>
echo $chain ;
?>
then after displaying, you use the $i$j that shows good displaying.
NB: you can add other charsets to $tab to test other cases.
If you are getting question-marks in your iconv output when transliterating, be sure to ‘setlocale’ to something your system supports.
Some PHP CMS’s will default setlocale to ‘C’, this can be a problem.
use the "locale" command to find out a list..
( LC_CTYPE , ‘en_AU.utf8’ );
$str = iconv ( ‘UTF-8’ , ‘ASCII//TRANSLIT’ , "Côte d’Ivoire" );
?>
Like many other people, I have encountered massive problems when using iconv() to convert between encodings (from UTF-8 to ISO-8859-15 in my case), especially on large strings.
The main problem here is that when your string contains illegal UTF-8 characters, there is no really straight forward way to handle those. iconv() simply (and silently!) terminates the string when encountering the problematic characters (also if using //IGNORE), returning a clipped string. The
= html_entity_decode ( htmlentities ( $oldstring , ENT_QUOTES , ‘UTF-8’ ), ENT_QUOTES , ‘ISO-8859-15’ );
?>
workaround suggested here and elsewhere will also break when encountering illegal characters, at least dropping a useful note ("htmlentities(): Invalid multibyte sequence in argument in. ")
I have found a lot of hints, suggestions and alternative methods (it’s scary and in my opinion no good sign how many ways PHP natively provides to convert the encoding of strings), but none of them really worked, except for this one:
= mb_convert_encoding ( $oldstring , ‘ISO-8859-15’ , ‘UTF-8’ );
There may be situations when a new version of a web site, all in UTF-8, has to display some old data remaining in the database with ISO-8859-1 accents. The problem is iconv("ISO-8859-1", "UTF-8", $string) should not be applied if $string is already UTF-8 encoded.
I use this function that does’nt need any extension :
function convert_utf8( $string ) <
if ( strlen(utf8_decode($string)) == strlen($string) ) <
// $string is not UTF-8
return iconv("ISO-8859-1", "UTF-8", $string);
> else <
// already UTF-8
return $string;
>
>
I have not tested it extensively, hope it may help.
For those who have troubles in displaying UCS-2 data on browser, here’s a simple function that convert ucs2 to html unicode entities :
function ucs2html ( $str ) <
$str = trim ( $str ); // if you are reading from file
$len = strlen ( $str );
$html = » ;
for( $i = 0 ; $i $len ; $i += 2 )
$html .= ‘&#’ . hexdec ( dechex ( ord ( $str [ $i + 1 ])).
sprintf ( "%02s" , dechex ( ord ( $str [ $i ])))). ‘;’ ;
return( $html );
>
?>
In my case, I had to change:
( LC_CTYPE , ‘cs_CZ’ );
?>
to
( LC_CTYPE , ‘cs_CZ.UTF-8’ );
?>
Otherwise it returns question marks.
When I asked my linux for locale (by locale command) it returns "cs_CZ.UTF-8", so there is maybe correlation between it.
iconv (GNU libc) 2.6.1
glibc 2.3.6
Here is how to convert UCS-2 numbers to UTF-8 numbers in hex:
function ucs2toutf8 ( $str )
<
for ( $i = 0 ; $i strlen ( $str ); $i += 4 )
<
$substring1 = $str [ $i ]. $str [ $i + 1 ];
$substring2 = $str [ $i + 2 ]. $str [ $i + 3 ];
if ( $substring1 == "00" )
<
$byte1 = "" ;
$byte2 = $substring2 ;
>
else
<
$substring = $substring1 . $substring2 ;
$byte1 = dechex ( 192 +( hexdec ( $substring )/ 64 ));
$byte2 = dechex ( 128 +( hexdec ( $substring )% 64 ));
>
$utf8 .= $byte1 . $byte2 ;
>
return $utf8 ;
>
echo strtoupper ( ucs2toutf8 ( "06450631062D0020" ));
?>
Input:
06450631062D
Output:
D985D8B1D8AD
I have used iconv to convert from cp1251 into UTF-8. I spent a day to investigate why a string with Russian capital ‘Р’ (sounds similar to ‘r’) at the end cannot be inserted into a database.
The problem is not in iconv. But ‘Р’ in cp1251 is chr(208) and ‘Р’ in UTF-8 is chr(208).chr(106). chr(106) is one of the space symbol which match ‘s’ in regex. So, it can be taken by a greedy ‘+’ or ‘*’ operator. In that case, you loose ‘Р’ in your string.
For example, ‘ГР ‘ (Russian, UTF-8). Function preg_match. Regex is ‘(.+?)[s]*’. Then ‘(.+?)’ matches ‘Г’.chr(208) and ‘[s]*’ matches chr(106).’ ‘.
Although, it is not a bug of iconv, but it looks like it very much. That’s why I put this comment here.
Here is how to convert UTF-8 numbers to UCS-2 numbers in hex:
function utf8toucs2 ( $str )
<
for ( $i = 0 ; $i strlen ( $str ); $i += 2 )
<
$substring1 = $str [ $i ]. $str [ $i + 1 ];
$substring2 = $str [ $i + 2 ]. $str [ $i + 3 ];
if ( hexdec ( $substring1 ) 127 )
$results = "00" . $str [ $i ]. $str [ $i + 1 ];
else
<
$results = dechex (( hexdec ( $substring1 )- 192 )* 64 + ( hexdec ( $substring2 )- 128 ));
if ( $results 1000 ) $results = "0" . $results ;
$i += 2 ;
>
$ucs2 .= $results ;
>
return $ucs2 ;
>
echo strtoupper ( utf8toucs2 ( "D985D8B1D8AD" )). "
" ;
echo strtoupper ( utf8toucs2 ( "456725" )). "
" ;
I just found out today that the Windows and *NIX versions of PHP use different iconv libraries and are not very consistent with each other.
Here is a repost of my earlier code that now works on more systems. It converts as much as possible and replaces the rest with question marks:
if (! function_exists ( ‘utf8_to_ascii’ )) <
setlocale ( LC_CTYPE , ‘en_AU.utf8’ );
if (@ iconv ( "UTF-8" , "ASCII//IGNORE//TRANSLIT" , ‘é’ ) === false ) <
// PHP is probably using the glibc library (*NIX)
function utf8_to_ascii ( $text ) <
return iconv ( "UTF-8" , "ASCII//TRANSLIT" , $text );
>
>
else <
// PHP is probably using the libiconv library (Windows)
function utf8_to_ascii ( $text ) <
if ( is_string ( $text )) <
// Includes combinations of characters that present as a single glyph
$text = preg_replace_callback ( ‘/X/u’ , __FUNCTION__ , $text );
>
elseif ( is_array ( $text ) && count ( $text ) == 1 && is_string ( $text [ 0 ])) <
// IGNORE characters that can’t be TRANSLITerated to ASCII
$text = iconv ( "UTF-8" , "ASCII//IGNORE//TRANSLIT" , $text [ 0 ]);
// The documentation says that iconv() returns false on failure but it returns »
if ( $text === » || ! is_string ( $text )) <
$text = ‘?’ ;
>
elseif ( preg_match ( ‘/w/’ , $text )) < // If the text contains any letters.
$text = preg_replace ( ‘/W+/’ , » , $text ); // . then remove all non-letters
>
>
else < // $text was not a string
$text = » ;
>
return $text ;
>
>
>
Didn’t know its a feature or not but its works for me (PHP 5.0.4)
test it to convert from windows-1251 (stored in DB) to UTF-8 (which i use for web pages).
BTW i convert each array i fetch from DB with array_walk_recursive.
Here is an example how to convert windows-1251 (windows) or cp1251(Linux/Unix) encoded string to UTF-8 encoding.
function cp1251_utf8 ( $sInput )
<
$sOutput = "" ;
for ( $i = 0 ; $i strlen ( $sInput ); $i ++ )
<
$iAscii = ord ( $sInput [ $i ] );
Be aware that iconv in PHP uses system implementations of locales and languages, what works under linux, normally doesn’t in windows.
Also, you may notice that recent versions of linux (debian, ubuntu, centos, etc) the //TRANSLIT option doesn’t work. since most distros doesn’t include the intl packages (example: php5-intl and icuxx (where xx is a number) in debian) by default. And this because the intl package conflicts with another package needed for international DNS resolution.
Problem is that configuration is dependent of the sysadmin of the machine where you’re hosted, so iconv is pretty much useless by default, depending on what configuration is used by your distro or the machine’s admin.
iconv with //IGNORE works as expected: it will skip the character if this one does not exist in the $out_charset encoding.
If a character is missing from the $in_charset encoding (eg byte x81 from CP1252 encoding), then iconv will return an error, whether with //IGNORE or not.
For transcoding values in an Excel generated CSV the following seems to work:
= iconv ( ‘Windows-1252’ , ‘UTF-8//TRANSLIT’ , $value );
?>
Note an important difference between iconv() and mb_convert_encoding() — if you’re working with strings, as opposed to files, you most likely want mb_convert_encoding() and not iconv(), because iconv() will add a byte-order marker to the beginning of (for example) a UTF-32 string when converting from e.g. ISO-8859-1, which can throw off all your subsequent calculations and operations on the resulting string.
In other words, iconv() appears to be intended for use when converting the contents of files — whereas mb_convert_encoding() is intended for use when juggling strings internally, e.g. strings that aren’t being read/written to/from files, but exchanged with some other media.
‘" to the output.
This function will strip out these extra characters:
( LC_ALL , ‘en_US.UTF8’ );
function clearUTF ( $s )
<
$r = » ;
$s1 = @ iconv ( ‘UTF-8’ , ‘ASCII//TRANSLIT’ , $s );
$j = 0 ;
for ( $i = 0 ; $i strlen ( $s1 ); $i ++) <
$ch1 = $s1 [ $i ];
$ch2 = @ mb_substr ( $s , $j ++, 1 , ‘UTF-8’ );
if ( strstr ( ‘`^
function detectUTF8($string)
<
return preg_match(‘%(?:
[xC2-xDF][x80-xBF] # non-overlong 2-byte
|xE0[xA0-xBF][x80-xBF] # excluding overlongs
|[xE1-xECxEExEF][x80-xBF] <2># straight 3-byte
|xED[x80-x9F][x80-xBF] # excluding surrogates
|xF0[x90-xBF][x80-xBF] <2># planes 1-3
|[xF1-xF3][x80-xBF] <3># planes 4-15
|xF4[x80-x8F][x80-xBF] <2># plane 16
)+%xs’, $string);
>
function cp1251_utf8( $sInput )
<
$sOutput = "";