web-dev-qa-db-ja.com

iptablesでローカルポートフォワーディングを行う方法

私はポート8080でリッスンしているアプリケーション(サーバー)を持っています。ポート80を転送できるようにして、http://localhostは私のアプリケーションを解決します(localhost:8080)。

これは、すべてのポートマッピングに対して一般化する必要があります(例:80:8080 => P_src:P_target)、最新の* nixマシン(Ubuntuなど)のベストプラクティスを使用します。

N.B。これはすべてローカルで行われるため、localhost以外からの接続を受け入れる必要はありません。

21
Murphy Danger

いろいろ調べてみたところ、答えはiptables、NATの設定、組み込みのPREROUTINGとOUTPUTを使用していることがわかりました。

まず、ポート転送を有効にする必要があります。

echo "1" > /proc/sys/net/ipv4/ip_forward

次に、${P_src}${P_target}に独自の値を使用して、iptables NATテーブルに次のルールを追加する必要があります。

iptables -t nat -A PREROUTING -s 127.0.0.1 -p tcp --dport ${P_src} -j REDIRECT --to ${P_target}`
iptables -t nat -A OUTPUT -s 127.0.0.1 -p tcp --dport ${P_src} -j REDIRECT --to ${P_target}`

ルールを削除する場合は、ルールごとに-Dではなく-Aスイッチを使用するだけです。

マッピングの追加と削除を行う、このための素敵な小さなスクリプトを作成します。

#!/bin/bash
#
#   API: ./forwardPorts.sh add|rm p1:p1' p2:p2' ...
#
#   Results in the appending (-A) or deleting (-D) of iptable rule pairs that
#   would otherwise facilitate port forwarding.
#
#   E.g
#   Sudo iptables -t nat -A PREROUTING -s 127.0.0.1 -p tcp --dport 80 -j REDIRECT --to 8080
#   Sudo iptables -t nat -A OUTPUT -s 127.0.0.1 -p tcp --dport 80 -j REDIRECT --to 8080
#

if [[ $# -lt 2 ]]; then
    echo "forwardPorts takes a state (i.e. add or rm) and any number port mappings (e.g. 80:8080)";
    exit 1;
fi

case $1 in
    add )
        append_or_delete=A;;
    rm )
        append_or_delete=D;;
    * )
        echo "forwardPorts requires a state (i.e. add or rm) as it's first argument";
        exit 1; ;;
esac

shift 1;

# Do a quick check to make sure all mappings are integers
# Many thanks to S.O. for clever string splitting:
# http://stackoverflow.com/questions/918886/how-do-i-split-a-string-on-a-delimiter-in-bash
for map in "$@"
do
    IFS=: read -a from_to_array <<< "$map"
    if  [[ ! ${from_to_array[0]} =~ ^-?[0-9]+$ ]] || [[ ! ${from_to_array[1]} =~ ^-?[0-9]+$ ]]; then
        echo "forwardPorts port maps must go from an integer, to an integer (e.g. 443:4443)";
        exit 1;
    fi
    mappings[${#mappings[@]}]=${map}
done

# We're shooting for transactional consistency. Only manipulate iptables if all 
# the rules have a chance to succeed.
for map in "${mappings[@]}"
do
    IFS=: read -a from_to_array <<< "$map" 
    from=${from_to_array[0]}
    to=${from_to_array[1]}

    Sudo iptables -t nat -$append_or_delete PREROUTING -s 127.0.0.1 -p tcp --dport $from -j REDIRECT --to $to
    Sudo iptables -t nat -$append_or_delete OUTPUT -s 127.0.0.1 -p tcp --dport $from -j REDIRECT --to $to
done

exit 0;
22
Murphy Danger