IPから訪問者の国を取得する


220

IP経由で訪問者の国を取得したい...現在、これを使用しています(http://api.hostip.info/country.php?ip= ......)

これが私のコードです:

<?php

if (isset($_SERVER['HTTP_CLIENT_IP']))
{
    $real_ip_adress = $_SERVER['HTTP_CLIENT_IP'];
}

if (isset($_SERVER['HTTP_X_FORWARDED_FOR']))
{
    $real_ip_adress = $_SERVER['HTTP_X_FORWARDED_FOR'];
}
else
{
    $real_ip_adress = $_SERVER['REMOTE_ADDR'];
}

$cip = $real_ip_adress;
$iptolocation = 'http://api.hostip.info/country.php?ip=' . $cip;
$creatorlocation = file_get_contents($iptolocation);

?>

まあ、それは正常に機能していますが、実際には、これは米国やカナダなどの国コードを返し、米国やカナダなどの国名全体を返すわけではありません。

それで、hostip.infoがこれを提供する良い代替手段はありますか?

最終的にこの2文字を国名全体に変換するコードを記述できることはわかっていますが、すべての国を含むコードを記述するのは面倒です...

PS:何らかの理由で、既製のCSVファイルや、この情報を取得するコード(ip2countryの既製のコードやCSVなど)を使用したくありません。


20
怠惰にしないでください。それほど多くの国はありません。国名へのFIPS 2文字コードの変換テーブルを取得することはそれほど難しくありません。
クリスヘンリー

Maxmind geoip機能を使用します。結果には国名が含まれます。maxmind.com/app/php
Tchoupi

への最初の割り当て$real_ip_addressは常に無視されます。とにかく、X-Forwarded-ForHTTPヘッダーは非常に簡単に偽造される可能性があり、www.hidemyass.comのようなプロキシがあることを覚えておいてください
Walter

5
IPLocate.ioは無料のAPIを提供します。- https://www.iplocate.io/api/lookup/8.8.8.8免責事項:私はこのサービスを実行しています。
ttarik

Ipregistryapi.ipregistry.co/… (免責事項:私はサービスを実行します)を試してみることをお勧めします。
ローラン

回答:


495

この単純なPHP関数を試してください。

<?php

function ip_info($ip = NULL, $purpose = "location", $deep_detect = TRUE) {
    $output = NULL;
    if (filter_var($ip, FILTER_VALIDATE_IP) === FALSE) {
        $ip = $_SERVER["REMOTE_ADDR"];
        if ($deep_detect) {
            if (filter_var(@$_SERVER['HTTP_X_FORWARDED_FOR'], FILTER_VALIDATE_IP))
                $ip = $_SERVER['HTTP_X_FORWARDED_FOR'];
            if (filter_var(@$_SERVER['HTTP_CLIENT_IP'], FILTER_VALIDATE_IP))
                $ip = $_SERVER['HTTP_CLIENT_IP'];
        }
    }
    $purpose    = str_replace(array("name", "\n", "\t", " ", "-", "_"), NULL, strtolower(trim($purpose)));
    $support    = array("country", "countrycode", "state", "region", "city", "location", "address");
    $continents = array(
        "AF" => "Africa",
        "AN" => "Antarctica",
        "AS" => "Asia",
        "EU" => "Europe",
        "OC" => "Australia (Oceania)",
        "NA" => "North America",
        "SA" => "South America"
    );
    if (filter_var($ip, FILTER_VALIDATE_IP) && in_array($purpose, $support)) {
        $ipdat = @json_decode(file_get_contents("http://www.geoplugin.net/json.gp?ip=" . $ip));
        if (@strlen(trim($ipdat->geoplugin_countryCode)) == 2) {
            switch ($purpose) {
                case "location":
                    $output = array(
                        "city"           => @$ipdat->geoplugin_city,
                        "state"          => @$ipdat->geoplugin_regionName,
                        "country"        => @$ipdat->geoplugin_countryName,
                        "country_code"   => @$ipdat->geoplugin_countryCode,
                        "continent"      => @$continents[strtoupper($ipdat->geoplugin_continentCode)],
                        "continent_code" => @$ipdat->geoplugin_continentCode
                    );
                    break;
                case "address":
                    $address = array($ipdat->geoplugin_countryName);
                    if (@strlen($ipdat->geoplugin_regionName) >= 1)
                        $address[] = $ipdat->geoplugin_regionName;
                    if (@strlen($ipdat->geoplugin_city) >= 1)
                        $address[] = $ipdat->geoplugin_city;
                    $output = implode(", ", array_reverse($address));
                    break;
                case "city":
                    $output = @$ipdat->geoplugin_city;
                    break;
                case "state":
                    $output = @$ipdat->geoplugin_regionName;
                    break;
                case "region":
                    $output = @$ipdat->geoplugin_regionName;
                    break;
                case "country":
                    $output = @$ipdat->geoplugin_countryName;
                    break;
                case "countrycode":
                    $output = @$ipdat->geoplugin_countryCode;
                    break;
            }
        }
    }
    return $output;
}

?>

使い方:

例1:訪問者のIPアドレスの詳細を取得する

<?php

echo ip_info("Visitor", "Country"); // India
echo ip_info("Visitor", "Country Code"); // IN
echo ip_info("Visitor", "State"); // Andhra Pradesh
echo ip_info("Visitor", "City"); // Proddatur
echo ip_info("Visitor", "Address"); // Proddatur, Andhra Pradesh, India

print_r(ip_info("Visitor", "Location")); // Array ( [city] => Proddatur [state] => Andhra Pradesh [country] => India [country_code] => IN [continent] => Asia [continent_code] => AS )

?>

例2:任意のIPアドレスの詳細を取得します。[サポートIPV4&IPV6]

<?php

echo ip_info("173.252.110.27", "Country"); // United States
echo ip_info("173.252.110.27", "Country Code"); // US
echo ip_info("173.252.110.27", "State"); // California
echo ip_info("173.252.110.27", "City"); // Menlo Park
echo ip_info("173.252.110.27", "Address"); // Menlo Park, California, United States

print_r(ip_info("173.252.110.27", "Location")); // Array ( [city] => Menlo Park [state] => California [country] => United States [country_code] => US [continent] => North America [continent_code] => NA )

?>

1
なぜ私はすべてのIPで常に知らないのですか?、同じコードを使用。
echo_Me 2014

1
サーバーがを許可していないためか、「不明」と表示されますfile_get_contents()。error_logファイルを確認してください。回避策:私の回答を参照してください。
Kai Noack

3
また、
ローカル

1
定義された期間の結果をキャッシュすることを忘れないでください。また、注意として、データを取得するために別のWebサイトに依存することは絶対に避けてください。Webサイトがダウンしたり、サービスが停止したりする場合があります。また、Webサイトの訪問者数が増えると、このサービスによって禁止される場合があります。
machineaddict、2015年

1
続けてください:これはローカルホストでサイトをテストするときの問題です。テスト目的で修正する方法はありますか?標準の127.0.0.1 localhost IPを使用
Nick

54

http://www.geoplugin.net/のシンプルなAPIを使用できます

$xml = simplexml_load_file("http://www.geoplugin.net/xml.gp?ip=".getRealIpAddr());
echo $xml->geoplugin_countryName ;


echo "<pre>";
foreach ($xml as $key => $value)
{
    echo $key , "= " , $value ,  " \n" ;
}
echo "</pre>";

使用する機能

function getRealIpAddr()
{
    if (!empty($_SERVER['HTTP_CLIENT_IP']))   //check ip from share internet
    {
      $ip=$_SERVER['HTTP_CLIENT_IP'];
    }
    elseif (!empty($_SERVER['HTTP_X_FORWARDED_FOR']))   //to check ip is pass from proxy
    {
      $ip=$_SERVER['HTTP_X_FORWARDED_FOR'];
    }
    else
    {
      $ip=$_SERVER['REMOTE_ADDR'];
    }
    return $ip;
}

出力

United States
geoplugin_city= San Antonio
geoplugin_region= TX
geoplugin_areaCode= 210
geoplugin_dmaCode= 641
geoplugin_countryCode= US
geoplugin_countryName= United States
geoplugin_continentCode= NA
geoplugin_latitude= 29.488899230957
geoplugin_longitude= -98.398696899414
geoplugin_regionCode= TX
geoplugin_regionName= Texas
geoplugin_currencyCode= USD
geoplugin_currencySymbol= $
geoplugin_currencyConverter= 1

それはあなたが遊ぶことができる非常に多くのオプションを持っています

ありがとう

:)


