add new message parsing stuff

This commit is contained in:
JJTech0130 2023-08-14 09:40:33 -04:00
parent e41ed2c6a2
commit 1d74e568cf
No known key found for this signature in database
GPG key ID: 23C92EBCCF8F93D6
2 changed files with 142 additions and 29 deletions

22
demo.py
View file

@ -157,19 +157,19 @@ while True:
msg = im.receive() msg = im.receive()
if msg is not None: if msg is not None:
# print(f'[{msg.sender}] {msg.text}') # print(f'[{msg.sender}] {msg.text}')
print(msg.to_string()) print(str(msg))
attachments = msg.attachments() # attachments = msg.attachments()
if len(attachments) > 0: # if len(attachments) > 0:
attachments_path = f"attachments/{msg.id}/" # attachments_path = f"attachments/{msg.id}/"
os.makedirs(attachments_path, exist_ok=True) # os.makedirs(attachments_path, exist_ok=True)
for attachment in attachments: # for attachment in attachments:
with open(attachments_path + attachment.name, "wb") as attachment_file: # with open(attachments_path + attachment.name, "wb") as attachment_file:
attachment_file.write(attachment.versions[0].data()) # attachment_file.write(attachment.versions[0].data())
print(f"({len(attachments)} attachment{'s have' if len(attachments) != 1 else ' has'} been downloaded and put " # print(f"({len(attachments)} attachment{'s have' if len(attachments) != 1 else ' has'} been downloaded and put "
f"in {attachments_path})") # f"in {attachments_path})")
if len(INPUT_QUEUE) > 0: if len(INPUT_QUEUE) > 0:
msg = INPUT_QUEUE.pop() msg = INPUT_QUEUE.pop()
@ -223,7 +223,7 @@ while True:
elif current_participants != []: elif current_participants != []:
if msg.startswith('\\'): if msg.startswith('\\'):
msg = msg[1:] msg = msg[1:]
im.send(imessage.iMessage( im.send(imessage.OldiMessage(
text=msg, text=msg,
participants=current_participants, participants=current_participants,
sender=user.current_handle, sender=user.current_handle,

View file

@ -132,9 +132,101 @@ class Attachment:
def __repr__(self): def __repr__(self):
return f'<Attachment name="{self.name}" type="{self.mime_type}">' return f'<Attachment name="{self.name}" type="{self.mime_type}">'
class Message:
def __init__(self, text: str, sender: str, participants: list[str], id: uuid.UUID, _raw: dict, _compressed: bool = True):
self.text = text
self.sender = sender
self.id = id
self._raw = _raw
self._compressed = _compressed
def from_raw(message: bytes, sender: str | None = None) -> "Message":
"""Create a `Message` from raw message bytes"""
raise NotImplementedError()
def __str__():
raise NotImplementedError()
class SMSReflectedMessage(Message):
def from_raw(message: bytes, sender: str | None = None) -> "SMSReflectedMessage":
"""Create a `SMSIncomingMessage` from raw message bytes"""
# Decompress the message
try:
message = gzip.decompress(message)
compressed = True
except:
compressed = False
message = plistlib.loads(message)
return SMSReflectedMessage(
text=message["mD"]["plain-body"],
sender=sender,
participants=[re["id"] for re in message["re"]] + [sender],
id=uuid.UUID(message["mD"]["guid"]),
_raw=message,
_compressed=compressed,
)
def __str__(self):
return f"[SMS {self.sender}] '{self.text}'"
class SMSIncomingMessage(Message):
def from_raw(message: bytes, sender: str | None = None) -> "SMSIncomingMessage":
"""Create a `SMSIncomingMessage` from raw message bytes"""
# Decompress the message
try:
message = gzip.decompress(message)
compressed = True
except:
compressed = False
message = plistlib.loads(message)
logger.debug(f"Decompressed message : {message}")
return SMSIncomingMessage(
text=message["k"][0]["data"].decode(),
sender=message["h"], # Don't use sender parameter, that is the phone that forwarded the message
participants=[message["h"], message["co"]],
id=uuid.UUID(message["g"]),
_raw=message,
_compressed=compressed,
)
def __str__(self):
return f"[SMS {self.sender}] '{self.text}'"
class iMessage(Message):
def from_raw(message: bytes, sender: str | None = None) -> "iMessage":
"""Create a `iMessage` from raw message bytes"""
# Decompress the message
try:
message = gzip.decompress(message)
compressed = True
except:
compressed = False
message = plistlib.loads(message)
return iMessage(
text=message["t"],
participants=message["p"],
sender=sender,
id=uuid.UUID(message["r"]),
_raw=message,
_compressed=compressed,
)
def __str__(self):
return f"[iMessage {self.sender}] '{self.text}'"
@dataclass @dataclass
class iMessage: class OldiMessage:
"""Represents an iMessage""" """Represents an iMessage"""
text: str = "" text: str = ""
@ -195,7 +287,7 @@ class iMessage:
return True return True
def from_raw(message: bytes, sender: str | None = None) -> "iMessage": def from_raw(message: bytes, sender: str | None = None) -> "OldiMessage":
"""Create an `iMessage` from raw message bytes""" """Create an `iMessage` from raw message bytes"""
compressed = False compressed = False
try: try:
@ -209,7 +301,7 @@ class iMessage:
logger.debug(f"Decompressed message : {message}") logger.debug(f"Decompressed message : {message}")
try: try:
return iMessage( return OldiMessage(
text=message[ text=message[
"t" "t"
], # Cause it to "fail to parse" if there isn't any good text to display, temp hack ], # Cause it to "fail to parse" if there isn't any good text to display, temp hack
@ -233,7 +325,7 @@ class iMessage:
#import json #import json
dmp = str(message) dmp = str(message)
return iMessage(text=f"failed to parse: {dmp}", _raw=message) return OldiMessage(text=f"failed to parse: {dmp}", _raw=message)
def to_raw(self) -> bytes: def to_raw(self) -> bytes:
"""Convert an `iMessage` to raw message bytes""" """Convert an `iMessage` to raw message bytes"""
@ -422,26 +514,34 @@ class iMessageUser:
except: except:
return False return False
def receive(self) -> iMessage | None: def receive(self) -> Message | None:
""" """
Will return the next iMessage in the queue, or None if there are no messages Will return the next iMessage in the queue, or None if there are no messages
""" """
# Check for iMessages
body = self._receive_raw(100, "com.apple.madrid") body = self._receive_raw(100, "com.apple.madrid")
t = iMessage
if body is None:
# Check for SMS messages
body = self._receive_raw(143, "com.apple.private.alloy.sms")
t = SMSReflectedMessage
if body is None:
# Check for SMS incoming messages
body = self._receive_raw(140, "com.apple.private.alloy.sms")
t = SMSIncomingMessage
if body is None: if body is None:
return None return None
payload = body["P"]
if not self._verify_payload(payload, body["sP"], body["t"]):
if not self._verify_payload(body["P"], body["sP"], body["t"]):
raise Exception("Failed to verify payload") raise Exception("Failed to verify payload")
logger.debug(f"Encrypted body : {body}") logger.debug(f"Encrypted body : {body}")
decrypted = self._decrypt_payload(payload) decrypted = self._decrypt_payload(body["P"])
# logger.debug(f"Decrypted payload : {plistlib.loads(decrypted)}") return t.from_raw(decrypted, body["sP"])
return iMessage.from_raw(decrypted, body["sP"])
KEY_CACHE_HANDLE: str = "" KEY_CACHE_HANDLE: str = ""
KEY_CACHE: dict[bytes, dict[str, tuple[bytes, bytes]]] = {} KEY_CACHE: dict[bytes, dict[str, tuple[bytes, bytes]]] = {}
@ -550,17 +650,32 @@ class iMessageUser:
self.connection.send_message(topic, body, message_id) self.connection.send_message(topic, body, message_id)
def _receive_raw(self, type: int, topic: str) -> dict | None: def _receive_raw(self, c: int | list[int], topic: str | list[str]) -> dict | None:
def check_response(x): def check_response(x):
if x[0] != 0x0A: if x[0] != 0x0A:
return False return False
# Check if it matches any of the topics
if isinstance(topic, list):
for t in topic:
if apns._get_field(x[1], 2) == sha1(t.encode()).digest():
break
else:
return False
else:
if apns._get_field(x[1], 2) != sha1(topic.encode()).digest(): if apns._get_field(x[1], 2) != sha1(topic.encode()).digest():
return False return False
resp_body = apns._get_field(x[1], 3) resp_body = apns._get_field(x[1], 3)
if resp_body is None: if resp_body is None:
return False return False
resp_body = plistlib.loads(resp_body) resp_body = plistlib.loads(resp_body)
if "c" not in resp_body or resp_body["c"] != type:
#logger.debug(f"See type {resp_body['c']}")
if isinstance(c, list):
if not resp_body["c"] in c:
return False
elif resp_body["c"] != c:
return False return False
return True return True
@ -571,8 +686,6 @@ class iMessageUser:
body = plistlib.loads(body) body = plistlib.loads(body)
return body return body
_received_activation_message: bool = False
def activate_sms(self) -> bool: def activate_sms(self) -> bool:
""" """
Try to activate SMS forwarding Try to activate SMS forwarding
@ -593,7 +706,7 @@ class iMessageUser:
} }
) )
def send(self, message: iMessage): def send(self, message: OldiMessage):
# Set the sender, if it isn't already # Set the sender, if it isn't already
if message.sender is None: if message.sender is None:
message.sender = self.user.handles[0] # TODO : Which handle to use? message.sender = self.user.handles[0] # TODO : Which handle to use?