static char *TCPCommand; static pthread_mutex_t mutex = PTHREAD_MUTEX_INITIALIZER; int SetUpTCPtoSendInformation(char option[], char *command) { pthread_mutex_lock(&mutex); // 加锁 if (strstr(option, "set")) { TCPCommand = malloc(strlen(command) + 1); if (TCPCommand == NULL) { CON_LOG("Failed to set and obtain TCP command variable memory allocation"); goto fail; } strcpy(TCPCommand, command); goto succeed; } else if (strstr(option, "get") && TCPCommand != NULL && strlen(TCPCommand)) { strcpy(command, TCPCommand); memset(TCPCommand, '\0', strlen(TCPCommand)); free(TCPCommand); pthread_mutex_unlock(&mutex); // 解锁 goto succeed; } memset(command, 0, sizeof(command)); strcpy(command, ""); fail: pthread_mutex_unlock(&mutex); // 解锁 return 0; succeed: pthread_mutex_unlock(&mutex); // 解锁 return 1; }
时间: 2024-04-09 13:32:03 浏览: 35
pthread_cond_wait() 用法深入分析
在给定的代码中,锁的使用是正确的。使用 `goto` 语句是为了避免在不同的分支中重复写解锁代码。无论是 `fail` 还是 `succeed` 的标签,都会在相应的位置执行解锁操作。
在 `fail` 标签处,如果内存分配失败,则会执行解锁操作并返回 0,表示设置TCP命令失败。
在 `succeed` 标签处,如果是获取TCP命令并且成功获取到了命令,则会执行解锁操作并返回 1,表示设置TCP命令成功。
需要注意的是,在 `get` 分支中,使用了 `free(TCPCommand)` 来释放内存。这意味着在获取TCP命令后,需要确保在使用完命令后进行内存的释放操作。
总体而言,给定的代码使用互斥锁来确保对共享资源的访问是线程安全的,并且通过 `goto` 语句来简化代码并避免重复解锁的问题。
阅读全文