1

我目前有一段 Python 2.6 代码同时运行两个循环。该代码使用 gps (gpsd) 模块和 scapy 模块。基本上,第一个函数 (gpsInfo) 包含一个连续的 while 循环,从 GPS 设备抓取 GPS 数据并将位置写入控制台。第二个函数(ClientDetect)在一个连续循环中运行,它还会嗅探空气中的 wifi 数据,并在找到特定数据包时打印此数据。我已经将这两个循环与 GPS 一起作为后台线程运行。我想要做的(并且一直在努力解决 5 天的问题)是因为,当 ClientDetect 函数找到匹配项并打印相应的信息时,我希望该命中时的相应 GPS 坐标也打印到安慰。目前我的代码似乎不起作用。

observedclients = [] p = ""  # Relate to wifi packet session =
gps.gps(mode=gps.WATCH_NEWSTYLE)

def gpsInfo():

    while True:
        session.poll()
        time.sleep(5)
        if gps.PACKET_SET:
            session.stream
            print session.fix.latitude + session.fix.longitude
            time.sleep(0.1)

def WifiDetect(p):
    if p.haslayer(Dot11):
        if p.type == 0 and p.subtype in stamgmtstypes:
            if p.addr2 not in observedclients:
                print p.addr2
                observedclients.append(p.addr2)  

def ActivateWifiDetect():
    sniff(iface="mon0", prn=WifiDetect)

if __name__ == '__main__':
    t = threading.Thread(target=gpsInfo)
    t.start()
    WifiDetect()

任何人都可以查看我的代码以了解如何最好地同时获取 wifi 命中时的数据,以便也打印 GPS 坐标?有人提到实现排队,但我对此进行了研究,但对于如何实现它无济于事。

如前所述,此代码的目的是扫描 GPS 和特定 wifi 数据包,并在检测到时打印与数据包相关的详细信息以及检测到的位置。

4

3 回答 3

2

一个简单的方法是将 gps 位置存储在一个全局变量中,并让 wifi 嗅探线程在需要打印一些数据时读取该全局变量;问题在于,由于两个线程可以同时访问全局变量,因此您需要用互斥锁包装它;

last_location = (None, None)
location_mutex = threading.Lock()

def gpsInfo():
    global last_location
    while True:
        session.poll()
        time.sleep(5)
        if gps.PACKET_SET:
            session.stream
            with location_mutex:
                # DON'T Print from inside thread!
                last_location = session.fix.latitude, session.fix.longitude
            time.sleep(0.1)

def WifiDetect(p):
    if p.haslayer(Dot11):
        if p.type == 0 and p.subtype in stamgmtstypes:
            if p.addr2 not in observedclients:
                with location_mutex:
                    print p.addr2, last_location
                    observedclients.append((p.addr2, last_location))  
于 2011-09-28T21:09:36.060 回答
1

当您在函数中使用 gps 时,您需要告诉 python 您正在使用外部变量。代码应如下所示:

def gpsInfo():
    global gps # new line

    while True:
        session.poll()
        time.sleep(5)
        if gps.PACKET_SET:
            session.stream
            print session.fix.latitude + session.fix.longitude
            time.sleep(0.1)


def WifiDetect(p):
    global p, observedclients # new line

    if p.haslayer(Dot11):
        if p.type == 0 and p.subtype in stamgmtstypes:
            if p.addr2 not in observedclients:
                print p.addr2
                observedclients.append(p.addr2)  
于 2011-09-28T21:02:25.927 回答
1

我认为你应该更具体地确定你的目标。

如果您只想在嗅探 Wifi 网络时获取 GPS 坐标,只需执行以下操作(伪代码):

while True:
    if networkSniffed():
        async_GetGPSCoords()

如果您想要记录所有 GPS 坐标并希望将其与 Wifi 网络数据匹配,只需将所有数据连同时间戳一起打印出来,然后进行后处理,通过时间戳将 Wifi 网络与 GPS 坐标匹配。

于 2011-09-28T21:08:10.087 回答