steam icon indicating copy to clipboard operation
steam copied to clipboard

Implement Chat for SteamClient

Open rossengeorgiev opened this issue 9 years ago • 41 comments

Tasks:

  • [x] SteamUser rework
  • [x] research user to user chat protocol
  • [x] implement user to user chat handling
  • [x] research group chat protocol
  • [x] implement group protocol messages
  • [ ] implement group chat
  • [ ] docs & examples

rossengeorgiev avatar Jan 14 '16 17:01 rossengeorgiev

I've looked into this a little bit and I've discovered:

You can listen to the message CMsgClientFriendMsgIncoming to receive messages from friends. This message contains the following fields:

  • steamid_from contains the steamid of the sender
  • chat_entry_type contains the type of the message -- 2 means the sender has started typing in the chat window, 1 means a message has been sent
  • from_limited_account - I haven't tested this one, but I assume it shows if the sender has a limited Steam account or not
  • message - if chat_entry_type is 1, it contains the sent message. Otherwise it is empty (with a NUL character (\0) at the end) -- This message always ends with a NUL character (\0)
  • rtime32_server_timestamp - The time the server sent the message (in Unix time)

thomassross avatar May 05 '16 20:05 thomassross

Sending a message:

  • Send the protobuf message CMsgClientFriendMsg
  • steamid is the steamid64 you want to send the message to
  • chat_entry_type is the same as before -- 2 means the sender has started typing in the chat window, 1 means a message has been sent
  • message is the message that you want to send
  • rtime32_server_timestamp - The time the client sent the message (in Unix time)

Putting this all together you could write a simple "copycat":

@client.on(EMsg.ClientFriendMsgIncoming)
def onMessage(msg):
    messageText = msg.body.message.rstrip().strip("\0")

    if messageText:
        sendMsg = MsgProto(EMsg.ClientFriendMsg)
        sendMsg.body.steamid = msg.body.steamid_from
        sendMsg.body.chat_entry_type = 1
        sendMsg.body.message = messageText
        sendMsg.body.rtime32_server_timestamp = int(time.time())

        client.send(sendMsg)

thomassross avatar May 05 '16 21:05 thomassross

Hi @thomassross, thanks for the info I appreciate it. My fault for not adding any details on the issue, but the issue was more about implementing code in the module that abstracts the unnecessary details while providing a simple and initiative API. I already have something in the works.

rossengeorgiev avatar May 05 '16 21:05 rossengeorgiev

Can you please add thomassross example of chat to documentation or examle pages? It helps to do basic things.

alexche8 avatar Aug 12 '16 14:08 alexche8

You are right @alexche8, docs are a bit lacking on that. It will happen at some point. Currently you can send and receive messages from individual users.

Here is a simple message echo example, user parameter is a SteamUser instance.

@client.on('chat_message')
def handle_message(user, message_text):
    user.send_message('You said: %s' % message_text)

rossengeorgiev avatar Aug 12 '16 21:08 rossengeorgiev

@rossengeorgiev , thanks!

alexche8 avatar Aug 15 '16 07:08 alexche8

User chats work perfectly, are group chats getting implemented any time soon? I noticed that some protobuf messages connected to this functionality are missing - sadly I don't have any idea how to implement this myself, but I might try figuring it out in the coming weeks. For example to join a group chat, EMsg.ClientJoinChat protobuf needs to be sent, but attempting to create it with MsgProto (from steam.core.msg) results in an empty message. If I have the time I will try to learn how exactly messages are created and how they're defined, and maybe find a way to create support for joining and receiving/sending messages.

nukeop avatar Aug 28 '16 21:08 nukeop

User chat working tested on linux.I wish i had time to help but working too hard these days.

Thanks for everyone ~~

b3mb4m avatar Aug 31 '16 16:08 b3mb4m

I'm slowly figuring out group chat. For example, I managed to get joining group chats to work. You have to use non-protobuf messages (Msg class) serialized to bytes. For example, given an invite with chatroomid, to join that chatroom we need something like this:

msg = Msg(EMsg.ClientJoinChat, extended=True)
msg.body = MsgClientJoinChat(chatroomid)
client.send(msg)