1
かっこいい。しかし、ここでのテスト中、次のフィールド「geoplugin_city、geoplugin_region、geoplugin_regionCode、geoplugin_regionName」には値がありません。理由は何ですか?何か解決策はありますか?よろしく
お願いします

31

私はチャンドラの答えを試しましたが、私のサーバー構成ではfile_get_contents()が許可されていません

PHP Warning: file_get_contents() URL file-access is disabled in the server configuration

Chandraのコードを変更して、cURLを使用するようなサーバーでも機能するようにしました。

function ip_visitor_country()
{

    $client  = @$_SERVER['HTTP_CLIENT_IP'];
    $forward = @$_SERVER['HTTP_X_FORWARDED_FOR'];
    $remote  = $_SERVER['REMOTE_ADDR'];
    $country  = "Unknown";

    if(filter_var($client, FILTER_VALIDATE_IP))
    {
        $ip = $client;
    }
    elseif(filter_var($forward, FILTER_VALIDATE_IP))
    {
        $ip = $forward;
    }
    else
    {
        $ip = $remote;
    }
    $ch = curl_init();
    curl_setopt($ch, CURLOPT_URL, "http://www.geoplugin.net/json.gp?ip=".$ip);
    curl_setopt($ch, CURLOPT_HEADER, 0);
    curl_setopt($ch, CURLOPT_RETURNTRANSFER, TRUE);
    $ip_data_in = curl_exec($ch); // string
    curl_close($ch);

    $ip_data = json_decode($ip_data_in,true);
    $ip_data = str_replace('&quot;', '"', $ip_data); // for PHP 5.2 see stackoverflow.com/questions/3110487/

    if($ip_data && $ip_data['geoplugin_countryName'] != null) {
        $country = $ip_data['geoplugin_countryName'];
    }

    return 'IP: '.$ip.' # Country: '.$country;
}

echo ip_visitor_country(); // output Coutry name

?>

それが役に立てば幸い;-)


1
彼らのサイトのドキュメントによると:「geoplugin.netが完全に応答していて停止した場合、1分あたり120リクエストという無料のルックアップ制限を超えました。」
Rick Hellewell

美しく働いた。ありがとう!
Najeeb


11

MaxMind GeoIP(支払いの準備ができていない場合はGeoIPLite)を使用してください。

