Pi Pico W to Pico W - Simple Communications

Following success with my latest project.
Main aim being to develop a simple way of getting two Pico W’s to communicate, thought I would share the Python code I developed.

One Pico W sets itself up as a WiFi Access Point and listens for a connection from the other Pico W.
The other Pico W connects to the Access Point, collects data and sends it.
The Access Point responds with ‘success’ if data is received ok.

The code here is the basic for the communications, whatever is done with the data or how it is collected is not shown. Don’t expect the files below to run properly as they are; they need additional code to read a sensor or something and to process the received sensor data. My project used a temperature sensor and a LCD display to show the data.

Cheers
Jim

Client File

############################################################################
#    Pi Pico W Client
#
# Connects to Access Point to send data
############################################################################
import os
import network
import socket
import time
import urequests
from SSID_AP import SSID_AP
############################################################################
'''
SSID_AP.py is a files in the same folder as the running program
It contains SSID and Password information

SSID_AP File: SSID_AP.py
SSID_AP = {
    'ssid': 'any name you want to call the access point',
    'pw': 'whatever password you decide to use'
    }

'''
############################################################################

host =    '192.168.10.2'
server =  '192.168.10.1'
gateway = '192.168.10.1'
port = 5263

ssid = SSID_AP['ssid']
pw = SSID_AP['pw']
wlan = network.WLAN(network.STA_IF)
wlan.active(True)

Onboard_LED = Pin("LED", Pin.OUT, value=0)

############################################################################
# Check for Server active
############################################################################
def check_SSID():
    print('Checking for Network ...',ssid)
    networks = wlan.scan()
    found = False
    for w in networks:
        if w[0].decode() == ssid:
            found = True
    return found

############################################################################
# Display Connect Error
############################################################################
def connect_Fail(s):
    Error = 'Connect Fail: '
    if s == 0:
        Error += 'Link Down'
    elif s == 1:
        Error += 'Link Join'
    elif s == 2:
        Error += 'Link NoIP'
    elif s == -1:
        Error += 'Link Fail'
    elif s == -2:
        Error += 'NoNet'
    elif s == -3:
        Error += 'BadAuth'
    else:
        Error += 'Unknown'
    print(Error)
    return

############################################################################
# Try to Connect to WiFi, returns WLAN status
############################################################################
def connect_to_Network():
    print('Connecting to Network ...')
    wlan.active(True)
    wlan.config(pm = 0xa11140)     # Disable power-save mode
    wlan.connect(ssid, pw)
    max_wait = 10                  # wait 10 seconds to connect
    while max_wait > 0:
        if wlan.status() < 0 or wlan.status() >= 3:
            break
        max_wait -= 1
        time.sleep(1)
    status = wlan.status()
    if status == 3:
        wlan.ifconfig((host, '255.255.255.0', gateway, '8.8.8.8'))
        status = wlan.ifconfig()
        print('ip = ' + status[0])
        return 1
    else:
        connect_Fail(status)
        return 0

############################################################################
# Main
############################################################################
Onboard_LED.on()
try:
    if check_SSID():
        if connect_to_Network() == 1:
            count = 5
            Exit = False
            s = socket.socket()
            print('Connecting to {}:{}'.format(server,port))
            s.connect((server, port))
            while not Exit:
'''
get some data to send, read sensor etc

'''
                data = ''some data
                s.send(data)
                msg = s.recv(512)
                if msg.find(b'Success') == -1:
                    count += 1
                    if count == 5:
                        Exit = True
                    else:
                        print('Success')
            s.close()
        else:
            print('Cannot connect ... ')
    else:
        print('Network NOT found ... ')
except Exception as e:
        print('Error occurred : {}'.format(e))

wlan.disconnect()
time.sleep(0.1)
wlan.active(False)
time.sleep(0.1)
print('Disconnect from Network.')
print('')
Onboard_LED.off()
time.sleep(120)

############################################################################

Access Point File