Where MsgClientJoinChat is a class encapsulating the required fields, and providing a method for serialization to bytes. A crude version of this class could look like this:

import StringIO

class MsgClientJoinChat(object):
    def __init__(self, sidc):
        self.SteamIdChat = sidc
        self.IsVoiceSpeaker = False

    def serialize(self):
        out = StringIO.StringIO()
        hsteamidchat = format(self.SteamIdChat, '02x')
        if len(hsteamidchat)%4!=0:
            hsteamidchat = (len(hsteamidchat)%4)*'0' + hsteamidchat

        newstr = ""
        for i in range(len(hsteamidchat), 2, -2):
            newstr += hsteamidchat[i-2:i]

        hsteamidchat = bytearray.fromhex(newstr)
        out.write(hsteamidchat)
        out.write("\x00")
        return out.getvalue()

The hard part is converting the steam id into bytes and reversing their order (unless I missed some built-in python function that does that).

After sending the message in the way described in the first block of code, the bot joins the chatroom. I was unable to find non-protobuf messages with bodies specific to their types (like this MsgClientJoinChat class I pasted here). Have I missed them or is this functionality not implemented in the library?

nukeop avatar Nov 02 '16 03:11 nukeop

I figured out something more advanced: receiving group chat messages.

In steam/core/msg.py, in the Msg class constructor, I added this condition to the chain creating the appropriate message body:

elif msg == EMsg.ClientChatMsg:
        self.body = ClientChatMsg(data)

ClientChatMsg is a class I created in the same file after looking at the format in which steam sends group chat messages. This is basically:

steamIdChatter - 64-bit ID of the author of the message steamIdChatRoom - 64 bit ID of the chatroom the message was sent in ChatMsgType - 32-bit int message type ChatMsg - the message itself. Size is as big as needed.

This can be unpacked with struct.unpack_from with the format string "<QQI16s", similarly to other messages, although this particular string will only unpack the first 16 characters correctly, not sure how to make it unpack everything until the end of the message.

Once we have this unpacked, we set a ClientChatMsg object as the message body and voila. The last piece of the puzzle is figuring out the format string for struct.unpack_from, and I can post a pull request.

An ugly way to do that would be just getting the length of the message in bytes and subtracting 8+8+4=20 bytes, since that's how much the first three attributes take. Then we can use s in the format string.

nukeop avatar Nov 04 '16 01:11 nukeop

Nice, those seem to be correct. They are indeed not protos for them

The hard part is converting the steam id into bytes and reversing their order (unless I missed some built-in python function that does that).

If it is endianness just use <> in the unpack format.

An ugly way to do that would be just getting the length of the message in bytes

It's not ugly at all.

"<QQI{}s".format(len(body) - struct.calcsize("QQI"))

rossengeorgiev avatar Nov 04 '16 04:11 rossengeorgiev

Yes, that works. I will post a pull request later today (with example usage in the docs) and next week I'll try handling events where people enter/exit chat, and sending messages to group chats.

nukeop avatar Nov 04 '16 12:11 nukeop

Everything is here btw: https://github.com/SteamRE/SteamKit/blob/master/Resources/SteamLanguage/steammsg.steamd

Should probably write a script to parse those one day

rossengeorgiev avatar Nov 04 '16 20:11 rossengeorgiev

This is useful, but I do not believe this is 100% correct though.