$gi = geoip_open('GeoIP.dat', GEOIP_MEMORY_CACHE);
$country = geoip_country_code_by_addr($gi, $_SERVER['REMOTE_ADDR']);
geoip_close($gi);

@Joyce:私はMaxmind APIとDBを使用しようとしましたが、なぜそれが私にとってうまくいかないのかわかりません、実際にはそれは一般的にはうまくいきますが、たとえば、この$ _SERVER ['REMOTE_ADDR']を実行すると、 this ip:10.48.44.43、しかし、私がgeoip_country_code_by_addr($ gi、$ ip)で使用すると、何も返されません。
mOna 2014

予約済みのIPアドレス(ローカルネットワークの内部IPアドレス)です。リモートサーバーでコードを実行してみてください。
Joyce Babu 2014


10

code.googleからphp-ip-2-countryをチェックしてください。それらが提供するデータベースは毎日更新されるため、独自のSQLサーバーをホストしている場合は、チェックのために外部サーバーに接続する必要はありません。したがって、コードを使用すると、次のように入力するだけで済みます。

<?php
$ip = $_SERVER['REMOTE_ADDR'];

if(!empty($ip)){
        require('./phpip2country.class.php');

        /**
         * Newest data (SQL) avaliable on project website
         * @link http://code.google.com/p/php-ip-2-country/
         */
        $dbConfigArray = array(
                'host' => 'localhost', //example host name
                'port' => 3306, //3306 -default mysql port number
                'dbName' => 'ip_to_country', //example db name
                'dbUserName' => 'ip_to_country', //example user name
                'dbUserPassword' => 'QrDB9Y8CKMdLDH8Q', //example user password
                'tableName' => 'ip_to_country', //example table name
        );

        $phpIp2Country = new phpIp2Country($ip,$dbConfigArray);
        $country = $phpIp2Country->getInfo(IP_COUNTRY_NAME);
        echo $country;
?>

サンプルコード (リソースから)

<?
require('phpip2country.class.php');

$dbConfigArray = array(
        'host' => 'localhost', //example host name
        'port' => 3306, //3306 -default mysql port number
        'dbName' => 'ip_to_country', //example db name
        'dbUserName' => 'ip_to_country', //example user name
        'dbUserPassword' => 'QrDB9Y8CKMdLDH8Q', //example user password
        'tableName' => 'ip_to_country', //example table name
);

$phpIp2Country = new phpIp2Country('213.180.138.148',$dbConfigArray);

print_r($phpIp2Country->getInfo(IP_INFO));
?>

出力

Array
(
    [IP_FROM] => 3585376256
    [IP_TO] => 3585384447
    [REGISTRY] => RIPE
    [ASSIGNED] => 948758400
    [CTRY] => PL
    [CNTRY] => POL
    [COUNTRY] => POLAND
    [IP_STR] => 213.180.138.148
    [IP_VALUE] => 3585378964
    [IP_FROM_STR] => 127.255.255.255
    [IP_TO_STR] => 127.255.255.255
)

4
機能するにはデータベース情報を提供する必要がありますか?良くないようです。
echo_Me

10

geobytes.comを使用して、ユーザーIPアドレスを使用して場所を取得できます

$user_ip = getIP();
$meta_tags = get_meta_tags('http://www.geobytes.com/IPLocator.htm?GetLocation&template=php3.txt&IPAddress=' . $user_ip);
echo '<pre>';
print_r($meta_tags);

このようなデータを返します

Array(
    [known] => true
    [locationcode] => USCALANG
    [fips104] => US
    [iso2] => US
    [iso3] => USA
    [ison] => 840
    [internet] => US
    [countryid] => 254
    [country] => United States
    [regionid] => 126
    [region] => California
    [regioncode] => CA
    [adm1code] =>     
    [cityid] => 7275
    [city] => Los Angeles
    [latitude] => 34.0452
    [longitude] => -118.2840
    [timezone] => -08:00
    [certainty] => 53
    [mapbytesremaining] => Free
)

ユーザーIPを取得する関数

function getIP(){
if (isset($_SERVER["HTTP_X_FORWARDED_FOR"])){
    $pattern = "/^(([1-9]?[0-9]|1[0-9]{2}|2[0-4][0-9]|25[0-5]).){3}([1-9]?[0-9]|1[0-9]{2}|2[0-4][0-9]|25[0-5])$/";
    if(preg_match($pattern, $_SERVER["HTTP_X_FORWARDED_FOR"])){
            $userIP = $_SERVER["HTTP_X_FORWARDED_FOR"];
    }else{
            $userIP = $_SERVER["REMOTE_ADDR"];
    }
}
else{
  $userIP = $_SERVER["REMOTE_ADDR"];
}
return $userIP;
}

私はあなたのコードを試しました、それは私のためにこれを返します:Array([known] => false)
mOna

私がこれを試したとき:$ ip = $ _SERVER ["REMOTE_ADDR"]; echo $ ip; それはそれを返します:10.48.44.43、何が問題なのか知っていますか?私はalspo maxmind geoipを使用しましたが、geoip_country_name_by_addr($ gi、$ ip)を再度使用すると、何も返されませんでした...
mOna

@mOna、それはあなたのIPアドレスを返します。詳細については、コードを共有してください。
ラムシャルマ2014

これはプライベートネットワーク用であるため、問題は私のIPに関係していることがわかりました。次に、実際のIPをifconfigで使用して、プログラムで使用しました。それからそれはうまくいきました:)今、私の質問は、私のようなそれらのユーザーの場合に実際のIPを取得する方法ですか?(彼らはローカルIPを使用している場合)..私はここに私のコードを書いた:stackoverflow.com/questions/25958564/...
モナ

