Ramesh-vani commited on
Commit
d023036
·
verified ·
1 Parent(s): ff15b41

Update app.py

Browse files
Files changed (1) hide show
  1. app.py +79 -47
app.py CHANGED
@@ -1,63 +1,95 @@
1
  import asyncio
2
- import websockets
3
- import random
4
- import string
5
- import sqlite3
6
-
7
- # Database setup (using SQLite for simplicity)
8
- conn = sqlite3.connect('pairing_database.db')
9
- cursor = conn.cursor()
10
- cursor.execute('CREATE TABLE IF NOT EXISTS pairs (key TEXT, client_ws TEXT)')
11
- conn.commit()
12
-
13
- async def handle_client(websocket, path):
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
14
  try:
15
- # Receive the client's request (create a pair or connect to a key)
16
- request_type = await websocket.recv()
 
 
 
 
 
17
 
18
- if request_type == "create_pair":
19
- # Generate a unique key
20
- unique_key = generate_key()
21
 
22
- # Save the key and associate it with the current client in the database
23
- cursor.execute('INSERT INTO pairs VALUES (?, ?)', (unique_key, str(websocket)))
24
- conn.commit()
25
 
26
- # Inform the client about the created key
27
- await websocket.send(f"Pair key created: {unique_key}")
 
 
 
28
 
29
- elif request_type == "connect_to_key":
30
- # Receive the key from the client
31
- key_to_connect = await websocket.recv()
32
 
33
- # Retrieve all clients associated with the key from the database
34
- cursor.execute('SELECT client_ws FROM pairs WHERE key=?', (key_to_connect,))
35
- results = cursor.fetchall()
 
 
 
 
 
36
 
37
- if results:
38
- # Pair the current client with all clients associated with the key
39
- for result in results:
40
- other_client_ws = result[0]
41
- if other_client_ws != str(websocket):
42
- await websocket.send(f"Connected to key {key_to_connect}. You are paired with {other_client_ws}")
43
- await other_client_ws.send(f"Connected to key {key_to_connect}. You are paired with {str(websocket)}")
44
- else:
45
- # Inform the client that the key does not exist
46
- await websocket.send(f"Key {key_to_connect} does not exist.")
47
 
48
- except websockets.exceptions.ConnectionClosed:
49
- pass # Connection closed, handle appropriately
 
50
 
51
- def generate_key():
52
- # Generate a random key (you might want to implement a more robust key generation logic)
53
- return ''.join(random.choices(string.ascii_uppercase + string.digits, k=8))
 
 
 
54
 
55
- start_server = websockets.serve(handle_client, "localhost", 8765)
56
 
57
  async def main():
58
- print("WebSocket server is running. Waiting for connections...")
59
- await start_server
60
- await asyncio.Event().wait()
 
 
 
 
 
 
61
 
62
  if __name__ == "__main__":
63
  asyncio.run(main())
 
1
  import asyncio
2
+ import json
3
+ import os
4
+ import secrets
5
+ import signal
6
+ from collections import defaultdict
7
+ from websockets import serve, ConnectionClosed
8
+
9
+ # Dictionary to store editor content for each user
10
+ editor_content = defaultdict(str)
11
+
12
+ # Set of connected users
13
+ connected_users = set()
14
+
15
+
16
+ async def broadcast_changes(websocket, user, change):
17
+ """
18
+ Broadcast code editing changes to all connected clients.
19
+ """
20
+ event = {
21
+ "type": "edit",
22
+ "user": user,
23
+ "change": change,
24
+ }
25
+
26
+ # Broadcast the change to all connected clients
27
+ for user_socket in connected_users:
28
+ if user_socket != websocket:
29
+ await user_socket.send(json.dumps(event))
30
+
31
+
32
+ async def handle_code_editing(websocket, user):
33
+ """
34
+ Handle code editing events from a user.
35
+ """
36
+ connected_users.add(websocket)
37
+
38
  try:
39
+ # Send the initial state of the document to the new user
40
+ await websocket.send(json.dumps({"type": "init", "content": editor_content[user]}))
41
+
42
+ async for message in websocket:
43
+ event = json.loads(message)
44
+ assert event["type"] == "edit"
45
+ change = event["change"]
46
 
47
+ # Apply the change to the document
48
+ editor_content[user] = change["text"]
 
49
 
50
+ # Broadcast the change to all connected clients
51
+ await broadcast_changes(websocket, user, change)
 
52
 
53
+ except ConnectionClosed:
54
+ pass
55
+ finally:
56
+ # Remove the user when the WebSocket connection is closed
57
+ connected_users.remove(websocket)
58
 
 
 
 
59
 
60
+ async def editor_handler(websocket, path):
61
+ """
62
+ Handle a connection and dispatch it according to who is connecting.
63
+ """
64
+ # Receive and parse the "init" event from the UI.
65
+ message = await websocket.recv()
66
+ event = json.loads(message)
67
+ assert event["type"] == "init"
68
 
69
+ user = event.get("user", None)
 
 
 
 
 
 
 
 
 
70
 
71
+ if not user:
72
+ # Assign a random username for simplicity
73
+ user = secrets.token_urlsafe(8)
74
 
75
+ try:
76
+ await handle_code_editing(websocket, user)
77
+ except Exception as e:
78
+ print(f"Error: {e}")
79
+ finally:
80
+ connected_users.remove(websocket)
81
 
 
82
 
83
  async def main():
84
+ # Set the stop condition when receiving SIGTERM
85
+ loop = asyncio.get_running_loop()
86
+ stop = loop.create_future()
87
+ loop.add_signal_handler(signal.SIGTERM, stop.set_result, None)
88
+
89
+
90
+ async with serve(editor_handler, "0.0.0.0", 7860):
91
+ await stop
92
+
93
 
94
  if __name__ == "__main__":
95
  asyncio.run(main())