How To Use IP Address To Get The Country And City Name

To retrieve the country and city name using an IP address in Laravel , you can utilize the “geoip2/geoip2” package. This package allows you to easily fetch location information based on an IP address using the GeoIP2 databases. Here’s a step-by-step guide:

  1. Install GeoIP2 Package:
    Begin by installing the GeoIP2 package via Composer. Run the following command in your Laravel project directory:
   composer require geoip2/geoip2
  1. Download GeoIP2 Database:
    Next, you need to download the GeoIP2 database. MaxMind provides free GeoLite2 databases that can be used for this purpose. You can download the database from MaxMind’s website.
  2. Configure Package:
    After downloading the database, place it in a directory within your Laravel project (e.g., storage/app/geoip2). Then, configure the package to use this database path. You can do this in the config/geoip2.php file or directly in your code.
  3. Retrieve Location Information:
    You can now use the GeoIP2 package to retrieve location information based on an IP address. In your Laravel controller or wherever you need this functionality, inject the GeoIp2\Database\Reader class and use it to get the location information.
   <?php

   namespace App\Http\Controllers;

   use GeoIp2\Database\Reader;
   use Illuminate\Http\Request;

   class LocationController extends Controller
   {
       public function getLocation(Request $request)
       {
           $ip = $request->ip(); // Get the IP address from the request

           $reader = new Reader(storage_path('app/geoip2/GeoLite2-City.mmdb'));
           $record = $reader->city($ip);

           $country = $record->country->name;
           $city = $record->city->name;

           return response()->json([
               'country' => $country,
               'city' => $city,
           ]);
       }
   }
  1. Usage:
    You can now call the getLocation method from your routes or wherever necessary to retrieve the country and city name based on an IP address.

This setup allows you to efficiently retrieve location information based on IP addresses in your Laravel application. Ensure to handle cases where the IP address is not available or the location information cannot be determined. Additionally, consider caching the results to improve performance.

Leave a Reply