9

この簡単な1行のコードを試してください。訪問者の国と都市をIPリモートアドレスから取得します。

$tags = get_meta_tags('http://www.geobytes.com/IpLocator.htm?GetLocation&template=php3.txt&IpAddress=' . $_SERVER['REMOTE_ADDR']);
echo $tags['country'];
echo $tags['city'];

9

あなたの phpコードでhttp://ip-api.comからのWebサービスを使用することができます、
次のようにしてください:

<?php
$ip = $_REQUEST['REMOTE_ADDR']; // the IP address to query
$query = @unserialize(file_get_contents('http://ip-api.com/php/'.$ip));
if($query && $query['status'] == 'success') {
  echo 'Hello visitor from '.$query['country'].', '.$query['city'].'!';
} else {
  echo 'Unable to get location';
}
?>

クエリには他にも多くの情報があります。

array (
  'status'      => 'success',
  'country'     => 'COUNTRY',
  'countryCode' => 'COUNTRY CODE',
  'region'      => 'REGION CODE',
  'regionName'  => 'REGION NAME',
  'city'        => 'CITY',
  'zip'         => ZIP CODE,
  'lat'         => LATITUDE,
  'lon'         => LONGITUDE,
  'timezone'    => 'TIME ZONE',
  'isp'         => 'ISP NAME',
  'org'         => 'ORGANIZATION NAME',
  'as'          => 'AS NUMBER / NAME',
  'query'       => 'IP ADDRESS USED FOR QUERY',
)

ISP名も提供するため、ip-api.comを使用しました!
Richard Tinkler、2016年

1
タイムゾーンも提供しているため使用しました
Roy Shoa

8

CPANの Perlコミュニティによって管理されている、ip-> countryデータベースの適切に管理されたフラットファイルバージョンがあります。

これらのファイルへのアクセスにはデータサーバーは必要なく、データ自体は約515kです

Higemaruは、そのデータと対話するためのPHPラッパーを作成しました:php-ip-country-fast


6

それを行う多くの異なる方法...

ソリューション#1:

使用できるサードパーティのサービスはhttp://ipinfodb.comです。です。ホスト名、地理位置情報、追加情報を提供します。

ここでAPIキーに登録してください:http : //ipinfodb.com/register.php。これにより、サーバーから結果を取得できますが、これがないと機能しません。

次のPHPコードをコピーして貼り付けます。

$ipaddress = $_SERVER['REMOTE_ADDR'];
$api_key = 'YOUR_API_KEY_HERE';

$data = file_get_contents("http://api.ipinfodb.com/v3/ip-city/?key=$api_key&ip=$ipaddress&format=json");
$data = json_decode($data);
$country = $data['Country'];

欠点:

彼らのウェブサイトからの引用:

私たちの無料APIは、精度の低いIP2Location Liteバージョンを使用しています。

ソリューション#2:

この関数は、http://www.netip.de/サービスを使用して国名を返します。

$ipaddress = $_SERVER['REMOTE_ADDR'];
function geoCheckIP($ip)
{
    $response=@file_get_contents('http://www.netip.de/search?query='.$ip);

    $patterns=array();
    $patterns["country"] = '#Country: (.*?)&nbsp;#i';

    $ipInfo=array();

    foreach ($patterns as $key => $pattern)
    {
        $ipInfo[$key] = preg_match($pattern,$response,$value) && !empty($value[1]) ? $value[1] : 'not found';
    }

        return $ipInfo;
}

print_r(geoCheckIP($ipaddress));

出力:

Array ( [country] => DE - Germany )  // Full Country Name

3
彼らのウェブサイトからの引用:「1日あたりのAPIリクエストは1,000に制限されています。さらにリクエストを行う必要がある場合、またはSSLサポートが必要な場合は、有料プランをご覧ください。」
Walter Tross 14

個人のウェブサイトで使ったので投稿しました。情報をありがとう...気づかなかった 私はこの投稿にもっと力を入れたので、更新された投稿をご覧ください:)
imbondbaby

@imbondbaby:こんにちは、私はあなたのコードを試しましたが、私にとってこれは:Array([country] =>-)を返します。これを印刷しようとすると、問題が理解できません:$ ipaddress = $ _SERVER ['REMOTE_ADDR' ]; それは私にこのIPを示しています:10.48.44.43、なぜこのIPが機能しないのか理解できません!つまり、この番号をどこに挿入しても、国は返されません!!! counld u plzは私を助けますか?
mOna 2014

5

私のサービスipdata.coは5つの言語で国名を提供しています!組織、通貨、タイムゾーン、呼び出しコード、フラグ、モバイルキャリアデータ、プロキシデータ、および任意のIPv4またはIPv6アドレスからのTor出口ノードステータスデータに加えて。

この回答では、非常に制限された、いくつかの呼び出しのテストのみを目的とした「テスト」APIキーを使用しています。独自の無料APIキーにサインアップし、開発のために毎日最大1500のリクエストを取得します。

また、1秒間に10,000を超えるリクエストを処理できる世界中の10のリージョンで非常にスケーラブルです。

オプションは次のとおりです。英語(en)、ドイツ語(de)、日本語(ja)、フランス語(fr)、簡体字中国語(za-CH)

$ip = '74.125.230.195';
$details = json_decode(file_get_contents("https://api.ipdata.co/{$ip}?api-key=test"));
echo $details->country_name;
//United States
echo $details->city;
//Mountain View
$details = json_decode(file_get_contents("https://api.ipdata.co/{$ip}?api-key=test/zh-CN"));
echo $details->country_name;
//美国