############################################################################
#        Pi Pico W Access Point
#
#  Connects to Local WiFi to get Date Time if available
#  Setup Pico as Access Point
#  Listen for client communications
#  Reply 'success' if data received ok
#
############################################################################
import network
import socket
import time
import ntptime
import uasyncio as asyncio
from machine import RTC
from SSID import SSID
from SSID_AP import SSID_AP
############################################################################
'''
SSID.py & SSID_AP.py are two files in the same folder as the running program
They contain SSID and Password information

SSID File: SSID.py
SSID = {
    'ssid': 'Local WiFi Name',
    'pw': 'Local Password'
    }

SSID_AP File: SSID_AP.py
SSID_AP = {
    'ssid': 'any name you want to call the access point',
    'pw': 'whatever password you decide to use'
    }

'''
############################################################################
# Local WiFi
server = '192.168.1.2'
gateway = '192.168.1.1'
port = 80
ssid = SSID['ssid']
pw = SSID['pw']

# HotSpot
serverAP = '192.168.10.1'
gatewayAP = '192.168.10.1'
portAP = 5263
ssidAP = SSID_AP['ssid']
pwAP = SSID_AP['pw']

############################################################################
# Setup
############################################################################
Onboard_LED = Pin("LED", Pin.OUT, value=0)
dt = RTC()

############################################################################
# Check for Server active
############################################################################
def check_SSID(wlan):
    print('Checking for Network ...',ssid)
    networks = wlan.scan()
    found = False
    for w in networks:
        if w[0].decode() == ssid:
            found = True
    return found

############################################################################
# Display Connect Error
############################################################################
def connect_Fail(s):
    Error = 'Connect Fail: '
    if s == 0:
        Error += 'Link Down'
    elif s == 1:
        Error += 'Link Join'
    elif s == 2:
        Error += 'Link NoIP'
    elif s == -1:
        Error += 'Link Fail'
    elif s == -2:
        Error += 'NoNet'
    elif s == -3:
        Error += 'BadAuth'
    else:
        Error += 'Unknown'
    print(Error)
    return

############################################################################
# Try to Connect to WiFi, returns WLAN status
############################################################################
def connect_to_Network(wlan):
    print('Connecting to Network ...')
    wlan.active(True)
    wlan.config(pm = 0xa11140)     # Disable power-save mode
    wlan.connect(ssid, pw)
    max_wait = 10                  # wait 10 seconds to connect
    while max_wait > 0:
        if wlan.status() < 0 or wlan.status() >= 3:
            break
        max_wait -= 1
        time.sleep(1)
    status = wlan.status()
    if status == 3:
        wlan.ifconfig((server, '255.255.255.0', gateway, '8.8.8.8'))
        status = wlan.ifconfig()
        print('ip = ' + status[0])
        return 1
    else:
        connect_Fail(status)
        return 0

############################################################################
# Get time from NTP Server and adjust for day light saving
#      Maybe there is a better way to do this.
############################################################################
def Get_NTPTime():
    try:
        print('Getting NTPTime ...')
        wlan = network.WLAN(network.STA_IF)
        wlan.active(True)
        time.sleep(2)
        if check_SSID(wlan):
            if connect_to_Network(wlan) == 1:
                ntptime.settime()
# adjust for day light saving, remove if not daily saving time
                s = time.time()
                if dt.datetime()[1] in [10,11,12,1,2,3]:
                    s += 39600
                else:
                    s += 36000
                x = time.localtime(s)
                dt.datetime((x[0],x[1],x[2],x[6],x[3],x[4],x[5],0))
                time.sleep(0.2)
                t = '{:02d}/{:02d}/{} {:02d}:{:02d}'.format(dt.datetime()[2],dt.datetime()[1],dt.datetime()[0],
                                                              dt.datetime()[4],dt.datetime()[5])
                print(t)
                time.sleep(2)
            else:
                print('Network NOT found ... ')
        else:
            print('SSID NOT found ... ')
        wlan.disconnect()
        time.sleep(0.1)
        wlan.active(False)
        time.sleep(4)
        lcd.clear()
    except Exception as e:
        print('Error occurred : {}'.format(e))

