![]() |
parsing question - Printable Version +- Python Forum (https://python-forum.io) +-- Forum: Python Coding (https://python-forum.io/forum-7.html) +--- Forum: General Coding Help (https://python-forum.io/forum-8.html) +--- Thread: parsing question (/thread-30153.html) |
parsing question - ridgerunnersjw - Oct-09-2020 Can someone tell me how to parse this using '\x' and place each line on it's own:....I tried .split(b'\x') but this gives me an error
RE: parsing question - bowlofred - Oct-09-2020 This is just the default way that python prints bytes that don't have ascii mappings. If you didn't care about printable vs non-printable, and just want all the numbers, I'd do something like this: b = b'\x00\xd0\xffp\x01p\x01 \x00 \xff\xa0\x00 \x01\x90\x00\xf0\x00\xf0\x00 \x01P' for byte in b: print(format(byte, "x")) Do you need the bytes that are ascii to remain in ascii format?
RE: parsing question - ridgerunnersjw - Oct-09-2020 I have a sensor that is feeding me that datastream....It represents I and Q data (int16), FFT data (uint16) and some misc (uint16)... I notice in your solution you are losing characters ie... \xffp (third one). That will be important during processing.... At the moment the only thing I am sure of is it looks like the '\x' can be parsed out and then everything else matters.... How would I do this? RE: parsing question - bowlofred - Oct-09-2020 That's not one character "\xffp", that's two bytes. The first is '\xff' (which I print as "ff") and the second is "p" (which I print as 70). >>> b'\xff' + b'\x70' b'\xffp' >>> len(b'\xffp') 2If the bytes in the bytestring have some meaning (like every pair represents something), then that would change how you parse it. All I've done is take all the bytes and display them with their hex code. The default python print statement does similar, but if the byte is in the ASCII range, it replaces it with the ASCII character. RE: parsing question - Skaperen - Oct-10-2020 @ridgerunnersjw: i assume each uint16 arrives as 2 bytes. is that in big-endian order or little-endian order? RE: parsing question - ridgerunnersjw - Oct-10-2020 Datasheet only calls out uint16....I gotta believe that WYSIWYG so: x\ea --> 00ea x\f4p --> f470 If I can get this parsed I will try and plot this data to see if it makes sense.....If endian is wrong then I'll swap.... RE: parsing question - bowlofred - Oct-10-2020 Something like this then: import struct b = b'\x00\xd0\xffp\x01p\x01 \x00 \xff\xa0\x00 \x01\x90\x00\xf0\x00\xf0\x00 \x01P' size, mod = divmod(len(b), 2) if mod: print("Odd number of bytes seen. Ignoring final byte") b = b[:-1] uint16_data = struct.unpack(f'>{size}H', b) for uint in uint16_data: print(f"{uint:04x}")You can change the > to < to reverse the endian order.00d0 ff70 0170 0120 0020 ffa0 0020 0190 00f0 00f0 0020 0150 RE: parsing question - ridgerunnersjw - Oct-10-2020 Thank you.... I look forward to experimenting with this... It definitely looks promising... Thanks again! |