1
神の祝福がありますように!求めていた以上のものを手に入れました!簡単な質問:製品に使用できますか?つまり、あなたはすぐにそれを置くつもりはないでしょうね?
2017年

1
まったくそうではありません:)実際、リージョンとポリッシュを追加しています。これがお役に立ててうれしいです:)
ジョナサン

特に追加のパラメーターを使用すると、非常に役立ち、複数の問題を解決できました!
2017年

3
正のフィードバックをありがとう!私はそのようなツールの最も一般的なユースケースを中心に構築しました。目標は、ジオロケーション後に追加の処理を実行する必要をなくすことでした。これがユーザーにメリットをもたらすことを嬉しく思います
Jonathan

4

これが新しいサービスであるかどうかはわかりませんが、現在(2016)のPHPで最も簡単な方法は、geopluginのphp Webサービスを使用することです。http//www.geoplugin.net/php.gp

基本的な使い方:

// GET IP ADDRESS
if (!empty($_SERVER['HTTP_CLIENT_IP'])) {
    $ip = $_SERVER['HTTP_CLIENT_IP'];
} else if (!empty($_SERVER['HTTP_X_FORWARDED_FOR'])) {
    $ip = $_SERVER['HTTP_X_FORWARDED_FOR'];
} else if (!empty($_SERVER['REMOTE_ADDR'])) {
    $ip = $_SERVER['REMOTE_ADDR'];
} else {
    $ip = false;
}

// CALL THE WEBSERVICE
$ip_info = unserialize(file_get_contents('http://www.geoplugin.net/php.gp?ip='.$ip));

また、既製のクラスも提供しています。http//www.geoplugin.com/_media/webservices/geoplugin.class.php.tgz?id = webservices%3Aphp&cache = cache


エラーを引き起こすelseafter elseを使用しました。何を防ごうとしましたか?REMOTE_ADDRはいつでも利用できますか?
AlexioVay

@ヴァイア-おそらくそれはそうであるべきですが、あなたは決して知りません。
Billynoah

ご存知ない場合はありますか?
AlexioVay 2016年

2
@Vaia-上のPHPドキュメントから$_SERVER「すべてのWebサーバーがこれらのいずれかを提供する保証はありません。サーバーは一部を省略したり、ここにリストされていない他のサーバーを提供したりする場合があります。」
Billynoah 2016年

1
リクエストには制限があることに注意してください。彼らのサイトから:「geoplugin.netが完全に応答していて停止した場合は、1分あたり120リクエストという無料のルックアップ制限を超えました。」
Rick Hellewell

2

使ってます ipinfodb.com apiをおり、あなたが探しているものを正確に取得しています。

その完全に無料で、あなたはあなたのAPIキーを取得するためにそれらに登録する必要があるだけです。あなたは彼らのウェブサイトからダウンロードすることによって彼らのphpクラスを含めることができます、またはあなたは情報を取得するためにurlフォーマットを使うことができます。

これが私がやっていることです:

スクリプトにphpクラスを含め、以下のコードを使用しました:

$ipLite = new ip2location_lite;
$ipLite->setKey('your_api_key');
if(!$_COOKIE["visitorCity"]){ //I am using cookie to store information
  $visitorCity = $ipLite->getCity($_SERVER['REMOTE_ADDR']);
  if ($visitorCity['statusCode'] == 'OK') {
    $data = base64_encode(serialize($visitorCity));
    setcookie("visitorCity", $data, time()+3600*24*7); //set cookie for 1 week
  }
}
$visitorCity = unserialize(base64_decode($_COOKIE["visitorCity"]));
echo $visitorCity['countryName'].' Region'.$visitorCity['regionName'];

それでおしまい。


2

http://ipinfo.io/を使用して、IPアドレスの詳細を取得でき ます。

<?php
    function ip_details($ip)
    {
    $json = file_get_contents("http://ipinfo.io/{$ip}");
    $details = json_decode($json);
    return $details;
    }

    $details = ip_details(YoUR IP ADDRESS); 

    echo $details->city;
    echo "<br>".$details->country; 
    echo "<br>".$details->org; 
    echo "<br>".$details->hostname; /

    ?>

2

127.0.0.1訪問者のIpAddressに置き換えます。

$country = geoip_country_name_by_name('127.0.0.1');

インストール手順はこちらですこれを読ん都市、州、国、経度、緯度などを取得する方法を確認してください...


ハードリンクだけではなく、実際のコードを提供してください。
Bram Vanroy

リンクからの後のニュース:「2019年1月2日の時点で、Maxmindは、これらのすべての例で使用していた元のGeoLiteデータベースを廃止しました。発表の全文は、support.maxmind.com / geolite-legacy-discontinuation-noticeで読むことができます。"
リックヘレウェル


2

プロジェクトで使用した短い回答があります。私の回答では、訪問者のIPアドレスを持っていると思います。

$ip = "202.142.178.220";
$ipdat = @json_decode(file_get_contents("http://www.geoplugin.net/json.gp?ip=" . $ip));
//get ISO2 country code
if(property_exists($ipdat, 'geoplugin_countryCode')) {
    echo $ipdat->geoplugin_countryCode;
}
//get country full name
if(property_exists($ipdat, 'geoplugin_countryName')) {
    echo $ipdat->geoplugin_countryName;
}

1