For example, I am now working on enter/exit events for group chat. The client receives ClientChatMemberInfo when that happens, and according to that file it should only have an 8 byte field and a 4 byte field, but it actually has 8-4-8-4-8 (which is, respectively, id of the group, enum with the action, id of the user acted on (needed when user X kicks/bans user Y), enum with chat action, and id of the user who acted.

So it turns out that this message has also a EMsg::ClientChatAction inside it, but steammsg.steamd doesn't mention it.

nukeop avatar Nov 05 '16 03:11 nukeop

I want to implement the ClientChatEnter event which happens when you enter the group. It should return these parameters:

    steamIdChat
    steamIdFriend
    chatRoomType
    steamIdOwner
    steamIdClan
    chatFlags
    enterResponse
    numMembers
    chatRoomName
    memberList

Now the first 8 are easy, struct.unpack_from with "<QQIQQ?II" format string. After that, the message contains a null-terminated string with the group's name (still easy enough), and after that a list of objects in a different format - it's a list of users currently in the chat, but every item begins with MessageObject, then has steamId, permissions, and Detailswith attribute names as strings and the rest of the data as bytes. Any ideas how to parse that? Maybe something else uses this format?

nukeop avatar Nov 14 '16 17:11 nukeop

@nukeop maybe you're looking for some of these functions?

thomassross avatar Nov 14 '16 17:11 thomassross

I will check this out once I get home.

I am able to parse this correctly in a primitive way like this:

nullId = struct.calcsize("<QQIQQ?II") + data[struct.calcsize("<QQIQQ?II"):].index('\x00')
        self.chatRoomName = data[struct.calcsize("<QQIQQ?II"):nullId]

        for i, t in enumerate(data[struct.calcsize("<QQIQQ?II") + nullId:].split('MessageObject')[1:]):
            member_data = (t[t.index('steamid')+8:t.index('permissions')] +
             t[t.index('permissions')+12:t.index('Details')] +
             t[t.index('Details')+8:])

            member = ChatMemberInfo(member_data)

            self.memberList.append(member)

ChatMemberInfo uses struct.unpack_from with"<QII"format string. I'm basically extracting what's between the null-terminated strings. I could probably just keep reading until I encounter the next null value and repeat three times for every user in the chat.

nukeop avatar Nov 14 '16 17:11 nukeop

@nukeop I've refactored the msg.py as it was getting overcrowded. It's now split into multiple modules. Struct messages are now are located into steam/core/msg/structs.py and there are some slight changes on how they are defined. Have look.

rossengeorgiev avatar Nov 15 '16 11:11 rossengeorgiev

Great, when I make a pull request I'll use the new structure.

Are those MessageObjects parsed somewhere, or are they only declared? I figured I could add this as a class somewhere with a method that could load them from this string-null-data format, either loading the attributes into a dictionary or turning them into object's own attributes.

nukeop avatar Nov 15 '16 22:11 nukeop

Classes inheriting from StructMessage are automatically mapped based on their name. They need to be named exactly as the corresponding EMsg. You only need to declare them

rossengeorgiev avatar Nov 16 '16 08:11 rossengeorgiev

@nukeop oh, if you see MessageObject, that's most likely binary VDF. You can parse that using vdf.binary_loads. If you give me a raw sample I can figure out how to parse it.

rossengeorgiev avatar Nov 16 '16 08:11 rossengeorgiev

Nope, vdf.binary_loads gives me this error:

SyntaxError: Unknown data type at index 15: '`M

Here's example binary data in urlsafe base64-encoded form (use base64.urlsafe_b64decode to get the data; I'm not sure if I'd be able to post raw bytes in a comment on Github):

AABNZXNzYWdlT2JqZWN0AAdzdGVhbWlkAH_SAAQBABABAnBlcm1pc3Npb25zABoDAAACRGV0YWlscwACAAAACAgATWVzc2FnZU9iamVjdAAHc3RlYW1pZACVMcoFAQAQAQJwZXJtaXNzaW9ucwAKAAAAAkRldGFpbHMABAAAAAgI6AMAAA==

The above string contains everything after the group name.

nukeop avatar Nov 16 '16 15:11 nukeop

Ok. This is not the whole message. You can just use repr(data) to get pasteable representation.

'\x00\x00MessageObject\x00\x07steamid\x00\x7f\xd2\x00\x04\x01\x00\x10\x01\x02permissions\x00\x1a\x03\x00\x00\x02Details\x00\x02\x00\x00\x00\x08\x08\x00MessageObject\x00\x07steamid\x00\x951\xca\x05\x01\x00\x10\x01\x02permissions\x00\n\x00\x00\x00\x02Details\x00\x04\x00\x00\x00\x08\x08\xe8\x03\x00\x00'

There are two binary VDFs in there with some extra bytes. There is probably a field telling you how many bin VDFs there are.

In [30]: vdf.binary_loads('\x00MessageObject\x00\x07steamid\x00\x951\xca\x05\x01\x00\x10\x01\x02permissions\x00\n\x00\x00\x00\x02Details\x00\x04\x00\x00\x00\x08\x08')
Out[30]:
{'MessageObject': {'Details': 4,
  'permissions': 10,
  'steamid': UINT_64(76561198057402773)}}

rossengeorgiev avatar Nov 16 '16 16:11 rossengeorgiev

This is the entire example message:

\x13@Z\x01\x00\x00\x88\x01\x00\x00\x00\x00\x00\x00\x00\x00\x02\x00\x00\x00\x13@Z\x01\x00\x00p\x01\x13@Z\x01\x00\x00p\x01\x00\x01\x00\x00\x00\x02\x00\x00\x00Relay Bot\xe2\x84\xa2\x00\x00MessageObject\x00\x07steamid\x00\x7f\xd2\x00\x04\x01\x00\x10\x01\x02permissions\x00\x1a\x03\x00\x00\x02Details\x00\x02\x00\x00\x00\x08\x08\x00MessageObject\x00\x07steamid\x00\x951\xca\x05\x01\x00\x10\x01\x02permissions\x00\n\x00\x00\x00\x02Details\x00\x04\x00\x00\x00\x08\x08\xe8\x03\x00\x00

Should it end at 08 08?

The number of these VDF blocks is equal to numMemberswhich is decoded earlier with struct.unpack_from.

nukeop avatar Nov 16 '16 16:11 nukeop

This does the trick:

def load(self, data):
        (self.steamIdChat,
         self.steamIdFriend,
         self.chatRoomType,
         self.steamIdOwner,
         self.steamIdClan,
         self.chatFlags,
         self.enterResponse,
         self.numMembers
         ) = struct.unpack_from("<QQIQQ?II", data)

        nullId = struct.calcsize("<QQIQQ?II") + data[struct.calcsize("<QQIQQ?II"):].index('\x00')
        self.chatRoomName = data[struct.calcsize("<QQIQQ?II"):nullId]

        for x in data[nullId+1:].split('\x08\x08')[:-1]:
                self.memberList.append(vdf.binary_loads(x+'\x08\x08'))

Is this clean enough? I don't like the magic 08 08 but I don't know how to avoid it.

nukeop avatar Nov 16 '16 17:11 nukeop

I really don't like that parsing code, so I made steam.util.binary.StructReader, which should simplify things for this type of messages. I am assuming the VDF size doesn't change, so we just hardcode it for now..

def load(self, data):
    buf, self.memberList = StructReader(data), list()

    (self.steamIdChat, self.steamIdFriend, self.chatRoomType, self.steamIdOwner,
     self.steamIdClan, self.chatFlags, self.enterResponse, self.numMembers
     ) = buf.unpack("<QQIQQ?II")
    self.chatRoomName = buf.read_cstring().decode('utf-8')

    for _ in range(self.numMembers):
        self.memberList.append(vdf.binary_loads(buf.read(64))['MessageObject'])

    self.UNKNOWN1, = buf.unpack("<I")

rossengeorgiev avatar Nov 16 '16 21:11 rossengeorgiev

After ClientChatEnter, what are the remaining group chat features that need to be implemented?

What examples/recipes are needed for the documentation?

nukeop avatar Nov 20 '16 20:11 nukeop

Have that code

sendMsg = MsgProto(EMsg.ClientFriendMsg)
sendMsg.body.steamid = 76561198864244185
sendMsg.body.chat_entry_type = 1
sendMsg.body.message = str.encode("HW!")
sendMsg.body.rtime32_server_timestamp = int(time.time())
client.send(sendMsg)

But it doesn't work. Have that error: TypeError: Expected "data" to be of type "dict". pls help me. I need just send message to one steamid.

Lambda14 avatar Oct 22 '18 08:10 Lambda14

@Lambda14 open a new issue and include the full stack trace

rossengeorgiev avatar Oct 22 '18 11:10 rossengeorgiev

Not sure if the old group chat exist anymore, but there are now protos for the new one. Added in 8c80ab8473a8758ab7fb7d8d1958bf4289557380

rossengeorgiev avatar Oct 25 '18 21:10 rossengeorgiev