如何用linux实现流量限制

如何用linux实现流量限制

我正在帮忙组织一个小型会议。没有网络连接,所以我们只能使用音量有限的移动 LTE 连接。

我们有一个基于 Ubuntu 的服务器,它充当路由器,提供 DHCP 和 DNS 服务器,并从其子网 192.168.1.0/24 路由​​到 LTE 连接(USB 棒)。

尽管我们从内部网络到基于 LTE 的互联网的 NAT 配置有效,但我们仍希望防止客户端使用过多宝贵的流量,并将每个客户端(MAC 地址?)限制为一定量的数据,例如 100MB。如果客户端达到该限制(上传和下载的总和),我们希望得到通知(日志条目就足够了),并且应该限制该客户端(如果可能)或切断互联网连接(但他仍然应该能够在本地网络中进行通信)。

对于这种情况我们可以采用什么机制或软件吗?

答案1

由于我对流量整形还不熟悉,因此以下内容只是一个想法。它不是一个可以工作或完整的脚本,并且缺少tc部分或类似的东西,以及许多其他必需品...它只是出于好奇而呈现的,我现在没有时间完成...

cron 每分钟运行一次的脚本

cron * * * * * sh /path/to/bitshaper.sh /path/to/whitelist /path/to/blacklist

bitshaper.sh

#!/bin/sh
## limit 1MB
limit=1000000

## ip addresses that are unrestricted
WHITELIST=`cat "$1"`
## ip addresses that are throttled immediately
BLACKLIST=`cat "$2"`

## chain...when routing it'll be FORWARD, otherwise use INPUT for playing
CHAIN='INPUT'

## working directory
WD=/var/tmp/bitshaper
mkdir "$WD" 2> /dev/null && cd "$WD"

## create unique CHAIN name so we can easily identify with iptables -L
## rules for monitoring bytes now should have a target of -j $RULE_ID
RULE_ID='BITSHAPER'
iptables -N $RULE_ID 2> /dev/null

## get byte count stats
STATS=`iptables -L "$CHAIN" -vn | tail -n +3`
## get dhcpd leases
HOSTS=`grep -E '^lease ' /var/lib/dhcp/dhcpd.leases | tr -d '[a-z {]' | sort -u`

for host in $HOSTS; do
  case $WHITELIST in *$host*) continue;; esac
  success=false
  for stat in "$STATS"; do
    ## $RULE_ID has to be specific enough to not match anything else
    case $stat in *${RULE_ID}*${host}*)
      success=true
      tmp=${stat#*[0-9] }
      bytes=${tmp%% *}
      [ $bytes -gt  $limit ] && {
        # use tc to shape traffic
      }
      break
    ;;
    esac
  done
  if [ $success = 'false' ]; then
    ## have host but no firewall rule, add one to track usage
    iptables -t filter -A $CHAIN -s $host -j $RULE_ID
  fi
done

## blacklist host here or somewhere

相关内容