web-dev-qa-db-ja.com

PHP(CLI)でサーバーのIPアドレスを見つける方法

明らかな(localhost、127.0.0.1)以外に、PHP(コマンドラインインターフェイス!)は、スクリプトが実行されているコンピューターのIPを検出するメカニズムを持っていますか?

$_SERVER[*]はWebアプリではないため機能しません。これはコマンドラインスクリプトです。

TIA

34
ChronoFish

gethostname を使用してホスト名を取得できます

42
Nicolas Goy

これを試して、サーバーのIPアドレスを返す必要があります

$Host= gethostname();
$ip = gethostbyname($Host);
32
Anish

PHP <5.3で作業している場合、これは役立つことがあります(少なくとも* NIXベースのシステムで):

 mscharley@S04:~$ cat test.php
#!/usr/bin/env php
<?php

function getIPs($withV6 = true) {
    preg_match_all('/inet'.($withV6 ? '6?' : '').' addr: ?([^ ]+)/', `ifconfig`, $ips);
    return $ips[1];
}

$ips = getIPs();
var_dump($ips);

 mscharley@S04:~$ ./test.php
array(5) {
  [0]=>
  string(13) "72.67.113.141"
  [1]=>
  string(27) "fe80::21c:c0ff:fe4a:d09d/64"
  [2]=>
  string(13) "72.67.113.140"
  [3]=>
  string(9) "127.0.0.1"
  [4]=>
  string(7) "::1/128"
}
 mscharley@S04:~$

または、頻繁に実行することを予期しない場合は、おそらくこれが機能します(悪用​​しないでください)。

$ip = file_get_contents('http://whatismyip.org/');
14

これはかなり古い質問ですが、決定的な答えはないようです(可能な限り)。* NIXボックスとWin Xの両方でこの値を決定する必要がありました。ボックス。また、CLI実行スクリプトおよび非CLIスクリプトから。次の機能は、私が思いついた中で最高のものであり、人々が長年にわたって語ってきたさまざまな概念を取り入れています。たぶんそれはいくつかの用途があります:

function getServerAddress() {
    if(isset($_SERVER["SERVER_ADDR"]))
    return $_SERVER["SERVER_ADDR"];
    else {
    // Running CLI
    if(stristr(PHP_OS, 'WIN')) {
        //  Rather hacky way to handle windows servers
        exec('ipconfig /all', $catch);
        foreach($catch as $line) {
        if(eregi('IP Address', $line)) {
            // Have seen exec return "multi-line" content, so another hack.
            if(count($lineCount = split(':', $line)) == 1) {
            list($t, $ip) = split(':', $line);
            $ip = trim($ip);
            } else {
            $parts = explode('IP Address', $line);
            $parts = explode('Subnet Mask', $parts[1]);
            $parts = explode(': ', $parts[0]);
            $ip = trim($parts[1]);
            }
            if(ip2long($ip > 0)) {
            echo 'IP is '.$ip."\n";
            return $ip;
            } else
            ; // TODO: Handle this failure condition.
        }
        }
    } else {
        $ifconfig = Shell_exec('/sbin/ifconfig eth0');
        preg_match('/addr:([\d\.]+)/', $ifconfig, $match);
        return $match[1];
    }
    }
}

他のすべてが失敗した場合、プラットフォームに応じて、常に exec ipconfigまたはifconfigを実行し、結果を解析できます。

3
antik