私はこれが古いことを知っていますが、ここで他のいくつかの解決策を試しましたが、それらは時代遅れであるか、単にnullを返すようです。これが私のやり方です。

http://www.geoplugin.net/json.gp?ip=どのタイプのサインアップもサービスの支払いも必要としない使用。

function get_client_ip_server() {
  $ipaddress = '';
if (isset($_SERVER['HTTP_CLIENT_IP']))
  $ipaddress = $_SERVER['HTTP_CLIENT_IP'];
else if(isset($_SERVER['HTTP_X_FORWARDED_FOR']))
  $ipaddress = $_SERVER['HTTP_X_FORWARDED_FOR'];
else if(isset($_SERVER['HTTP_X_FORWARDED']))
  $ipaddress = $_SERVER['HTTP_X_FORWARDED'];
else if(isset($_SERVER['HTTP_FORWARDED_FOR']))
  $ipaddress = $_SERVER['HTTP_FORWARDED_FOR'];
else if(isset($_SERVER['HTTP_FORWARDED']))
  $ipaddress = $_SERVER['HTTP_FORWARDED'];
else if(isset($_SERVER['REMOTE_ADDR']))
  $ipaddress = $_SERVER['REMOTE_ADDR'];
else
  $ipaddress = 'UNKNOWN';

  return $ipaddress;
}

$ipaddress = get_client_ip_server();

function getCountry($ip){
    $curlSession = curl_init();
    curl_setopt($curlSession, CURLOPT_URL, 'http://www.geoplugin.net/json.gp?ip='.$ip);
    curl_setopt($curlSession, CURLOPT_BINARYTRANSFER, true);
    curl_setopt($curlSession, CURLOPT_RETURNTRANSFER, true);

    $jsonData = json_decode(curl_exec($curlSession));
    curl_close($curlSession);

    return $jsonData->geoplugin_countryCode;
}

echo "County: " .getCountry($ipaddress);

そして、それに関する追加情報が必要な場合、これはJsonの完全なリターンです:

{
  "geoplugin_request":"IP_ADDRESS",
  "geoplugin_status":200,
  "geoplugin_delay":"2ms",
  "geoplugin_credit":"Some of the returned data includes GeoLite data created by MaxMind, available from <a href='http:\/\/www.maxmind.com'>http:\/\/www.maxmind.com<\/a>.",
  "geoplugin_city":"Current City",
  "geoplugin_region":"Region",
  "geoplugin_regionCode":"Region Code",
  "geoplugin_regionName":"Region Name",
  "geoplugin_areaCode":"",
  "geoplugin_dmaCode":"650",
  "geoplugin_countryCode":"US",
  "geoplugin_countryName":"United States",
  "geoplugin_inEU":0,
  "geoplugin_euVATrate":false,
  "geoplugin_continentCode":"NA",
  "geoplugin_continentName":"North America",
  "geoplugin_latitude":"37.5563",
  "geoplugin_longitude":"-99.9413",
  "geoplugin_locationAccuracyRadius":"5",
  "geoplugin_timezone":"America\/Chicago",
  "geoplugin_currencyCode":"USD",
  "geoplugin_currencySymbol":"$",
  "geoplugin_currencySymbol_UTF8":"$",
  "geoplugin_currencyConverter":1
}

1

「チャンドラ・ナッカ」の回答に基づいたクラスを書きました。うまくいけば、ジオプラグインからセッションに情報を保存するのに役立つため、情報を呼び出すときのロードがはるかに速くなります。また、値をプライベート配列に保存するので、同じコードでのリコールが可能な限り最速です。

