PHPでの電話番号のフォーマット


101

私はSMSアプリに取り組んでおり、送信者の電話番号を+11234567890から123-456-7890変換して、MySQLデータベースのレコードと比較できるようにする必要があります

番号はサイトの他の場所で使用できるように後者の形式で保存されます。多くのコードを変更する必要があるため、この形式は変更しません。

PHPでこれにどう対処しますか?

ありがとう!


13
ahhhhh .... NOOOO ....なぜあなたはそのような電話番号を保存しているのですか?文字列として?悪い悪い悪い!それらを大きな整数として保存する必要があります...必要なストレージが少なく、インデックスが高速で、ソートが高速です
sethvargo

7
電話番号を文字列として保存することにはそれほど問題はありません(+61(0)812345678を保存する必要がある場合は避けられません)-しかし、特定の形式の保存は少し危険です(つまり、セパレーター)-書式設定を行うのが最善ですデータ層ではなくプレゼンテーション層で。
HorusKol、2011年

3
@NightMICU-それは100%間違った方法です...整数として保存し、表示用にフォーマットする再利用可能な関数を用意する必要があります
sethvargo

227
記憶領域を節約するために電話番号を整数として格納することは恐ろしい考えです。電話番号は、数学で計算するという一般的な意味ではありません。数値が0で始まる米国固有の形式以外で数値を保存する必要がある場合、問題が発生します。この情報を文字列として保存することをお勧めします。
Charles Sprayberry、2013年

2
@NightMICUそれがあなたが文字列として格納することについて気分が良くなるなら、偉大なジョン・スキートでさえ、先行ゼロ問題のために整数として格納しないように言っています。stackoverflow.com/a/3483166/746010
Charles Sprayberry

回答:


108
$data = '+11234567890';

if(  preg_match( '/^\+\d(\d{3})(\d{3})(\d{4})$/', $data,  $matches ) )
{
    $result = $matches[1] . '-' .$matches[2] . '-' . $matches[3];
    return $result;
}

可能なスペースと他の形式の国際番号をキャプチャするには:/ ^(\ +?\ d {1,2}?)[.-]?(?(\ d {3}))?[.-]?(\ d {3})[.-]?(\ d {4})$ /
TeckniX 2014年

3
@stoutie間違い、$ matches [0]は一致したパターンテキスト全体です。そのように使用する前に、array_shift($ matches)を実行する必要があります。
Alexandre Reis Ribeiro 2014年

これを出力でフォーマットする方が高速でしょうか?sprintfまたは「printf」を使用していますか?誰か私に説明してください。私は米国のみの電話番号で作業しており、サブストリングを使用して出力関数を介してそれらを実行することは最良の方法だとは思いません。
Rafael

私は、SOにコメントへの反対投票を含めるべきだと思います。@Stoutieのコメントは誤解を招くものです。
peterchaula 2016

1
私は何年も前に私の新しい、tddの前の自己投稿の誤ったコメントを謝罪します。私は将来もっと良くすることを約束します。参照しているコメントは削除されたようです。すべては順調です。幸せな休日。
Stoutie 2016

163

これは、現在のどの回答よりも多くのバージョンの番号で機能する米国の電話フォーマッタです。

