一切正常。但它给出了一个错误。我无法解决。

try.sh:

#!/bin/sh

website="http://lastofdead.xyz"
ipaddress=$( ifconfig | grep -v 'eth0:' | grep -A 1 'eth0' | \
             tail -1 | cut -d ':' -f 2 | cut -d ' ' -f 1)
mlicense=$(curl -s $website/lodscript/special/lisans.php?lisans)

if [ "$mlicense" = "$ipaddress" ];
then
    echo "Positive"
else
    echo "Negative"
fi

lisans.php:
<?php
if(isset($_GET['lisans'])) {
echo "188.166.92.168" . $_GET['lisans'];
}
?>

结果:
root@ubuntu:~# bash -x s.sh
+ website=http://lastofdead.xyz
++ cut -d ' ' -f 1
++ cut -d : -f 2
++ tail -1
++ grep -A 1 eth0
++ grep -v eth0:
++ ifconfig
+ ipaddress=188.166.92.168
++ curl -s 'http://lastofdead.xyz/lodscript/special/lisans.php?lisans'
+ mlicense=188.166.92.168
+ '[' 188.166.92.168 = 188.166.92.168 ']'
+ echo Negative
Negative

https://i.stack.imgur.com/jNMNq.jpg

最佳答案

哦,非常感谢您发布代码。
好吧,在尝试查看两个字符串之间的差异后,事实证明问题出在Byte Order Mark (BOM)上。有关此的更多信息,请参见以下答案:https://stackoverflow.com/a/3256014

curl将其管道输送到十六进制转储时返回的字符串显示如下:

$ curl -s 'http://lastofdead.xyz/lodscript/special/lisans.php?lisans'
188.166.92.168
$ curl -s 'http://lastofdead.xyz/lodscript/special/lisans.php?lisans' | xxd -c 17 -g 1 -u
0000000: EF BB BF 31 38 38 2E 31 36 36 2E 39 32 2E 31 36 38  ...188.166.92.168

你看得到他们吗?这三个字节0xEF,0xBB,0xBF是BOM的UTF-8表示形式,这就是字符串不同的原因。上面链接的问题页面显示了一些剥离方法,例如使用grep,或者您可以将curl输出通过管道传递到cut -c 2-,甚至可以通过在curl行之后进行简单替换:mlicense="${mlicense:1}"。并且,为了确保剥离的是BOM,我们可以使用两行替换:bom="$(echo -en '\xEF\xBB\xBF')"; mlicense="$(echo -n "${mlicense#${bom}}")",或者甚至将它们变成一行:mlicense="$(echo -n "${mlicense#$(echo -en '\xEF\xBB\xBF')}")"

10-06 09:24