Kernel Source片段 -- 协议处理函数的组织

kernel version:2.6.32.61

在netif_receive_skb函数中会根据在驱动driver中设置的skb->protocol值,调用相应的协议处理函数。
在内核中协议处理函数主要存储在ptype_base和ptype_all两个结构中。

这两个结构定义如下;

net/core/dev.c

 167 #define PTYPE_HASH_SIZE (16)
 168 #define PTYPE_HASH_MASK (PTYPE_HASH_SIZE - 1)
 169 
 170 static DEFINE_SPINLOCK(ptype_lock);
 171 static struct list_head ptype_base[PTYPE_HASH_SIZE] __read_mostly;
 172 static struct list_head ptype_all __read_mostly;        /* Taps 

ptype_base是hash表,ptype_all是链表。元素如下:
include/linux/netdevice.h


1053 struct packet_type {
1054         __be16                  type;   /* This is really htons(ether_type). */
1055         struct net_device       *dev;   /* NULL is wildcarded here           */
1056         int                     (*func) (struct sk_buff *,
1057                                          struct net_device *,
1058                                          struct packet_type *,
1059                                          struct net_device *);
1060         struct sk_buff          *(*gso_segment)(struct sk_buff *skb,
1061                                                 int features);
1062         int                     (*gso_send_check)(struct sk_buff *skb);
1063         struct sk_buff          **(*gro_receive)(struct sk_buff **head,
1064                                                struct sk_buff *skb);
1065         int                     (*gro_complete)(struct sk_buff *skb);
1066         void                    *af_packet_priv;
1067         struct list_head        list;
1068 };

添加/删除协议的函数是dev_add_pack/dev_remove_pack, 只要看下面的代码就能很清楚的看到这两张表是如何组织的。
当type为ETH_P_ALL时,就加入ptype_all表,否则就加入ptype_base表。
net/core/dev.c

 371 void dev_add_pack(struct packet_type *pt)
 372 {
 373         int hash;
 374 
 375         spin_lock_bh(&ptype_lock);
 376         if (pt->type == htons(ETH_P_ALL))
 377                 list_add_rcu(&pt->list, &ptype_all);
 378         else {
 379                 hash = ntohs(pt->type) & PTYPE_HASH_MASK;
 380                 list_add_rcu(&pt->list, &ptype_base[hash]);
 381         }
 382         spin_unlock_bh(&ptype_lock);
 383 }


你可能感兴趣的:(kernel,协议处理函数)