$numbers = explode("\n", '(111) 222-3333
((111) 222-3333
1112223333
111 222-3333
111-222-3333
(111)2223333
+11234567890
    1-8002353551
    123-456-7890   -Hello!
+1 - 1234567890 
');


foreach($numbers as $number)
{
    print preg_replace('~.*(\d{3})[^\d]{0,7}(\d{3})[^\d]{0,7}(\d{4}).*~', '($1) $2-$3', $number). "\n";
}

そして、これが正規表現の内訳です:

Cell: +1 999-(555 0001)

.*          zero or more of anything "Cell: +1 "
(\d{3})     three digits "999"
[^\d]{0,7}  zero or up to 7 of something not a digit "-("
(\d{3})     three digits "555"
[^\d]{0,7}  zero or up to 7 of something not a digit " "
(\d{4})     four digits "0001"
.*          zero or more of anything ")"

更新:2015年3月11日に使用する{0,7}代わりに{,7}


電話番号に内線がある場合はどうなりますか?
SpYk3HH 2013年

1
良い点-世界中で拡張機能がどのように見えるかの例はありますか?Proabalyのようなもの~.*(\d{3})[^\d]*(\d{3})[^\d]*(\d{4})(?:[ \D#\-]*(\d{3,6}))?.*~
Xeoncross 2013年

1
Webサイトのユーザーが市外局番を省略した場合はどうなりますか?
スキーバルク

正規表現のさまざまな部分が何をしているかの内訳を取得できますか?ie: (\d{3}) // 3 digits [\d]//数字ではない文字
roberthuttinger

1
@WesleyMurch正規表現の一致に変更があり{,7}、に更新する必要があるよう{0,7}です。コードを更新しました。
Xeoncross 2015年

55

この関数は、国際(10桁以上)、非国際(10桁)、または古い(7桁)の電話番号をフォーマットします。10 +、10、または7桁以外の数字はフォーマットされません。

function formatPhoneNumber($phoneNumber) {
    $phoneNumber = preg_replace('/[^0-9]/','',$phoneNumber);

    if(strlen($phoneNumber) > 10) {
        $countryCode = substr($phoneNumber, 0, strlen($phoneNumber)-10);
        $areaCode = substr($phoneNumber, -10, 3);
        $nextThree = substr($phoneNumber, -7, 3);
        $lastFour = substr($phoneNumber, -4, 4);

        $phoneNumber = '+'.$countryCode.' ('.$areaCode.') '.$nextThree.'-'.$lastFour;
    }
    else if(strlen($phoneNumber) == 10) {
        $areaCode = substr($phoneNumber, 0, 3);
        $nextThree = substr($phoneNumber, 3, 3);
        $lastFour = substr($phoneNumber, 6, 4);

        $phoneNumber = '('.$areaCode.') '.$nextThree.'-'.$lastFour;
    }
    else if(strlen($phoneNumber) == 7) {
        $nextThree = substr($phoneNumber, 0, 3);
        $lastFour = substr($phoneNumber, 3, 4);

        $phoneNumber = $nextThree.'-'.$lastFour;
    }

    return $phoneNumber;
}

これはすばらしいことですが、市外局番のかっこはオプションの数字であることを示しています。ほとんどの管轄区域では、市外局番をオプションと見なさなくなったため、単純なハイフンで区切るとより正確になります。
ビンセント

素晴らしいコード..!
Chandni Soni

30

電話番号が常にこの正確な形式であると想定すると、次のスニペットを使用できます。

$from = "+11234567890";
$to = sprintf("%s-%s-%s",
              substr($from, 2, 3),
              substr($from, 5, 3),
              substr($from, 8));

$ to varをエコーするだけです。大好きです。
Samuel Ramzan

22

電話番号は難しいです。より堅牢で国際的なソリューションとして、Googleのlibphonenumberライブラリのこのよく管理されたPHPポートをお勧めします。

このように使用すると、

use libphonenumber\NumberParseException;
use libphonenumber\PhoneNumber;
use libphonenumber\PhoneNumberFormat;
use libphonenumber\PhoneNumberUtil;

$phoneUtil = PhoneNumberUtil::getInstance();

$numberString = "+12123456789";

try {
    $numberPrototype = $phoneUtil->parse($numberString, "US");

    echo "Input: " .          $numberString . "\n";
    echo "isValid: " .       ($phoneUtil->isValidNumber($numberPrototype) ? "true" : "false") . "\n";
    echo "E164: " .           $phoneUtil->format($numberPrototype, PhoneNumberFormat::E164) . "\n";
    echo "National: " .       $phoneUtil->format($numberPrototype, PhoneNumberFormat::NATIONAL) . "\n";
    echo "International: " .  $phoneUtil->format($numberPrototype, PhoneNumberFormat::INTERNATIONAL) . "\n";
} catch (NumberParseException $e) {
    // handle any errors
}

次の出力が表示されます。

Input: +12123456789
isValid: true
E164: +12123456789
National: (212) 345-6789
International: +1 212-345-6789

E164重複チェックにはこのフォーマットを使用することをお勧めします。また、番号が実際の携帯電話番号PhoneNumberUtil::getNumberType()であるかどうか(を使用)、または米国の番号であるかどうか(を使用)を確認することもできPhoneNumberUtil::getRegionCodeForNumber()ます。

おまけとして、ライブラリはほとんどすべての入力を処理できます。たとえば、1-800-JETBLUE上記のコードを実行することを選択した場合、

Input: 1-800-JETBLUE
isValid: true
E164: +18005382583
National: (800) 538-2583
International: +1 800-538-2583

ネイト。

米国以外の国でも同じように機能します。parse()引数には別のISO国コードを使用してください。


2
素晴らしいライブラリですが、それは37 MBと1500ファイルであることに注意してください!私の場合、フォーマットする電話番号の数が限られているためnumber_formatted、データベースに列を追加し、フォーマットした番号を手動で入力することにしました。libphonenumberただし、フォーマットされた数値を生成するためにローカルで使用しますが、私の小さなプロジェクトにそのような巨大なライブラリを含めるのはやり過ぎです。
Magnus W

9

これは私の米国のみのソリューションです。オプションのコンポーネントとして市外局番、拡張子に必要な区切り文字、および正規表現のコメントが含まれています。

function formatPhoneNumber($s) {
$rx = "/
    (1)?\D*     # optional country code
    (\d{3})?\D* # optional area code
    (\d{3})\D*  # first three
    (\d{4})     # last four
    (?:\D+|$)   # extension delimiter or EOL
    (\d*)       # optional extension
/x";
preg_match($rx, $s, $matches);
if(!isset($matches[0])) return false;

$country = $matches[1];
$area = $matches[2];
$three = $matches[3];
$four = $matches[4];
$ext = $matches[5];

$out = "$three-$four";
if(!empty($area)) $out = "$area-$out";
if(!empty($country)) $out = "+$country-$out";
if(!empty($ext)) $out .= "x$ext";

// check that no digits were truncated
// if (preg_replace('/\D/', '', $s) != preg_replace('/\D/', '', $out)) return false;
return $out;
}

それをテストするスクリプトは次のとおりです。

$numbers = [
'3334444',
'2223334444',
'12223334444',
'12223334444x5555',
'333-4444',
'(222)333-4444',
'+1 222-333-4444',
'1-222-333-4444ext555',
'cell: (222) 333-4444',
'(222) 333-4444 (cell)',
];

foreach($numbers as $number) {
    print(formatPhoneNumber($number)."<br>\r\n");
}

5

これは、電話番号を7桁から10桁の数字でヨーロッパ(またはスウェーデン語)の形式にフォーマットするための簡単な関数です。

function formatPhone($num) {
    $num = preg_replace('/[^0-9]/', '', $num);
    $len = strlen($num);

    if($len == 7) $num = preg_replace('/([0-9]{2})([0-9]{2})([0-9]{3})/', '$1 $2 $3', $num);
    elseif($len == 8) $num = preg_replace('/([0-9]{3})([0-9]{2})([0-9]{3})/', '$1 - $2 $3', $num);
    elseif($len == 9) $num = preg_replace('/([0-9]{3})([0-9]{2})([0-9]{2})([0-9]{2})/', '$1 - $2 $3 $4', $num);
    elseif($len == 10) $num = preg_replace('/([0-9]{3})([0-9]{2})([0-9]{2})([0-9]{3})/', '$1 - $2 $3 $4', $num);

    return $num;
}

5

車輪を再発明しないでください!この素晴らしいライブラリをインポートしてくださいhttps :
//github.com/giggsey/libphonenumber-for-php

$defaultCountry = 'SE'; // Based on the country of the user
$phoneUtil = PhoneNumberUtil::getInstance();
$swissNumberProto = $phoneUtil->parse($phoneNumber, $defaultCountry);

return $phoneUtil->format($swissNumberProto, PhoneNumberFormat::INTERNATIONAL);

これは、国際電話番号の解析、フォーマット、および検証を行うGoogleのライブラリに基づいています。https//github.com/google/libphonenumber


3
これは有効な答えだと思いますが、スタックオーバーフロー標準ごとに役立つようにする場合は、リンクを共有するだけでなく、ライブラリを使用してOPの問題を解決する例を含めるように編集する必要があります。
Alecg_O

1
ありがとう@Alecg_O!例を追加しました。
Viktor Jarnheimer

4

これは、いくつかの正規表現またはいくつかのsubstr呼び出しのいずれかを使用して可能であると思います(入力は常にその形式であり、長さは変更されないと想定しています)。

何かのようなもの

$in = "+11234567890"; $output = substr($in,2,3)."-".substr($in,6,3)."-".substr($in,10,4);

それを行う必要があります。


4

RegExよりも高速です。

$input = "0987654321"; 

$output = substr($input, -10, -7) . "-" . substr($input, -7, -4) . "-" . substr($input, -4); 
echo $output;

1
短くて甘い(y)。
rahim.nagori

2

次のようなものを試してください:

preg_replace('/\d{3}/', '$0-', str_replace('.', null, trim($number)), 2);

これは$ numberを受け取り、に8881112222変換され888-111-2222ます。お役に立てれば。


1
あなたの提案の出典:hotscripts.com/forums/php/36805-php-format-phone-numbers.html。str_replace of '.'もに更新'-'または削除する必要があります。これは、特定のユースケースに直面したために含まれていました-ほんの少しの労力でそれを変換してpreg_replace('/\d{3}/', '$0-', substr($number, 2))直接質問に答えることができたでしょう。
Iiridayn 2011

2

別のオプション-設定からフォーマットを受け取るように簡単に更新されます。

$numbers = explode("\n", '(111) 222-3333
((111) 222-3333
1112223333
111 222-3333
111-222-3333
(111)2223333
+11234567890
    1-8002353551
    123-456-7890   -Hello!
+1 - 1234567890
');
foreach( $numbers AS $number ){
  echo comMember_format::phoneNumber($number) . '<br>';
}

// ************************************************************************
// Format Phone Number
public function phoneNumber( $number ){
  $txt = preg_replace('/[\s\-|\.|\(|\)]/','',$number);
  $format = '[$1?$1 :][$2?($2):x][$3: ]$4[$5: ]$6[$7? $7:]';
  if( preg_match('/^(.*)(\d{3})([^\d]*)(\d{3})([^\d]*)(\d{4})([^\d]{0,1}.*)$/', $txt, $matches) ){
    $result = $format;
    foreach( $matches AS $k => $v ){
      $str = preg_match('/\[\$'.$k.'\?(.*?)\:(.*?)\]|\[\$'.$k.'\:(.*?)\]|(\$'.$k.'){1}/', $format, $filterMatch);
      if( $filterMatch ){
        $result = str_replace( $filterMatch[0], (!isset($filterMatch[3]) ? (strlen($v) ? str_replace( '$'.$k, $v, $filterMatch[1] ) : $filterMatch[2]) : (strlen($v) ? $v : (isset($filterMatch[4]) ? '' : (isset($filterMatch[3]) ? $filterMatch[3] : '')))), $result );
      }
    }
    return $result;
  }
  return $number;
}

1

すべて、

直したと思います。現在の入力ファイルを処理し、これを実行するために次の2つの関数があります!

function format_phone_number:

        function format_phone_number ( $mynum, $mask ) {
        /*********************************************************************/
        /*   Purpose: Return either masked phone number or false             */
        /*     Masks: Val=1 or xxx xxx xxxx                                             */
        /*            Val=2 or xxx xxx.xxxx                                             */
        /*            Val=3 or xxx.xxx.xxxx                                             */
        /*            Val=4 or (xxx) xxx xxxx                                           */
        /*            Val=5 or (xxx) xxx.xxxx                                           */
        /*            Val=6 or (xxx).xxx.xxxx                                           */
        /*            Val=7 or (xxx) xxx-xxxx                                           */
        /*            Val=8 or (xxx)-xxx-xxxx                                           */
        /*********************************************************************/         
        $val_num        = self::validate_phone_number ( $mynum );
        if ( !$val_num && !is_string ( $mynum ) ) { 
            echo "Number $mynum is not a valid phone number! \n";
            return false;
        }   // end if !$val_num
        if ( ( $mask == 1 ) || ( $mask == 'xxx xxx xxxx' ) ) { 
            $phone = preg_replace('~.*(\d{3})[^\d]*(\d{3})[^\d]*(\d{4}).*~', 
                    '$1 $2 $3'." \n", $mynum);
            return $phone;
        }   // end if $mask == 1
        if ( ( $mask == 2 ) || ( $mask == 'xxx xxx.xxxx' ) ) { 
            $phone = preg_replace('~.*(\d{3})[^\d]*(\d{3})[^\d]*(\d{4}).*~', 
                    '$1 $2.$3'." \n", $mynum);
            return $phone;
        }   // end if $mask == 2
        if ( ( $mask == 3 ) || ( $mask == 'xxx.xxx.xxxx' ) ) { 
            $phone = preg_replace('~.*(\d{3})[^\d]*(\d{3})[^\d]*(\d{4}).*~', 
                    '$1.$2.$3'." \n", $mynum);
            return $phone;
        }   // end if $mask == 3
        if ( ( $mask == 4 ) || ( $mask == '(xxx) xxx xxxx' ) ) { 
            $phone = preg_replace('~.*(\d{3})[^\d]*(\d{3})[^\d]*(\d{4}).*~', 
                    '($1) $2 $3'." \n", $mynum);
            return $phone;
        }   // end if $mask == 4
        if ( ( $mask == 5 ) || ( $mask == '(xxx) xxx.xxxx' ) ) { 
            $phone = preg_replace('~.*(\d{3})[^\d]*(\d{3})[^\d]*(\d{4}).*~', 
                    '($1) $2.$3'." \n", $mynum);
            return $phone;
        }   // end if $mask == 5
        if ( ( $mask == 6 ) || ( $mask == '(xxx).xxx.xxxx' ) ) { 
            $phone = preg_replace('~.*(\d{3})[^\d]*(\d{3})[^\d]*(\d{4}).*~', 
                    '($1).$2.$3'." \n", $mynum);
            return $phone;
        }   // end if $mask == 6
        if ( ( $mask == 7 ) || ( $mask == '(xxx) xxx-xxxx' ) ) { 
            $phone = preg_replace('~.*(\d{3})[^\d]*(\d{3})[^\d]*(\d{4}).*~', 
                    '($1) $2-$3'." \n", $mynum);
            return $phone;
        }   // end if $mask == 7
        if ( ( $mask == 8 ) || ( $mask == '(xxx)-xxx-xxxx' ) ) { 
            $phone = preg_replace('~.*(\d{3})[^\d]*(\d{3})[^\d]*(\d{4}).*~', 
                    '($1)-$2-$3'." \n", $mynum);
            return $phone;
        }   // end if $mask == 8
        return false;       // Returns false if no conditions meet or input
    }  // end function format_phone_number

関数validate_phone_number:

        function validate_phone_number ( $phone ) {
        /*********************************************************************/
        /*   Purpose:   To determine if the passed string is a valid phone  */
        /*              number following one of the establish formatting        */
        /*                  styles for phone numbers.  This function also breaks    */
        /*                  a valid number into it's respective components of:      */
        /*                          3-digit area code,                                      */
        /*                          3-digit exchange code,                                  */
        /*                          4-digit subscriber number                               */
        /*                  and validates the number against 10 digit US NANPA  */
        /*                  guidelines.                                                         */
        /*********************************************************************/         
        $format_pattern =   '/^(?:(?:\((?=\d{3}\)))?(\d{3})(?:(?<=\(\d{3})\))'.
                                    '?[\s.\/-]?)?(\d{3})[\s\.\/-]?(\d{4})\s?(?:(?:(?:'.
                                    '(?:e|x|ex|ext)\.?\:?|extension\:?)\s?)(?=\d+)'.
                                    '(\d+))?$/';
        $nanpa_pattern      =   '/^(?:1)?(?(?!(37|96))[2-9][0-8][0-9](?<!(11)))?'.
                                    '[2-9][0-9]{2}(?<!(11))[0-9]{4}(?<!(555(01([0-9]'.
                                    '[0-9])|1212)))$/';

        // Init array of variables to false
        $valid = array('format' =>  false,
                            'nanpa' => false,
                            'ext'       => false,
                            'all'       => false);

        //Check data against the format analyzer
        if ( preg_match ( $format_pattern, $phone, $matchset ) ) {
            $valid['format'] = true;    
        }

        //If formatted properly, continue
        //if($valid['format']) {
        if ( !$valid['format'] ) {
            return false;
        } else {
            //Set array of new components
            $components =   array ( 'ac' => $matchset[1], //area code
                                                            'xc' => $matchset[2], //exchange code
                                                            'sn' => $matchset[3] //subscriber number
                                                            );
            //              $components =   array ( 'ac' => $matchset[1], //area code
            //                                              'xc' => $matchset[2], //exchange code
            //                                              'sn' => $matchset[3], //subscriber number
            //                                              'xn' => $matchset[4] //extension number             
            //                                              );

            //Set array of number variants
            $numbers    =   array ( 'original' => $matchset[0],
                                        'stripped' => substr(preg_replace('[\D]', '', $matchset[0]), 0, 10)
                                        );

            //Now let's check the first ten digits against NANPA standards
            if(preg_match($nanpa_pattern, $numbers['stripped'])) {
                $valid['nanpa'] = true;
            }

            //If the NANPA guidelines have been met, continue
            if ( $valid['nanpa'] ) {
                if ( !empty ( $components['xn'] ) ) {
                    if ( preg_match ( '/^[\d]{1,6}$/', $components['xn'] ) ) {
                        $valid['ext'] = true;
                    }   // end if if preg_match 
                } else {
                    $valid['ext'] = true;
                }   // end if if  !empty
            }   // end if $valid nanpa

            //If the extension number is valid or non-existent, continue
            if ( $valid['ext'] ) {
                $valid['all'] = true;
            }   // end if $valid ext
        }   // end if $valid
        return $valid['all'];
    }   // end functon validate_phone_number

これはクラスlibにあるため、最初の関数/メソッドからの「self :: validate_phone_number」呼び出しに注意してください。

「validate_phone_number」関数の32行目に注目してください。

            if ( !$valid['format'] ) {
            return false;
        } else {

有効な電話番号でない場合に必要な偽のリターンを取得する。

まだこれをより多くのデータに対してテストする必要がありますが、現在の形式で現在のデータに取り組んでおり、この特定のデータバッチにスタイル「8」を使用しています。

また、「拡張」ロジックから常にエラーが発生しているのでコメントアウトしました。データにその情報が含まれていないことがわかりました。


1

これは、7、10、および11桁を取り、追加の文字を削除し、文字列を右から左に移動してダッシュを追加します。ダッシュをスペースまたはドットに変更します。

$raw_phone = preg_replace('/\D/', '', $raw_phone);
$temp = str_split($raw_phone);
$phone_number = "";
for ($x=count($temp)-1;$x>=0;$x--) {
    if ($x === count($temp) - 5 || $x === count($temp) - 8 || $x === count($temp) - 11) {
        $phone_number = "-" . $phone_number;
    }
    $phone_number = $temp[$x] . $phone_number;
}
echo $phone_number;

1

OPが123-456-7890形式を要求していることはわかっていますが、ジョンダルの回答に基づいて、電話番号をかっこ形式で返すように変更しました(例:(123)456-7890)。これは7桁と10桁の数字のみを処理します。

function format_phone_string( $raw_number ) {

    // remove everything but numbers
    $raw_number = preg_replace( '/\D/', '', $raw_number );

    // split each number into an array
    $arr_number = str_split($raw_number);

    // add a dummy value to the beginning of the array
    array_unshift( $arr_number, 'dummy' );

    // remove the dummy value so now the array keys start at 1
    unset($arr_number[0]);

    // get the number of numbers in the number
    $num_number = count($arr_number);

    // loop through each number backward starting at the end
    for ( $x = $num_number; $x >= 0; $x-- ) {

        if ( $x === $num_number - 4 ) {
            // before the fourth to last number

            $phone_number = "-" . $phone_number;
        }
        else if ( $x === $num_number - 7 && $num_number > 7 ) {
            // before the seventh to last number
            // and only if the number is more than 7 digits

            $phone_number = ") " . $phone_number;
        }
        else if ( $x === $num_number - 10 ) {
            // before the tenth to last number

            $phone_number = "(" . $phone_number;
        }

        // concatenate each number (possibly with modifications) back on
        $phone_number = $arr_number[$x] . $phone_number;
    }

    return $phone_number;
}

1

これが私の見解です。

$phone='+11234567890';
$parts=sscanf($phone,'%2c%3c%3c%4c');
print "$parts[1]-$parts[2]-$parts[3]";

//  123-456-7890

このsscanf関数は、最初の文字列の文字を解釈する方法を伝えるフォーマット文字列を2番目のパラメーターとして受け取ります。この場合、2文字(%2c)、3文字、3文字、4文字を意味します。

通常、sscanf関数には、抽出されたデータを取得するための変数も含まれます。そうでない場合、データは私が呼び出した配列で返され$partsます。

このprintステートメントは、補間された文字列を出力します。$part[0]無視されます。

同様の関数を使用してオーストラリアの電話番号をフォーマットしました。

電話番号を保存する観点から、次のことに注意してください。

  • 電話番号は文字列です
  • 保存されたデータには、スペースやハイフンなどのフォーマットを含めないでください

これは最もエレガントで読みやすいソリューションです。接吻。入力文字列が常にまったく同じパターンに従う場合は、これ以上スクロールしないでください。この追加をありがとう。
ムーサ

1

イギリスの電話フォーマット

私が開発したアプリケーションでは、人が人間が読める形式から電話番号を「正しく」入力したが、「-」「/」「+ 44」などのさまざまなランダム文字が挿入されていることがわかりました。問題は、クラウドアプリが話をする必要があったのは、フォーマットについてかなり具体的でした。正規表現を使用するのではなく(ユーザーに不満を感じる可能性があります)、永続化モジュールによって処理される前に、入力された数値を正しい形式に処理するオブジェクトクラスを作成しました。

出力のフォーマットは、受信ソフトウェアが出力を整数ではなくテキストとして解釈することを保証し(これにより、すぐに先行ゼロが失われます)、フォーマットはBritish Telecomsと一貫しています。 数値のフォーマットに関するガイドライン-これは、長い数値を小さな、簡単に覚えられるグループに分割することにより、人間の記憶を助けるものでもあります。


+441234567890が生成する(01234)567 890
02012345678が生成する(020)1234 5678
1923123456が生成する(01923)123 456
01923123456が生成する(01923)123 456
01923helloこれはテキストです123456生成する(01923)123 456

かっこ内の番号の交換セグメントの重要性は、英国および他のほとんどの国では、同じ交換の番号間のコールは交換セグメントを省略して作成できることです。ただし、07、08、09シリーズの電話番号には適用されません。

より効率的な解決策があると確信していますが、これは非常に信頼できることが証明されています。末尾のteleNum関数に追加することで、より多くのフォーマットに簡単に対応できます。

したがって、プロシージャは呼び出し元のスクリプトから呼び出されます。

$telephone = New Telephone;
$formattedPhoneNumber = $telephone->toIntegerForm($num)

`

<?php
class   Telephone 
{   
    public function toIntegerForm($num) {
        /*
         * This section takes the number, whatever its format, and purifies it to just digits without any space or other characters
         * This ensures that the formatter only has one type of input to deal with
         */
        $number = str_replace('+44', '0', $num);
        $length = strlen($number);
        $digits = '';
        $i=0;
        while ($i<$length){
            $digits .= $this->first( substr($number,$i,1) , $i);
            $i++;
        }
        if (strlen($number)<10) {return '';}
        return $this->toTextForm($digits);
    }
    public function toTextForm($number) {

        /*
         * This works on the purified number to then format it according to the group code
         * Numbers starting 01 and 07 are grouped 5 3 3
         * Other numbers are grouped 3 4 4 
         * 
         */
        if (substr($number,0,1) == '+') { return $number; }
        $group = substr($number,0,2);
        switch ($group){
            case "02" :
                $formattedNumber = $this->teleNum($number, 3, 4); // If number commences '02N' then output will be (02N) NNNN NNNN
                break;
            default :
                $formattedNumber = $this->teleNum($number, 5, 3); // Otherwise the ooutput will be (0NNNN) NNN NNN
        }
        return $formattedNumber;

    }
    private function first($digit,$position){
        if ($digit == '+' && $position == 0) {return $digit;};
        if (!is_numeric($digit)){
            return '';
        }
        if ($position == 0) {
            return ($digit == '0' ) ? $digit :  '0'.$digit;
        } else {
            return $digit;
        } 
    }
    private function teleNum($number,$a,$b){
        /*
         * Formats the required output 
         */
        $c=strlen($number)-($a+$b);
        $bit1 = substr($number,0,$a);
        $bit2 = substr($number,$a,$b);
        $bit3 = substr($number,$a+$b,$c);
        return '('.$bit1.') '.$bit2." ".$bit3;
    }
}

0

これは、国コードのない英国の固定電話用です

function format_phone_number($number) {
    $result = preg_replace('~.*(\d{2})[^\d]{0,7}(\d{4})[^\d]{0,7}(\d{4}).*~', '$1 $2 $3', $number);
    return $result;
}

結果:

2012345678
becomes
20 1234 5678

0

形式を変更できるsubstrベースの関数をご覧ください

function phone(string $in): string
{
    $FORMAT_PHONE = [1,3,3,4];
    $result =[];
    $position = 0;
    foreach ($FORMAT_PHONE as $key => $item){
        $result[] = substr($in, $position, $item);
        $position += $item;
    }
    return '+'.implode('-',$result);
}

0

電話番号を確認する

$phone = '+385 99 1234 1234'

$str = preg_match('/^\+?\d{1,3}[\s-]?\d{1,3}[\s-]?\d{1,4}[\s-]?\d{1,4}$/', $phone);

if($str){
return true;
}else{
return false;
}
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.