AODV链表

ns2中的链表定义在ns\lib\bsd-list.h下面,下面看一下里面的代码:

#define LIST_HEAD(name, type)						\
struct name {								\
	type *lh_first;	/* first element */			\
}

定义了一个结构体name和一个type类型的*lh_first指针,指向结构体的头。name是链表的名字,元素类型必须是type类型。

#define LIST_ENTRY(type)						\
struct {								\
	type *le_next;	/* next element */			\
	type **le_prev;	/* address of previous next element */	\
}

定义了两个type类型的指针,*le_next表示链表的下一个元素,**le_prev表示之前下一个元素的地址。这个结构体入口处只给了元素是type类型,并未给出结构体的名字,这在之后会介绍到。

下面是关于链表的一些具体操作

#define	LIST_INIT(head) {	\//	这个操作是将链表初始为空。
#define LIST_INSERT_AFTER(listelm, elm, field) {\
//这个操作实际是将elm插入到listelm后。
#define LIST_INSERT_BEFORE(listelm, elm, field) 		\
//功能时将elm插入到listelm前面

#define LIST_INSERT_HEAD(head, elm, field)
//功能时将elm插入到表头
#define LIST_REMOVE(elm, field)
//功能时将elm除去

下面来看看AODV前缀列表这个链表:

class AODV_Precursor {
        friend class AODV;
        friend class aodv_rt_entry;
 public:
        AODV_Precursor(u_int32_t a) { pc_addr = a; }

 protected:
        LIST_ENTRY(AODV_Precursor) pc_link;
        nsaddr_t        pc_addr;	// precursor address
};

LIST_HEAD(aodv_precursors, AODV_Precursor);

LIST_HEAD中,aodv_precursors表示结构体的名字,AODV_Precursor表示结构体中的指针变量。在LIST_ENTRY中,AODV_Precursor表示指针变量,pc_link表示指针结构体的名字,因为在LIST_ENTRY中没有定义结构体变量的名字,上面的field域就是指的pc_link。接下来看一下前缀链表的操作。


AODV_Precursor*
aodv_rt_entry::pc_lookup(nsaddr_t id)
{
AODV_Precursor *pc = rt_pclist.lh_first;
 for(; pc; pc = pc->pc_link.le_next) {
   if(pc->pc_addr == id)
   	return pc;
 }
 return NULL;
}

这个函数就是遍历链表,若找到满足条件则返回真;否则返回假。

void
aodv_rt_entry::pc_delete(nsaddr_t id) {
AODV_Precursor *pc = rt_pclist.lh_first;
 for(; pc; pc = pc->pc_link.le_next) {
   if(pc->pc_addr == id) {
     LIST_REMOVE(pc,pc_link);
     delete pc;
     break;
   }
 }
}

这个表示删除链表中的一个元素,遍历后,调用LIST_REMOVE(elm, field)



posted @ 2012-06-02 12:25  应律  阅读(232)  评论(0编辑  收藏  举报