터미널을 통해 핫스팟에 연결된 장치 나열


16

ap-hotspot을 통해 핫스팟을 연결 하면 새 장치 연결됨 , 장치 연결 해제 됨을 표시하는 알림이 나타납니다 . (핫스팟을 사용하거나 사용하지 않는 액세스 권한에 대해 배우고 싶어서)

터미널을 통해 연결된 장치를 어떻게 나열합니까?

답변:


28

arp -a 연결된 모든 장치 목록이 표시됩니다.


4
또한 arp -anIP 주소를 확인하려고 긴 지연을 방지하기 위해 --- 유용합니다.
Rmano

arp는 실시간으로 업데이트하지 않습니다
Luis

10

좀 더 자세한 목록을 원하는 경우에, 나는 적응 이 스크립트ap-hotspot제공 스크립트 webupd8에서를 :

#!/bin/bash

# show_wifi_clients.sh
# Shows MAC, IP address and any hostname info for all connected wifi devices
# written for openwrt 12.09 Attitude Adjustment
# modified by romano@rgtti.com from http://wiki.openwrt.org/doc/faq/faq.wireless#how.to.get.a.list.of.connected.clients

echo    "# All connected wifi devices, with IP address,"
echo    "# hostname (if available), and MAC address."
printf  "# %-20s %-30s %-20s\n" "IP address" "lease name" "MAC address"
leasefile=/var/lib/misc/dnsmasq.leases
# list all wireless network interfaces 
# (for MAC80211 driver; see wiki article for alternative commands)
for interface in `iw dev | grep Interface | cut -f 2 -s -d" "`
do
  # for each interface, get mac addresses of connected stations/clients
  maclist=`iw dev $interface station dump | grep Station | cut -f 2 -s -d" "`
  # for each mac address in that list...
  for mac in $maclist
  do
    # If a DHCP lease has been given out by dnsmasq,
    # save it.
    ip="UNKN"
    host=""
    ip=`cat $leasefile | cut -f 2,3,4 -s -d" " | grep $mac | cut -f 2 -s -d" "`
    host=`cat $leasefile | cut -f 2,3,4 -s -d" " | grep $mac | cut -f 3 -s -d" "`
    # ... show the mac address:
    printf "  %-20s %-30s %-20s\n" "$ip" "$host" "$mac"
  done
done

예를 들어 PATH의 파일에 파일을 복사하여 ~/bin/show_wifi_clients실행 파일로 chmod +x만들고 즐기십시오.


멋진 미친 스크립트, 공유해 주셔서 감사합니다
:)

1
변수를 printf " %-20s %-30s %-20s\n" $ip $host $mac"올바르게 인쇄하려면 큰 따옴표로 묶어야합니다. 마찬가지로 답변을 편집 ...
Magguu

@Magguu 당신 말이 맞아요.
Rmano

8

장치 목록 표시 : ( <interface>Wi-Fi 인터페이스의 인터페이스 이름으로 교체 )

iw dev <interface> station dump

wifi 인터페이스의 이름을 모르는 경우이 명령을 사용하여 인터페이스 이름을 찾으십시오.

iw dev

이 답변은 현재 상태에서는 좋지만 여전히 향상 될 수 있습니다. 어쩌면 예제 출력을 추가하거나이 명령의 기능에 대해 더 자세히 설명 할 수 있습니까?
Kaz Wolfe


0

이 장치는 또한 장치의 Mac 공급 업체를 가져오고 장치의 Mac에 레이블을 지정할 수도 있습니다.

python3.6 필요

#!/usr/bin/python3.6   
import subprocess
import re
import requests

# Store Mac address of all nodes here
saved = {
    'xx:xx:xx:xx:xx:xx': 'My laptop',
}

# Set wireless interface using ifconfig
interface = "wlp4s0"

mac_regex = re.compile(r'([a-zA-Z0-9]{2}:){5}[a-zA-Z0-9]{2}')


def parse_arp():
    arp_out = subprocess.check_output(f'arp -e -i {interface}', shell=True).decode('utf-8')
    if 'no match found' in arp_out:
        return None

    result = []
    for lines in arp_out.strip().split('\n'):
        line = lines.split()
        if interface in line and '(incomplete)' not in line:
            for element in line:
                # If its a mac addr
                if mac_regex.match(element):
                    result.append((line[0], element))
    return result


def get_mac_vendor(devices):
    num = 0
    for device in devices:
        try:
            url = f"http://api.macvendors.com/{device[1]}"
            try:
                vendor = requests.get(url).text
            except Exception as e:
                print(e)
                vendor = None

        except Exception as e:
            print("Error occured while getting mac vendor", e)

        num += 1
        print_device(device, num, vendor)

def print_device(device, num=0, vendor=None):
    device_name = saved[device[1]] if device[1] in saved else 'unrecognised !!'

    print(f'\n{num})', device_name,  '\nVendor:', vendor, '\nMac:', device[1], '\nIP: ',device[0])

if __name__ == '__main__':
    print('Retrieving connected devices ..')

    devices = parse_arp()

    if not devices:
        print('No devices found!')

    else:
        print('Retrieving mac vendors ..')
        try:
            get_mac_vendor(devices)

        except KeyboardInterrupt as e:
            num = 0
            for device in devices:
                num += 1
                print_device(device, num)
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.