class Geo {
private $_ip = null;
private $_useSession = true;
private $_sessionNameData = 'GEO_SESSION_DATA';
private $_hasError = false;
private $_geoData = [];

const PURPOSE_SUPPORT = [
    "all", "*", "location",
    "request",
    "latitude", 
    "longitude",
    "accuracy",
    "timezonde",
    "currencycode",
    "currencysymbol",
    "currencysymbolutf8",
    "country", 
    "countrycode", 
    "state", "region", 
    "city", 
    "address",
    "continent", 
    "continentcode"
];
const CONTINENTS = [
    "AF" => "Africa",
    "AN" => "Antarctica",
    "AS" => "Asia",
    "EU" => "Europe",
    "OC" => "Australia (Oceania)",
    "NA" => "North America",
    "SA" => "South America"
];

function __construct($ip = null, $deepDetect = true, $useSession = true)
{
    // define the session useage within this class
    $this->_useSession = $useSession;
    $this->_startSession();

    // define a ip as far as possible
    $this->_ip = $this->_defineIP($ip, $deepDetect);

    // check if the ip was set
    if (!$this->_ip) {
        $this->_hasError = true;
        return $this;
    }

    // define the geoData
    $this->_geoData = $this->_fetchGeoData();

    return $this;
}

function get($purpose)
{
    // making sure its lowercase
    $purpose = strtolower($purpose);

    // makeing sure there are no error and the geodata is not empty
    if ($this->_hasError || !count($this->_geoData) && !in_array($purpose, self::PURPOSE_SUPPORT)) {
        return 'error';
    }

    if (in_array($purpose, ['*', 'all', 'location']))  {
        return $this->_geoData;
    }

    if ($purpose === 'state') $purpose = 'region';

    return (isset($this->_geoData[$purpose]) ? $this->_geoData[$purpose] : 'missing: '.$purpose);
}

private function _fetchGeoData()
{
    // check if geo data was set before
    if (count($this->_geoData)) {
        return $this->_geoData;
    }

    // check possible session
    if ($this->_useSession && ($sessionData = $this->_getSession($this->_sessionNameData))) {
        return $sessionData;
    }

    // making sure we have a valid ip
    if (!$this->_ip || $this->_ip === '127.0.0.1') {
        return [];
    }

    // fetch the information from geoplusing
    $ipdata = @json_decode($this->curl("http://www.geoplugin.net/json.gp?ip=" . $this->_ip));

    // check if the data was fetched
    if (!@strlen(trim($ipdata->geoplugin_countryCode)) === 2) {
        return [];
    }

    // make a address array
    $address = [$ipdata->geoplugin_countryName];
    if (@strlen($ipdata->geoplugin_regionName) >= 1)
        $address[] = $ipdata->geoplugin_regionName;
    if (@strlen($ipdata->geoplugin_city) >= 1)
        $address[] = $ipdata->geoplugin_city;

    // makeing sure the continentCode is upper case
    $continentCode = strtoupper(@$ipdata->geoplugin_continentCode);

    $geoData = [
        'request' => @$ipdata->geoplugin_request,
        'latitude' => @$ipdata->geoplugin_latitude,
        'longitude' => @$ipdata->geoplugin_longitude,
        'accuracy' => @$ipdata->geoplugin_locationAccuracyRadius,
        'timezonde' => @$ipdata->geoplugin_timezone,
        'currencycode' => @$ipdata->geoplugin_currencyCode,
        'currencysymbol' => @$ipdata->geoplugin_currencySymbol,
        'currencysymbolutf8' => @$ipdata->geoplugin_currencySymbol_UTF8,
        'city' => @$ipdata->geoplugin_city,
        'region' => @$ipdata->geoplugin_regionName,
        'country' => @$ipdata->geoplugin_countryName,
        'countrycode' => @$ipdata->geoplugin_countryCode,
        'continent' => self::CONTINENTS[$continentCode],
        'continentcode' => $continentCode,
        'address' => implode(", ", array_reverse($address))
    ];

    if ($this->_useSession) {
        $this->_setSession($this->_sessionNameData, $geoData);
    }

    return $geoData;
}

private function _startSession()
{
    // only start a new session when the status is 'none' and the class
    // requires a session
    if ($this->_useSession && session_status() === PHP_SESSION_NONE) {
        session_start();
    }
}

private function _defineIP($ip, $deepDetect)
{
    // check if the ip was set before
    if ($this->_ip) {
        return $this->_ip;
    }

    // check if the ip given is valid
    if (filter_var($ip, FILTER_VALIDATE_IP)) {
        return $ip;
    }

    // try to get the ip from the REMOTE_ADDR
    $ip = filter_input(INPUT_SERVER, 'REMOTE_ADDR', FILTER_VALIDATE_IP);

    // check if we need to end the search for a IP if the REMOTE_ADDR did not
    // return a valid and the deepDetect is false
    if (!$deepDetect) {
        return $ip;
    }

    // try to get the ip from HTTP_X_FORWARDED_FOR
    if (($ip = filter_input(INPUT_SERVER, 'HTTP_X_FORWARDED_FOR', FILTER_VALIDATE_IP))) {
        return $ip;
    }

    // try to get the ip from the HTTP_CLIENT_IP
    if (($ip = filter_input(INPUT_SERVER, 'HTTP_CLIENT_IP', FILTER_VALIDATE_IP))) {
        return $ip;
    }

    return $ip;
}

private function _hasSession($key, $filter = FILTER_DEFAULT) 
{
    return (isset($_SESSION[$key]) ? (bool)filter_var($_SESSION[$key], $filter) : false);
}

private function _getSession($key, $filter = FILTER_DEFAULT)
{
    if ($this->_hasSession($key, $filter)) {
        $value = filter_var($_SESSION[$key], $filter);

        if (@json_decode($value)) {
            return json_decode($value, true);
        }

        return filter_var($_SESSION[$key], $filter);
    } else {
        return false;
    }
}

private function _setSession($key, $value) 
{
    if (is_array($value)) {
        $value = json_encode($value);
    }

    $_SESSION[$key] = $value;
}

function emptySession($key) {
    if (!$this->_hasSession($key)) {
        return;
    }

    $_SESSION[$key] = null;
    unset($_SESSION[$key]);

}

function curl($url) 
{
    $ch = curl_init();
    curl_setopt($ch, CURLOPT_URL, $url);
    curl_setopt($ch, CURLOPT_HEADER, 0);
    curl_setopt($ch, CURLOPT_RETURNTRANSFER, 1);
    $output = curl_exec($ch);
    curl_close($ch);
    return $output;
}
}

あなたが呼び出すことができるこのクラスで「op」の質問に答える

$country = (new \Geo())->get('country'); // United Kingdom

利用可能なその他のプロパティは次のとおりです。

$geo = new \Geo('185.35.50.4');
var_dump($geo->get('*')); // allias all / location
var_dump($geo->get('country'));
var_dump($geo->get('countrycode'));
var_dump($geo->get('state')); // allias region
var_dump($geo->get('city')); 
var_dump($geo->get('address')); 
var_dump($geo->get('continent')); 
var_dump($geo->get('continentcode'));   
var_dump($geo->get('request'));
var_dump($geo->get('latitude'));
var_dump($geo->get('longitude'));
var_dump($geo->get('accuracy'));
var_dump($geo->get('timezonde'));
var_dump($geo->get('currencyCode'));
var_dump($geo->get('currencySymbol'));
var_dump($geo->get('currencySymbolUTF8'));

