1 //===-- GDBRemoteCommunicationClient.cpp ----------------------------------===// 2 // 3 // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions. 4 // See https://llvm.org/LICENSE.txt for license information. 5 // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception 6 // 7 //===----------------------------------------------------------------------===// 8 9 #include "GDBRemoteCommunicationClient.h" 10 11 #include <math.h> 12 #include <sys/stat.h> 13 14 #include <numeric> 15 #include <sstream> 16 17 #include "lldb/Core/ModuleSpec.h" 18 #include "lldb/Host/HostInfo.h" 19 #include "lldb/Host/XML.h" 20 #include "lldb/Symbol/Symbol.h" 21 #include "lldb/Target/MemoryRegionInfo.h" 22 #include "lldb/Target/Target.h" 23 #include "lldb/Target/UnixSignals.h" 24 #include "lldb/Utility/Args.h" 25 #include "lldb/Utility/DataBufferHeap.h" 26 #include "lldb/Utility/LLDBAssert.h" 27 #include "lldb/Utility/Log.h" 28 #include "lldb/Utility/State.h" 29 #include "lldb/Utility/StreamString.h" 30 31 #include "ProcessGDBRemote.h" 32 #include "ProcessGDBRemoteLog.h" 33 #include "lldb/Host/Config.h" 34 #include "lldb/Utility/StringExtractorGDBRemote.h" 35 36 #include "llvm/ADT/StringSwitch.h" 37 #include "llvm/Support/JSON.h" 38 39 #if defined(HAVE_LIBCOMPRESSION) 40 #include <compression.h> 41 #endif 42 43 using namespace lldb; 44 using namespace lldb_private::process_gdb_remote; 45 using namespace lldb_private; 46 using namespace std::chrono; 47 48 llvm::raw_ostream &process_gdb_remote::operator<<(llvm::raw_ostream &os, 49 const QOffsets &offsets) { 50 return os << llvm::formatv( 51 "QOffsets({0}, [{1:@[x]}])", offsets.segments, 52 llvm::make_range(offsets.offsets.begin(), offsets.offsets.end())); 53 } 54 55 // GDBRemoteCommunicationClient constructor 56 GDBRemoteCommunicationClient::GDBRemoteCommunicationClient() 57 : GDBRemoteClientBase("gdb-remote.client", "gdb-remote.client.rx_packet"), 58 m_supports_not_sending_acks(eLazyBoolCalculate), 59 m_supports_thread_suffix(eLazyBoolCalculate), 60 m_supports_threads_in_stop_reply(eLazyBoolCalculate), 61 m_supports_vCont_all(eLazyBoolCalculate), 62 m_supports_vCont_any(eLazyBoolCalculate), 63 m_supports_vCont_c(eLazyBoolCalculate), 64 m_supports_vCont_C(eLazyBoolCalculate), 65 m_supports_vCont_s(eLazyBoolCalculate), 66 m_supports_vCont_S(eLazyBoolCalculate), 67 m_qHostInfo_is_valid(eLazyBoolCalculate), 68 m_curr_pid_is_valid(eLazyBoolCalculate), 69 m_qProcessInfo_is_valid(eLazyBoolCalculate), 70 m_qGDBServerVersion_is_valid(eLazyBoolCalculate), 71 m_supports_alloc_dealloc_memory(eLazyBoolCalculate), 72 m_supports_memory_region_info(eLazyBoolCalculate), 73 m_supports_watchpoint_support_info(eLazyBoolCalculate), 74 m_supports_detach_stay_stopped(eLazyBoolCalculate), 75 m_watchpoints_trigger_after_instruction(eLazyBoolCalculate), 76 m_attach_or_wait_reply(eLazyBoolCalculate), 77 m_prepare_for_reg_writing_reply(eLazyBoolCalculate), 78 m_supports_p(eLazyBoolCalculate), m_supports_x(eLazyBoolCalculate), 79 m_avoid_g_packets(eLazyBoolCalculate), 80 m_supports_QSaveRegisterState(eLazyBoolCalculate), 81 m_supports_qXfer_auxv_read(eLazyBoolCalculate), 82 m_supports_qXfer_libraries_read(eLazyBoolCalculate), 83 m_supports_qXfer_libraries_svr4_read(eLazyBoolCalculate), 84 m_supports_qXfer_features_read(eLazyBoolCalculate), 85 m_supports_qXfer_memory_map_read(eLazyBoolCalculate), 86 m_supports_augmented_libraries_svr4_read(eLazyBoolCalculate), 87 m_supports_jThreadExtendedInfo(eLazyBoolCalculate), 88 m_supports_jLoadedDynamicLibrariesInfos(eLazyBoolCalculate), 89 m_supports_jGetSharedCacheInfo(eLazyBoolCalculate), 90 m_supports_QPassSignals(eLazyBoolCalculate), 91 m_supports_error_string_reply(eLazyBoolCalculate), 92 m_supports_qProcessInfoPID(true), m_supports_qfProcessInfo(true), 93 m_supports_qUserName(true), m_supports_qGroupName(true), 94 m_supports_qThreadStopInfo(true), m_supports_z0(true), 95 m_supports_z1(true), m_supports_z2(true), m_supports_z3(true), 96 m_supports_z4(true), m_supports_QEnvironment(true), 97 m_supports_QEnvironmentHexEncoded(true), m_supports_qSymbol(true), 98 m_qSymbol_requests_done(false), m_supports_qModuleInfo(true), 99 m_supports_jThreadsInfo(true), m_supports_jModulesInfo(true), 100 m_curr_pid(LLDB_INVALID_PROCESS_ID), m_curr_tid(LLDB_INVALID_THREAD_ID), 101 m_curr_tid_run(LLDB_INVALID_THREAD_ID), 102 m_num_supported_hardware_watchpoints(0), m_host_arch(), m_process_arch(), 103 m_os_build(), m_os_kernel(), m_hostname(), m_gdb_server_name(), 104 m_gdb_server_version(UINT32_MAX), m_default_packet_timeout(0), 105 m_max_packet_size(0), m_qSupported_response(), 106 m_supported_async_json_packets_is_valid(false), 107 m_supported_async_json_packets_sp(), m_qXfer_memory_map(), 108 m_qXfer_memory_map_loaded(false) {} 109 110 // Destructor 111 GDBRemoteCommunicationClient::~GDBRemoteCommunicationClient() { 112 if (IsConnected()) 113 Disconnect(); 114 } 115 116 bool GDBRemoteCommunicationClient::HandshakeWithServer(Status *error_ptr) { 117 ResetDiscoverableSettings(false); 118 119 // Start the read thread after we send the handshake ack since if we fail to 120 // send the handshake ack, there is no reason to continue... 121 if (SendAck()) { 122 // Wait for any responses that might have been queued up in the remote 123 // GDB server and flush them all 124 StringExtractorGDBRemote response; 125 PacketResult packet_result = PacketResult::Success; 126 while (packet_result == PacketResult::Success) 127 packet_result = ReadPacket(response, milliseconds(10), false); 128 129 // The return value from QueryNoAckModeSupported() is true if the packet 130 // was sent and _any_ response (including UNIMPLEMENTED) was received), or 131 // false if no response was received. This quickly tells us if we have a 132 // live connection to a remote GDB server... 133 if (QueryNoAckModeSupported()) { 134 return true; 135 } else { 136 if (error_ptr) 137 error_ptr->SetErrorString("failed to get reply to handshake packet"); 138 } 139 } else { 140 if (error_ptr) 141 error_ptr->SetErrorString("failed to send the handshake ack"); 142 } 143 return false; 144 } 145 146 bool GDBRemoteCommunicationClient::GetEchoSupported() { 147 if (m_supports_qEcho == eLazyBoolCalculate) { 148 GetRemoteQSupported(); 149 } 150 return m_supports_qEcho == eLazyBoolYes; 151 } 152 153 bool GDBRemoteCommunicationClient::GetQPassSignalsSupported() { 154 if (m_supports_QPassSignals == eLazyBoolCalculate) { 155 GetRemoteQSupported(); 156 } 157 return m_supports_QPassSignals == eLazyBoolYes; 158 } 159 160 bool GDBRemoteCommunicationClient::GetAugmentedLibrariesSVR4ReadSupported() { 161 if (m_supports_augmented_libraries_svr4_read == eLazyBoolCalculate) { 162 GetRemoteQSupported(); 163 } 164 return m_supports_augmented_libraries_svr4_read == eLazyBoolYes; 165 } 166 167 bool GDBRemoteCommunicationClient::GetQXferLibrariesSVR4ReadSupported() { 168 if (m_supports_qXfer_libraries_svr4_read == eLazyBoolCalculate) { 169 GetRemoteQSupported(); 170 } 171 return m_supports_qXfer_libraries_svr4_read == eLazyBoolYes; 172 } 173 174 bool GDBRemoteCommunicationClient::GetQXferLibrariesReadSupported() { 175 if (m_supports_qXfer_libraries_read == eLazyBoolCalculate) { 176 GetRemoteQSupported(); 177 } 178 return m_supports_qXfer_libraries_read == eLazyBoolYes; 179 } 180 181 bool GDBRemoteCommunicationClient::GetQXferAuxvReadSupported() { 182 if (m_supports_qXfer_auxv_read == eLazyBoolCalculate) { 183 GetRemoteQSupported(); 184 } 185 return m_supports_qXfer_auxv_read == eLazyBoolYes; 186 } 187 188 bool GDBRemoteCommunicationClient::GetQXferFeaturesReadSupported() { 189 if (m_supports_qXfer_features_read == eLazyBoolCalculate) { 190 GetRemoteQSupported(); 191 } 192 return m_supports_qXfer_features_read == eLazyBoolYes; 193 } 194 195 bool GDBRemoteCommunicationClient::GetQXferMemoryMapReadSupported() { 196 if (m_supports_qXfer_memory_map_read == eLazyBoolCalculate) { 197 GetRemoteQSupported(); 198 } 199 return m_supports_qXfer_memory_map_read == eLazyBoolYes; 200 } 201 202 uint64_t GDBRemoteCommunicationClient::GetRemoteMaxPacketSize() { 203 if (m_max_packet_size == 0) { 204 GetRemoteQSupported(); 205 } 206 return m_max_packet_size; 207 } 208 209 bool GDBRemoteCommunicationClient::QueryNoAckModeSupported() { 210 if (m_supports_not_sending_acks == eLazyBoolCalculate) { 211 m_send_acks = true; 212 m_supports_not_sending_acks = eLazyBoolNo; 213 214 // This is the first real packet that we'll send in a debug session and it 215 // may take a little longer than normal to receive a reply. Wait at least 216 // 6 seconds for a reply to this packet. 217 218 ScopedTimeout timeout(*this, std::max(GetPacketTimeout(), seconds(6))); 219 220 StringExtractorGDBRemote response; 221 if (SendPacketAndWaitForResponse("QStartNoAckMode", response, false) == 222 PacketResult::Success) { 223 if (response.IsOKResponse()) { 224 m_send_acks = false; 225 m_supports_not_sending_acks = eLazyBoolYes; 226 } 227 return true; 228 } 229 } 230 return false; 231 } 232 233 void GDBRemoteCommunicationClient::GetListThreadsInStopReplySupported() { 234 if (m_supports_threads_in_stop_reply == eLazyBoolCalculate) { 235 m_supports_threads_in_stop_reply = eLazyBoolNo; 236 237 StringExtractorGDBRemote response; 238 if (SendPacketAndWaitForResponse("QListThreadsInStopReply", response, 239 false) == PacketResult::Success) { 240 if (response.IsOKResponse()) 241 m_supports_threads_in_stop_reply = eLazyBoolYes; 242 } 243 } 244 } 245 246 bool GDBRemoteCommunicationClient::GetVAttachOrWaitSupported() { 247 if (m_attach_or_wait_reply == eLazyBoolCalculate) { 248 m_attach_or_wait_reply = eLazyBoolNo; 249 250 StringExtractorGDBRemote response; 251 if (SendPacketAndWaitForResponse("qVAttachOrWaitSupported", response, 252 false) == PacketResult::Success) { 253 if (response.IsOKResponse()) 254 m_attach_or_wait_reply = eLazyBoolYes; 255 } 256 } 257 return m_attach_or_wait_reply == eLazyBoolYes; 258 } 259 260 bool GDBRemoteCommunicationClient::GetSyncThreadStateSupported() { 261 if (m_prepare_for_reg_writing_reply == eLazyBoolCalculate) { 262 m_prepare_for_reg_writing_reply = eLazyBoolNo; 263 264 StringExtractorGDBRemote response; 265 if (SendPacketAndWaitForResponse("qSyncThreadStateSupported", response, 266 false) == PacketResult::Success) { 267 if (response.IsOKResponse()) 268 m_prepare_for_reg_writing_reply = eLazyBoolYes; 269 } 270 } 271 return m_prepare_for_reg_writing_reply == eLazyBoolYes; 272 } 273 274 void GDBRemoteCommunicationClient::ResetDiscoverableSettings(bool did_exec) { 275 if (!did_exec) { 276 // Hard reset everything, this is when we first connect to a GDB server 277 m_supports_not_sending_acks = eLazyBoolCalculate; 278 m_supports_thread_suffix = eLazyBoolCalculate; 279 m_supports_threads_in_stop_reply = eLazyBoolCalculate; 280 m_supports_vCont_c = eLazyBoolCalculate; 281 m_supports_vCont_C = eLazyBoolCalculate; 282 m_supports_vCont_s = eLazyBoolCalculate; 283 m_supports_vCont_S = eLazyBoolCalculate; 284 m_supports_p = eLazyBoolCalculate; 285 m_supports_x = eLazyBoolCalculate; 286 m_supports_QSaveRegisterState = eLazyBoolCalculate; 287 m_qHostInfo_is_valid = eLazyBoolCalculate; 288 m_curr_pid_is_valid = eLazyBoolCalculate; 289 m_qGDBServerVersion_is_valid = eLazyBoolCalculate; 290 m_supports_alloc_dealloc_memory = eLazyBoolCalculate; 291 m_supports_memory_region_info = eLazyBoolCalculate; 292 m_prepare_for_reg_writing_reply = eLazyBoolCalculate; 293 m_attach_or_wait_reply = eLazyBoolCalculate; 294 m_avoid_g_packets = eLazyBoolCalculate; 295 m_supports_qXfer_auxv_read = eLazyBoolCalculate; 296 m_supports_qXfer_libraries_read = eLazyBoolCalculate; 297 m_supports_qXfer_libraries_svr4_read = eLazyBoolCalculate; 298 m_supports_qXfer_features_read = eLazyBoolCalculate; 299 m_supports_qXfer_memory_map_read = eLazyBoolCalculate; 300 m_supports_augmented_libraries_svr4_read = eLazyBoolCalculate; 301 m_supports_qProcessInfoPID = true; 302 m_supports_qfProcessInfo = true; 303 m_supports_qUserName = true; 304 m_supports_qGroupName = true; 305 m_supports_qThreadStopInfo = true; 306 m_supports_z0 = true; 307 m_supports_z1 = true; 308 m_supports_z2 = true; 309 m_supports_z3 = true; 310 m_supports_z4 = true; 311 m_supports_QEnvironment = true; 312 m_supports_QEnvironmentHexEncoded = true; 313 m_supports_qSymbol = true; 314 m_qSymbol_requests_done = false; 315 m_supports_qModuleInfo = true; 316 m_host_arch.Clear(); 317 m_os_version = llvm::VersionTuple(); 318 m_os_build.clear(); 319 m_os_kernel.clear(); 320 m_hostname.clear(); 321 m_gdb_server_name.clear(); 322 m_gdb_server_version = UINT32_MAX; 323 m_default_packet_timeout = seconds(0); 324 m_max_packet_size = 0; 325 m_qSupported_response.clear(); 326 m_supported_async_json_packets_is_valid = false; 327 m_supported_async_json_packets_sp.reset(); 328 m_supports_jModulesInfo = true; 329 } 330 331 // These flags should be reset when we first connect to a GDB server and when 332 // our inferior process execs 333 m_qProcessInfo_is_valid = eLazyBoolCalculate; 334 m_process_arch.Clear(); 335 } 336 337 void GDBRemoteCommunicationClient::GetRemoteQSupported() { 338 // Clear out any capabilities we expect to see in the qSupported response 339 m_supports_qXfer_auxv_read = eLazyBoolNo; 340 m_supports_qXfer_libraries_read = eLazyBoolNo; 341 m_supports_qXfer_libraries_svr4_read = eLazyBoolNo; 342 m_supports_augmented_libraries_svr4_read = eLazyBoolNo; 343 m_supports_qXfer_features_read = eLazyBoolNo; 344 m_supports_qXfer_memory_map_read = eLazyBoolNo; 345 m_max_packet_size = UINT64_MAX; // It's supposed to always be there, but if 346 // not, we assume no limit 347 348 // build the qSupported packet 349 std::vector<std::string> features = {"xmlRegisters=i386,arm,mips,arc"}; 350 StreamString packet; 351 packet.PutCString("qSupported"); 352 for (uint32_t i = 0; i < features.size(); ++i) { 353 packet.PutCString(i == 0 ? ":" : ";"); 354 packet.PutCString(features[i]); 355 } 356 357 StringExtractorGDBRemote response; 358 if (SendPacketAndWaitForResponse(packet.GetString(), response, 359 /*send_async=*/false) == 360 PacketResult::Success) { 361 const char *response_cstr = response.GetStringRef().data(); 362 363 // Hang on to the qSupported packet, so that platforms can do custom 364 // configuration of the transport before attaching/launching the process. 365 m_qSupported_response = response_cstr; 366 367 if (::strstr(response_cstr, "qXfer:auxv:read+")) 368 m_supports_qXfer_auxv_read = eLazyBoolYes; 369 if (::strstr(response_cstr, "qXfer:libraries-svr4:read+")) 370 m_supports_qXfer_libraries_svr4_read = eLazyBoolYes; 371 if (::strstr(response_cstr, "augmented-libraries-svr4-read")) { 372 m_supports_qXfer_libraries_svr4_read = eLazyBoolYes; // implied 373 m_supports_augmented_libraries_svr4_read = eLazyBoolYes; 374 } 375 if (::strstr(response_cstr, "qXfer:libraries:read+")) 376 m_supports_qXfer_libraries_read = eLazyBoolYes; 377 if (::strstr(response_cstr, "qXfer:features:read+")) 378 m_supports_qXfer_features_read = eLazyBoolYes; 379 if (::strstr(response_cstr, "qXfer:memory-map:read+")) 380 m_supports_qXfer_memory_map_read = eLazyBoolYes; 381 382 // Look for a list of compressions in the features list e.g. 383 // qXfer:features:read+;PacketSize=20000;qEcho+;SupportedCompressions=zlib- 384 // deflate,lzma 385 const char *features_list = ::strstr(response_cstr, "qXfer:features:"); 386 if (features_list) { 387 const char *compressions = 388 ::strstr(features_list, "SupportedCompressions="); 389 if (compressions) { 390 std::vector<std::string> supported_compressions; 391 compressions += sizeof("SupportedCompressions=") - 1; 392 const char *end_of_compressions = strchr(compressions, ';'); 393 if (end_of_compressions == nullptr) { 394 end_of_compressions = strchr(compressions, '\0'); 395 } 396 const char *current_compression = compressions; 397 while (current_compression < end_of_compressions) { 398 const char *next_compression_name = strchr(current_compression, ','); 399 const char *end_of_this_word = next_compression_name; 400 if (next_compression_name == nullptr || 401 end_of_compressions < next_compression_name) { 402 end_of_this_word = end_of_compressions; 403 } 404 405 if (end_of_this_word) { 406 if (end_of_this_word == current_compression) { 407 current_compression++; 408 } else { 409 std::string this_compression( 410 current_compression, end_of_this_word - current_compression); 411 supported_compressions.push_back(this_compression); 412 current_compression = end_of_this_word + 1; 413 } 414 } else { 415 supported_compressions.push_back(current_compression); 416 current_compression = end_of_compressions; 417 } 418 } 419 420 if (supported_compressions.size() > 0) { 421 MaybeEnableCompression(supported_compressions); 422 } 423 } 424 } 425 426 if (::strstr(response_cstr, "qEcho")) 427 m_supports_qEcho = eLazyBoolYes; 428 else 429 m_supports_qEcho = eLazyBoolNo; 430 431 if (::strstr(response_cstr, "QPassSignals+")) 432 m_supports_QPassSignals = eLazyBoolYes; 433 else 434 m_supports_QPassSignals = eLazyBoolNo; 435 436 const char *packet_size_str = ::strstr(response_cstr, "PacketSize="); 437 if (packet_size_str) { 438 StringExtractorGDBRemote packet_response(packet_size_str + 439 strlen("PacketSize=")); 440 m_max_packet_size = 441 packet_response.GetHexMaxU64(/*little_endian=*/false, UINT64_MAX); 442 if (m_max_packet_size == 0) { 443 m_max_packet_size = UINT64_MAX; // Must have been a garbled response 444 Log *log( 445 ProcessGDBRemoteLog::GetLogIfAllCategoriesSet(GDBR_LOG_PROCESS)); 446 LLDB_LOGF(log, "Garbled PacketSize spec in qSupported response"); 447 } 448 } 449 } 450 } 451 452 bool GDBRemoteCommunicationClient::GetThreadSuffixSupported() { 453 if (m_supports_thread_suffix == eLazyBoolCalculate) { 454 StringExtractorGDBRemote response; 455 m_supports_thread_suffix = eLazyBoolNo; 456 if (SendPacketAndWaitForResponse("QThreadSuffixSupported", response, 457 false) == PacketResult::Success) { 458 if (response.IsOKResponse()) 459 m_supports_thread_suffix = eLazyBoolYes; 460 } 461 } 462 return m_supports_thread_suffix; 463 } 464 bool GDBRemoteCommunicationClient::GetVContSupported(char flavor) { 465 if (m_supports_vCont_c == eLazyBoolCalculate) { 466 StringExtractorGDBRemote response; 467 m_supports_vCont_any = eLazyBoolNo; 468 m_supports_vCont_all = eLazyBoolNo; 469 m_supports_vCont_c = eLazyBoolNo; 470 m_supports_vCont_C = eLazyBoolNo; 471 m_supports_vCont_s = eLazyBoolNo; 472 m_supports_vCont_S = eLazyBoolNo; 473 if (SendPacketAndWaitForResponse("vCont?", response, false) == 474 PacketResult::Success) { 475 const char *response_cstr = response.GetStringRef().data(); 476 if (::strstr(response_cstr, ";c")) 477 m_supports_vCont_c = eLazyBoolYes; 478 479 if (::strstr(response_cstr, ";C")) 480 m_supports_vCont_C = eLazyBoolYes; 481 482 if (::strstr(response_cstr, ";s")) 483 m_supports_vCont_s = eLazyBoolYes; 484 485 if (::strstr(response_cstr, ";S")) 486 m_supports_vCont_S = eLazyBoolYes; 487 488 if (m_supports_vCont_c == eLazyBoolYes && 489 m_supports_vCont_C == eLazyBoolYes && 490 m_supports_vCont_s == eLazyBoolYes && 491 m_supports_vCont_S == eLazyBoolYes) { 492 m_supports_vCont_all = eLazyBoolYes; 493 } 494 495 if (m_supports_vCont_c == eLazyBoolYes || 496 m_supports_vCont_C == eLazyBoolYes || 497 m_supports_vCont_s == eLazyBoolYes || 498 m_supports_vCont_S == eLazyBoolYes) { 499 m_supports_vCont_any = eLazyBoolYes; 500 } 501 } 502 } 503 504 switch (flavor) { 505 case 'a': 506 return m_supports_vCont_any; 507 case 'A': 508 return m_supports_vCont_all; 509 case 'c': 510 return m_supports_vCont_c; 511 case 'C': 512 return m_supports_vCont_C; 513 case 's': 514 return m_supports_vCont_s; 515 case 'S': 516 return m_supports_vCont_S; 517 default: 518 break; 519 } 520 return false; 521 } 522 523 GDBRemoteCommunication::PacketResult 524 GDBRemoteCommunicationClient::SendThreadSpecificPacketAndWaitForResponse( 525 lldb::tid_t tid, StreamString &&payload, StringExtractorGDBRemote &response, 526 bool send_async) { 527 Lock lock(*this, send_async); 528 if (!lock) { 529 if (Log *log = ProcessGDBRemoteLog::GetLogIfAnyCategoryIsSet( 530 GDBR_LOG_PROCESS | GDBR_LOG_PACKETS)) 531 LLDB_LOGF(log, 532 "GDBRemoteCommunicationClient::%s: Didn't get sequence mutex " 533 "for %s packet.", 534 __FUNCTION__, payload.GetData()); 535 return PacketResult::ErrorNoSequenceLock; 536 } 537 538 if (GetThreadSuffixSupported()) 539 payload.Printf(";thread:%4.4" PRIx64 ";", tid); 540 else { 541 if (!SetCurrentThread(tid)) 542 return PacketResult::ErrorSendFailed; 543 } 544 545 return SendPacketAndWaitForResponseNoLock(payload.GetString(), response); 546 } 547 548 // Check if the target supports 'p' packet. It sends out a 'p' packet and 549 // checks the response. A normal packet will tell us that support is available. 550 // 551 // Takes a valid thread ID because p needs to apply to a thread. 552 bool GDBRemoteCommunicationClient::GetpPacketSupported(lldb::tid_t tid) { 553 if (m_supports_p == eLazyBoolCalculate) 554 m_supports_p = GetThreadPacketSupported(tid, "p0"); 555 return m_supports_p; 556 } 557 558 LazyBool GDBRemoteCommunicationClient::GetThreadPacketSupported( 559 lldb::tid_t tid, llvm::StringRef packetStr) { 560 StreamString payload; 561 payload.PutCString(packetStr); 562 StringExtractorGDBRemote response; 563 if (SendThreadSpecificPacketAndWaitForResponse( 564 tid, std::move(payload), response, false) == PacketResult::Success && 565 response.IsNormalResponse()) { 566 return eLazyBoolYes; 567 } 568 return eLazyBoolNo; 569 } 570 571 StructuredData::ObjectSP GDBRemoteCommunicationClient::GetThreadsInfo() { 572 // Get information on all threads at one using the "jThreadsInfo" packet 573 StructuredData::ObjectSP object_sp; 574 575 if (m_supports_jThreadsInfo) { 576 StringExtractorGDBRemote response; 577 response.SetResponseValidatorToJSON(); 578 if (SendPacketAndWaitForResponse("jThreadsInfo", response, false) == 579 PacketResult::Success) { 580 if (response.IsUnsupportedResponse()) { 581 m_supports_jThreadsInfo = false; 582 } else if (!response.Empty()) { 583 object_sp = 584 StructuredData::ParseJSON(std::string(response.GetStringRef())); 585 } 586 } 587 } 588 return object_sp; 589 } 590 591 bool GDBRemoteCommunicationClient::GetThreadExtendedInfoSupported() { 592 if (m_supports_jThreadExtendedInfo == eLazyBoolCalculate) { 593 StringExtractorGDBRemote response; 594 m_supports_jThreadExtendedInfo = eLazyBoolNo; 595 if (SendPacketAndWaitForResponse("jThreadExtendedInfo:", response, false) == 596 PacketResult::Success) { 597 if (response.IsOKResponse()) { 598 m_supports_jThreadExtendedInfo = eLazyBoolYes; 599 } 600 } 601 } 602 return m_supports_jThreadExtendedInfo; 603 } 604 605 void GDBRemoteCommunicationClient::EnableErrorStringInPacket() { 606 if (m_supports_error_string_reply == eLazyBoolCalculate) { 607 StringExtractorGDBRemote response; 608 // We try to enable error strings in remote packets but if we fail, we just 609 // work in the older way. 610 m_supports_error_string_reply = eLazyBoolNo; 611 if (SendPacketAndWaitForResponse("QEnableErrorStrings", response, false) == 612 PacketResult::Success) { 613 if (response.IsOKResponse()) { 614 m_supports_error_string_reply = eLazyBoolYes; 615 } 616 } 617 } 618 } 619 620 bool GDBRemoteCommunicationClient::GetLoadedDynamicLibrariesInfosSupported() { 621 if (m_supports_jLoadedDynamicLibrariesInfos == eLazyBoolCalculate) { 622 StringExtractorGDBRemote response; 623 m_supports_jLoadedDynamicLibrariesInfos = eLazyBoolNo; 624 if (SendPacketAndWaitForResponse("jGetLoadedDynamicLibrariesInfos:", 625 response, 626 false) == PacketResult::Success) { 627 if (response.IsOKResponse()) { 628 m_supports_jLoadedDynamicLibrariesInfos = eLazyBoolYes; 629 } 630 } 631 } 632 return m_supports_jLoadedDynamicLibrariesInfos; 633 } 634 635 bool GDBRemoteCommunicationClient::GetSharedCacheInfoSupported() { 636 if (m_supports_jGetSharedCacheInfo == eLazyBoolCalculate) { 637 StringExtractorGDBRemote response; 638 m_supports_jGetSharedCacheInfo = eLazyBoolNo; 639 if (SendPacketAndWaitForResponse("jGetSharedCacheInfo:", response, false) == 640 PacketResult::Success) { 641 if (response.IsOKResponse()) { 642 m_supports_jGetSharedCacheInfo = eLazyBoolYes; 643 } 644 } 645 } 646 return m_supports_jGetSharedCacheInfo; 647 } 648 649 bool GDBRemoteCommunicationClient::GetxPacketSupported() { 650 if (m_supports_x == eLazyBoolCalculate) { 651 StringExtractorGDBRemote response; 652 m_supports_x = eLazyBoolNo; 653 char packet[256]; 654 snprintf(packet, sizeof(packet), "x0,0"); 655 if (SendPacketAndWaitForResponse(packet, response, false) == 656 PacketResult::Success) { 657 if (response.IsOKResponse()) 658 m_supports_x = eLazyBoolYes; 659 } 660 } 661 return m_supports_x; 662 } 663 664 GDBRemoteCommunicationClient::PacketResult 665 GDBRemoteCommunicationClient::SendPacketsAndConcatenateResponses( 666 const char *payload_prefix, std::string &response_string) { 667 Lock lock(*this, false); 668 if (!lock) { 669 Log *log(ProcessGDBRemoteLog::GetLogIfAnyCategoryIsSet(GDBR_LOG_PROCESS | 670 GDBR_LOG_PACKETS)); 671 LLDB_LOGF(log, 672 "error: failed to get packet sequence mutex, not sending " 673 "packets with prefix '%s'", 674 payload_prefix); 675 return PacketResult::ErrorNoSequenceLock; 676 } 677 678 response_string = ""; 679 std::string payload_prefix_str(payload_prefix); 680 unsigned int response_size = 0x1000; 681 if (response_size > GetRemoteMaxPacketSize()) { // May send qSupported packet 682 response_size = GetRemoteMaxPacketSize(); 683 } 684 685 for (unsigned int offset = 0; true; offset += response_size) { 686 StringExtractorGDBRemote this_response; 687 // Construct payload 688 char sizeDescriptor[128]; 689 snprintf(sizeDescriptor, sizeof(sizeDescriptor), "%x,%x", offset, 690 response_size); 691 PacketResult result = SendPacketAndWaitForResponseNoLock( 692 payload_prefix_str + sizeDescriptor, this_response); 693 if (result != PacketResult::Success) 694 return result; 695 696 const std::string &this_string = std::string(this_response.GetStringRef()); 697 698 // Check for m or l as first character; l seems to mean this is the last 699 // chunk 700 char first_char = *this_string.c_str(); 701 if (first_char != 'm' && first_char != 'l') { 702 return PacketResult::ErrorReplyInvalid; 703 } 704 // Concatenate the result so far (skipping 'm' or 'l') 705 response_string.append(this_string, 1, std::string::npos); 706 if (first_char == 'l') 707 // We're done 708 return PacketResult::Success; 709 } 710 } 711 712 lldb::pid_t GDBRemoteCommunicationClient::GetCurrentProcessID(bool allow_lazy) { 713 if (allow_lazy && m_curr_pid_is_valid == eLazyBoolYes) 714 return m_curr_pid; 715 716 // First try to retrieve the pid via the qProcessInfo request. 717 GetCurrentProcessInfo(allow_lazy); 718 if (m_curr_pid_is_valid == eLazyBoolYes) { 719 // We really got it. 720 return m_curr_pid; 721 } else { 722 // If we don't get a response for qProcessInfo, check if $qC gives us a 723 // result. $qC only returns a real process id on older debugserver and 724 // lldb-platform stubs. The gdb remote protocol documents $qC as returning 725 // the thread id, which newer debugserver and lldb-gdbserver stubs return 726 // correctly. 727 StringExtractorGDBRemote response; 728 if (SendPacketAndWaitForResponse("qC", response, false) == 729 PacketResult::Success) { 730 if (response.GetChar() == 'Q') { 731 if (response.GetChar() == 'C') { 732 m_curr_pid = response.GetHexMaxU32(false, LLDB_INVALID_PROCESS_ID); 733 if (m_curr_pid != LLDB_INVALID_PROCESS_ID) { 734 m_curr_pid_is_valid = eLazyBoolYes; 735 return m_curr_pid; 736 } 737 } 738 } 739 } 740 741 // If we don't get a response for $qC, check if $qfThreadID gives us a 742 // result. 743 if (m_curr_pid == LLDB_INVALID_PROCESS_ID) { 744 std::vector<lldb::tid_t> thread_ids; 745 bool sequence_mutex_unavailable; 746 size_t size; 747 size = GetCurrentThreadIDs(thread_ids, sequence_mutex_unavailable); 748 if (size && !sequence_mutex_unavailable) { 749 m_curr_pid = thread_ids.front(); 750 m_curr_pid_is_valid = eLazyBoolYes; 751 return m_curr_pid; 752 } 753 } 754 } 755 756 return LLDB_INVALID_PROCESS_ID; 757 } 758 759 bool GDBRemoteCommunicationClient::GetLaunchSuccess(std::string &error_str) { 760 error_str.clear(); 761 StringExtractorGDBRemote response; 762 if (SendPacketAndWaitForResponse("qLaunchSuccess", response, false) == 763 PacketResult::Success) { 764 if (response.IsOKResponse()) 765 return true; 766 if (response.GetChar() == 'E') { 767 // A string the describes what failed when launching... 768 error_str = std::string(response.GetStringRef().substr(1)); 769 } else { 770 error_str.assign("unknown error occurred launching process"); 771 } 772 } else { 773 error_str.assign("timed out waiting for app to launch"); 774 } 775 return false; 776 } 777 778 int GDBRemoteCommunicationClient::SendArgumentsPacket( 779 const ProcessLaunchInfo &launch_info) { 780 // Since we don't get the send argv0 separate from the executable path, we 781 // need to make sure to use the actual executable path found in the 782 // launch_info... 783 std::vector<const char *> argv; 784 FileSpec exe_file = launch_info.GetExecutableFile(); 785 std::string exe_path; 786 const char *arg = nullptr; 787 const Args &launch_args = launch_info.GetArguments(); 788 if (exe_file) 789 exe_path = exe_file.GetPath(false); 790 else { 791 arg = launch_args.GetArgumentAtIndex(0); 792 if (arg) 793 exe_path = arg; 794 } 795 if (!exe_path.empty()) { 796 argv.push_back(exe_path.c_str()); 797 for (uint32_t i = 1; (arg = launch_args.GetArgumentAtIndex(i)) != nullptr; 798 ++i) { 799 if (arg) 800 argv.push_back(arg); 801 } 802 } 803 if (!argv.empty()) { 804 StreamString packet; 805 packet.PutChar('A'); 806 for (size_t i = 0, n = argv.size(); i < n; ++i) { 807 arg = argv[i]; 808 const int arg_len = strlen(arg); 809 if (i > 0) 810 packet.PutChar(','); 811 packet.Printf("%i,%i,", arg_len * 2, (int)i); 812 packet.PutBytesAsRawHex8(arg, arg_len); 813 } 814 815 StringExtractorGDBRemote response; 816 if (SendPacketAndWaitForResponse(packet.GetString(), response, false) == 817 PacketResult::Success) { 818 if (response.IsOKResponse()) 819 return 0; 820 uint8_t error = response.GetError(); 821 if (error) 822 return error; 823 } 824 } 825 return -1; 826 } 827 828 int GDBRemoteCommunicationClient::SendEnvironment(const Environment &env) { 829 for (const auto &KV : env) { 830 int r = SendEnvironmentPacket(Environment::compose(KV).c_str()); 831 if (r != 0) 832 return r; 833 } 834 return 0; 835 } 836 837 int GDBRemoteCommunicationClient::SendEnvironmentPacket( 838 char const *name_equal_value) { 839 if (name_equal_value && name_equal_value[0]) { 840 StreamString packet; 841 bool send_hex_encoding = false; 842 for (const char *p = name_equal_value; *p != '\0' && !send_hex_encoding; 843 ++p) { 844 if (llvm::isPrint(*p)) { 845 switch (*p) { 846 case '$': 847 case '#': 848 case '*': 849 case '}': 850 send_hex_encoding = true; 851 break; 852 default: 853 break; 854 } 855 } else { 856 // We have non printable characters, lets hex encode this... 857 send_hex_encoding = true; 858 } 859 } 860 861 StringExtractorGDBRemote response; 862 if (send_hex_encoding) { 863 if (m_supports_QEnvironmentHexEncoded) { 864 packet.PutCString("QEnvironmentHexEncoded:"); 865 packet.PutBytesAsRawHex8(name_equal_value, strlen(name_equal_value)); 866 if (SendPacketAndWaitForResponse(packet.GetString(), response, false) == 867 PacketResult::Success) { 868 if (response.IsOKResponse()) 869 return 0; 870 uint8_t error = response.GetError(); 871 if (error) 872 return error; 873 if (response.IsUnsupportedResponse()) 874 m_supports_QEnvironmentHexEncoded = false; 875 } 876 } 877 878 } else if (m_supports_QEnvironment) { 879 packet.Printf("QEnvironment:%s", name_equal_value); 880 if (SendPacketAndWaitForResponse(packet.GetString(), response, false) == 881 PacketResult::Success) { 882 if (response.IsOKResponse()) 883 return 0; 884 uint8_t error = response.GetError(); 885 if (error) 886 return error; 887 if (response.IsUnsupportedResponse()) 888 m_supports_QEnvironment = false; 889 } 890 } 891 } 892 return -1; 893 } 894 895 int GDBRemoteCommunicationClient::SendLaunchArchPacket(char const *arch) { 896 if (arch && arch[0]) { 897 StreamString packet; 898 packet.Printf("QLaunchArch:%s", arch); 899 StringExtractorGDBRemote response; 900 if (SendPacketAndWaitForResponse(packet.GetString(), response, false) == 901 PacketResult::Success) { 902 if (response.IsOKResponse()) 903 return 0; 904 uint8_t error = response.GetError(); 905 if (error) 906 return error; 907 } 908 } 909 return -1; 910 } 911 912 int GDBRemoteCommunicationClient::SendLaunchEventDataPacket( 913 char const *data, bool *was_supported) { 914 if (data && *data != '\0') { 915 StreamString packet; 916 packet.Printf("QSetProcessEvent:%s", data); 917 StringExtractorGDBRemote response; 918 if (SendPacketAndWaitForResponse(packet.GetString(), response, false) == 919 PacketResult::Success) { 920 if (response.IsOKResponse()) { 921 if (was_supported) 922 *was_supported = true; 923 return 0; 924 } else if (response.IsUnsupportedResponse()) { 925 if (was_supported) 926 *was_supported = false; 927 return -1; 928 } else { 929 uint8_t error = response.GetError(); 930 if (was_supported) 931 *was_supported = true; 932 if (error) 933 return error; 934 } 935 } 936 } 937 return -1; 938 } 939 940 llvm::VersionTuple GDBRemoteCommunicationClient::GetOSVersion() { 941 GetHostInfo(); 942 return m_os_version; 943 } 944 945 llvm::VersionTuple GDBRemoteCommunicationClient::GetMacCatalystVersion() { 946 GetHostInfo(); 947 return m_maccatalyst_version; 948 } 949 950 bool GDBRemoteCommunicationClient::GetOSBuildString(std::string &s) { 951 if (GetHostInfo()) { 952 if (!m_os_build.empty()) { 953 s = m_os_build; 954 return true; 955 } 956 } 957 s.clear(); 958 return false; 959 } 960 961 bool GDBRemoteCommunicationClient::GetOSKernelDescription(std::string &s) { 962 if (GetHostInfo()) { 963 if (!m_os_kernel.empty()) { 964 s = m_os_kernel; 965 return true; 966 } 967 } 968 s.clear(); 969 return false; 970 } 971 972 bool GDBRemoteCommunicationClient::GetHostname(std::string &s) { 973 if (GetHostInfo()) { 974 if (!m_hostname.empty()) { 975 s = m_hostname; 976 return true; 977 } 978 } 979 s.clear(); 980 return false; 981 } 982 983 ArchSpec GDBRemoteCommunicationClient::GetSystemArchitecture() { 984 if (GetHostInfo()) 985 return m_host_arch; 986 return ArchSpec(); 987 } 988 989 const lldb_private::ArchSpec & 990 GDBRemoteCommunicationClient::GetProcessArchitecture() { 991 if (m_qProcessInfo_is_valid == eLazyBoolCalculate) 992 GetCurrentProcessInfo(); 993 return m_process_arch; 994 } 995 996 bool GDBRemoteCommunicationClient::GetGDBServerVersion() { 997 if (m_qGDBServerVersion_is_valid == eLazyBoolCalculate) { 998 m_gdb_server_name.clear(); 999 m_gdb_server_version = 0; 1000 m_qGDBServerVersion_is_valid = eLazyBoolNo; 1001 1002 StringExtractorGDBRemote response; 1003 if (SendPacketAndWaitForResponse("qGDBServerVersion", response, false) == 1004 PacketResult::Success) { 1005 if (response.IsNormalResponse()) { 1006 llvm::StringRef name, value; 1007 bool success = false; 1008 while (response.GetNameColonValue(name, value)) { 1009 if (name.equals("name")) { 1010 success = true; 1011 m_gdb_server_name = std::string(value); 1012 } else if (name.equals("version")) { 1013 llvm::StringRef major, minor; 1014 std::tie(major, minor) = value.split('.'); 1015 if (!major.getAsInteger(0, m_gdb_server_version)) 1016 success = true; 1017 } 1018 } 1019 if (success) 1020 m_qGDBServerVersion_is_valid = eLazyBoolYes; 1021 } 1022 } 1023 } 1024 return m_qGDBServerVersion_is_valid == eLazyBoolYes; 1025 } 1026 1027 void GDBRemoteCommunicationClient::MaybeEnableCompression( 1028 std::vector<std::string> supported_compressions) { 1029 CompressionType avail_type = CompressionType::None; 1030 std::string avail_name; 1031 1032 #if defined(HAVE_LIBCOMPRESSION) 1033 if (avail_type == CompressionType::None) { 1034 for (auto compression : supported_compressions) { 1035 if (compression == "lzfse") { 1036 avail_type = CompressionType::LZFSE; 1037 avail_name = compression; 1038 break; 1039 } 1040 } 1041 } 1042 #endif 1043 1044 #if defined(HAVE_LIBCOMPRESSION) 1045 if (avail_type == CompressionType::None) { 1046 for (auto compression : supported_compressions) { 1047 if (compression == "zlib-deflate") { 1048 avail_type = CompressionType::ZlibDeflate; 1049 avail_name = compression; 1050 break; 1051 } 1052 } 1053 } 1054 #endif 1055 1056 #if LLVM_ENABLE_ZLIB 1057 if (avail_type == CompressionType::None) { 1058 for (auto compression : supported_compressions) { 1059 if (compression == "zlib-deflate") { 1060 avail_type = CompressionType::ZlibDeflate; 1061 avail_name = compression; 1062 break; 1063 } 1064 } 1065 } 1066 #endif 1067 1068 #if defined(HAVE_LIBCOMPRESSION) 1069 if (avail_type == CompressionType::None) { 1070 for (auto compression : supported_compressions) { 1071 if (compression == "lz4") { 1072 avail_type = CompressionType::LZ4; 1073 avail_name = compression; 1074 break; 1075 } 1076 } 1077 } 1078 #endif 1079 1080 #if defined(HAVE_LIBCOMPRESSION) 1081 if (avail_type == CompressionType::None) { 1082 for (auto compression : supported_compressions) { 1083 if (compression == "lzma") { 1084 avail_type = CompressionType::LZMA; 1085 avail_name = compression; 1086 break; 1087 } 1088 } 1089 } 1090 #endif 1091 1092 if (avail_type != CompressionType::None) { 1093 StringExtractorGDBRemote response; 1094 std::string packet = "QEnableCompression:type:" + avail_name + ";"; 1095 if (SendPacketAndWaitForResponse(packet, response, false) != 1096 PacketResult::Success) 1097 return; 1098 1099 if (response.IsOKResponse()) { 1100 m_compression_type = avail_type; 1101 } 1102 } 1103 } 1104 1105 const char *GDBRemoteCommunicationClient::GetGDBServerProgramName() { 1106 if (GetGDBServerVersion()) { 1107 if (!m_gdb_server_name.empty()) 1108 return m_gdb_server_name.c_str(); 1109 } 1110 return nullptr; 1111 } 1112 1113 uint32_t GDBRemoteCommunicationClient::GetGDBServerProgramVersion() { 1114 if (GetGDBServerVersion()) 1115 return m_gdb_server_version; 1116 return 0; 1117 } 1118 1119 bool GDBRemoteCommunicationClient::GetDefaultThreadId(lldb::tid_t &tid) { 1120 StringExtractorGDBRemote response; 1121 if (SendPacketAndWaitForResponse("qC", response, false) != 1122 PacketResult::Success) 1123 return false; 1124 1125 if (!response.IsNormalResponse()) 1126 return false; 1127 1128 if (response.GetChar() == 'Q' && response.GetChar() == 'C') 1129 tid = response.GetHexMaxU32(true, -1); 1130 1131 return true; 1132 } 1133 1134 static void ParseOSType(llvm::StringRef value, std::string &os_name, 1135 std::string &environment) { 1136 if (value.equals("iossimulator") || value.equals("tvossimulator") || 1137 value.equals("watchossimulator")) { 1138 environment = "simulator"; 1139 os_name = value.drop_back(environment.size()).str(); 1140 } else if (value.equals("maccatalyst")) { 1141 os_name = "ios"; 1142 environment = "macabi"; 1143 } else { 1144 os_name = value.str(); 1145 } 1146 } 1147 1148 bool GDBRemoteCommunicationClient::GetHostInfo(bool force) { 1149 Log *log(ProcessGDBRemoteLog::GetLogIfAnyCategoryIsSet(GDBR_LOG_PROCESS)); 1150 1151 if (force || m_qHostInfo_is_valid == eLazyBoolCalculate) { 1152 // host info computation can require DNS traffic and shelling out to external processes. 1153 // Increase the timeout to account for that. 1154 ScopedTimeout timeout(*this, seconds(10)); 1155 m_qHostInfo_is_valid = eLazyBoolNo; 1156 StringExtractorGDBRemote response; 1157 if (SendPacketAndWaitForResponse("qHostInfo", response, false) == 1158 PacketResult::Success) { 1159 if (response.IsNormalResponse()) { 1160 llvm::StringRef name; 1161 llvm::StringRef value; 1162 uint32_t cpu = LLDB_INVALID_CPUTYPE; 1163 uint32_t sub = 0; 1164 std::string arch_name; 1165 std::string os_name; 1166 std::string environment; 1167 std::string vendor_name; 1168 std::string triple; 1169 std::string distribution_id; 1170 uint32_t pointer_byte_size = 0; 1171 ByteOrder byte_order = eByteOrderInvalid; 1172 uint32_t num_keys_decoded = 0; 1173 while (response.GetNameColonValue(name, value)) { 1174 if (name.equals("cputype")) { 1175 // exception type in big endian hex 1176 if (!value.getAsInteger(0, cpu)) 1177 ++num_keys_decoded; 1178 } else if (name.equals("cpusubtype")) { 1179 // exception count in big endian hex 1180 if (!value.getAsInteger(0, sub)) 1181 ++num_keys_decoded; 1182 } else if (name.equals("arch")) { 1183 arch_name = std::string(value); 1184 ++num_keys_decoded; 1185 } else if (name.equals("triple")) { 1186 StringExtractor extractor(value); 1187 extractor.GetHexByteString(triple); 1188 ++num_keys_decoded; 1189 } else if (name.equals("distribution_id")) { 1190 StringExtractor extractor(value); 1191 extractor.GetHexByteString(distribution_id); 1192 ++num_keys_decoded; 1193 } else if (name.equals("os_build")) { 1194 StringExtractor extractor(value); 1195 extractor.GetHexByteString(m_os_build); 1196 ++num_keys_decoded; 1197 } else if (name.equals("hostname")) { 1198 StringExtractor extractor(value); 1199 extractor.GetHexByteString(m_hostname); 1200 ++num_keys_decoded; 1201 } else if (name.equals("os_kernel")) { 1202 StringExtractor extractor(value); 1203 extractor.GetHexByteString(m_os_kernel); 1204 ++num_keys_decoded; 1205 } else if (name.equals("ostype")) { 1206 ParseOSType(value, os_name, environment); 1207 ++num_keys_decoded; 1208 } else if (name.equals("vendor")) { 1209 vendor_name = std::string(value); 1210 ++num_keys_decoded; 1211 } else if (name.equals("endian")) { 1212 byte_order = llvm::StringSwitch<lldb::ByteOrder>(value) 1213 .Case("little", eByteOrderLittle) 1214 .Case("big", eByteOrderBig) 1215 .Case("pdp", eByteOrderPDP) 1216 .Default(eByteOrderInvalid); 1217 if (byte_order != eByteOrderInvalid) 1218 ++num_keys_decoded; 1219 } else if (name.equals("ptrsize")) { 1220 if (!value.getAsInteger(0, pointer_byte_size)) 1221 ++num_keys_decoded; 1222 } else if (name.equals("os_version") || 1223 name.equals( 1224 "version")) // Older debugserver binaries used the 1225 // "version" key instead of 1226 // "os_version"... 1227 { 1228 if (!m_os_version.tryParse(value)) 1229 ++num_keys_decoded; 1230 } else if (name.equals("maccatalyst_version")) { 1231 if (!m_maccatalyst_version.tryParse(value)) 1232 ++num_keys_decoded; 1233 } else if (name.equals("watchpoint_exceptions_received")) { 1234 m_watchpoints_trigger_after_instruction = 1235 llvm::StringSwitch<LazyBool>(value) 1236 .Case("before", eLazyBoolNo) 1237 .Case("after", eLazyBoolYes) 1238 .Default(eLazyBoolCalculate); 1239 if (m_watchpoints_trigger_after_instruction != eLazyBoolCalculate) 1240 ++num_keys_decoded; 1241 } else if (name.equals("default_packet_timeout")) { 1242 uint32_t timeout_seconds; 1243 if (!value.getAsInteger(0, timeout_seconds)) { 1244 m_default_packet_timeout = seconds(timeout_seconds); 1245 SetPacketTimeout(m_default_packet_timeout); 1246 ++num_keys_decoded; 1247 } 1248 } 1249 } 1250 1251 if (num_keys_decoded > 0) 1252 m_qHostInfo_is_valid = eLazyBoolYes; 1253 1254 if (triple.empty()) { 1255 if (arch_name.empty()) { 1256 if (cpu != LLDB_INVALID_CPUTYPE) { 1257 m_host_arch.SetArchitecture(eArchTypeMachO, cpu, sub); 1258 if (pointer_byte_size) { 1259 assert(pointer_byte_size == m_host_arch.GetAddressByteSize()); 1260 } 1261 if (byte_order != eByteOrderInvalid) { 1262 assert(byte_order == m_host_arch.GetByteOrder()); 1263 } 1264 1265 if (!vendor_name.empty()) 1266 m_host_arch.GetTriple().setVendorName( 1267 llvm::StringRef(vendor_name)); 1268 if (!os_name.empty()) 1269 m_host_arch.GetTriple().setOSName(llvm::StringRef(os_name)); 1270 if (!environment.empty()) 1271 m_host_arch.GetTriple().setEnvironmentName(environment); 1272 } 1273 } else { 1274 std::string triple; 1275 triple += arch_name; 1276 if (!vendor_name.empty() || !os_name.empty()) { 1277 triple += '-'; 1278 if (vendor_name.empty()) 1279 triple += "unknown"; 1280 else 1281 triple += vendor_name; 1282 triple += '-'; 1283 if (os_name.empty()) 1284 triple += "unknown"; 1285 else 1286 triple += os_name; 1287 } 1288 m_host_arch.SetTriple(triple.c_str()); 1289 1290 llvm::Triple &host_triple = m_host_arch.GetTriple(); 1291 if (host_triple.getVendor() == llvm::Triple::Apple && 1292 host_triple.getOS() == llvm::Triple::Darwin) { 1293 switch (m_host_arch.GetMachine()) { 1294 case llvm::Triple::aarch64: 1295 case llvm::Triple::aarch64_32: 1296 case llvm::Triple::arm: 1297 case llvm::Triple::thumb: 1298 host_triple.setOS(llvm::Triple::IOS); 1299 break; 1300 default: 1301 host_triple.setOS(llvm::Triple::MacOSX); 1302 break; 1303 } 1304 } 1305 if (pointer_byte_size) { 1306 assert(pointer_byte_size == m_host_arch.GetAddressByteSize()); 1307 } 1308 if (byte_order != eByteOrderInvalid) { 1309 assert(byte_order == m_host_arch.GetByteOrder()); 1310 } 1311 } 1312 } else { 1313 m_host_arch.SetTriple(triple.c_str()); 1314 if (pointer_byte_size) { 1315 assert(pointer_byte_size == m_host_arch.GetAddressByteSize()); 1316 } 1317 if (byte_order != eByteOrderInvalid) { 1318 assert(byte_order == m_host_arch.GetByteOrder()); 1319 } 1320 1321 LLDB_LOGF(log, 1322 "GDBRemoteCommunicationClient::%s parsed host " 1323 "architecture as %s, triple as %s from triple text %s", 1324 __FUNCTION__, 1325 m_host_arch.GetArchitectureName() 1326 ? m_host_arch.GetArchitectureName() 1327 : "<null-arch-name>", 1328 m_host_arch.GetTriple().getTriple().c_str(), 1329 triple.c_str()); 1330 } 1331 if (!distribution_id.empty()) 1332 m_host_arch.SetDistributionId(distribution_id.c_str()); 1333 } 1334 } 1335 } 1336 return m_qHostInfo_is_valid == eLazyBoolYes; 1337 } 1338 1339 int GDBRemoteCommunicationClient::SendAttach( 1340 lldb::pid_t pid, StringExtractorGDBRemote &response) { 1341 if (pid != LLDB_INVALID_PROCESS_ID) { 1342 char packet[64]; 1343 const int packet_len = 1344 ::snprintf(packet, sizeof(packet), "vAttach;%" PRIx64, pid); 1345 UNUSED_IF_ASSERT_DISABLED(packet_len); 1346 assert(packet_len < (int)sizeof(packet)); 1347 if (SendPacketAndWaitForResponse(packet, response, false) == 1348 PacketResult::Success) { 1349 if (response.IsErrorResponse()) 1350 return response.GetError(); 1351 return 0; 1352 } 1353 } 1354 return -1; 1355 } 1356 1357 int GDBRemoteCommunicationClient::SendStdinNotification(const char *data, 1358 size_t data_len) { 1359 StreamString packet; 1360 packet.PutCString("I"); 1361 packet.PutBytesAsRawHex8(data, data_len); 1362 StringExtractorGDBRemote response; 1363 if (SendPacketAndWaitForResponse(packet.GetString(), response, false) == 1364 PacketResult::Success) { 1365 return 0; 1366 } 1367 return response.GetError(); 1368 } 1369 1370 const lldb_private::ArchSpec & 1371 GDBRemoteCommunicationClient::GetHostArchitecture() { 1372 if (m_qHostInfo_is_valid == eLazyBoolCalculate) 1373 GetHostInfo(); 1374 return m_host_arch; 1375 } 1376 1377 seconds GDBRemoteCommunicationClient::GetHostDefaultPacketTimeout() { 1378 if (m_qHostInfo_is_valid == eLazyBoolCalculate) 1379 GetHostInfo(); 1380 return m_default_packet_timeout; 1381 } 1382 1383 addr_t GDBRemoteCommunicationClient::AllocateMemory(size_t size, 1384 uint32_t permissions) { 1385 if (m_supports_alloc_dealloc_memory != eLazyBoolNo) { 1386 m_supports_alloc_dealloc_memory = eLazyBoolYes; 1387 char packet[64]; 1388 const int packet_len = ::snprintf( 1389 packet, sizeof(packet), "_M%" PRIx64 ",%s%s%s", (uint64_t)size, 1390 permissions & lldb::ePermissionsReadable ? "r" : "", 1391 permissions & lldb::ePermissionsWritable ? "w" : "", 1392 permissions & lldb::ePermissionsExecutable ? "x" : ""); 1393 assert(packet_len < (int)sizeof(packet)); 1394 UNUSED_IF_ASSERT_DISABLED(packet_len); 1395 StringExtractorGDBRemote response; 1396 if (SendPacketAndWaitForResponse(packet, response, false) == 1397 PacketResult::Success) { 1398 if (response.IsUnsupportedResponse()) 1399 m_supports_alloc_dealloc_memory = eLazyBoolNo; 1400 else if (!response.IsErrorResponse()) 1401 return response.GetHexMaxU64(false, LLDB_INVALID_ADDRESS); 1402 } else { 1403 m_supports_alloc_dealloc_memory = eLazyBoolNo; 1404 } 1405 } 1406 return LLDB_INVALID_ADDRESS; 1407 } 1408 1409 bool GDBRemoteCommunicationClient::DeallocateMemory(addr_t addr) { 1410 if (m_supports_alloc_dealloc_memory != eLazyBoolNo) { 1411 m_supports_alloc_dealloc_memory = eLazyBoolYes; 1412 char packet[64]; 1413 const int packet_len = 1414 ::snprintf(packet, sizeof(packet), "_m%" PRIx64, (uint64_t)addr); 1415 assert(packet_len < (int)sizeof(packet)); 1416 UNUSED_IF_ASSERT_DISABLED(packet_len); 1417 StringExtractorGDBRemote response; 1418 if (SendPacketAndWaitForResponse(packet, response, false) == 1419 PacketResult::Success) { 1420 if (response.IsUnsupportedResponse()) 1421 m_supports_alloc_dealloc_memory = eLazyBoolNo; 1422 else if (response.IsOKResponse()) 1423 return true; 1424 } else { 1425 m_supports_alloc_dealloc_memory = eLazyBoolNo; 1426 } 1427 } 1428 return false; 1429 } 1430 1431 Status GDBRemoteCommunicationClient::Detach(bool keep_stopped) { 1432 Status error; 1433 1434 if (keep_stopped) { 1435 if (m_supports_detach_stay_stopped == eLazyBoolCalculate) { 1436 char packet[64]; 1437 const int packet_len = 1438 ::snprintf(packet, sizeof(packet), "qSupportsDetachAndStayStopped:"); 1439 assert(packet_len < (int)sizeof(packet)); 1440 UNUSED_IF_ASSERT_DISABLED(packet_len); 1441 StringExtractorGDBRemote response; 1442 if (SendPacketAndWaitForResponse(packet, response, false) == 1443 PacketResult::Success && 1444 response.IsOKResponse()) { 1445 m_supports_detach_stay_stopped = eLazyBoolYes; 1446 } else { 1447 m_supports_detach_stay_stopped = eLazyBoolNo; 1448 } 1449 } 1450 1451 if (m_supports_detach_stay_stopped == eLazyBoolNo) { 1452 error.SetErrorString("Stays stopped not supported by this target."); 1453 return error; 1454 } else { 1455 StringExtractorGDBRemote response; 1456 PacketResult packet_result = 1457 SendPacketAndWaitForResponse("D1", response, false); 1458 if (packet_result != PacketResult::Success) 1459 error.SetErrorString("Sending extended disconnect packet failed."); 1460 } 1461 } else { 1462 StringExtractorGDBRemote response; 1463 PacketResult packet_result = 1464 SendPacketAndWaitForResponse("D", response, false); 1465 if (packet_result != PacketResult::Success) 1466 error.SetErrorString("Sending disconnect packet failed."); 1467 } 1468 return error; 1469 } 1470 1471 Status GDBRemoteCommunicationClient::GetMemoryRegionInfo( 1472 lldb::addr_t addr, lldb_private::MemoryRegionInfo ®ion_info) { 1473 Status error; 1474 region_info.Clear(); 1475 1476 if (m_supports_memory_region_info != eLazyBoolNo) { 1477 m_supports_memory_region_info = eLazyBoolYes; 1478 char packet[64]; 1479 const int packet_len = ::snprintf( 1480 packet, sizeof(packet), "qMemoryRegionInfo:%" PRIx64, (uint64_t)addr); 1481 assert(packet_len < (int)sizeof(packet)); 1482 UNUSED_IF_ASSERT_DISABLED(packet_len); 1483 StringExtractorGDBRemote response; 1484 if (SendPacketAndWaitForResponse(packet, response, false) == 1485 PacketResult::Success && 1486 response.GetResponseType() == StringExtractorGDBRemote::eResponse) { 1487 llvm::StringRef name; 1488 llvm::StringRef value; 1489 addr_t addr_value = LLDB_INVALID_ADDRESS; 1490 bool success = true; 1491 bool saw_permissions = false; 1492 while (success && response.GetNameColonValue(name, value)) { 1493 if (name.equals("start")) { 1494 if (!value.getAsInteger(16, addr_value)) 1495 region_info.GetRange().SetRangeBase(addr_value); 1496 } else if (name.equals("size")) { 1497 if (!value.getAsInteger(16, addr_value)) 1498 region_info.GetRange().SetByteSize(addr_value); 1499 } else if (name.equals("permissions") && 1500 region_info.GetRange().IsValid()) { 1501 saw_permissions = true; 1502 if (region_info.GetRange().Contains(addr)) { 1503 if (value.find('r') != llvm::StringRef::npos) 1504 region_info.SetReadable(MemoryRegionInfo::eYes); 1505 else 1506 region_info.SetReadable(MemoryRegionInfo::eNo); 1507 1508 if (value.find('w') != llvm::StringRef::npos) 1509 region_info.SetWritable(MemoryRegionInfo::eYes); 1510 else 1511 region_info.SetWritable(MemoryRegionInfo::eNo); 1512 1513 if (value.find('x') != llvm::StringRef::npos) 1514 region_info.SetExecutable(MemoryRegionInfo::eYes); 1515 else 1516 region_info.SetExecutable(MemoryRegionInfo::eNo); 1517 1518 region_info.SetMapped(MemoryRegionInfo::eYes); 1519 } else { 1520 // The reported region does not contain this address -- we're 1521 // looking at an unmapped page 1522 region_info.SetReadable(MemoryRegionInfo::eNo); 1523 region_info.SetWritable(MemoryRegionInfo::eNo); 1524 region_info.SetExecutable(MemoryRegionInfo::eNo); 1525 region_info.SetMapped(MemoryRegionInfo::eNo); 1526 } 1527 } else if (name.equals("name")) { 1528 StringExtractorGDBRemote name_extractor(value); 1529 std::string name; 1530 name_extractor.GetHexByteString(name); 1531 region_info.SetName(name.c_str()); 1532 } else if (name.equals("error")) { 1533 StringExtractorGDBRemote error_extractor(value); 1534 std::string error_string; 1535 // Now convert the HEX bytes into a string value 1536 error_extractor.GetHexByteString(error_string); 1537 error.SetErrorString(error_string.c_str()); 1538 } 1539 } 1540 1541 if (region_info.GetRange().IsValid()) { 1542 // We got a valid address range back but no permissions -- which means 1543 // this is an unmapped page 1544 if (!saw_permissions) { 1545 region_info.SetReadable(MemoryRegionInfo::eNo); 1546 region_info.SetWritable(MemoryRegionInfo::eNo); 1547 region_info.SetExecutable(MemoryRegionInfo::eNo); 1548 region_info.SetMapped(MemoryRegionInfo::eNo); 1549 } 1550 } else { 1551 // We got an invalid address range back 1552 error.SetErrorString("Server returned invalid range"); 1553 } 1554 } else { 1555 m_supports_memory_region_info = eLazyBoolNo; 1556 } 1557 } 1558 1559 if (m_supports_memory_region_info == eLazyBoolNo) { 1560 error.SetErrorString("qMemoryRegionInfo is not supported"); 1561 } 1562 1563 // Try qXfer:memory-map:read to get region information not included in 1564 // qMemoryRegionInfo 1565 MemoryRegionInfo qXfer_region_info; 1566 Status qXfer_error = GetQXferMemoryMapRegionInfo(addr, qXfer_region_info); 1567 1568 if (error.Fail()) { 1569 // If qMemoryRegionInfo failed, but qXfer:memory-map:read succeeded, use 1570 // the qXfer result as a fallback 1571 if (qXfer_error.Success()) { 1572 region_info = qXfer_region_info; 1573 error.Clear(); 1574 } else { 1575 region_info.Clear(); 1576 } 1577 } else if (qXfer_error.Success()) { 1578 // If both qMemoryRegionInfo and qXfer:memory-map:read succeeded, and if 1579 // both regions are the same range, update the result to include the flash- 1580 // memory information that is specific to the qXfer result. 1581 if (region_info.GetRange() == qXfer_region_info.GetRange()) { 1582 region_info.SetFlash(qXfer_region_info.GetFlash()); 1583 region_info.SetBlocksize(qXfer_region_info.GetBlocksize()); 1584 } 1585 } 1586 return error; 1587 } 1588 1589 Status GDBRemoteCommunicationClient::GetQXferMemoryMapRegionInfo( 1590 lldb::addr_t addr, MemoryRegionInfo ®ion) { 1591 Status error = LoadQXferMemoryMap(); 1592 if (!error.Success()) 1593 return error; 1594 for (const auto &map_region : m_qXfer_memory_map) { 1595 if (map_region.GetRange().Contains(addr)) { 1596 region = map_region; 1597 return error; 1598 } 1599 } 1600 error.SetErrorString("Region not found"); 1601 return error; 1602 } 1603 1604 Status GDBRemoteCommunicationClient::LoadQXferMemoryMap() { 1605 1606 Status error; 1607 1608 if (m_qXfer_memory_map_loaded) 1609 // Already loaded, return success 1610 return error; 1611 1612 if (!XMLDocument::XMLEnabled()) { 1613 error.SetErrorString("XML is not supported"); 1614 return error; 1615 } 1616 1617 if (!GetQXferMemoryMapReadSupported()) { 1618 error.SetErrorString("Memory map is not supported"); 1619 return error; 1620 } 1621 1622 std::string xml; 1623 lldb_private::Status lldberr; 1624 if (!ReadExtFeature(ConstString("memory-map"), ConstString(""), xml, 1625 lldberr)) { 1626 error.SetErrorString("Failed to read memory map"); 1627 return error; 1628 } 1629 1630 XMLDocument xml_document; 1631 1632 if (!xml_document.ParseMemory(xml.c_str(), xml.size())) { 1633 error.SetErrorString("Failed to parse memory map xml"); 1634 return error; 1635 } 1636 1637 XMLNode map_node = xml_document.GetRootElement("memory-map"); 1638 if (!map_node) { 1639 error.SetErrorString("Invalid root node in memory map xml"); 1640 return error; 1641 } 1642 1643 m_qXfer_memory_map.clear(); 1644 1645 map_node.ForEachChildElement([this](const XMLNode &memory_node) -> bool { 1646 if (!memory_node.IsElement()) 1647 return true; 1648 if (memory_node.GetName() != "memory") 1649 return true; 1650 auto type = memory_node.GetAttributeValue("type", ""); 1651 uint64_t start; 1652 uint64_t length; 1653 if (!memory_node.GetAttributeValueAsUnsigned("start", start)) 1654 return true; 1655 if (!memory_node.GetAttributeValueAsUnsigned("length", length)) 1656 return true; 1657 MemoryRegionInfo region; 1658 region.GetRange().SetRangeBase(start); 1659 region.GetRange().SetByteSize(length); 1660 if (type == "rom") { 1661 region.SetReadable(MemoryRegionInfo::eYes); 1662 this->m_qXfer_memory_map.push_back(region); 1663 } else if (type == "ram") { 1664 region.SetReadable(MemoryRegionInfo::eYes); 1665 region.SetWritable(MemoryRegionInfo::eYes); 1666 this->m_qXfer_memory_map.push_back(region); 1667 } else if (type == "flash") { 1668 region.SetFlash(MemoryRegionInfo::eYes); 1669 memory_node.ForEachChildElement( 1670 [®ion](const XMLNode &prop_node) -> bool { 1671 if (!prop_node.IsElement()) 1672 return true; 1673 if (prop_node.GetName() != "property") 1674 return true; 1675 auto propname = prop_node.GetAttributeValue("name", ""); 1676 if (propname == "blocksize") { 1677 uint64_t blocksize; 1678 if (prop_node.GetElementTextAsUnsigned(blocksize)) 1679 region.SetBlocksize(blocksize); 1680 } 1681 return true; 1682 }); 1683 this->m_qXfer_memory_map.push_back(region); 1684 } 1685 return true; 1686 }); 1687 1688 m_qXfer_memory_map_loaded = true; 1689 1690 return error; 1691 } 1692 1693 Status GDBRemoteCommunicationClient::GetWatchpointSupportInfo(uint32_t &num) { 1694 Status error; 1695 1696 if (m_supports_watchpoint_support_info == eLazyBoolYes) { 1697 num = m_num_supported_hardware_watchpoints; 1698 return error; 1699 } 1700 1701 // Set num to 0 first. 1702 num = 0; 1703 if (m_supports_watchpoint_support_info != eLazyBoolNo) { 1704 StringExtractorGDBRemote response; 1705 if (SendPacketAndWaitForResponse("qWatchpointSupportInfo:", response, 1706 false) == PacketResult::Success) { 1707 m_supports_watchpoint_support_info = eLazyBoolYes; 1708 llvm::StringRef name; 1709 llvm::StringRef value; 1710 bool found_num_field = false; 1711 while (response.GetNameColonValue(name, value)) { 1712 if (name.equals("num")) { 1713 value.getAsInteger(0, m_num_supported_hardware_watchpoints); 1714 num = m_num_supported_hardware_watchpoints; 1715 found_num_field = true; 1716 } 1717 } 1718 if (!found_num_field) { 1719 m_supports_watchpoint_support_info = eLazyBoolNo; 1720 } 1721 } else { 1722 m_supports_watchpoint_support_info = eLazyBoolNo; 1723 } 1724 } 1725 1726 if (m_supports_watchpoint_support_info == eLazyBoolNo) { 1727 error.SetErrorString("qWatchpointSupportInfo is not supported"); 1728 } 1729 return error; 1730 } 1731 1732 lldb_private::Status GDBRemoteCommunicationClient::GetWatchpointSupportInfo( 1733 uint32_t &num, bool &after, const ArchSpec &arch) { 1734 Status error(GetWatchpointSupportInfo(num)); 1735 if (error.Success()) 1736 error = GetWatchpointsTriggerAfterInstruction(after, arch); 1737 return error; 1738 } 1739 1740 lldb_private::Status 1741 GDBRemoteCommunicationClient::GetWatchpointsTriggerAfterInstruction( 1742 bool &after, const ArchSpec &arch) { 1743 Status error; 1744 llvm::Triple triple = arch.GetTriple(); 1745 1746 // we assume watchpoints will happen after running the relevant opcode and we 1747 // only want to override this behavior if we have explicitly received a 1748 // qHostInfo telling us otherwise 1749 if (m_qHostInfo_is_valid != eLazyBoolYes) { 1750 // On targets like MIPS and ppc64, watchpoint exceptions are always 1751 // generated before the instruction is executed. The connected target may 1752 // not support qHostInfo or qWatchpointSupportInfo packets. 1753 after = !(triple.isMIPS() || triple.isPPC64()); 1754 } else { 1755 // For MIPS and ppc64, set m_watchpoints_trigger_after_instruction to 1756 // eLazyBoolNo if it is not calculated before. 1757 if (m_watchpoints_trigger_after_instruction == eLazyBoolCalculate && 1758 (triple.isMIPS() || triple.isPPC64())) 1759 m_watchpoints_trigger_after_instruction = eLazyBoolNo; 1760 1761 after = (m_watchpoints_trigger_after_instruction != eLazyBoolNo); 1762 } 1763 return error; 1764 } 1765 1766 int GDBRemoteCommunicationClient::SetSTDIN(const FileSpec &file_spec) { 1767 if (file_spec) { 1768 std::string path{file_spec.GetPath(false)}; 1769 StreamString packet; 1770 packet.PutCString("QSetSTDIN:"); 1771 packet.PutStringAsRawHex8(path); 1772 1773 StringExtractorGDBRemote response; 1774 if (SendPacketAndWaitForResponse(packet.GetString(), response, false) == 1775 PacketResult::Success) { 1776 if (response.IsOKResponse()) 1777 return 0; 1778 uint8_t error = response.GetError(); 1779 if (error) 1780 return error; 1781 } 1782 } 1783 return -1; 1784 } 1785 1786 int GDBRemoteCommunicationClient::SetSTDOUT(const FileSpec &file_spec) { 1787 if (file_spec) { 1788 std::string path{file_spec.GetPath(false)}; 1789 StreamString packet; 1790 packet.PutCString("QSetSTDOUT:"); 1791 packet.PutStringAsRawHex8(path); 1792 1793 StringExtractorGDBRemote response; 1794 if (SendPacketAndWaitForResponse(packet.GetString(), response, false) == 1795 PacketResult::Success) { 1796 if (response.IsOKResponse()) 1797 return 0; 1798 uint8_t error = response.GetError(); 1799 if (error) 1800 return error; 1801 } 1802 } 1803 return -1; 1804 } 1805 1806 int GDBRemoteCommunicationClient::SetSTDERR(const FileSpec &file_spec) { 1807 if (file_spec) { 1808 std::string path{file_spec.GetPath(false)}; 1809 StreamString packet; 1810 packet.PutCString("QSetSTDERR:"); 1811 packet.PutStringAsRawHex8(path); 1812 1813 StringExtractorGDBRemote response; 1814 if (SendPacketAndWaitForResponse(packet.GetString(), response, false) == 1815 PacketResult::Success) { 1816 if (response.IsOKResponse()) 1817 return 0; 1818 uint8_t error = response.GetError(); 1819 if (error) 1820 return error; 1821 } 1822 } 1823 return -1; 1824 } 1825 1826 bool GDBRemoteCommunicationClient::GetWorkingDir(FileSpec &working_dir) { 1827 StringExtractorGDBRemote response; 1828 if (SendPacketAndWaitForResponse("qGetWorkingDir", response, false) == 1829 PacketResult::Success) { 1830 if (response.IsUnsupportedResponse()) 1831 return false; 1832 if (response.IsErrorResponse()) 1833 return false; 1834 std::string cwd; 1835 response.GetHexByteString(cwd); 1836 working_dir.SetFile(cwd, GetHostArchitecture().GetTriple()); 1837 return !cwd.empty(); 1838 } 1839 return false; 1840 } 1841 1842 int GDBRemoteCommunicationClient::SetWorkingDir(const FileSpec &working_dir) { 1843 if (working_dir) { 1844 std::string path{working_dir.GetPath(false)}; 1845 StreamString packet; 1846 packet.PutCString("QSetWorkingDir:"); 1847 packet.PutStringAsRawHex8(path); 1848 1849 StringExtractorGDBRemote response; 1850 if (SendPacketAndWaitForResponse(packet.GetString(), response, false) == 1851 PacketResult::Success) { 1852 if (response.IsOKResponse()) 1853 return 0; 1854 uint8_t error = response.GetError(); 1855 if (error) 1856 return error; 1857 } 1858 } 1859 return -1; 1860 } 1861 1862 int GDBRemoteCommunicationClient::SetDisableASLR(bool enable) { 1863 char packet[32]; 1864 const int packet_len = 1865 ::snprintf(packet, sizeof(packet), "QSetDisableASLR:%i", enable ? 1 : 0); 1866 assert(packet_len < (int)sizeof(packet)); 1867 UNUSED_IF_ASSERT_DISABLED(packet_len); 1868 StringExtractorGDBRemote response; 1869 if (SendPacketAndWaitForResponse(packet, response, false) == 1870 PacketResult::Success) { 1871 if (response.IsOKResponse()) 1872 return 0; 1873 uint8_t error = response.GetError(); 1874 if (error) 1875 return error; 1876 } 1877 return -1; 1878 } 1879 1880 int GDBRemoteCommunicationClient::SetDetachOnError(bool enable) { 1881 char packet[32]; 1882 const int packet_len = ::snprintf(packet, sizeof(packet), 1883 "QSetDetachOnError:%i", enable ? 1 : 0); 1884 assert(packet_len < (int)sizeof(packet)); 1885 UNUSED_IF_ASSERT_DISABLED(packet_len); 1886 StringExtractorGDBRemote response; 1887 if (SendPacketAndWaitForResponse(packet, response, false) == 1888 PacketResult::Success) { 1889 if (response.IsOKResponse()) 1890 return 0; 1891 uint8_t error = response.GetError(); 1892 if (error) 1893 return error; 1894 } 1895 return -1; 1896 } 1897 1898 bool GDBRemoteCommunicationClient::DecodeProcessInfoResponse( 1899 StringExtractorGDBRemote &response, ProcessInstanceInfo &process_info) { 1900 if (response.IsNormalResponse()) { 1901 llvm::StringRef name; 1902 llvm::StringRef value; 1903 StringExtractor extractor; 1904 1905 uint32_t cpu = LLDB_INVALID_CPUTYPE; 1906 uint32_t sub = 0; 1907 std::string vendor; 1908 std::string os_type; 1909 1910 while (response.GetNameColonValue(name, value)) { 1911 if (name.equals("pid")) { 1912 lldb::pid_t pid = LLDB_INVALID_PROCESS_ID; 1913 value.getAsInteger(0, pid); 1914 process_info.SetProcessID(pid); 1915 } else if (name.equals("ppid")) { 1916 lldb::pid_t pid = LLDB_INVALID_PROCESS_ID; 1917 value.getAsInteger(0, pid); 1918 process_info.SetParentProcessID(pid); 1919 } else if (name.equals("uid")) { 1920 uint32_t uid = UINT32_MAX; 1921 value.getAsInteger(0, uid); 1922 process_info.SetUserID(uid); 1923 } else if (name.equals("euid")) { 1924 uint32_t uid = UINT32_MAX; 1925 value.getAsInteger(0, uid); 1926 process_info.SetEffectiveUserID(uid); 1927 } else if (name.equals("gid")) { 1928 uint32_t gid = UINT32_MAX; 1929 value.getAsInteger(0, gid); 1930 process_info.SetGroupID(gid); 1931 } else if (name.equals("egid")) { 1932 uint32_t gid = UINT32_MAX; 1933 value.getAsInteger(0, gid); 1934 process_info.SetEffectiveGroupID(gid); 1935 } else if (name.equals("triple")) { 1936 StringExtractor extractor(value); 1937 std::string triple; 1938 extractor.GetHexByteString(triple); 1939 process_info.GetArchitecture().SetTriple(triple.c_str()); 1940 } else if (name.equals("name")) { 1941 StringExtractor extractor(value); 1942 // The process name from ASCII hex bytes since we can't control the 1943 // characters in a process name 1944 std::string name; 1945 extractor.GetHexByteString(name); 1946 process_info.GetExecutableFile().SetFile(name, FileSpec::Style::native); 1947 } else if (name.equals("args")) { 1948 llvm::StringRef encoded_args(value), hex_arg; 1949 1950 bool is_arg0 = true; 1951 while (!encoded_args.empty()) { 1952 std::tie(hex_arg, encoded_args) = encoded_args.split('-'); 1953 std::string arg; 1954 StringExtractor extractor(hex_arg); 1955 if (extractor.GetHexByteString(arg) * 2 != hex_arg.size()) { 1956 // In case of wrong encoding, we discard all the arguments 1957 process_info.GetArguments().Clear(); 1958 process_info.SetArg0(""); 1959 break; 1960 } 1961 if (is_arg0) 1962 process_info.SetArg0(arg); 1963 else 1964 process_info.GetArguments().AppendArgument(arg); 1965 is_arg0 = false; 1966 } 1967 } else if (name.equals("cputype")) { 1968 value.getAsInteger(0, cpu); 1969 } else if (name.equals("cpusubtype")) { 1970 value.getAsInteger(0, sub); 1971 } else if (name.equals("vendor")) { 1972 vendor = std::string(value); 1973 } else if (name.equals("ostype")) { 1974 os_type = std::string(value); 1975 } 1976 } 1977 1978 if (cpu != LLDB_INVALID_CPUTYPE && !vendor.empty() && !os_type.empty()) { 1979 if (vendor == "apple") { 1980 process_info.GetArchitecture().SetArchitecture(eArchTypeMachO, cpu, 1981 sub); 1982 process_info.GetArchitecture().GetTriple().setVendorName( 1983 llvm::StringRef(vendor)); 1984 process_info.GetArchitecture().GetTriple().setOSName( 1985 llvm::StringRef(os_type)); 1986 } 1987 } 1988 1989 if (process_info.GetProcessID() != LLDB_INVALID_PROCESS_ID) 1990 return true; 1991 } 1992 return false; 1993 } 1994 1995 bool GDBRemoteCommunicationClient::GetProcessInfo( 1996 lldb::pid_t pid, ProcessInstanceInfo &process_info) { 1997 process_info.Clear(); 1998 1999 if (m_supports_qProcessInfoPID) { 2000 char packet[32]; 2001 const int packet_len = 2002 ::snprintf(packet, sizeof(packet), "qProcessInfoPID:%" PRIu64, pid); 2003 assert(packet_len < (int)sizeof(packet)); 2004 UNUSED_IF_ASSERT_DISABLED(packet_len); 2005 StringExtractorGDBRemote response; 2006 if (SendPacketAndWaitForResponse(packet, response, false) == 2007 PacketResult::Success) { 2008 return DecodeProcessInfoResponse(response, process_info); 2009 } else { 2010 m_supports_qProcessInfoPID = false; 2011 return false; 2012 } 2013 } 2014 return false; 2015 } 2016 2017 bool GDBRemoteCommunicationClient::GetCurrentProcessInfo(bool allow_lazy) { 2018 Log *log(ProcessGDBRemoteLog::GetLogIfAnyCategoryIsSet(GDBR_LOG_PROCESS | 2019 GDBR_LOG_PACKETS)); 2020 2021 if (allow_lazy) { 2022 if (m_qProcessInfo_is_valid == eLazyBoolYes) 2023 return true; 2024 if (m_qProcessInfo_is_valid == eLazyBoolNo) 2025 return false; 2026 } 2027 2028 GetHostInfo(); 2029 2030 StringExtractorGDBRemote response; 2031 if (SendPacketAndWaitForResponse("qProcessInfo", response, false) == 2032 PacketResult::Success) { 2033 if (response.IsNormalResponse()) { 2034 llvm::StringRef name; 2035 llvm::StringRef value; 2036 uint32_t cpu = LLDB_INVALID_CPUTYPE; 2037 uint32_t sub = 0; 2038 std::string arch_name; 2039 std::string os_name; 2040 std::string environment; 2041 std::string vendor_name; 2042 std::string triple; 2043 std::string elf_abi; 2044 uint32_t pointer_byte_size = 0; 2045 StringExtractor extractor; 2046 ByteOrder byte_order = eByteOrderInvalid; 2047 uint32_t num_keys_decoded = 0; 2048 lldb::pid_t pid = LLDB_INVALID_PROCESS_ID; 2049 while (response.GetNameColonValue(name, value)) { 2050 if (name.equals("cputype")) { 2051 if (!value.getAsInteger(16, cpu)) 2052 ++num_keys_decoded; 2053 } else if (name.equals("cpusubtype")) { 2054 if (!value.getAsInteger(16, sub)) 2055 ++num_keys_decoded; 2056 } else if (name.equals("triple")) { 2057 StringExtractor extractor(value); 2058 extractor.GetHexByteString(triple); 2059 ++num_keys_decoded; 2060 } else if (name.equals("ostype")) { 2061 ParseOSType(value, os_name, environment); 2062 ++num_keys_decoded; 2063 } else if (name.equals("vendor")) { 2064 vendor_name = std::string(value); 2065 ++num_keys_decoded; 2066 } else if (name.equals("endian")) { 2067 byte_order = llvm::StringSwitch<lldb::ByteOrder>(value) 2068 .Case("little", eByteOrderLittle) 2069 .Case("big", eByteOrderBig) 2070 .Case("pdp", eByteOrderPDP) 2071 .Default(eByteOrderInvalid); 2072 if (byte_order != eByteOrderInvalid) 2073 ++num_keys_decoded; 2074 } else if (name.equals("ptrsize")) { 2075 if (!value.getAsInteger(16, pointer_byte_size)) 2076 ++num_keys_decoded; 2077 } else if (name.equals("pid")) { 2078 if (!value.getAsInteger(16, pid)) 2079 ++num_keys_decoded; 2080 } else if (name.equals("elf_abi")) { 2081 elf_abi = std::string(value); 2082 ++num_keys_decoded; 2083 } 2084 } 2085 if (num_keys_decoded > 0) 2086 m_qProcessInfo_is_valid = eLazyBoolYes; 2087 if (pid != LLDB_INVALID_PROCESS_ID) { 2088 m_curr_pid_is_valid = eLazyBoolYes; 2089 m_curr_pid = pid; 2090 } 2091 2092 // Set the ArchSpec from the triple if we have it. 2093 if (!triple.empty()) { 2094 m_process_arch.SetTriple(triple.c_str()); 2095 m_process_arch.SetFlags(elf_abi); 2096 if (pointer_byte_size) { 2097 assert(pointer_byte_size == m_process_arch.GetAddressByteSize()); 2098 } 2099 } else if (cpu != LLDB_INVALID_CPUTYPE && !os_name.empty() && 2100 !vendor_name.empty()) { 2101 llvm::Triple triple(llvm::Twine("-") + vendor_name + "-" + os_name); 2102 if (!environment.empty()) 2103 triple.setEnvironmentName(environment); 2104 2105 assert(triple.getObjectFormat() != llvm::Triple::UnknownObjectFormat); 2106 assert(triple.getObjectFormat() != llvm::Triple::Wasm); 2107 assert(triple.getObjectFormat() != llvm::Triple::XCOFF); 2108 switch (triple.getObjectFormat()) { 2109 case llvm::Triple::MachO: 2110 m_process_arch.SetArchitecture(eArchTypeMachO, cpu, sub); 2111 break; 2112 case llvm::Triple::ELF: 2113 m_process_arch.SetArchitecture(eArchTypeELF, cpu, sub); 2114 break; 2115 case llvm::Triple::COFF: 2116 m_process_arch.SetArchitecture(eArchTypeCOFF, cpu, sub); 2117 break; 2118 case llvm::Triple::GOFF: 2119 case llvm::Triple::Wasm: 2120 case llvm::Triple::XCOFF: 2121 LLDB_LOGF(log, "error: not supported target architecture"); 2122 return false; 2123 case llvm::Triple::UnknownObjectFormat: 2124 LLDB_LOGF(log, "error: failed to determine target architecture"); 2125 return false; 2126 } 2127 2128 if (pointer_byte_size) { 2129 assert(pointer_byte_size == m_process_arch.GetAddressByteSize()); 2130 } 2131 if (byte_order != eByteOrderInvalid) { 2132 assert(byte_order == m_process_arch.GetByteOrder()); 2133 } 2134 m_process_arch.GetTriple().setVendorName(llvm::StringRef(vendor_name)); 2135 m_process_arch.GetTriple().setOSName(llvm::StringRef(os_name)); 2136 m_process_arch.GetTriple().setEnvironmentName(llvm::StringRef(environment)); 2137 m_host_arch.GetTriple().setVendorName(llvm::StringRef(vendor_name)); 2138 m_host_arch.GetTriple().setOSName(llvm::StringRef(os_name)); 2139 m_host_arch.GetTriple().setEnvironmentName(llvm::StringRef(environment)); 2140 } 2141 return true; 2142 } 2143 } else { 2144 m_qProcessInfo_is_valid = eLazyBoolNo; 2145 } 2146 2147 return false; 2148 } 2149 2150 uint32_t GDBRemoteCommunicationClient::FindProcesses( 2151 const ProcessInstanceInfoMatch &match_info, 2152 ProcessInstanceInfoList &process_infos) { 2153 process_infos.clear(); 2154 2155 if (m_supports_qfProcessInfo) { 2156 StreamString packet; 2157 packet.PutCString("qfProcessInfo"); 2158 if (!match_info.MatchAllProcesses()) { 2159 packet.PutChar(':'); 2160 const char *name = match_info.GetProcessInfo().GetName(); 2161 bool has_name_match = false; 2162 if (name && name[0]) { 2163 has_name_match = true; 2164 NameMatch name_match_type = match_info.GetNameMatchType(); 2165 switch (name_match_type) { 2166 case NameMatch::Ignore: 2167 has_name_match = false; 2168 break; 2169 2170 case NameMatch::Equals: 2171 packet.PutCString("name_match:equals;"); 2172 break; 2173 2174 case NameMatch::Contains: 2175 packet.PutCString("name_match:contains;"); 2176 break; 2177 2178 case NameMatch::StartsWith: 2179 packet.PutCString("name_match:starts_with;"); 2180 break; 2181 2182 case NameMatch::EndsWith: 2183 packet.PutCString("name_match:ends_with;"); 2184 break; 2185 2186 case NameMatch::RegularExpression: 2187 packet.PutCString("name_match:regex;"); 2188 break; 2189 } 2190 if (has_name_match) { 2191 packet.PutCString("name:"); 2192 packet.PutBytesAsRawHex8(name, ::strlen(name)); 2193 packet.PutChar(';'); 2194 } 2195 } 2196 2197 if (match_info.GetProcessInfo().ProcessIDIsValid()) 2198 packet.Printf("pid:%" PRIu64 ";", 2199 match_info.GetProcessInfo().GetProcessID()); 2200 if (match_info.GetProcessInfo().ParentProcessIDIsValid()) 2201 packet.Printf("parent_pid:%" PRIu64 ";", 2202 match_info.GetProcessInfo().GetParentProcessID()); 2203 if (match_info.GetProcessInfo().UserIDIsValid()) 2204 packet.Printf("uid:%u;", match_info.GetProcessInfo().GetUserID()); 2205 if (match_info.GetProcessInfo().GroupIDIsValid()) 2206 packet.Printf("gid:%u;", match_info.GetProcessInfo().GetGroupID()); 2207 if (match_info.GetProcessInfo().EffectiveUserIDIsValid()) 2208 packet.Printf("euid:%u;", 2209 match_info.GetProcessInfo().GetEffectiveUserID()); 2210 if (match_info.GetProcessInfo().EffectiveGroupIDIsValid()) 2211 packet.Printf("egid:%u;", 2212 match_info.GetProcessInfo().GetEffectiveGroupID()); 2213 packet.Printf("all_users:%u;", match_info.GetMatchAllUsers() ? 1 : 0); 2214 if (match_info.GetProcessInfo().GetArchitecture().IsValid()) { 2215 const ArchSpec &match_arch = 2216 match_info.GetProcessInfo().GetArchitecture(); 2217 const llvm::Triple &triple = match_arch.GetTriple(); 2218 packet.PutCString("triple:"); 2219 packet.PutCString(triple.getTriple()); 2220 packet.PutChar(';'); 2221 } 2222 } 2223 StringExtractorGDBRemote response; 2224 // Increase timeout as the first qfProcessInfo packet takes a long time on 2225 // Android. The value of 1min was arrived at empirically. 2226 ScopedTimeout timeout(*this, minutes(1)); 2227 if (SendPacketAndWaitForResponse(packet.GetString(), response, false) == 2228 PacketResult::Success) { 2229 do { 2230 ProcessInstanceInfo process_info; 2231 if (!DecodeProcessInfoResponse(response, process_info)) 2232 break; 2233 process_infos.push_back(process_info); 2234 response = StringExtractorGDBRemote(); 2235 } while (SendPacketAndWaitForResponse("qsProcessInfo", response, false) == 2236 PacketResult::Success); 2237 } else { 2238 m_supports_qfProcessInfo = false; 2239 return 0; 2240 } 2241 } 2242 return process_infos.size(); 2243 } 2244 2245 bool GDBRemoteCommunicationClient::GetUserName(uint32_t uid, 2246 std::string &name) { 2247 if (m_supports_qUserName) { 2248 char packet[32]; 2249 const int packet_len = 2250 ::snprintf(packet, sizeof(packet), "qUserName:%i", uid); 2251 assert(packet_len < (int)sizeof(packet)); 2252 UNUSED_IF_ASSERT_DISABLED(packet_len); 2253 StringExtractorGDBRemote response; 2254 if (SendPacketAndWaitForResponse(packet, response, false) == 2255 PacketResult::Success) { 2256 if (response.IsNormalResponse()) { 2257 // Make sure we parsed the right number of characters. The response is 2258 // the hex encoded user name and should make up the entire packet. If 2259 // there are any non-hex ASCII bytes, the length won't match below.. 2260 if (response.GetHexByteString(name) * 2 == 2261 response.GetStringRef().size()) 2262 return true; 2263 } 2264 } else { 2265 m_supports_qUserName = false; 2266 return false; 2267 } 2268 } 2269 return false; 2270 } 2271 2272 bool GDBRemoteCommunicationClient::GetGroupName(uint32_t gid, 2273 std::string &name) { 2274 if (m_supports_qGroupName) { 2275 char packet[32]; 2276 const int packet_len = 2277 ::snprintf(packet, sizeof(packet), "qGroupName:%i", gid); 2278 assert(packet_len < (int)sizeof(packet)); 2279 UNUSED_IF_ASSERT_DISABLED(packet_len); 2280 StringExtractorGDBRemote response; 2281 if (SendPacketAndWaitForResponse(packet, response, false) == 2282 PacketResult::Success) { 2283 if (response.IsNormalResponse()) { 2284 // Make sure we parsed the right number of characters. The response is 2285 // the hex encoded group name and should make up the entire packet. If 2286 // there are any non-hex ASCII bytes, the length won't match below.. 2287 if (response.GetHexByteString(name) * 2 == 2288 response.GetStringRef().size()) 2289 return true; 2290 } 2291 } else { 2292 m_supports_qGroupName = false; 2293 return false; 2294 } 2295 } 2296 return false; 2297 } 2298 2299 bool GDBRemoteCommunicationClient::SetNonStopMode(const bool enable) { 2300 // Form non-stop packet request 2301 char packet[32]; 2302 const int packet_len = 2303 ::snprintf(packet, sizeof(packet), "QNonStop:%1d", (int)enable); 2304 assert(packet_len < (int)sizeof(packet)); 2305 UNUSED_IF_ASSERT_DISABLED(packet_len); 2306 2307 StringExtractorGDBRemote response; 2308 // Send to target 2309 if (SendPacketAndWaitForResponse(packet, response, false) == 2310 PacketResult::Success) 2311 if (response.IsOKResponse()) 2312 return true; 2313 2314 // Failed or not supported 2315 return false; 2316 } 2317 2318 static void MakeSpeedTestPacket(StreamString &packet, uint32_t send_size, 2319 uint32_t recv_size) { 2320 packet.Clear(); 2321 packet.Printf("qSpeedTest:response_size:%i;data:", recv_size); 2322 uint32_t bytes_left = send_size; 2323 while (bytes_left > 0) { 2324 if (bytes_left >= 26) { 2325 packet.PutCString("abcdefghijklmnopqrstuvwxyz"); 2326 bytes_left -= 26; 2327 } else { 2328 packet.Printf("%*.*s;", bytes_left, bytes_left, 2329 "abcdefghijklmnopqrstuvwxyz"); 2330 bytes_left = 0; 2331 } 2332 } 2333 } 2334 2335 duration<float> 2336 calculate_standard_deviation(const std::vector<duration<float>> &v) { 2337 using Dur = duration<float>; 2338 Dur sum = std::accumulate(std::begin(v), std::end(v), Dur()); 2339 Dur mean = sum / v.size(); 2340 float accum = 0; 2341 for (auto d : v) { 2342 float delta = (d - mean).count(); 2343 accum += delta * delta; 2344 }; 2345 2346 return Dur(sqrtf(accum / (v.size() - 1))); 2347 } 2348 2349 void GDBRemoteCommunicationClient::TestPacketSpeed(const uint32_t num_packets, 2350 uint32_t max_send, 2351 uint32_t max_recv, 2352 uint64_t recv_amount, 2353 bool json, Stream &strm) { 2354 uint32_t i; 2355 if (SendSpeedTestPacket(0, 0)) { 2356 StreamString packet; 2357 if (json) 2358 strm.Printf("{ \"packet_speeds\" : {\n \"num_packets\" : %u,\n " 2359 "\"results\" : [", 2360 num_packets); 2361 else 2362 strm.Printf("Testing sending %u packets of various sizes:\n", 2363 num_packets); 2364 strm.Flush(); 2365 2366 uint32_t result_idx = 0; 2367 uint32_t send_size; 2368 std::vector<duration<float>> packet_times; 2369 2370 for (send_size = 0; send_size <= max_send; 2371 send_size ? send_size *= 2 : send_size = 4) { 2372 for (uint32_t recv_size = 0; recv_size <= max_recv; 2373 recv_size ? recv_size *= 2 : recv_size = 4) { 2374 MakeSpeedTestPacket(packet, send_size, recv_size); 2375 2376 packet_times.clear(); 2377 // Test how long it takes to send 'num_packets' packets 2378 const auto start_time = steady_clock::now(); 2379 for (i = 0; i < num_packets; ++i) { 2380 const auto packet_start_time = steady_clock::now(); 2381 StringExtractorGDBRemote response; 2382 SendPacketAndWaitForResponse(packet.GetString(), response, false); 2383 const auto packet_end_time = steady_clock::now(); 2384 packet_times.push_back(packet_end_time - packet_start_time); 2385 } 2386 const auto end_time = steady_clock::now(); 2387 const auto total_time = end_time - start_time; 2388 2389 float packets_per_second = 2390 ((float)num_packets) / duration<float>(total_time).count(); 2391 auto average_per_packet = total_time / num_packets; 2392 const duration<float> standard_deviation = 2393 calculate_standard_deviation(packet_times); 2394 if (json) { 2395 strm.Format("{0}\n {{\"send_size\" : {1,6}, \"recv_size\" : " 2396 "{2,6}, \"total_time_nsec\" : {3,12:ns-}, " 2397 "\"standard_deviation_nsec\" : {4,9:ns-f0}}", 2398 result_idx > 0 ? "," : "", send_size, recv_size, 2399 total_time, standard_deviation); 2400 ++result_idx; 2401 } else { 2402 strm.Format("qSpeedTest(send={0,7}, recv={1,7}) in {2:s+f9} for " 2403 "{3,9:f2} packets/s ({4,10:ms+f6} per packet) with " 2404 "standard deviation of {5,10:ms+f6}\n", 2405 send_size, recv_size, duration<float>(total_time), 2406 packets_per_second, duration<float>(average_per_packet), 2407 standard_deviation); 2408 } 2409 strm.Flush(); 2410 } 2411 } 2412 2413 const float k_recv_amount_mb = (float)recv_amount / (1024.0f * 1024.0f); 2414 if (json) 2415 strm.Printf("\n ]\n },\n \"download_speed\" : {\n \"byte_size\" " 2416 ": %" PRIu64 ",\n \"results\" : [", 2417 recv_amount); 2418 else 2419 strm.Printf("Testing receiving %2.1fMB of data using varying receive " 2420 "packet sizes:\n", 2421 k_recv_amount_mb); 2422 strm.Flush(); 2423 send_size = 0; 2424 result_idx = 0; 2425 for (uint32_t recv_size = 32; recv_size <= max_recv; recv_size *= 2) { 2426 MakeSpeedTestPacket(packet, send_size, recv_size); 2427 2428 // If we have a receive size, test how long it takes to receive 4MB of 2429 // data 2430 if (recv_size > 0) { 2431 const auto start_time = steady_clock::now(); 2432 uint32_t bytes_read = 0; 2433 uint32_t packet_count = 0; 2434 while (bytes_read < recv_amount) { 2435 StringExtractorGDBRemote response; 2436 SendPacketAndWaitForResponse(packet.GetString(), response, false); 2437 bytes_read += recv_size; 2438 ++packet_count; 2439 } 2440 const auto end_time = steady_clock::now(); 2441 const auto total_time = end_time - start_time; 2442 float mb_second = ((float)recv_amount) / 2443 duration<float>(total_time).count() / 2444 (1024.0 * 1024.0); 2445 float packets_per_second = 2446 ((float)packet_count) / duration<float>(total_time).count(); 2447 const auto average_per_packet = total_time / packet_count; 2448 2449 if (json) { 2450 strm.Format("{0}\n {{\"send_size\" : {1,6}, \"recv_size\" : " 2451 "{2,6}, \"total_time_nsec\" : {3,12:ns-}}", 2452 result_idx > 0 ? "," : "", send_size, recv_size, 2453 total_time); 2454 ++result_idx; 2455 } else { 2456 strm.Format("qSpeedTest(send={0,7}, recv={1,7}) {2,6} packets needed " 2457 "to receive {3:f1}MB in {4:s+f9} for {5} MB/sec for " 2458 "{6,9:f2} packets/sec ({7,10:ms+f6} per packet)\n", 2459 send_size, recv_size, packet_count, k_recv_amount_mb, 2460 duration<float>(total_time), mb_second, 2461 packets_per_second, duration<float>(average_per_packet)); 2462 } 2463 strm.Flush(); 2464 } 2465 } 2466 if (json) 2467 strm.Printf("\n ]\n }\n}\n"); 2468 else 2469 strm.EOL(); 2470 } 2471 } 2472 2473 bool GDBRemoteCommunicationClient::SendSpeedTestPacket(uint32_t send_size, 2474 uint32_t recv_size) { 2475 StreamString packet; 2476 packet.Printf("qSpeedTest:response_size:%i;data:", recv_size); 2477 uint32_t bytes_left = send_size; 2478 while (bytes_left > 0) { 2479 if (bytes_left >= 26) { 2480 packet.PutCString("abcdefghijklmnopqrstuvwxyz"); 2481 bytes_left -= 26; 2482 } else { 2483 packet.Printf("%*.*s;", bytes_left, bytes_left, 2484 "abcdefghijklmnopqrstuvwxyz"); 2485 bytes_left = 0; 2486 } 2487 } 2488 2489 StringExtractorGDBRemote response; 2490 return SendPacketAndWaitForResponse(packet.GetString(), response, false) == 2491 PacketResult::Success; 2492 } 2493 2494 bool GDBRemoteCommunicationClient::LaunchGDBServer( 2495 const char *remote_accept_hostname, lldb::pid_t &pid, uint16_t &port, 2496 std::string &socket_name) { 2497 pid = LLDB_INVALID_PROCESS_ID; 2498 port = 0; 2499 socket_name.clear(); 2500 2501 StringExtractorGDBRemote response; 2502 StreamString stream; 2503 stream.PutCString("qLaunchGDBServer;"); 2504 std::string hostname; 2505 if (remote_accept_hostname && remote_accept_hostname[0]) 2506 hostname = remote_accept_hostname; 2507 else { 2508 if (HostInfo::GetHostname(hostname)) { 2509 // Make the GDB server we launch only accept connections from this host 2510 stream.Printf("host:%s;", hostname.c_str()); 2511 } else { 2512 // Make the GDB server we launch accept connections from any host since 2513 // we can't figure out the hostname 2514 stream.Printf("host:*;"); 2515 } 2516 } 2517 // give the process a few seconds to startup 2518 ScopedTimeout timeout(*this, seconds(10)); 2519 2520 if (SendPacketAndWaitForResponse(stream.GetString(), response, false) == 2521 PacketResult::Success) { 2522 llvm::StringRef name; 2523 llvm::StringRef value; 2524 while (response.GetNameColonValue(name, value)) { 2525 if (name.equals("port")) 2526 value.getAsInteger(0, port); 2527 else if (name.equals("pid")) 2528 value.getAsInteger(0, pid); 2529 else if (name.compare("socket_name") == 0) { 2530 StringExtractor extractor(value); 2531 extractor.GetHexByteString(socket_name); 2532 } 2533 } 2534 return true; 2535 } 2536 return false; 2537 } 2538 2539 size_t GDBRemoteCommunicationClient::QueryGDBServer( 2540 std::vector<std::pair<uint16_t, std::string>> &connection_urls) { 2541 connection_urls.clear(); 2542 2543 StringExtractorGDBRemote response; 2544 if (SendPacketAndWaitForResponse("qQueryGDBServer", response, false) != 2545 PacketResult::Success) 2546 return 0; 2547 2548 StructuredData::ObjectSP data = 2549 StructuredData::ParseJSON(std::string(response.GetStringRef())); 2550 if (!data) 2551 return 0; 2552 2553 StructuredData::Array *array = data->GetAsArray(); 2554 if (!array) 2555 return 0; 2556 2557 for (size_t i = 0, count = array->GetSize(); i < count; ++i) { 2558 StructuredData::Dictionary *element = nullptr; 2559 if (!array->GetItemAtIndexAsDictionary(i, element)) 2560 continue; 2561 2562 uint16_t port = 0; 2563 if (StructuredData::ObjectSP port_osp = 2564 element->GetValueForKey(llvm::StringRef("port"))) 2565 port = port_osp->GetIntegerValue(0); 2566 2567 std::string socket_name; 2568 if (StructuredData::ObjectSP socket_name_osp = 2569 element->GetValueForKey(llvm::StringRef("socket_name"))) 2570 socket_name = std::string(socket_name_osp->GetStringValue()); 2571 2572 if (port != 0 || !socket_name.empty()) 2573 connection_urls.emplace_back(port, socket_name); 2574 } 2575 return connection_urls.size(); 2576 } 2577 2578 bool GDBRemoteCommunicationClient::KillSpawnedProcess(lldb::pid_t pid) { 2579 StreamString stream; 2580 stream.Printf("qKillSpawnedProcess:%" PRId64, pid); 2581 2582 StringExtractorGDBRemote response; 2583 if (SendPacketAndWaitForResponse(stream.GetString(), response, false) == 2584 PacketResult::Success) { 2585 if (response.IsOKResponse()) 2586 return true; 2587 } 2588 return false; 2589 } 2590 2591 bool GDBRemoteCommunicationClient::SetCurrentThread(uint64_t tid) { 2592 if (m_curr_tid == tid) 2593 return true; 2594 2595 char packet[32]; 2596 int packet_len; 2597 if (tid == UINT64_MAX) 2598 packet_len = ::snprintf(packet, sizeof(packet), "Hg-1"); 2599 else 2600 packet_len = ::snprintf(packet, sizeof(packet), "Hg%" PRIx64, tid); 2601 assert(packet_len + 1 < (int)sizeof(packet)); 2602 UNUSED_IF_ASSERT_DISABLED(packet_len); 2603 StringExtractorGDBRemote response; 2604 if (SendPacketAndWaitForResponse(packet, response, false) == 2605 PacketResult::Success) { 2606 if (response.IsOKResponse()) { 2607 m_curr_tid = tid; 2608 return true; 2609 } 2610 2611 /* 2612 * Connected bare-iron target (like YAMON gdb-stub) may not have support for 2613 * Hg packet. 2614 * The reply from '?' packet could be as simple as 'S05'. There is no packet 2615 * which can 2616 * give us pid and/or tid. Assume pid=tid=1 in such cases. 2617 */ 2618 if (response.IsUnsupportedResponse() && IsConnected()) { 2619 m_curr_tid = 1; 2620 return true; 2621 } 2622 } 2623 return false; 2624 } 2625 2626 bool GDBRemoteCommunicationClient::SetCurrentThreadForRun(uint64_t tid) { 2627 if (m_curr_tid_run == tid) 2628 return true; 2629 2630 char packet[32]; 2631 int packet_len; 2632 if (tid == UINT64_MAX) 2633 packet_len = ::snprintf(packet, sizeof(packet), "Hc-1"); 2634 else 2635 packet_len = ::snprintf(packet, sizeof(packet), "Hc%" PRIx64, tid); 2636 2637 assert(packet_len + 1 < (int)sizeof(packet)); 2638 UNUSED_IF_ASSERT_DISABLED(packet_len); 2639 StringExtractorGDBRemote response; 2640 if (SendPacketAndWaitForResponse(packet, response, false) == 2641 PacketResult::Success) { 2642 if (response.IsOKResponse()) { 2643 m_curr_tid_run = tid; 2644 return true; 2645 } 2646 2647 /* 2648 * Connected bare-iron target (like YAMON gdb-stub) may not have support for 2649 * Hc packet. 2650 * The reply from '?' packet could be as simple as 'S05'. There is no packet 2651 * which can 2652 * give us pid and/or tid. Assume pid=tid=1 in such cases. 2653 */ 2654 if (response.IsUnsupportedResponse() && IsConnected()) { 2655 m_curr_tid_run = 1; 2656 return true; 2657 } 2658 } 2659 return false; 2660 } 2661 2662 bool GDBRemoteCommunicationClient::GetStopReply( 2663 StringExtractorGDBRemote &response) { 2664 if (SendPacketAndWaitForResponse("?", response, false) == 2665 PacketResult::Success) 2666 return response.IsNormalResponse(); 2667 return false; 2668 } 2669 2670 bool GDBRemoteCommunicationClient::GetThreadStopInfo( 2671 lldb::tid_t tid, StringExtractorGDBRemote &response) { 2672 if (m_supports_qThreadStopInfo) { 2673 char packet[256]; 2674 int packet_len = 2675 ::snprintf(packet, sizeof(packet), "qThreadStopInfo%" PRIx64, tid); 2676 assert(packet_len < (int)sizeof(packet)); 2677 UNUSED_IF_ASSERT_DISABLED(packet_len); 2678 if (SendPacketAndWaitForResponse(packet, response, false) == 2679 PacketResult::Success) { 2680 if (response.IsUnsupportedResponse()) 2681 m_supports_qThreadStopInfo = false; 2682 else if (response.IsNormalResponse()) 2683 return true; 2684 else 2685 return false; 2686 } else { 2687 m_supports_qThreadStopInfo = false; 2688 } 2689 } 2690 return false; 2691 } 2692 2693 uint8_t GDBRemoteCommunicationClient::SendGDBStoppointTypePacket( 2694 GDBStoppointType type, bool insert, addr_t addr, uint32_t length) { 2695 Log *log(GetLogIfAnyCategoriesSet(LIBLLDB_LOG_BREAKPOINTS)); 2696 LLDB_LOGF(log, "GDBRemoteCommunicationClient::%s() %s at addr = 0x%" PRIx64, 2697 __FUNCTION__, insert ? "add" : "remove", addr); 2698 2699 // Check if the stub is known not to support this breakpoint type 2700 if (!SupportsGDBStoppointPacket(type)) 2701 return UINT8_MAX; 2702 // Construct the breakpoint packet 2703 char packet[64]; 2704 const int packet_len = 2705 ::snprintf(packet, sizeof(packet), "%c%i,%" PRIx64 ",%x", 2706 insert ? 'Z' : 'z', type, addr, length); 2707 // Check we haven't overwritten the end of the packet buffer 2708 assert(packet_len + 1 < (int)sizeof(packet)); 2709 UNUSED_IF_ASSERT_DISABLED(packet_len); 2710 StringExtractorGDBRemote response; 2711 // Make sure the response is either "OK", "EXX" where XX are two hex digits, 2712 // or "" (unsupported) 2713 response.SetResponseValidatorToOKErrorNotSupported(); 2714 // Try to send the breakpoint packet, and check that it was correctly sent 2715 if (SendPacketAndWaitForResponse(packet, response, true) == 2716 PacketResult::Success) { 2717 // Receive and OK packet when the breakpoint successfully placed 2718 if (response.IsOKResponse()) 2719 return 0; 2720 2721 // Status while setting breakpoint, send back specific error 2722 if (response.IsErrorResponse()) 2723 return response.GetError(); 2724 2725 // Empty packet informs us that breakpoint is not supported 2726 if (response.IsUnsupportedResponse()) { 2727 // Disable this breakpoint type since it is unsupported 2728 switch (type) { 2729 case eBreakpointSoftware: 2730 m_supports_z0 = false; 2731 break; 2732 case eBreakpointHardware: 2733 m_supports_z1 = false; 2734 break; 2735 case eWatchpointWrite: 2736 m_supports_z2 = false; 2737 break; 2738 case eWatchpointRead: 2739 m_supports_z3 = false; 2740 break; 2741 case eWatchpointReadWrite: 2742 m_supports_z4 = false; 2743 break; 2744 case eStoppointInvalid: 2745 return UINT8_MAX; 2746 } 2747 } 2748 } 2749 // Signal generic failure 2750 return UINT8_MAX; 2751 } 2752 2753 size_t GDBRemoteCommunicationClient::GetCurrentThreadIDs( 2754 std::vector<lldb::tid_t> &thread_ids, bool &sequence_mutex_unavailable) { 2755 thread_ids.clear(); 2756 2757 Lock lock(*this, false); 2758 if (lock) { 2759 sequence_mutex_unavailable = false; 2760 StringExtractorGDBRemote response; 2761 2762 PacketResult packet_result; 2763 for (packet_result = 2764 SendPacketAndWaitForResponseNoLock("qfThreadInfo", response); 2765 packet_result == PacketResult::Success && response.IsNormalResponse(); 2766 packet_result = 2767 SendPacketAndWaitForResponseNoLock("qsThreadInfo", response)) { 2768 char ch = response.GetChar(); 2769 if (ch == 'l') 2770 break; 2771 if (ch == 'm') { 2772 do { 2773 tid_t tid = response.GetHexMaxU64(false, LLDB_INVALID_THREAD_ID); 2774 2775 if (tid != LLDB_INVALID_THREAD_ID) { 2776 thread_ids.push_back(tid); 2777 } 2778 ch = response.GetChar(); // Skip the command separator 2779 } while (ch == ','); // Make sure we got a comma separator 2780 } 2781 } 2782 2783 /* 2784 * Connected bare-iron target (like YAMON gdb-stub) may not have support for 2785 * qProcessInfo, qC and qfThreadInfo packets. The reply from '?' packet 2786 * could 2787 * be as simple as 'S05'. There is no packet which can give us pid and/or 2788 * tid. 2789 * Assume pid=tid=1 in such cases. 2790 */ 2791 if ((response.IsUnsupportedResponse() || response.IsNormalResponse()) && 2792 thread_ids.size() == 0 && IsConnected()) { 2793 thread_ids.push_back(1); 2794 } 2795 } else { 2796 Log *log(ProcessGDBRemoteLog::GetLogIfAnyCategoryIsSet(GDBR_LOG_PROCESS | 2797 GDBR_LOG_PACKETS)); 2798 LLDB_LOG(log, "error: failed to get packet sequence mutex, not sending " 2799 "packet 'qfThreadInfo'"); 2800 sequence_mutex_unavailable = true; 2801 } 2802 return thread_ids.size(); 2803 } 2804 2805 lldb::addr_t GDBRemoteCommunicationClient::GetShlibInfoAddr() { 2806 StringExtractorGDBRemote response; 2807 if (SendPacketAndWaitForResponse("qShlibInfoAddr", response, false) != 2808 PacketResult::Success || 2809 !response.IsNormalResponse()) 2810 return LLDB_INVALID_ADDRESS; 2811 return response.GetHexMaxU64(false, LLDB_INVALID_ADDRESS); 2812 } 2813 2814 lldb_private::Status GDBRemoteCommunicationClient::RunShellCommand( 2815 llvm::StringRef command, 2816 const FileSpec & 2817 working_dir, // Pass empty FileSpec to use the current working directory 2818 int *status_ptr, // Pass NULL if you don't want the process exit status 2819 int *signo_ptr, // Pass NULL if you don't want the signal that caused the 2820 // process to exit 2821 std::string 2822 *command_output, // Pass NULL if you don't want the command output 2823 const Timeout<std::micro> &timeout) { 2824 lldb_private::StreamString stream; 2825 stream.PutCString("qPlatform_shell:"); 2826 stream.PutBytesAsRawHex8(command.data(), command.size()); 2827 stream.PutChar(','); 2828 uint32_t timeout_sec = UINT32_MAX; 2829 if (timeout) { 2830 // TODO: Use chrono version of std::ceil once c++17 is available. 2831 timeout_sec = std::ceil(std::chrono::duration<double>(*timeout).count()); 2832 } 2833 stream.PutHex32(timeout_sec); 2834 if (working_dir) { 2835 std::string path{working_dir.GetPath(false)}; 2836 stream.PutChar(','); 2837 stream.PutStringAsRawHex8(path); 2838 } 2839 StringExtractorGDBRemote response; 2840 if (SendPacketAndWaitForResponse(stream.GetString(), response, false) == 2841 PacketResult::Success) { 2842 if (response.GetChar() != 'F') 2843 return Status("malformed reply"); 2844 if (response.GetChar() != ',') 2845 return Status("malformed reply"); 2846 uint32_t exitcode = response.GetHexMaxU32(false, UINT32_MAX); 2847 if (exitcode == UINT32_MAX) 2848 return Status("unable to run remote process"); 2849 else if (status_ptr) 2850 *status_ptr = exitcode; 2851 if (response.GetChar() != ',') 2852 return Status("malformed reply"); 2853 uint32_t signo = response.GetHexMaxU32(false, UINT32_MAX); 2854 if (signo_ptr) 2855 *signo_ptr = signo; 2856 if (response.GetChar() != ',') 2857 return Status("malformed reply"); 2858 std::string output; 2859 response.GetEscapedBinaryData(output); 2860 if (command_output) 2861 command_output->assign(output); 2862 return Status(); 2863 } 2864 return Status("unable to send packet"); 2865 } 2866 2867 Status GDBRemoteCommunicationClient::MakeDirectory(const FileSpec &file_spec, 2868 uint32_t file_permissions) { 2869 std::string path{file_spec.GetPath(false)}; 2870 lldb_private::StreamString stream; 2871 stream.PutCString("qPlatform_mkdir:"); 2872 stream.PutHex32(file_permissions); 2873 stream.PutChar(','); 2874 stream.PutStringAsRawHex8(path); 2875 llvm::StringRef packet = stream.GetString(); 2876 StringExtractorGDBRemote response; 2877 2878 if (SendPacketAndWaitForResponse(packet, response, false) != 2879 PacketResult::Success) 2880 return Status("failed to send '%s' packet", packet.str().c_str()); 2881 2882 if (response.GetChar() != 'F') 2883 return Status("invalid response to '%s' packet", packet.str().c_str()); 2884 2885 return Status(response.GetU32(UINT32_MAX), eErrorTypePOSIX); 2886 } 2887 2888 Status 2889 GDBRemoteCommunicationClient::SetFilePermissions(const FileSpec &file_spec, 2890 uint32_t file_permissions) { 2891 std::string path{file_spec.GetPath(false)}; 2892 lldb_private::StreamString stream; 2893 stream.PutCString("qPlatform_chmod:"); 2894 stream.PutHex32(file_permissions); 2895 stream.PutChar(','); 2896 stream.PutStringAsRawHex8(path); 2897 llvm::StringRef packet = stream.GetString(); 2898 StringExtractorGDBRemote response; 2899 2900 if (SendPacketAndWaitForResponse(packet, response, false) != 2901 PacketResult::Success) 2902 return Status("failed to send '%s' packet", stream.GetData()); 2903 2904 if (response.GetChar() != 'F') 2905 return Status("invalid response to '%s' packet", stream.GetData()); 2906 2907 return Status(response.GetU32(UINT32_MAX), eErrorTypePOSIX); 2908 } 2909 2910 static uint64_t ParseHostIOPacketResponse(StringExtractorGDBRemote &response, 2911 uint64_t fail_result, Status &error) { 2912 response.SetFilePos(0); 2913 if (response.GetChar() != 'F') 2914 return fail_result; 2915 int32_t result = response.GetS32(-2); 2916 if (result == -2) 2917 return fail_result; 2918 if (response.GetChar() == ',') { 2919 int result_errno = response.GetS32(-2); 2920 if (result_errno != -2) 2921 error.SetError(result_errno, eErrorTypePOSIX); 2922 else 2923 error.SetError(-1, eErrorTypeGeneric); 2924 } else 2925 error.Clear(); 2926 return result; 2927 } 2928 lldb::user_id_t 2929 GDBRemoteCommunicationClient::OpenFile(const lldb_private::FileSpec &file_spec, 2930 File::OpenOptions flags, mode_t mode, 2931 Status &error) { 2932 std::string path(file_spec.GetPath(false)); 2933 lldb_private::StreamString stream; 2934 stream.PutCString("vFile:open:"); 2935 if (path.empty()) 2936 return UINT64_MAX; 2937 stream.PutStringAsRawHex8(path); 2938 stream.PutChar(','); 2939 stream.PutHex32(flags); 2940 stream.PutChar(','); 2941 stream.PutHex32(mode); 2942 StringExtractorGDBRemote response; 2943 if (SendPacketAndWaitForResponse(stream.GetString(), response, false) == 2944 PacketResult::Success) { 2945 return ParseHostIOPacketResponse(response, UINT64_MAX, error); 2946 } 2947 return UINT64_MAX; 2948 } 2949 2950 bool GDBRemoteCommunicationClient::CloseFile(lldb::user_id_t fd, 2951 Status &error) { 2952 lldb_private::StreamString stream; 2953 stream.Printf("vFile:close:%i", (int)fd); 2954 StringExtractorGDBRemote response; 2955 if (SendPacketAndWaitForResponse(stream.GetString(), response, false) == 2956 PacketResult::Success) { 2957 return ParseHostIOPacketResponse(response, -1, error) == 0; 2958 } 2959 return false; 2960 } 2961 2962 // Extension of host I/O packets to get the file size. 2963 lldb::user_id_t GDBRemoteCommunicationClient::GetFileSize( 2964 const lldb_private::FileSpec &file_spec) { 2965 std::string path(file_spec.GetPath(false)); 2966 lldb_private::StreamString stream; 2967 stream.PutCString("vFile:size:"); 2968 stream.PutStringAsRawHex8(path); 2969 StringExtractorGDBRemote response; 2970 if (SendPacketAndWaitForResponse(stream.GetString(), response, false) == 2971 PacketResult::Success) { 2972 if (response.GetChar() != 'F') 2973 return UINT64_MAX; 2974 uint32_t retcode = response.GetHexMaxU64(false, UINT64_MAX); 2975 return retcode; 2976 } 2977 return UINT64_MAX; 2978 } 2979 2980 void GDBRemoteCommunicationClient::AutoCompleteDiskFileOrDirectory( 2981 CompletionRequest &request, bool only_dir) { 2982 lldb_private::StreamString stream; 2983 stream.PutCString("qPathComplete:"); 2984 stream.PutHex32(only_dir ? 1 : 0); 2985 stream.PutChar(','); 2986 stream.PutStringAsRawHex8(request.GetCursorArgumentPrefix()); 2987 StringExtractorGDBRemote response; 2988 if (SendPacketAndWaitForResponse(stream.GetString(), response, false) == 2989 PacketResult::Success) { 2990 StreamString strm; 2991 char ch = response.GetChar(); 2992 if (ch != 'M') 2993 return; 2994 while (response.Peek()) { 2995 strm.Clear(); 2996 while ((ch = response.GetHexU8(0, false)) != '\0') 2997 strm.PutChar(ch); 2998 request.AddCompletion(strm.GetString()); 2999 if (response.GetChar() != ',') 3000 break; 3001 } 3002 } 3003 } 3004 3005 Status 3006 GDBRemoteCommunicationClient::GetFilePermissions(const FileSpec &file_spec, 3007 uint32_t &file_permissions) { 3008 std::string path{file_spec.GetPath(false)}; 3009 Status error; 3010 lldb_private::StreamString stream; 3011 stream.PutCString("vFile:mode:"); 3012 stream.PutStringAsRawHex8(path); 3013 StringExtractorGDBRemote response; 3014 if (SendPacketAndWaitForResponse(stream.GetString(), response, false) == 3015 PacketResult::Success) { 3016 if (response.GetChar() != 'F') { 3017 error.SetErrorStringWithFormat("invalid response to '%s' packet", 3018 stream.GetData()); 3019 } else { 3020 const uint32_t mode = response.GetS32(-1); 3021 if (static_cast<int32_t>(mode) == -1) { 3022 if (response.GetChar() == ',') { 3023 int response_errno = response.GetS32(-1); 3024 if (response_errno > 0) 3025 error.SetError(response_errno, lldb::eErrorTypePOSIX); 3026 else 3027 error.SetErrorToGenericError(); 3028 } else 3029 error.SetErrorToGenericError(); 3030 } else { 3031 file_permissions = mode & (S_IRWXU | S_IRWXG | S_IRWXO); 3032 } 3033 } 3034 } else { 3035 error.SetErrorStringWithFormat("failed to send '%s' packet", 3036 stream.GetData()); 3037 } 3038 return error; 3039 } 3040 3041 uint64_t GDBRemoteCommunicationClient::ReadFile(lldb::user_id_t fd, 3042 uint64_t offset, void *dst, 3043 uint64_t dst_len, 3044 Status &error) { 3045 lldb_private::StreamString stream; 3046 stream.Printf("vFile:pread:%i,%" PRId64 ",%" PRId64, (int)fd, dst_len, 3047 offset); 3048 StringExtractorGDBRemote response; 3049 if (SendPacketAndWaitForResponse(stream.GetString(), response, false) == 3050 PacketResult::Success) { 3051 if (response.GetChar() != 'F') 3052 return 0; 3053 uint32_t retcode = response.GetHexMaxU32(false, UINT32_MAX); 3054 if (retcode == UINT32_MAX) 3055 return retcode; 3056 const char next = (response.Peek() ? *response.Peek() : 0); 3057 if (next == ',') 3058 return 0; 3059 if (next == ';') { 3060 response.GetChar(); // skip the semicolon 3061 std::string buffer; 3062 if (response.GetEscapedBinaryData(buffer)) { 3063 const uint64_t data_to_write = 3064 std::min<uint64_t>(dst_len, buffer.size()); 3065 if (data_to_write > 0) 3066 memcpy(dst, &buffer[0], data_to_write); 3067 return data_to_write; 3068 } 3069 } 3070 } 3071 return 0; 3072 } 3073 3074 uint64_t GDBRemoteCommunicationClient::WriteFile(lldb::user_id_t fd, 3075 uint64_t offset, 3076 const void *src, 3077 uint64_t src_len, 3078 Status &error) { 3079 lldb_private::StreamGDBRemote stream; 3080 stream.Printf("vFile:pwrite:%i,%" PRId64 ",", (int)fd, offset); 3081 stream.PutEscapedBytes(src, src_len); 3082 StringExtractorGDBRemote response; 3083 if (SendPacketAndWaitForResponse(stream.GetString(), response, false) == 3084 PacketResult::Success) { 3085 if (response.GetChar() != 'F') { 3086 error.SetErrorStringWithFormat("write file failed"); 3087 return 0; 3088 } 3089 uint64_t bytes_written = response.GetU64(UINT64_MAX); 3090 if (bytes_written == UINT64_MAX) { 3091 error.SetErrorToGenericError(); 3092 if (response.GetChar() == ',') { 3093 int response_errno = response.GetS32(-1); 3094 if (response_errno > 0) 3095 error.SetError(response_errno, lldb::eErrorTypePOSIX); 3096 } 3097 return 0; 3098 } 3099 return bytes_written; 3100 } else { 3101 error.SetErrorString("failed to send vFile:pwrite packet"); 3102 } 3103 return 0; 3104 } 3105 3106 Status GDBRemoteCommunicationClient::CreateSymlink(const FileSpec &src, 3107 const FileSpec &dst) { 3108 std::string src_path{src.GetPath(false)}, dst_path{dst.GetPath(false)}; 3109 Status error; 3110 lldb_private::StreamGDBRemote stream; 3111 stream.PutCString("vFile:symlink:"); 3112 // the unix symlink() command reverses its parameters where the dst if first, 3113 // so we follow suit here 3114 stream.PutStringAsRawHex8(dst_path); 3115 stream.PutChar(','); 3116 stream.PutStringAsRawHex8(src_path); 3117 StringExtractorGDBRemote response; 3118 if (SendPacketAndWaitForResponse(stream.GetString(), response, false) == 3119 PacketResult::Success) { 3120 if (response.GetChar() == 'F') { 3121 uint32_t result = response.GetU32(UINT32_MAX); 3122 if (result != 0) { 3123 error.SetErrorToGenericError(); 3124 if (response.GetChar() == ',') { 3125 int response_errno = response.GetS32(-1); 3126 if (response_errno > 0) 3127 error.SetError(response_errno, lldb::eErrorTypePOSIX); 3128 } 3129 } 3130 } else { 3131 // Should have returned with 'F<result>[,<errno>]' 3132 error.SetErrorStringWithFormat("symlink failed"); 3133 } 3134 } else { 3135 error.SetErrorString("failed to send vFile:symlink packet"); 3136 } 3137 return error; 3138 } 3139 3140 Status GDBRemoteCommunicationClient::Unlink(const FileSpec &file_spec) { 3141 std::string path{file_spec.GetPath(false)}; 3142 Status error; 3143 lldb_private::StreamGDBRemote stream; 3144 stream.PutCString("vFile:unlink:"); 3145 // the unix symlink() command reverses its parameters where the dst if first, 3146 // so we follow suit here 3147 stream.PutStringAsRawHex8(path); 3148 StringExtractorGDBRemote response; 3149 if (SendPacketAndWaitForResponse(stream.GetString(), response, false) == 3150 PacketResult::Success) { 3151 if (response.GetChar() == 'F') { 3152 uint32_t result = response.GetU32(UINT32_MAX); 3153 if (result != 0) { 3154 error.SetErrorToGenericError(); 3155 if (response.GetChar() == ',') { 3156 int response_errno = response.GetS32(-1); 3157 if (response_errno > 0) 3158 error.SetError(response_errno, lldb::eErrorTypePOSIX); 3159 } 3160 } 3161 } else { 3162 // Should have returned with 'F<result>[,<errno>]' 3163 error.SetErrorStringWithFormat("unlink failed"); 3164 } 3165 } else { 3166 error.SetErrorString("failed to send vFile:unlink packet"); 3167 } 3168 return error; 3169 } 3170 3171 // Extension of host I/O packets to get whether a file exists. 3172 bool GDBRemoteCommunicationClient::GetFileExists( 3173 const lldb_private::FileSpec &file_spec) { 3174 std::string path(file_spec.GetPath(false)); 3175 lldb_private::StreamString stream; 3176 stream.PutCString("vFile:exists:"); 3177 stream.PutStringAsRawHex8(path); 3178 StringExtractorGDBRemote response; 3179 if (SendPacketAndWaitForResponse(stream.GetString(), response, false) == 3180 PacketResult::Success) { 3181 if (response.GetChar() != 'F') 3182 return false; 3183 if (response.GetChar() != ',') 3184 return false; 3185 bool retcode = (response.GetChar() != '0'); 3186 return retcode; 3187 } 3188 return false; 3189 } 3190 3191 bool GDBRemoteCommunicationClient::CalculateMD5( 3192 const lldb_private::FileSpec &file_spec, uint64_t &high, uint64_t &low) { 3193 std::string path(file_spec.GetPath(false)); 3194 lldb_private::StreamString stream; 3195 stream.PutCString("vFile:MD5:"); 3196 stream.PutStringAsRawHex8(path); 3197 StringExtractorGDBRemote response; 3198 if (SendPacketAndWaitForResponse(stream.GetString(), response, false) == 3199 PacketResult::Success) { 3200 if (response.GetChar() != 'F') 3201 return false; 3202 if (response.GetChar() != ',') 3203 return false; 3204 if (response.Peek() && *response.Peek() == 'x') 3205 return false; 3206 low = response.GetHexMaxU64(false, UINT64_MAX); 3207 high = response.GetHexMaxU64(false, UINT64_MAX); 3208 return true; 3209 } 3210 return false; 3211 } 3212 3213 bool GDBRemoteCommunicationClient::AvoidGPackets(ProcessGDBRemote *process) { 3214 // Some targets have issues with g/G packets and we need to avoid using them 3215 if (m_avoid_g_packets == eLazyBoolCalculate) { 3216 if (process) { 3217 m_avoid_g_packets = eLazyBoolNo; 3218 const ArchSpec &arch = process->GetTarget().GetArchitecture(); 3219 if (arch.IsValid() && 3220 arch.GetTriple().getVendor() == llvm::Triple::Apple && 3221 arch.GetTriple().getOS() == llvm::Triple::IOS && 3222 (arch.GetTriple().getArch() == llvm::Triple::aarch64 || 3223 arch.GetTriple().getArch() == llvm::Triple::aarch64_32)) { 3224 m_avoid_g_packets = eLazyBoolYes; 3225 uint32_t gdb_server_version = GetGDBServerProgramVersion(); 3226 if (gdb_server_version != 0) { 3227 const char *gdb_server_name = GetGDBServerProgramName(); 3228 if (gdb_server_name && strcmp(gdb_server_name, "debugserver") == 0) { 3229 if (gdb_server_version >= 310) 3230 m_avoid_g_packets = eLazyBoolNo; 3231 } 3232 } 3233 } 3234 } 3235 } 3236 return m_avoid_g_packets == eLazyBoolYes; 3237 } 3238 3239 DataBufferSP GDBRemoteCommunicationClient::ReadRegister(lldb::tid_t tid, 3240 uint32_t reg) { 3241 StreamString payload; 3242 payload.Printf("p%x", reg); 3243 StringExtractorGDBRemote response; 3244 if (SendThreadSpecificPacketAndWaitForResponse( 3245 tid, std::move(payload), response, false) != PacketResult::Success || 3246 !response.IsNormalResponse()) 3247 return nullptr; 3248 3249 DataBufferSP buffer_sp( 3250 new DataBufferHeap(response.GetStringRef().size() / 2, 0)); 3251 response.GetHexBytes(buffer_sp->GetData(), '\xcc'); 3252 return buffer_sp; 3253 } 3254 3255 DataBufferSP GDBRemoteCommunicationClient::ReadAllRegisters(lldb::tid_t tid) { 3256 StreamString payload; 3257 payload.PutChar('g'); 3258 StringExtractorGDBRemote response; 3259 if (SendThreadSpecificPacketAndWaitForResponse( 3260 tid, std::move(payload), response, false) != PacketResult::Success || 3261 !response.IsNormalResponse()) 3262 return nullptr; 3263 3264 DataBufferSP buffer_sp( 3265 new DataBufferHeap(response.GetStringRef().size() / 2, 0)); 3266 response.GetHexBytes(buffer_sp->GetData(), '\xcc'); 3267 return buffer_sp; 3268 } 3269 3270 bool GDBRemoteCommunicationClient::WriteRegister(lldb::tid_t tid, 3271 uint32_t reg_num, 3272 llvm::ArrayRef<uint8_t> data) { 3273 StreamString payload; 3274 payload.Printf("P%x=", reg_num); 3275 payload.PutBytesAsRawHex8(data.data(), data.size(), 3276 endian::InlHostByteOrder(), 3277 endian::InlHostByteOrder()); 3278 StringExtractorGDBRemote response; 3279 return SendThreadSpecificPacketAndWaitForResponse(tid, std::move(payload), 3280 response, false) == 3281 PacketResult::Success && 3282 response.IsOKResponse(); 3283 } 3284 3285 bool GDBRemoteCommunicationClient::WriteAllRegisters( 3286 lldb::tid_t tid, llvm::ArrayRef<uint8_t> data) { 3287 StreamString payload; 3288 payload.PutChar('G'); 3289 payload.PutBytesAsRawHex8(data.data(), data.size(), 3290 endian::InlHostByteOrder(), 3291 endian::InlHostByteOrder()); 3292 StringExtractorGDBRemote response; 3293 return SendThreadSpecificPacketAndWaitForResponse(tid, std::move(payload), 3294 response, false) == 3295 PacketResult::Success && 3296 response.IsOKResponse(); 3297 } 3298 3299 bool GDBRemoteCommunicationClient::SaveRegisterState(lldb::tid_t tid, 3300 uint32_t &save_id) { 3301 save_id = 0; // Set to invalid save ID 3302 if (m_supports_QSaveRegisterState == eLazyBoolNo) 3303 return false; 3304 3305 m_supports_QSaveRegisterState = eLazyBoolYes; 3306 StreamString payload; 3307 payload.PutCString("QSaveRegisterState"); 3308 StringExtractorGDBRemote response; 3309 if (SendThreadSpecificPacketAndWaitForResponse( 3310 tid, std::move(payload), response, false) != PacketResult::Success) 3311 return false; 3312 3313 if (response.IsUnsupportedResponse()) 3314 m_supports_QSaveRegisterState = eLazyBoolNo; 3315 3316 const uint32_t response_save_id = response.GetU32(0); 3317 if (response_save_id == 0) 3318 return false; 3319 3320 save_id = response_save_id; 3321 return true; 3322 } 3323 3324 bool GDBRemoteCommunicationClient::RestoreRegisterState(lldb::tid_t tid, 3325 uint32_t save_id) { 3326 // We use the "m_supports_QSaveRegisterState" variable here because the 3327 // QSaveRegisterState and QRestoreRegisterState packets must both be 3328 // supported in order to be useful 3329 if (m_supports_QSaveRegisterState == eLazyBoolNo) 3330 return false; 3331 3332 StreamString payload; 3333 payload.Printf("QRestoreRegisterState:%u", save_id); 3334 StringExtractorGDBRemote response; 3335 if (SendThreadSpecificPacketAndWaitForResponse( 3336 tid, std::move(payload), response, false) != PacketResult::Success) 3337 return false; 3338 3339 if (response.IsOKResponse()) 3340 return true; 3341 3342 if (response.IsUnsupportedResponse()) 3343 m_supports_QSaveRegisterState = eLazyBoolNo; 3344 return false; 3345 } 3346 3347 bool GDBRemoteCommunicationClient::SyncThreadState(lldb::tid_t tid) { 3348 if (!GetSyncThreadStateSupported()) 3349 return false; 3350 3351 StreamString packet; 3352 StringExtractorGDBRemote response; 3353 packet.Printf("QSyncThreadState:%4.4" PRIx64 ";", tid); 3354 return SendPacketAndWaitForResponse(packet.GetString(), response, false) == 3355 GDBRemoteCommunication::PacketResult::Success && 3356 response.IsOKResponse(); 3357 } 3358 3359 lldb::user_id_t 3360 GDBRemoteCommunicationClient::SendStartTracePacket(const TraceOptions &options, 3361 Status &error) { 3362 Log *log(ProcessGDBRemoteLog::GetLogIfAllCategoriesSet(GDBR_LOG_PROCESS)); 3363 lldb::user_id_t ret_uid = LLDB_INVALID_UID; 3364 3365 StreamGDBRemote escaped_packet; 3366 escaped_packet.PutCString("jTraceStart:"); 3367 3368 StructuredData::Dictionary json_packet; 3369 json_packet.AddIntegerItem("type", options.getType()); 3370 json_packet.AddIntegerItem("buffersize", options.getTraceBufferSize()); 3371 json_packet.AddIntegerItem("metabuffersize", options.getMetaDataBufferSize()); 3372 3373 if (options.getThreadID() != LLDB_INVALID_THREAD_ID) 3374 json_packet.AddIntegerItem("threadid", options.getThreadID()); 3375 3376 StructuredData::DictionarySP custom_params = options.getTraceParams(); 3377 if (custom_params) 3378 json_packet.AddItem("params", custom_params); 3379 3380 StreamString json_string; 3381 json_packet.Dump(json_string, false); 3382 escaped_packet.PutEscapedBytes(json_string.GetData(), json_string.GetSize()); 3383 3384 StringExtractorGDBRemote response; 3385 if (SendPacketAndWaitForResponse(escaped_packet.GetString(), response, 3386 true) == 3387 GDBRemoteCommunication::PacketResult::Success) { 3388 if (!response.IsNormalResponse()) { 3389 error = response.GetStatus(); 3390 LLDB_LOG(log, "Target does not support Tracing , error {0}", error); 3391 } else { 3392 ret_uid = response.GetHexMaxU64(false, LLDB_INVALID_UID); 3393 } 3394 } else { 3395 LLDB_LOG(log, "failed to send packet"); 3396 error.SetErrorStringWithFormat("failed to send packet: '%s'", 3397 escaped_packet.GetData()); 3398 } 3399 return ret_uid; 3400 } 3401 3402 Status 3403 GDBRemoteCommunicationClient::SendStopTracePacket(lldb::user_id_t uid, 3404 lldb::tid_t thread_id) { 3405 Log *log(ProcessGDBRemoteLog::GetLogIfAllCategoriesSet(GDBR_LOG_PROCESS)); 3406 StringExtractorGDBRemote response; 3407 Status error; 3408 3409 StructuredData::Dictionary json_packet; 3410 StreamGDBRemote escaped_packet; 3411 StreamString json_string; 3412 escaped_packet.PutCString("jTraceStop:"); 3413 3414 json_packet.AddIntegerItem("traceid", uid); 3415 3416 if (thread_id != LLDB_INVALID_THREAD_ID) 3417 json_packet.AddIntegerItem("threadid", thread_id); 3418 3419 json_packet.Dump(json_string, false); 3420 3421 escaped_packet.PutEscapedBytes(json_string.GetData(), json_string.GetSize()); 3422 3423 if (SendPacketAndWaitForResponse(escaped_packet.GetString(), response, 3424 true) == 3425 GDBRemoteCommunication::PacketResult::Success) { 3426 if (!response.IsOKResponse()) { 3427 error = response.GetStatus(); 3428 LLDB_LOG(log, "stop tracing failed"); 3429 } 3430 } else { 3431 LLDB_LOG(log, "failed to send packet"); 3432 error.SetErrorStringWithFormat( 3433 "failed to send packet: '%s' with error '%d'", escaped_packet.GetData(), 3434 response.GetError()); 3435 } 3436 return error; 3437 } 3438 3439 Status GDBRemoteCommunicationClient::SendGetDataPacket( 3440 lldb::user_id_t uid, lldb::tid_t thread_id, 3441 llvm::MutableArrayRef<uint8_t> &buffer, size_t offset) { 3442 3443 StreamGDBRemote escaped_packet; 3444 escaped_packet.PutCString("jTraceBufferRead:"); 3445 return SendGetTraceDataPacket(escaped_packet, uid, thread_id, buffer, offset); 3446 } 3447 3448 Status GDBRemoteCommunicationClient::SendGetMetaDataPacket( 3449 lldb::user_id_t uid, lldb::tid_t thread_id, 3450 llvm::MutableArrayRef<uint8_t> &buffer, size_t offset) { 3451 3452 StreamGDBRemote escaped_packet; 3453 escaped_packet.PutCString("jTraceMetaRead:"); 3454 return SendGetTraceDataPacket(escaped_packet, uid, thread_id, buffer, offset); 3455 } 3456 3457 Status 3458 GDBRemoteCommunicationClient::SendGetTraceConfigPacket(lldb::user_id_t uid, 3459 TraceOptions &options) { 3460 Log *log(ProcessGDBRemoteLog::GetLogIfAllCategoriesSet(GDBR_LOG_PROCESS)); 3461 StringExtractorGDBRemote response; 3462 Status error; 3463 3464 StreamString json_string; 3465 StreamGDBRemote escaped_packet; 3466 escaped_packet.PutCString("jTraceConfigRead:"); 3467 3468 StructuredData::Dictionary json_packet; 3469 json_packet.AddIntegerItem("traceid", uid); 3470 3471 if (options.getThreadID() != LLDB_INVALID_THREAD_ID) 3472 json_packet.AddIntegerItem("threadid", options.getThreadID()); 3473 3474 json_packet.Dump(json_string, false); 3475 escaped_packet.PutEscapedBytes(json_string.GetData(), json_string.GetSize()); 3476 3477 if (SendPacketAndWaitForResponse(escaped_packet.GetString(), response, 3478 true) == 3479 GDBRemoteCommunication::PacketResult::Success) { 3480 if (response.IsNormalResponse()) { 3481 uint64_t type = std::numeric_limits<uint64_t>::max(); 3482 uint64_t buffersize = std::numeric_limits<uint64_t>::max(); 3483 uint64_t metabuffersize = std::numeric_limits<uint64_t>::max(); 3484 3485 auto json_object = StructuredData::ParseJSON(response.Peek()); 3486 3487 if (!json_object || 3488 json_object->GetType() != lldb::eStructuredDataTypeDictionary) { 3489 error.SetErrorString("Invalid Configuration obtained"); 3490 return error; 3491 } 3492 3493 auto json_dict = json_object->GetAsDictionary(); 3494 3495 json_dict->GetValueForKeyAsInteger<uint64_t>("metabuffersize", 3496 metabuffersize); 3497 options.setMetaDataBufferSize(metabuffersize); 3498 3499 json_dict->GetValueForKeyAsInteger<uint64_t>("buffersize", buffersize); 3500 options.setTraceBufferSize(buffersize); 3501 3502 json_dict->GetValueForKeyAsInteger<uint64_t>("type", type); 3503 options.setType(static_cast<lldb::TraceType>(type)); 3504 3505 StructuredData::ObjectSP custom_params_sp = 3506 json_dict->GetValueForKey("params"); 3507 if (custom_params_sp) { 3508 if (custom_params_sp->GetType() != 3509 lldb::eStructuredDataTypeDictionary) { 3510 error.SetErrorString("Invalid Configuration obtained"); 3511 return error; 3512 } else 3513 options.setTraceParams( 3514 std::static_pointer_cast<StructuredData::Dictionary>( 3515 custom_params_sp)); 3516 } 3517 } else { 3518 error = response.GetStatus(); 3519 } 3520 } else { 3521 LLDB_LOG(log, "failed to send packet"); 3522 error.SetErrorStringWithFormat("failed to send packet: '%s'", 3523 escaped_packet.GetData()); 3524 } 3525 return error; 3526 } 3527 3528 Status GDBRemoteCommunicationClient::SendGetTraceDataPacket( 3529 StreamGDBRemote &packet, lldb::user_id_t uid, lldb::tid_t thread_id, 3530 llvm::MutableArrayRef<uint8_t> &buffer, size_t offset) { 3531 Log *log(ProcessGDBRemoteLog::GetLogIfAllCategoriesSet(GDBR_LOG_PROCESS)); 3532 Status error; 3533 3534 StructuredData::Dictionary json_packet; 3535 3536 json_packet.AddIntegerItem("traceid", uid); 3537 json_packet.AddIntegerItem("offset", offset); 3538 json_packet.AddIntegerItem("buffersize", buffer.size()); 3539 3540 if (thread_id != LLDB_INVALID_THREAD_ID) 3541 json_packet.AddIntegerItem("threadid", thread_id); 3542 3543 StreamString json_string; 3544 json_packet.Dump(json_string, false); 3545 3546 packet.PutEscapedBytes(json_string.GetData(), json_string.GetSize()); 3547 StringExtractorGDBRemote response; 3548 if (SendPacketAndWaitForResponse(packet.GetString(), response, true) == 3549 GDBRemoteCommunication::PacketResult::Success) { 3550 if (response.IsNormalResponse()) { 3551 size_t filled_size = response.GetHexBytesAvail(buffer); 3552 buffer = llvm::MutableArrayRef<uint8_t>(buffer.data(), filled_size); 3553 } else { 3554 error = response.GetStatus(); 3555 buffer = buffer.slice(buffer.size()); 3556 } 3557 } else { 3558 LLDB_LOG(log, "failed to send packet"); 3559 error.SetErrorStringWithFormat("failed to send packet: '%s'", 3560 packet.GetData()); 3561 buffer = buffer.slice(buffer.size()); 3562 } 3563 return error; 3564 } 3565 3566 llvm::Optional<QOffsets> GDBRemoteCommunicationClient::GetQOffsets() { 3567 StringExtractorGDBRemote response; 3568 if (SendPacketAndWaitForResponse( 3569 "qOffsets", response, /*send_async=*/false) != PacketResult::Success) 3570 return llvm::None; 3571 if (!response.IsNormalResponse()) 3572 return llvm::None; 3573 3574 QOffsets result; 3575 llvm::StringRef ref = response.GetStringRef(); 3576 const auto &GetOffset = [&] { 3577 addr_t offset; 3578 if (ref.consumeInteger(16, offset)) 3579 return false; 3580 result.offsets.push_back(offset); 3581 return true; 3582 }; 3583 3584 if (ref.consume_front("Text=")) { 3585 result.segments = false; 3586 if (!GetOffset()) 3587 return llvm::None; 3588 if (!ref.consume_front(";Data=") || !GetOffset()) 3589 return llvm::None; 3590 if (ref.empty()) 3591 return result; 3592 if (ref.consume_front(";Bss=") && GetOffset() && ref.empty()) 3593 return result; 3594 } else if (ref.consume_front("TextSeg=")) { 3595 result.segments = true; 3596 if (!GetOffset()) 3597 return llvm::None; 3598 if (ref.empty()) 3599 return result; 3600 if (ref.consume_front(";DataSeg=") && GetOffset() && ref.empty()) 3601 return result; 3602 } 3603 return llvm::None; 3604 } 3605 3606 bool GDBRemoteCommunicationClient::GetModuleInfo( 3607 const FileSpec &module_file_spec, const lldb_private::ArchSpec &arch_spec, 3608 ModuleSpec &module_spec) { 3609 if (!m_supports_qModuleInfo) 3610 return false; 3611 3612 std::string module_path = module_file_spec.GetPath(false); 3613 if (module_path.empty()) 3614 return false; 3615 3616 StreamString packet; 3617 packet.PutCString("qModuleInfo:"); 3618 packet.PutStringAsRawHex8(module_path); 3619 packet.PutCString(";"); 3620 const auto &triple = arch_spec.GetTriple().getTriple(); 3621 packet.PutStringAsRawHex8(triple); 3622 3623 StringExtractorGDBRemote response; 3624 if (SendPacketAndWaitForResponse(packet.GetString(), response, false) != 3625 PacketResult::Success) 3626 return false; 3627 3628 if (response.IsErrorResponse()) 3629 return false; 3630 3631 if (response.IsUnsupportedResponse()) { 3632 m_supports_qModuleInfo = false; 3633 return false; 3634 } 3635 3636 llvm::StringRef name; 3637 llvm::StringRef value; 3638 3639 module_spec.Clear(); 3640 module_spec.GetFileSpec() = module_file_spec; 3641 3642 while (response.GetNameColonValue(name, value)) { 3643 if (name == "uuid" || name == "md5") { 3644 StringExtractor extractor(value); 3645 std::string uuid; 3646 extractor.GetHexByteString(uuid); 3647 module_spec.GetUUID().SetFromStringRef(uuid); 3648 } else if (name == "triple") { 3649 StringExtractor extractor(value); 3650 std::string triple; 3651 extractor.GetHexByteString(triple); 3652 module_spec.GetArchitecture().SetTriple(triple.c_str()); 3653 } else if (name == "file_offset") { 3654 uint64_t ival = 0; 3655 if (!value.getAsInteger(16, ival)) 3656 module_spec.SetObjectOffset(ival); 3657 } else if (name == "file_size") { 3658 uint64_t ival = 0; 3659 if (!value.getAsInteger(16, ival)) 3660 module_spec.SetObjectSize(ival); 3661 } else if (name == "file_path") { 3662 StringExtractor extractor(value); 3663 std::string path; 3664 extractor.GetHexByteString(path); 3665 module_spec.GetFileSpec() = FileSpec(path, arch_spec.GetTriple()); 3666 } 3667 } 3668 3669 return true; 3670 } 3671 3672 static llvm::Optional<ModuleSpec> 3673 ParseModuleSpec(StructuredData::Dictionary *dict) { 3674 ModuleSpec result; 3675 if (!dict) 3676 return llvm::None; 3677 3678 llvm::StringRef string; 3679 uint64_t integer; 3680 3681 if (!dict->GetValueForKeyAsString("uuid", string)) 3682 return llvm::None; 3683 if (!result.GetUUID().SetFromStringRef(string)) 3684 return llvm::None; 3685 3686 if (!dict->GetValueForKeyAsInteger("file_offset", integer)) 3687 return llvm::None; 3688 result.SetObjectOffset(integer); 3689 3690 if (!dict->GetValueForKeyAsInteger("file_size", integer)) 3691 return llvm::None; 3692 result.SetObjectSize(integer); 3693 3694 if (!dict->GetValueForKeyAsString("triple", string)) 3695 return llvm::None; 3696 result.GetArchitecture().SetTriple(string); 3697 3698 if (!dict->GetValueForKeyAsString("file_path", string)) 3699 return llvm::None; 3700 result.GetFileSpec() = FileSpec(string, result.GetArchitecture().GetTriple()); 3701 3702 return result; 3703 } 3704 3705 llvm::Optional<std::vector<ModuleSpec>> 3706 GDBRemoteCommunicationClient::GetModulesInfo( 3707 llvm::ArrayRef<FileSpec> module_file_specs, const llvm::Triple &triple) { 3708 namespace json = llvm::json; 3709 3710 if (!m_supports_jModulesInfo) 3711 return llvm::None; 3712 3713 json::Array module_array; 3714 for (const FileSpec &module_file_spec : module_file_specs) { 3715 module_array.push_back( 3716 json::Object{{"file", module_file_spec.GetPath(false)}, 3717 {"triple", triple.getTriple()}}); 3718 } 3719 StreamString unescaped_payload; 3720 unescaped_payload.PutCString("jModulesInfo:"); 3721 unescaped_payload.AsRawOstream() << std::move(module_array); 3722 3723 StreamGDBRemote payload; 3724 payload.PutEscapedBytes(unescaped_payload.GetString().data(), 3725 unescaped_payload.GetSize()); 3726 3727 // Increase the timeout for jModulesInfo since this packet can take longer. 3728 ScopedTimeout timeout(*this, std::chrono::seconds(10)); 3729 3730 StringExtractorGDBRemote response; 3731 if (SendPacketAndWaitForResponse(payload.GetString(), response, false) != 3732 PacketResult::Success || 3733 response.IsErrorResponse()) 3734 return llvm::None; 3735 3736 if (response.IsUnsupportedResponse()) { 3737 m_supports_jModulesInfo = false; 3738 return llvm::None; 3739 } 3740 3741 StructuredData::ObjectSP response_object_sp = 3742 StructuredData::ParseJSON(std::string(response.GetStringRef())); 3743 if (!response_object_sp) 3744 return llvm::None; 3745 3746 StructuredData::Array *response_array = response_object_sp->GetAsArray(); 3747 if (!response_array) 3748 return llvm::None; 3749 3750 std::vector<ModuleSpec> result; 3751 for (size_t i = 0; i < response_array->GetSize(); ++i) { 3752 if (llvm::Optional<ModuleSpec> module_spec = ParseModuleSpec( 3753 response_array->GetItemAtIndex(i)->GetAsDictionary())) 3754 result.push_back(*module_spec); 3755 } 3756 3757 return result; 3758 } 3759 3760 // query the target remote for extended information using the qXfer packet 3761 // 3762 // example: object='features', annex='target.xml', out=<xml output> return: 3763 // 'true' on success 3764 // 'false' on failure (err set) 3765 bool GDBRemoteCommunicationClient::ReadExtFeature( 3766 const lldb_private::ConstString object, 3767 const lldb_private::ConstString annex, std::string &out, 3768 lldb_private::Status &err) { 3769 3770 std::stringstream output; 3771 StringExtractorGDBRemote chunk; 3772 3773 uint64_t size = GetRemoteMaxPacketSize(); 3774 if (size == 0) 3775 size = 0x1000; 3776 size = size - 1; // Leave space for the 'm' or 'l' character in the response 3777 int offset = 0; 3778 bool active = true; 3779 3780 // loop until all data has been read 3781 while (active) { 3782 3783 // send query extended feature packet 3784 std::stringstream packet; 3785 packet << "qXfer:" << object.AsCString("") 3786 << ":read:" << annex.AsCString("") << ":" << std::hex << offset 3787 << "," << std::hex << size; 3788 3789 GDBRemoteCommunication::PacketResult res = 3790 SendPacketAndWaitForResponse(packet.str(), chunk, false); 3791 3792 if (res != GDBRemoteCommunication::PacketResult::Success) { 3793 err.SetErrorString("Error sending $qXfer packet"); 3794 return false; 3795 } 3796 3797 const std::string &str = std::string(chunk.GetStringRef()); 3798 if (str.length() == 0) { 3799 // should have some data in chunk 3800 err.SetErrorString("Empty response from $qXfer packet"); 3801 return false; 3802 } 3803 3804 // check packet code 3805 switch (str[0]) { 3806 // last chunk 3807 case ('l'): 3808 active = false; 3809 LLVM_FALLTHROUGH; 3810 3811 // more chunks 3812 case ('m'): 3813 if (str.length() > 1) 3814 output << &str[1]; 3815 offset += str.length() - 1; 3816 break; 3817 3818 // unknown chunk 3819 default: 3820 err.SetErrorString("Invalid continuation code from $qXfer packet"); 3821 return false; 3822 } 3823 } 3824 3825 out = output.str(); 3826 err.Success(); 3827 return true; 3828 } 3829 3830 // Notify the target that gdb is prepared to serve symbol lookup requests. 3831 // packet: "qSymbol::" 3832 // reply: 3833 // OK The target does not need to look up any (more) symbols. 3834 // qSymbol:<sym_name> The target requests the value of symbol sym_name (hex 3835 // encoded). 3836 // LLDB may provide the value by sending another qSymbol 3837 // packet 3838 // in the form of"qSymbol:<sym_value>:<sym_name>". 3839 // 3840 // Three examples: 3841 // 3842 // lldb sends: qSymbol:: 3843 // lldb receives: OK 3844 // Remote gdb stub does not need to know the addresses of any symbols, lldb 3845 // does not 3846 // need to ask again in this session. 3847 // 3848 // lldb sends: qSymbol:: 3849 // lldb receives: qSymbol:64697370617463685f71756575655f6f666673657473 3850 // lldb sends: qSymbol::64697370617463685f71756575655f6f666673657473 3851 // lldb receives: OK 3852 // Remote gdb stub asks for address of 'dispatch_queue_offsets'. lldb does 3853 // not know 3854 // the address at this time. lldb needs to send qSymbol:: again when it has 3855 // more 3856 // solibs loaded. 3857 // 3858 // lldb sends: qSymbol:: 3859 // lldb receives: qSymbol:64697370617463685f71756575655f6f666673657473 3860 // lldb sends: qSymbol:2bc97554:64697370617463685f71756575655f6f666673657473 3861 // lldb receives: OK 3862 // Remote gdb stub asks for address of 'dispatch_queue_offsets'. lldb says 3863 // that it 3864 // is at address 0x2bc97554. Remote gdb stub sends 'OK' indicating that it 3865 // does not 3866 // need any more symbols. lldb does not need to ask again in this session. 3867 3868 void GDBRemoteCommunicationClient::ServeSymbolLookups( 3869 lldb_private::Process *process) { 3870 // Set to true once we've resolved a symbol to an address for the remote 3871 // stub. If we get an 'OK' response after this, the remote stub doesn't need 3872 // any more symbols and we can stop asking. 3873 bool symbol_response_provided = false; 3874 3875 // Is this the initial qSymbol:: packet? 3876 bool first_qsymbol_query = true; 3877 3878 if (m_supports_qSymbol && !m_qSymbol_requests_done) { 3879 Lock lock(*this, false); 3880 if (lock) { 3881 StreamString packet; 3882 packet.PutCString("qSymbol::"); 3883 StringExtractorGDBRemote response; 3884 while (SendPacketAndWaitForResponseNoLock(packet.GetString(), response) == 3885 PacketResult::Success) { 3886 if (response.IsOKResponse()) { 3887 if (symbol_response_provided || first_qsymbol_query) { 3888 m_qSymbol_requests_done = true; 3889 } 3890 3891 // We are done serving symbols requests 3892 return; 3893 } 3894 first_qsymbol_query = false; 3895 3896 if (response.IsUnsupportedResponse()) { 3897 // qSymbol is not supported by the current GDB server we are 3898 // connected to 3899 m_supports_qSymbol = false; 3900 return; 3901 } else { 3902 llvm::StringRef response_str(response.GetStringRef()); 3903 if (response_str.startswith("qSymbol:")) { 3904 response.SetFilePos(strlen("qSymbol:")); 3905 std::string symbol_name; 3906 if (response.GetHexByteString(symbol_name)) { 3907 if (symbol_name.empty()) 3908 return; 3909 3910 addr_t symbol_load_addr = LLDB_INVALID_ADDRESS; 3911 lldb_private::SymbolContextList sc_list; 3912 process->GetTarget().GetImages().FindSymbolsWithNameAndType( 3913 ConstString(symbol_name), eSymbolTypeAny, sc_list); 3914 if (!sc_list.IsEmpty()) { 3915 const size_t num_scs = sc_list.GetSize(); 3916 for (size_t sc_idx = 0; 3917 sc_idx < num_scs && 3918 symbol_load_addr == LLDB_INVALID_ADDRESS; 3919 ++sc_idx) { 3920 SymbolContext sc; 3921 if (sc_list.GetContextAtIndex(sc_idx, sc)) { 3922 if (sc.symbol) { 3923 switch (sc.symbol->GetType()) { 3924 case eSymbolTypeInvalid: 3925 case eSymbolTypeAbsolute: 3926 case eSymbolTypeUndefined: 3927 case eSymbolTypeSourceFile: 3928 case eSymbolTypeHeaderFile: 3929 case eSymbolTypeObjectFile: 3930 case eSymbolTypeCommonBlock: 3931 case eSymbolTypeBlock: 3932 case eSymbolTypeLocal: 3933 case eSymbolTypeParam: 3934 case eSymbolTypeVariable: 3935 case eSymbolTypeVariableType: 3936 case eSymbolTypeLineEntry: 3937 case eSymbolTypeLineHeader: 3938 case eSymbolTypeScopeBegin: 3939 case eSymbolTypeScopeEnd: 3940 case eSymbolTypeAdditional: 3941 case eSymbolTypeCompiler: 3942 case eSymbolTypeInstrumentation: 3943 case eSymbolTypeTrampoline: 3944 break; 3945 3946 case eSymbolTypeCode: 3947 case eSymbolTypeResolver: 3948 case eSymbolTypeData: 3949 case eSymbolTypeRuntime: 3950 case eSymbolTypeException: 3951 case eSymbolTypeObjCClass: 3952 case eSymbolTypeObjCMetaClass: 3953 case eSymbolTypeObjCIVar: 3954 case eSymbolTypeReExported: 3955 symbol_load_addr = 3956 sc.symbol->GetLoadAddress(&process->GetTarget()); 3957 break; 3958 } 3959 } 3960 } 3961 } 3962 } 3963 // This is the normal path where our symbol lookup was successful 3964 // and we want to send a packet with the new symbol value and see 3965 // if another lookup needs to be done. 3966 3967 // Change "packet" to contain the requested symbol value and name 3968 packet.Clear(); 3969 packet.PutCString("qSymbol:"); 3970 if (symbol_load_addr != LLDB_INVALID_ADDRESS) { 3971 packet.Printf("%" PRIx64, symbol_load_addr); 3972 symbol_response_provided = true; 3973 } else { 3974 symbol_response_provided = false; 3975 } 3976 packet.PutCString(":"); 3977 packet.PutBytesAsRawHex8(symbol_name.data(), symbol_name.size()); 3978 continue; // go back to the while loop and send "packet" and wait 3979 // for another response 3980 } 3981 } 3982 } 3983 } 3984 // If we make it here, the symbol request packet response wasn't valid or 3985 // our symbol lookup failed so we must abort 3986 return; 3987 3988 } else if (Log *log = ProcessGDBRemoteLog::GetLogIfAnyCategoryIsSet( 3989 GDBR_LOG_PROCESS | GDBR_LOG_PACKETS)) { 3990 LLDB_LOGF(log, 3991 "GDBRemoteCommunicationClient::%s: Didn't get sequence mutex.", 3992 __FUNCTION__); 3993 } 3994 } 3995 } 3996 3997 StructuredData::Array * 3998 GDBRemoteCommunicationClient::GetSupportedStructuredDataPlugins() { 3999 if (!m_supported_async_json_packets_is_valid) { 4000 // Query the server for the array of supported asynchronous JSON packets. 4001 m_supported_async_json_packets_is_valid = true; 4002 4003 Log *log(ProcessGDBRemoteLog::GetLogIfAllCategoriesSet(GDBR_LOG_PROCESS)); 4004 4005 // Poll it now. 4006 StringExtractorGDBRemote response; 4007 const bool send_async = false; 4008 if (SendPacketAndWaitForResponse("qStructuredDataPlugins", response, 4009 send_async) == PacketResult::Success) { 4010 m_supported_async_json_packets_sp = 4011 StructuredData::ParseJSON(std::string(response.GetStringRef())); 4012 if (m_supported_async_json_packets_sp && 4013 !m_supported_async_json_packets_sp->GetAsArray()) { 4014 // We were returned something other than a JSON array. This is 4015 // invalid. Clear it out. 4016 LLDB_LOGF(log, 4017 "GDBRemoteCommunicationClient::%s(): " 4018 "QSupportedAsyncJSONPackets returned invalid " 4019 "result: %s", 4020 __FUNCTION__, response.GetStringRef().data()); 4021 m_supported_async_json_packets_sp.reset(); 4022 } 4023 } else { 4024 LLDB_LOGF(log, 4025 "GDBRemoteCommunicationClient::%s(): " 4026 "QSupportedAsyncJSONPackets unsupported", 4027 __FUNCTION__); 4028 } 4029 4030 if (log && m_supported_async_json_packets_sp) { 4031 StreamString stream; 4032 m_supported_async_json_packets_sp->Dump(stream); 4033 LLDB_LOGF(log, 4034 "GDBRemoteCommunicationClient::%s(): supported async " 4035 "JSON packets: %s", 4036 __FUNCTION__, stream.GetData()); 4037 } 4038 } 4039 4040 return m_supported_async_json_packets_sp 4041 ? m_supported_async_json_packets_sp->GetAsArray() 4042 : nullptr; 4043 } 4044 4045 Status GDBRemoteCommunicationClient::SendSignalsToIgnore( 4046 llvm::ArrayRef<int32_t> signals) { 4047 // Format packet: 4048 // QPassSignals:<hex_sig1>;<hex_sig2>...;<hex_sigN> 4049 auto range = llvm::make_range(signals.begin(), signals.end()); 4050 std::string packet = formatv("QPassSignals:{0:$[;]@(x-2)}", range).str(); 4051 4052 StringExtractorGDBRemote response; 4053 auto send_status = SendPacketAndWaitForResponse(packet, response, false); 4054 4055 if (send_status != GDBRemoteCommunication::PacketResult::Success) 4056 return Status("Sending QPassSignals packet failed"); 4057 4058 if (response.IsOKResponse()) { 4059 return Status(); 4060 } else { 4061 return Status("Unknown error happened during sending QPassSignals packet."); 4062 } 4063 } 4064 4065 Status GDBRemoteCommunicationClient::ConfigureRemoteStructuredData( 4066 ConstString type_name, const StructuredData::ObjectSP &config_sp) { 4067 Status error; 4068 4069 if (type_name.GetLength() == 0) { 4070 error.SetErrorString("invalid type_name argument"); 4071 return error; 4072 } 4073 4074 // Build command: Configure{type_name}: serialized config data. 4075 StreamGDBRemote stream; 4076 stream.PutCString("QConfigure"); 4077 stream.PutCString(type_name.GetStringRef()); 4078 stream.PutChar(':'); 4079 if (config_sp) { 4080 // Gather the plain-text version of the configuration data. 4081 StreamString unescaped_stream; 4082 config_sp->Dump(unescaped_stream); 4083 unescaped_stream.Flush(); 4084 4085 // Add it to the stream in escaped fashion. 4086 stream.PutEscapedBytes(unescaped_stream.GetString().data(), 4087 unescaped_stream.GetSize()); 4088 } 4089 stream.Flush(); 4090 4091 // Send the packet. 4092 const bool send_async = false; 4093 StringExtractorGDBRemote response; 4094 auto result = 4095 SendPacketAndWaitForResponse(stream.GetString(), response, send_async); 4096 if (result == PacketResult::Success) { 4097 // We failed if the config result comes back other than OK. 4098 if (strcmp(response.GetStringRef().data(), "OK") == 0) { 4099 // Okay! 4100 error.Clear(); 4101 } else { 4102 error.SetErrorStringWithFormat("configuring StructuredData feature " 4103 "%s failed with error %s", 4104 type_name.AsCString(), 4105 response.GetStringRef().data()); 4106 } 4107 } else { 4108 // Can we get more data here on the failure? 4109 error.SetErrorStringWithFormat("configuring StructuredData feature %s " 4110 "failed when sending packet: " 4111 "PacketResult=%d", 4112 type_name.AsCString(), (int)result); 4113 } 4114 return error; 4115 } 4116 4117 void GDBRemoteCommunicationClient::OnRunPacketSent(bool first) { 4118 GDBRemoteClientBase::OnRunPacketSent(first); 4119 m_curr_tid = LLDB_INVALID_THREAD_ID; 4120 } 4121