#include <stdio.h>
#include <stdlib.h>
#define __USE_GNU
#include <sched.h>
#include <errno.h>
#include <unistd.h>
#include <pthread.h>
#define print_error_then_terminate(en, msg) \
do
{
errno
= en;
perror
(msg);
exit
(EXIT_FAILURE); }
while
(0)
#define print_perror_then_terminate(msg) \
do
{
perror
(msg);
exit
(EXIT_FAILURE); }
while
(0)
struct
thread_info {
pthread_t thread_id;
int
core_id;
};
#define SUCCESS_MSG "Successfully set thread %lu to affinity to CPU %d\n"
#define FAILURE_MSG "Failed to set thread %lu to affinity to CPU %d\n"
void
* thread_camper(
void
*arg) {
struct
thread_info *thread_info = arg;
const
pthread_t pid = pthread_self();
const
int
core_id = thread_info->core_id;
cpu_set_t cpuset;
CPU_ZERO(&cpuset);
CPU_SET(core_id, &cpuset);
const
int
set_result = pthread_setaffinity_np(pid,
sizeof
(cpu_set_t), &cpuset);
if
(set_result != 0) {
print_error_then_terminate(set_result,
"pthread_setaffinity_np"
);
}
const
int
get_affinity = pthread_getaffinity_np(pid,
sizeof
(cpu_set_t), &cpuset);
if
(get_affinity != 0) {
print_error_then_terminate(get_affinity,
"pthread_getaffinity_np"
);
}
char
*buffer;
if
(CPU_ISSET(core_id, &cpuset)) {
const
size_t
needed = snprintf(NULL, 0, SUCCESS_MSG, pid, core_id);
buffer =
malloc
(needed);
snprintf(buffer, needed, SUCCESS_MSG, pid, core_id);
}
else
{
const
size_t
needed = snprintf(NULL, 0, FAILURE_MSG, pid, core_id);
buffer =
malloc
(needed);
snprintf(buffer, needed, FAILURE_MSG, pid, core_id);
}
return
buffer;
}
int
main(
int
argc,
char
*argv[]) {
pthread_attr_t attr;
const
int
attr_init_result = pthread_attr_init(&attr);
if
(attr_init_result != 0) {
print_error_then_terminate(attr_init_result,
"pthread_attr_init"
);
}
const
int
stack_size = 0x100000;
const
int
setstacksize_result = pthread_attr_setstacksize(&attr, stack_size);
if
(setstacksize_result != 0) {
print_error_then_terminate(setstacksize_result,
"pthread_attr_setstacksize"
);
}
const
int
num_threads = 4;
struct
thread_info *thread_info =
calloc
(num_threads,
sizeof
(
struct
thread_info));
if
(thread_info == NULL) {
print_perror_then_terminate(
"calloc"
);
}
int
tnum;
for
(tnum = 0; tnum < num_threads; tnum++) {
thread_info[tnum].core_id = tnum;
const
int
create_result = pthread_create(&thread_info[tnum].thread_id, &attr, &thread_camper, &thread_info[tnum]);
if
(create_result != 0) {
print_error_then_terminate(create_result,
"pthread_create"
);
}
}
const
int
destroy_result = pthread_attr_destroy(&attr);
if
(destroy_result != 0) {
print_error_then_terminate(destroy_result,
"pthread_attr_destroy"
);
}
for
(tnum = 0; tnum < num_threads; tnum++) {
void
*res;
const
int
join_result = pthread_join(thread_info[tnum].thread_id, &res);
if
(join_result != 0) {
print_error_then_terminate(join_result,
"pthread_join"
);
}
printf
(
"Joined with thread %d; returned value was %s\n"
, thread_info[tnum].core_id, (
char
*) res);
free
(res);
}
free
(thread_info);
return
0;
}