Syed Sajid
Syed Sajid

Reputation: 1410

Remove Arabic Diacritic

I want php to convert this...

Text : الْحَمْدُ لِلَّهِ رَبِّ الْعَالَمِينَ
converted to : الحمد لله رب العالمين 

I am not sure where to start and how to do it. Absolutely no idea. I have done some research, found this link http://www.suhailkaleem.com/2009/08/26/remove-diacritics-from-arabic-text-quran/ but it is not using php. I would like to use php and covert the above text to converted text. I want to remove any diacritic from user input arabic text

Upvotes: 23

Views: 7140

Answers (4)

Hisham Dalal
Hisham Dalal

Reputation: 601

Try this code, it's works fine:

<?php    
$str = 'الْحَمْدُ لِلَّهِ رَبِّ الْعَالَمِينَ';

$unicode = [
            "~[\x{0600}-\x{061F}]~u",   
            "~[\x{063B}-\x{063F}]~u",   
            "~[\x{064B}-\x{065E}]~u",   
            "~[\x{066A}-\x{06FF}]~u",   
        ];

$str = preg_replace($unicode, "", $str);
echo $str;
?>

See: Arabic unicode

Thank's for: Hosein Shahrestani

Upvotes: 3

Hosein Shahrestani
Hosein Shahrestani

Reputation: 81

try this:

$string = 'الْحَمْدُ لِلَّهِ رَبِّ الْعَالَمِينَ';
$string = preg_replace("~[\x{064B}-\x{065B}]~u", "", $string);
echo $string; // outputs الحمد لله رب العالمين

Upvotes: 8

ljacqu
ljacqu

Reputation: 2180

The vowel diacritics in Arabic are combining characters, meaning that a simple search for these should suffice. There's no need to have a replace rule for every possible consonant with every possible vowel, which is a little tedious.

Here's a working example that outputs what you need:

header('Content-Type: text/html; charset=utf-8', true);
$string = 'الْحَمْدُ لِلَّهِ رَبِّ الْعَالَمِينَ';

$remove = array('ِ', 'ُ', 'ٓ', 'ٰ', 'ْ', 'ٌ', 'ٍ', 'ً', 'ّ', 'َ');
$string = str_replace($remove, '', $string);

echo $string; // outputs الحمد لله رب العالمين

What's important here is the $remove array. It looks weird because there's a combining character between the ' quotes, so it modifies one of those single quotes. This might need saving in the same character encoding as your text is.

Upvotes: 20

Justinas
Justinas

Reputation: 43481

I'm not Arabic speaking, but i think you can make some alphabet remap:

function remap($string) {
    $remap = [
        'ą' => 'a',
        'č' => 'c',
        /* ... Arabic alphabet remap */
    ];
    return str_replace(array_keys($remap), $remap, $string);
}

echo remap('ąčasdadfg'); // => acasdadfg

Upvotes: -2

Related Questions