戻る

array(15) {
  ["request"]=>
  string(11) "185.35.50.4"
  ["latitude"]=>
  string(7) "51.4439"
  ["longitude"]=>
  string(7) "-0.1854"
  ["accuracy"]=>
  string(2) "50"
  ["timezonde"]=>
  string(13) "Europe/London"
  ["currencycode"]=>
  string(3) "GBP"
  ["currencysymbol"]=>
  string(2) "£"
  ["currencysymbolutf8"]=>
  string(2) "£"
  ["city"]=>
  string(10) "Wandsworth"
  ["region"]=>
  string(10) "Wandsworth"
  ["country"]=>
  string(14) "United Kingdom"
  ["countrycode"]=>
  string(2) "GB"
  ["continent"]=>
  string(6) "Europe"
  ["continentcode"]=>
  string(2) "EU"
  ["address"]=>
  string(38) "Wandsworth, Wandsworth, United Kingdom"
}
string(14) "United Kingdom"
string(2) "GB"
string(10) "Wandsworth"
string(10) "Wandsworth"
string(38) "Wandsworth, Wandsworth, United Kingdom"
string(6) "Europe"
string(2) "EU"
string(11) "185.35.50.4"
string(7) "51.4439"
string(7) "-0.1854"
string(2) "50"
string(13) "Europe/London"
string(3) "GBP"
string(2) "£"
string(2) "£"

0

ユーザーの国のAPIは、あなたが必要とする正確に何を持っています。以下は、最初に行うようにfile_get_contents()を使用したサンプルコードです。

$result = json_decode(file_get_contents('http://usercountry.com/v1.0/json/'.$cip), true);
$result['country']['name']; // this contains what you need

1
このAPIは、1日あたり100(無料)のAPI呼び出しを許可します。
改革

0

ipstack geo APIを使用して訪問者の国と都市を取得できます。独自のipstack APIを取得してから、以下のコードを使用する必要があります。

<?php
 $ip = $_SERVER['REMOTE_ADDR']; 
 $api_key = "YOUR_API_KEY";
 $freegeoipjson = file_get_contents("http://api.ipstack.com/".$ip."?access_key=".$api_key."");
 $jsondata = json_decode($freegeoipjson);
 $countryfromip = $jsondata->country_name;
 echo "Country: ". $countryfromip ."";
?>

ソース:ipstack APIを使用してPHPで訪問者の国と都市を取得します


0

これはget_client_ip()、ここでのほとんどの回答がのメイン関数内に含まれているという機能に関するセキュリティノートですget_geo_info_for_this_ip()

以下のようなリクエストヘッダーのIPデータにあまり依存しないClient-IPX-Forwarded-For、彼らは非常に簡単に詐称することができますので、しかし、あなたは実際に当社のサーバーとクライアントの間で確立されたTCP接続の送信元IPに依存しなければならない$_SERVER['REMOTE_ADDR']として、それができます」なりすまします

$_SERVER['HTTP_CLIENT_IP'] // can be spoofed 
$_SERVER['HTTP_X_FORWARDED_FOR'] // can be spoofed 
$_SERVER['REMOTE_ADDR']// can't be spoofed 

偽装されたIPの国を取得することは問題ありませんが、このIPを任意のセキュリティモデル(たとえば、頻繁に要求を送信するIPを禁止する)で使用すると、セキュリティモデル全体が破壊されることに注意してください。IMHOプロキシサーバーのIPであっても、実際のクライアントIPを使用することを好みます。


0

試す

  <?php
  //gives you the IP address of the visitors
  if (!empty($_SERVER['HTTP_CLIENT_IP'])) {
      $ip = $_SERVER['HTTP_CLIENT_IP'];}
  else if (!empty($_SERVER['HTTP_X_FORWARDED_FOR'])) {
      $ip = $_SERVER['HTTP_X_FORWARDED_FOR'];
  } else {
      $ip = $_SERVER['REMOTE_ADDR'];
  }

  //return the country code
  $url = "http://api.wipmania.com/$ip";
  $country = file_get_contents($url);
  echo $country;

  ?>

if-else部分は訪問者のIPアドレスを提供し、次の部分は国コードを返します。訪問してみapi.wipmania.comをしてからapi.wipmania.com/[your_IP_address]
Dipanshu Mahla

0

あなたは私のサービスを使用することができます:https : //SmartIP.io、任意のIPアドレスの完全な国名と都市名を提供します。また、タイムゾーン、通貨、プロキシ検出、TORノード検出、暗号検出も公開しています。

サインアップして無料のAPIキーを取得するだけで、毎月250,000件のリクエストが可能になります。

公式のPHPライブラリを使用すると、API呼び出しは次のようになります。

$apiKey = "your API key";
$smartIp = new SmartIP($apiKey);
$response = $smartIp->requestIPData("8.8.8.8");

echo "\nstatus code: " . $response->{"status-code"};
echo "\ncountry name: " . $response->country->{"country-name"};

詳細については、APIドキュメントを確認してください:https : //smartip.io/docs


0

2019年以降、MaxMind国DBは次のように使用できます。

<?php
require_once 'vendor/autoload.php';
use MaxMind\Db\Reader;
$databaseFile = 'GeoIP2-Country.mmdb';
$reader = new Reader($databaseFile);
$cc = $reader->get($_SERVER['REMOTE_ADDR'])['country']['iso_code'] # US/GB...
$reader->close();

ソース:https : //github.com/maxmind/MaxMind-DB-Reader-php


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