diff --git a/veilid-python/chat.py b/veilid-python/chat.py deleted file mode 100755 index 9dd599b0..00000000 --- a/veilid-python/chat.py +++ /dev/null @@ -1,98 +0,0 @@ -#!/usr/bin/env python - -import asyncio -import sys - -import veilid - -QUIT = b"QUIT" - - -async def cb(*args, **kwargs): - return - print(f"{args=}") - print(f"{kwargs=}") - - -async def chatter(rc: veilid.api.RoutingContext, key, send_channel: int, recv_channel: int): - last_seq = -1 - - send_subkey = veilid.types.ValueSubkey(send_channel) - recv_subkey = veilid.types.ValueSubkey(recv_channel) - - while True: - try: - msg = input("SEND> ") - except EOFError: - print("Closing the chat.") - await rc.set_dht_value(key, send_subkey, QUIT) - return - - await rc.set_dht_value(key, send_subkey, msg.encode()) - - while True: - resp = await rc.get_dht_value(key, recv_subkey, True) - if resp is None: - continue - if resp.seq == last_seq: - continue - - if resp.data == QUIT: - print("Other end closed the chat.") - return - - print(f"RECV< {resp.data.decode()}") - last_seq = resp.seq - break - - -async def start(): - conn = await veilid.json_api_connect("localhost", 5959, cb) - - rc = await conn.new_routing_context() - async with rc: - rec = await rc.create_dht_record(veilid.DHTSchema.dflt(2)) - print(f"Chat key: {rec.key}") - print(rec.owner) - print(vars(rec)) - - await chatter(rc, rec.key, 0, 1) - - await rc.close_dht_record(rec.key) - await rc.delete_dht_record(rec.key) - - -async def respond(key): - conn = await veilid.json_api_connect("localhost", 5959, cb) - - rc = await conn.new_routing_context() - async with rc: - try: - await rc.open_dht_record(key, None) - except veilid.error.VeilidAPIErrorGeneric as exc: - if exc.message != 'record is already open and should be closed first': - raise - - await chatter(rc, key, 1, 0) - - -async def clean(key): - conn = await veilid.json_api_connect("localhost", 5959, cb) - - rc = await conn.new_routing_context() - async with rc: - await rc.close_dht_record(key) - await rc.delete_dht_record(key) - - -if __name__ == "__main__": - if sys.argv[1] == "--start": - func = start() - elif sys.argv[1] == "--respond": - func = respond(sys.argv[2]) - elif sys.argv[1] == "--clean": - func = clean(sys.argv[2]) - else: - 1 / 0 - - asyncio.run(func) diff --git a/veilid-python/demo/chat.py b/veilid-python/demo/chat.py new file mode 100755 index 00000000..1adf5fa3 --- /dev/null +++ b/veilid-python/demo/chat.py @@ -0,0 +1,195 @@ +#!/usr/bin/env python + +"""A simple chat server using Veilid's DHT.""" + +import argparse +import asyncio +import sys + +import config + +import veilid + +QUIT = b"QUIT" + + +async def noop_callback(*args, **kwargs): + """In the real world, we'd use this to process interesting incoming events.""" + + return + + +async def chatter(rc: veilid.api.RoutingContext, key: str, send_channel: int, recv_channel: int): + """Read input, write it to the DHT, and print the response from the DHT.""" + + last_seq = -1 + + send_subkey = veilid.types.ValueSubkey(send_channel) + recv_subkey = veilid.types.ValueSubkey(recv_channel) + + # Prime the pumps. Especially when starting the conversation, this + # causes the DHT key to propagate to the network. + await rc.set_dht_value(key, send_subkey, b"Hello from the world!") + + while True: + try: + msg = input("SEND> ") + except EOFError: + # Cat got your tongue? Hang up. + print("Closing the chat.") + await rc.set_dht_value(key, send_subkey, QUIT) + return + + # Write the input message to the DHT key. + await rc.set_dht_value(key, send_subkey, msg.encode()) + + # In the real world, don't do this. People may tease you for it. + # This is meant to be easy to understand for demonstration + # purposes, not a great pattern. Instead, you'd want to use the + # callback function to handle events asynchronously. + while True: + # Try to get an updated version of the receiving subkey. + resp = await rc.get_dht_value(key, recv_subkey, True) + if resp is None: + continue + + # If the other party hasn't sent a newer message, try again. + if resp.seq == last_seq: + continue + + if resp.data == QUIT: + print("Other end closed the chat.") + return + + print(f"RECV< {resp.data.decode()}") + last_seq = resp.seq + break + + +async def start(host: str, port: int, name: str): + """Begin a conversation with a friend.""" + + conn = await veilid.json_api_connect(host, port, noop_callback) + + keys = config.read_keys() + my_key = veilid.KeyPair(keys["self"]) + + members = [ + veilid.types.DHTSchemaSMPLMember(my_key.key(), 1), + veilid.types.DHTSchemaSMPLMember(keys["peers"][name], 1), + ] + + router = await conn.new_routing_context() + async with router: + rec = await router.create_dht_record(veilid.DHTSchema.smpl(0, members)) + print(f"New chat key: {rec.key}") + print("Give that to your friend!") + + # Close this key first. We'll reopen it for writing with our saved key. + await router.close_dht_record(rec.key) + + await router.open_dht_record(rec.key, veilid.KeyPair(keys["self"])) + + try: + # Write to the 1st subkey and read from the 2nd. + await chatter(router, rec.key, 0, 1) + finally: + await router.close_dht_record(rec.key) + await router.delete_dht_record(rec.key) + + +async def respond(host: str, port: int, key: str): + """Reply to a friend's chat.""" + + conn = await veilid.json_api_connect(host, port, noop_callback) + + keys = config.read_keys() + my_key = veilid.KeyPair(keys["self"]) + + router = await conn.new_routing_context() + async with router: + await router.open_dht_record(key, my_key) + + # As the responder, we're writing to the 2nd subkey and reading from the 1st. + await chatter(router, key, 1, 0) + + +async def keygen(host: str, port: int): + """Generate a keypair.""" + + conn = await veilid.json_api_connect(host, port, noop_callback) + + crypto_system = await conn.get_crypto_system(veilid.CryptoKind.CRYPTO_KIND_VLD0) + async with crypto_system: + my_key = await crypto_system.generate_key_pair() + + keys = config.read_keys() + if keys["self"]: + print("You already have a keypair.") + sys.exit(1) + + keys["self"] = my_key + config.write_keys(keys) + + print(f"Your new public key is {my_key.key()}. Share it with your friends!") + + +async def add_friend(host: str, port: int, name: str, pubkey: str): + """Add a friend's public key.""" + + keys = config.read_keys() + keys["peers"][name] = pubkey + config.write_keys(keys) + + +async def clean(host: str, port: int, key: str): + """Delete a DHT key.""" + + conn = await veilid.json_api_connect(host, port, noop_callback) + + router = await conn.new_routing_context() + async with router: + await router.close_dht_record(key) + await router.delete_dht_record(key) + + +def handle_command_line(arglist: list[str]): + """Process the command line. + + This isn't the interesting part.""" + + parser = argparse.ArgumentParser(description="Veilid chat demonstration") + parser.add_argument("--host", default="localhost", help="Address of the Veilid server host.") + parser.add_argument("--port", type=int, default=5959, help="Port of the Veilid server.") + + subparsers = parser.add_subparsers(required=True) + + cmd_start = subparsers.add_parser("start", help=start.__doc__) + cmd_start.add_argument("name", help="Your friend's name") + cmd_start.set_defaults(func=start) + + cmd_respond = subparsers.add_parser("respond", help=respond.__doc__) + cmd_respond.add_argument("key", help="The chat's DHT key") + cmd_respond.set_defaults(func=respond) + + cmd_keygen = subparsers.add_parser("keygen", help=keygen.__doc__) + cmd_keygen.set_defaults(func=keygen) + + cmd_add_friend = subparsers.add_parser("add-friend", help=add_friend.__doc__) + cmd_add_friend.add_argument("name", help="Your friend's name") + cmd_add_friend.add_argument("pubkey", help="Your friend's public key") + cmd_add_friend.set_defaults(func=add_friend) + + cmd_clean = subparsers.add_parser("clean", help=clean.__doc__) + cmd_clean.add_argument("key", help="DHT key to delete") + cmd_clean.set_defaults(func=clean) + + args = parser.parse_args(arglist) + kwargs = args.__dict__ + func = kwargs.pop("func") + + asyncio.run(func(**kwargs)) + + +if __name__ == "__main__": + handle_command_line(sys.argv[1:]) diff --git a/veilid-python/demo/config.py b/veilid-python/demo/config.py new file mode 100644 index 00000000..8479611e --- /dev/null +++ b/veilid-python/demo/config.py @@ -0,0 +1,26 @@ +"""Load and save configuration.""" + +import json +from pathlib import Path + +KEYFILE = Path(".demokeys") + + +def read_keys() -> dict: + """Load the stored keys from disk.""" + + try: + keydata = KEYFILE.read_text() + except FileNotFoundError: + return { + "self": None, + "peers": {}, + } + + return json.loads(keydata) + + +def write_keys(keydata: dict): + """Save the keys to disk.""" + + KEYFILE.write_text(json.dumps(keydata, indent=2))