이 Python 스크립트는 Tshark에서 내보낸 값으로 구성된 텍스트 파일을 사용합니다. 내보낸 이 열은 5바이트 Hex 값인 각 CANBUS 페이로드로 엄격하게 구성됩니다. (10자) 이 프로그램은 CANBUS 16진수 값을 KPH 또는 MPH로 변환합니다.
다음은 속도를 나타내는 CANBUS ID 589의 Wireshark에서 내보낸 분석인 CanID589.pcap에서 이 정보를 추출하는 데 사용한 명령입니다. CANBUS ID에는 32개의 다른 유형이 있지만 현재로서는 해당 값에 관심을 가질 필요가 없습니다.
┌──(kali㉿Z3r0)-[/media/sf_Shared_Kali/NCL Doc/scanningrecon] └─$ tshark -r CanID589.pcap -T fields -e data.data > Data_speed.txt
(-r)은 기존 pcap 파일을 읽는 반면 (-T 필드)는 Tshark에 특정 필드(전체 패킷 세부 정보, 요약 또는 원시 데이터가 아닌)를 출력하도록 지시합니다. 모든 패킷 데이터를 덤프하는 대신 원하는 정보만 추출하여 출력을 사용자 정의하는 방법입니다. -e 옵션은 패킷에서 추출할 필드를 지정하는 데 사용됩니다. 이 경우 data.data는 각 패킷의 데이터 바이트를 나타냅니다. "data.data"는 16진수 형식의 CANBUS 프레임의 실제 콘텐츠(페이로드)를 나타냅니다. 올바른 데이터를 텍스트 파일로 내보낼 때까지 다양한 값을 실험해야 했습니다.
CAN 프로토콜과 관련된 다양한 분야의 목록은 다음과 같습니다.
이 작업은 각 패킷에 대해 개별적으로 수행할 수도 있지만
을 통해 반복할 수 있는 Can.ID = "589"(속도) 패킷이 352개 있었습니다.def format_hex_value(hex_value): # Tshark exported specific packets to column data.data unformatted. return ' '.join(hex_value[i:i+2] for i in range(0, len(hex_value), 2)) def calculate_speed_from_hex_value(hex_value): # 5 byte check if len(hex_value) < 10: raise ValueError("Hex value must have at least 10 characters for 5 bytes") # Extract the relevant bytes from payload (the last two bytes) high_byte = int(hex_value[-4:-2], 16) low_byte = int(hex_value[-2:], 16) speed = (high_byte << 8) + low_byte # Example: 00 00 00 04 e1 - (04 << 8) + e1 = 1024 + 225 = 1249 # Convert speed from centi-KPH to KPH then to MPH speed_kph = speed / 100.0 # Assuming the value is in centi-KPH speed_mph = speed_kph * 0.621371 # Convert KPH to MPH return speed_mph def main(): speeds = [] with open('data_speed.txt', 'r') as file: for line in file: hex_value = line.strip() if hex_value: formatted_hex_value = format_hex_value(hex_value) print(f"Formatted Hex Value: {formatted_hex_value}") try: # Calculate speed and store it in the speeds list speed_mph = calculate_speed_from_hex_value(hex_value) speeds.append(speed_mph) print(f"Calculated Speed: {speed_mph:.2f} MPH") except ValueError as e: print(f"Error processing value '{hex_value}': {e}") speeds.sort() #Sort lowest to highest print("\nFinal Sorted Speeds (MPH):") for speed in speeds: print(f"{speed:.2f} MPH") if __name__ == "__main__": main()
질문, 의견, 추가 사항 또는 건설적인 비판이 있는 경우 언제든지 저에게 연락해 주세요. 감사합니다
위 내용은 CANBUS 속도 변환기의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!