6

因为我想用libpcap和一个小的 C 程序做一些测试,所以我试图将一个结构从 main() 传递给 got_packet()。在阅读了 libpcap 教程后,我发现了这个:

pcap_loop() 的原型如下:

int pcap_loop(pcap_t *p, int cnt, pcap_handler callback, u_char *user)

最后一个参数在某些应用程序中很有用,但很多时候只是简单地设置为 NULL。假设除了 pcap_loop() 发送的参数之外,我们还有自己希望发送给回调函数的参数。这就是我们这样做的地方。显然,您必须将类型转换为 u_char 指针以确保结果正确;正如我们稍后将看到的,pcap 使用一些非常有趣的方法以 u_char 指针的形式传递信息。

所以根据这个,可以使用 pcap_loop() 的参数号 4 在 got_packet() 中发送结构。但是在尝试之后,我得到了一个错误。

这是我的(错误的)代码:

int main(int argc, char **argv)
{
 /* some line of code, not important */

 /* def. of the structure: */
 typedef struct _configuration Configuration;
 struct _configuration {
   int id;
   char title[255];
 };

 /* init. of the structure: */
 Configuration conf[2] = {
   {0, "foo"},
   {1, "bar"}};

 /* use pcap_loop with got_packet callback: */
 pcap_loop(handle, num_packets, got_packet, &conf);
}

void got_packet(u_char *args, const struct pcap_pkthdr *header, const u_char *packet)
{
 /* this line don't work: */
 printf("test: %d\n", *args[0]->id);
}

经过一些测试后,我得到了这种错误:

gcc -c got_packet.c -o got_packet.o
got_packet.c: In function ‘got_packet’:
got_packet.c:25: error: invalid type argument of ‘->’

您是否看到我如何编辑此代码以便在 got_packet() 函数中传递conf(配置结构数组)?

非常感谢您的帮助。

问候

4

3 回答 3

5

我重写了你的代码,现在编译没有任何错误:

#include <pcap.h> 

typedef struct {
  int id;
  char title[255];
} Configuration;

void got_packet( Configuration args[], const struct pcap_pkthdr *header, const u_char *packet){
  (void)header, (void)packet;
  printf("test: %d\n", args[0].id);
}

int main(void){
  Configuration conf[2] = {
    {0, "foo"},
    {1, "bar"}};

  pcap_loop(NULL, 0, (pcap_handler)got_packet, (u_char*)conf);
}
于 2009-11-14T15:48:50.637 回答
2

您需要在 main() 之外定义结构并在 got_packet() 中转换参数,例如

Configuration *conf = (Configuration *) args;
printf ("test: %d\n", conf[0].id);
于 2009-11-14T15:31:23.417 回答
1

编译上面的代码。

安装 libpcap --> sudo apt-get install libpcap0.8-dev

然后 --> gcc got_packet.c -lpcap -o got_packet.o

于 2011-08-03T13:38:17.253 回答