'''
    time.localtime() 
        0     1      2     3     4       5       6        7
     (year, month, day, hour, minute, second, weekday, yearday)
     
     dt.dt.datetime()
        0     1      2     3       4       5       6        7
     (year, month, day, weekday, hour, minute, second, subsecond)
     
    Note: different location of weekday
     
''' 
############################################################################
# Get Remote data, runs independant of Main Loop
############################################################################
async def SensorData(reader, writer):
    
    print("Client connected")
    Sensor = await reader.read(512)   # returns all charaters including b''
    Sensor = str(Sensor)              # convert bytes object to str object
    Sensor = Sensor[2:]               # strip leading b'
    Sensor = Sensor[:-1]              # strip trailing '
'''
    Do something with data received
'''
    writer.write(b'Success')          # send msg back 
    await writer.drain()
    await writer.wait_closed()
    print("Client disconnected")

#############################################################################
# Main Loop
#############################################################################
async def main():
# start server monitor task
    asyncio.create_task(asyncio.start_server(SensorData, "0.0.0.0", portAP))
    print('Server listening on {}:{}'.format(serverAP,portAP))

# Main loop
    while True:
        
'''
    Do stuff
'''
        await asyncio.sleep(5)           # need to wait some time to allow server task to function
        
############################################################################
# Startup 
############################################################################
Get_NTPTime()      # try to set the Pico time to correct local time
try:
    print('Setting up AP ...')
    time.sleep(2)
    wlanAP = network.WLAN(network.AP_IF)
    wlanAP.config(ssid=ssidAP, password=pwAP)
    wlanAP.active(True)
    print('ssid = ',ssidAP)
    time.sleep(1)
    wlanAP.ifconfig((serverAP, '255.255.255.0', gatewayAP, '8.8.8.8'))
    time.sleep(0.1)
    print('Config = ',wlanAP.ifconfig())
    time.sleep(2)

    asyncio.run(main())

except Exception as e:
    print('Error occurred : {}'.format(e))
finally:
    asyncio.new_event_loop()
    wlanAP.disconnect()
    time.sleep(0.1)
    wlanAP.active(False)
    time.sleep(0.1)
    Onboard_LED.off()

