当前位置: C语言 -- 标准库 -- <threads.h> -- tss_delete

tss_delete函数


概要:
#include <threads.h>
void tss_delete(tss_t key);

描述:

该函数释放参数key标识的线程专属存储使用的资源。该函数只能在调用线程执行析构函数前,使用tss_create函数创建的key值作为其参数。

如果一个线程正在执行析构函数,另一个线程调用tss_delete函数,这是否会影响该线程上与参数key相关联的析构函数的调用次数,ISO/IEC 9899:2018标准未作明确规定。

调用tss_delete函数不会导致任何析构函数的调用。


参数:
tss_t key

tss_t类型标识符。


返回值:

无。


范例:
1 
2 
3 
4 
5 
6 
7 
8 
9 
10 
11 
12 
13 
14 
15 
16 
17 
18 
19 
20 
21 
22 
23 
24 
25 
26 
27 
28 
29 
30 
31 
32 
33 
34 
35 
36 
37 
38 
39 
40 
41 
42 
43 
44 
45 
46 
47 
48 
49 
50 
51 
52 
53 
54 
55 
56 
57 
58 
59 
60 
61 
62 
63 
64 
65 
66 
67 
/*函数tss_delete范例*/

#ifdef __STDC_NO_THREADS__
#error "Implementation does not support multi-threads."
#endif

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <threads.h>

#define THREADS 3       //线程数。

tss_t key;

/*定义析构函数。*/
void destructor(void *arg)
{
    free(arg);
}

/*新线程中执行的函数。*/
int func(void *arg)
{
    char *ptr = (char *)arg;
    size_t size = strlen(ptr) + 1;
    tss_set(key, malloc(size));
    strcpy((char *)tss_get(key), ptr);
    printf("%s\n", (char *)tss_get(key));
    
    thrd_exit(0);
}

int main(void)
{
    thrd_t threadId[THREADS];
    char *str[THREADS] = {"Be slow to promise and quick to perform.",       \
                          "Better an empty purse than an empty head.",       \
                          "Birds of a feather flock together."};

    /*创建线程专属存储指针。*/
    if(tss_create(&key, destructor) != thrd_success)
    {
        perror("tss_create");
        exit(EXIT_FAILURE);
    }

    /*创建线程。*/
    for(int i=0; i<THREADS; ++i)
    {
        if(thrd_create(&threadId[i], func, str[i]) != thrd_success)
        {
            perror("thrd_create");
            exit(EXIT_FAILURE);
        }
    }

    /*连接线程。*/
    for(int i=0; i<THREADS; ++i)
        thrd_join(threadId[i], NULL);

    /*释放线程专属存储所用资源。*/
    tss_delete(key);
    
    return 0;
}


输出:

Be slow to promise and quick to perform.

Better an empty purse than an empty head.

Birds of a feather flock together.

注:使用Pelles C编译。


相关内容:
tss_set 设置线程专属存储的函数。
tss_get 获取线程专属存储的函数。
tss_create 创建线程专属存储指针的函数。