我正在创建一个简单的kdb +共享库,它在单独的线程上生成值,并在数据就绪时执行回调函数。应用程序将数据写入新线程中的文件描述符,并在主事件循环中从中读取数据。在尝试锁定和解锁互斥锁时,应用程序似乎是segfaulting。
如果我在循环中引入一个小睡眠,则段错误似乎消失了。这表明pthread_mutex_lock
调用没有阻塞线程,直到获得锁定为止。
#include <k.h>
#include <pthread.h>
#include <time.h>
#define PIPE_CAPACITY 65536
static int fd;
static pthread_t thread;
static pthread_mutex_t lock;
K callback(int d)
{
K data;
// Aquire mutex lock and read from fd
pthread_mutex_lock(&lock);
read(d, &data, PIPE_CAPACITY);
pthread_mutex_unlock(&lock);
// kdb+ callback
k(0, (char *)"callback", r1(data), (K)0);
return (K)0;
}
void* loop()
{
while (1) {
struct timespec ts;
struct tm *time;
// Get seconds and nanoseconds since epoch
clock_gettime(CLOCK_REALTIME, &ts);
// Adjust for kdb+
time = gmtime(&ts.tv_sec);
time->tm_sec = 0;
time->tm_min = 0;
time->tm_hour = 0;
ts.tv_sec -= mktime(time); // Subtract seconds between epoch and midnight
// Create kdb+ timestamp
K data = ktj(-KN, ts.tv_sec * 1000000000 + ts.tv_nsec);
// Aquire mutex lock and write to fd
pthread_mutex_lock(&lock);
write(fd, &data, sizeof(K));
pthread_mutex_unlock(&lock);
}
}
K init()
{
// Initialize mutex
pthread_mutex_init(&lock, NULL);
// Create file descriptor
fd = eventfd(0, 0);
// Register callback
sd1(fd, callback);
// Launch thread
pthread_create(&thread, NULL, loop, NULL);
}
答案 0 :(得分:4)
回想一下K是k.h中定义的指针类型:
typedef struct k0{..}*K;
这意味着您正在发送指向在&#34;循环&#34;中创建的对象的指针。线程到主线程中执行的回调。这不起作用,因为kdb +为每个线程使用单独的内存拉取。我建议改为传递数据副本。
另一个问题是在
行read(d, &data, PIPE_CAPACITY);
您正在读取65536个字节,但是将8字节变量的地址作为目标传递。在引入延迟时你没有得到段错误的原因是在这种情况下循环没有机会在读取之间写入超过8个字节。
最后,我不确定您是否可以将eventfd返回的文件描述符用作读写缓冲区。我建议使用旧的pipe()调用。
以下修改代码对我有用:
#include <k.h>
#include <pthread.h>
#include <time.h>
#include <unistd.h>
static int fd[2];
static pthread_t thread;
static pthread_mutex_t lock;
K callback(int d)
{
K data = ktj(-KN, 0);
// Aquire mutex lock and read from fd
pthread_mutex_lock(&lock);
read(d, (void *)&data->j, sizeof(data->j));
pthread_mutex_unlock(&lock);
// kdb+ callback
k(0, (char *)"callback", data, (K)0);
return (K)0;
}
void* loop()
{
while (1) {
struct timespec ts;
struct tm *time;
// Get seconds and nanoseconds since epoch
clock_gettime(CLOCK_REALTIME, &ts);
// Adjust for kdb+
time = gmtime(&ts.tv_sec);
time->tm_sec = 0;
time->tm_min = 0;
time->tm_hour = 0;
ts.tv_sec -= mktime(time); // Subtract seconds between epoch and midnight
// Create kdb+ timestamp
J data = (J)ts.tv_sec * 1000000000 + ts.tv_nsec;
// Aquire mutex lock and write to fd
pthread_mutex_lock(&lock);
write(fd[1], &data, sizeof(data));
pthread_mutex_unlock(&lock);
}
}
K1(init)
{
// Initialize mutex
pthread_mutex_init(&lock, NULL);
// Create file descriptor
pipe(fd);
// Register callback
sd1(fd[0], callback);
// Launch thread
pthread_create(&thread, NULL, loop, NULL);
R ktj(0, 0);
}
要测试,请在x.c中复制上面的代码,编译
$ gcc -Wall -shared -fPIC -I $(pwd) -DKXVER=3 x.c -o x.so
并运行以下q代码:
callback:0N!
init:`:./x 2:(`init;1)
init[]