############################################################################
############################################################################
````Preformatted text`
7 Likes

Awesome project Jim!!

I was waiting for someone to write p2p comms for the Pico W and this is siiiiiiiiiick. Its a shame a lot is hidden behind the wireless MCU firmware.

Very keen to see if something like ESP-NOW is developed!

2 Likes

Hi Jim,

Awesome project!! I’m impressed with the depth of your error handling, looks like the user will always get helpful error info, which really improves the experience.

I’ll definitely keep this in mind if I need P2P communication between Picos. Do you have any words on how your solution compares to our new PiicoDev Transceiver module?

1 Like

I developed this before the PiicoDev TXRX was available, before I even knew it was being developed. I have run the two Pico’s for almost two months on the bench to test the life of the battery.
1100mAh LiPo lasts about 42 days. Wakes every 15 minutes, reads sensor, sends via WiFi, goes back to sleep. MakerVerse Nano Timer switches the power.

In my opinion the PiicoDev TXRX would be a much better solution. Removes the complexity of WiFi and for simple collection of sensor readings would ideal. The ability to use groups and channels enhances its features. Also Michaels video shows it has quite a good range. The Pi Pico W WiFi would allow internet access to the data if needed. I think the PiicoDev TXRX is a winner and the library makes it so easy to use.

Cheers
Jim

3 Likes

Hi Jim,
I am trying to connect two Pico W’s,
so I thought I’ll try and follow your post.
I can understand most of it, but can not understand the following:

Pi Pico W Client file:

host =    '192.168.10.2'
server =  '192.168.10.1'
gateway = '192.168.10.1'
port = 5263

SSID_AP File: SSID_AP.py
SSID_AP = {
    'ssid': 'any name you want to call the access point',
    'pw': 'whatever password you decide to use'
    }

Pi Pico W Access Point file:

server = '192.168.1.2'
gateway = '192.168.1.1'
port = 80

# HotSpot
serverAP = '192.168.10.1'
gatewayAP = '192.168.10.1'
portAP = 5263

SSID File: SSID.py
SSID = {
    'ssid': 'Local WiFi Name',
    'pw': 'Local Password'
    }

SSID_AP File: SSID_AP.py
SSID_AP = {
    'ssid': 'any name you want to call the access point',
    'pw': 'whatever password you decide to use'
    }

I am not sure which network figures I have, go into your code.
My rooter is SKYEDXQ2

I have a Pi5 with the following:
Hotspot name: ewan-ewan with password ‘******’ i/p 10.42.0.1
eth0: 192.168.0.119 NetMask 255.255.255.0 broadcast 192.168.0.255
Wlan: 192.168.0.118 NetMask 255.255.255.0 broadcast 192.168.0.255

I have two Pico W’s.
One running the Access Point File and the other running the client file
and both with files SSID_AP.py & SSID.py

In file SSIS_AP.py I have the following:

SSID_AP = {
    'ssid': 'ewan-ewan',
    'pw': '******'
    }

In file SSID.py I have the following:

SSID = {
    'ssid': 'SKYEDXQ2',
    'pw': '******'
    }

I hope you are able to help & understand my query as set out above, Regards Ian.

Hi @EwanHenry267515 - welcome to the forums :slight_smile:
Jim’s project seems to operate independent of an external Router acting as an AP. Check again the original project where the AP is one of the Picos.
It looks like you’re trying to use an existing Router for the AP, so this code will not work.

The project code uses sockets to send messages between the two devices - In your case you would have to deploy a modified Client File to each of your picos that

  • connects to your router, and then
  • opens a socket with the other pico and sends a message

@EwanHenry267515 Michael is right.
The idea is for the two Pico’s to talk to each other without the need for any other network.
My router local IP is 192.168.1.xxx so putting the Picos on 192.168.10.xxx separates the networks when they talk to each other.

The Access Point Pico first connects to the local network to get the time for its RTC, then it sets itself up as an Access Point.

Your SSID_AP.py needs to change. SSID should be whatever name you want, I used something like ‘GFX3165’. This is what the other Pico will connect to. Password also whatever you want.

The router ‘ssid’: ‘SKYEDXQ2’ would only be used to get the date and time for the Access Point Pico.
The ‘ssid’: ‘ewan-ewan’ would not be used by the Pico’s at all.

Regards
Jim

2 Likes

Hi Michael Jim, Thank you both for your help.
I am progressing but haven’t got the two picos talking together.

In the Access_Point_File on the first Pico w:
I’m getting the error code: -2

MPY: soft reboot
apf:ln:121:Getting NTPTime …
apf:ln:61:Checking for Network … SKYEDXQ2
apf:ln:95:Connecting to Network …
apf:ln:109:ip = 192.168.1.2
apf:ln:151:Error occurred: -2
apf:ln:202:Setting up AP …
apf:ln:207:ssid = ewan_access_point
apf:ln:211:Config = (‘192.168.10.1’, ‘255.255.255.0’, ‘192.168.10.1’, ‘8.8.8.8’)
:apf:ln:189:Server listening on 192.168.10.1:5263

In the client file on the second Pico w:
I am getting connect fail - Link Join

MPY: soft reboot
cl:ln:40:Checking for Network … ewan_access_point
cl:ln:72:Connecting to Network …
cl:ln:66:cl:ln:51:Connect Fail: cl:ln:55:Link Join
cl:ln:116:Cannot connect …
cl:ln:126:Disconnect from Network.
cl:ln:127:Led-off

I am posting the code below just for clarity.
The first Pico w with the Access_Point_File.py
##Local WiFi
server = ‘192.168.1.2’
gateway = ‘192.168.1.1’
port = 80
ssid = SSID[‘ssid’]
pw = SSID[‘pw’]

##HotSpot
serverAP = ‘192.168.10.1’
gatewayAP = ‘192.168.10.1’
portAP = 5263
ssidAP = SSID_AP[‘ssid’]
pwAP = SSID_AP[‘pw’]

SSID.py
SSID = {
‘ssid’: ‘SKYEDXQ2’,
‘pw’: ‘xxxx’
}
SSID_AP.py
SSID_AP = {
‘ssid’: ‘ewan_access_point’,
‘pw’: ‘xxxx’
}
The second Pico w with the client.py file.
host = ‘192.168.10.2’
server = ‘192.168.10.1’
gateway = ‘192.168.10.1’
port = 5263

ssid = SSID_AP[‘ssid’]
pw = SSID_AP[‘pw’]

The SSID_AP.py is the same as above.
apf - stands for access_point_file.py file.
cl - stands for client.py file.
The ln: xx - stands for the line number so that I can quickly find the line number generating the error.

Thank you in advance for any further help given, Ian. (btw, ewan is the name my family calls me)

This is related to getting the date and time. Sometimes the Micropython ntptime.settime() worked sometimes it did not.
Recently I tried to use ntptime in another project and could not get it to work at all. The Micropython code it hard wired to a particular time server and the Micropython documentation is incorrect.

I ended up using the json example from Core Electronics. Most of the time it would work.

This is more complex. The error is from Micropython wlan.status(), it means there was a problem with the Pico Client connecting to the Pico Access Point. The reason can be hard to lock down, because it is the communication between the two WIFI chips on the Pico boards. Possibly at a lower level you could interrogate these two chips to find out exactly why they do not want to communicate but that is not possible with the Micropython code.

In the past I have used a phone / tablet to check the Access Point. It has connected sometimes other times not. Also, sometimes the IP address I specified in the program has not been used. The phone showed the IP address to be 192.168.4.1 (seems to be the default) not the 192.168.12.1 which I had in my code.

All I can suggest is you try a few different settings and see if you can see what IP’s the Access Point is using. IMHO the Pico WiFi is nice to have but its not as robust it should be. Micropython fits into a very small amount of memory and there is not the capacity to do all the checking needed for WiFi networks. The Raspberry Pi with it’s operating system is much better.

Regards
Jim

EDIT: I loaded the code listed above to two Pico’s, fixed the syntax errors due to comments and reference to a LCD routine and added import machine Pin to both. Latest version of Micropython installed on both Pico’s. Got them to connect ok on 192.168.10.1 (Access Point) & 192.168.10.2 (Client). The NTP time stuff worked too.

Interestingly the IP assigned to the phone when connected to the Access Point was 192.168.4.16. Think that’s to do with the phone though.

1 Like

Hi Jim, I hust wanted to thank you for the very helpful information in your last post.
Later today I’ll re-read it in more depth along with the suggested article.
Regards, Ian.

1 Like

@James46717 any idea how do i start if i want to do the exact same thing but using c++ in arduino ide?

I want to make a establish communication between the pico w without relying on any other external rf module and a local wifi network, The reason why i’m not comfortable with micro python is that i also need to modify this code and add various sensors and control stepper motors which is easy in arduino IDE

Everything I have done with the Pico has been in Micropython. It comes with WiFi routines built in and a lot of other stuff too.
C++ would run faster but you would have to write all the routines. There may be libraries you could use. I’d search GitHub.

Regards
Jim

2 Likes

okk, thnx a lot for your reply, I’ve tried searching a lot on this topic and it seems like there aren’t many resources on this topic, i’m trying my best to understand this code but can you help me write a simple code (in micropython) where we just turn on the builtin led on the receiver pico when a push button is pressed on the transmitter pico. i’ll take that as a starting point then try to add additional stuff.
regards

1 Like