我已经尝试搜索与我的类似的问题,但没有找到太多帮助。
我有一个这种类型的结构的链接列表:
struct PCB {
struct PCB *next;
int reg1, reg2;
};
我首先创建了 10 个以这种方式链接在一起的 PCB 结构:
for(i=20;i<=30;i++) {
curr = (struct PCB *)malloc(sizeof(struct PCB));
curr->reg1 = i;
curr->next = head;
head = curr;
}
然后我需要再创建 20 个 PCB 结构,但它们的reg1
值需要使用rand()
. 我目前正在这样做:
for (j = 0;j<20;j++) {
curr = (struct PCB *)malloc(sizeof(struct PCB));
curr->reg1 = rand()%100;
curr->next = head;
head = curr;
}
但是,当将这些 PCB 结构插入到带有随机值的链表中时reg1
,我需要将它们按顺序插入到链表中(插入排序)。仅在单链接链表中解决此问题的最佳方法是什么?谢谢
编辑:我现在正在跟踪第一个创建的结构,以便能够从一开始就遍历链表:
// create root struct to keep track of beginning of linked list
root = (struct PCB *)malloc(sizeof(struct PCB));
root->next = 0;
root->reg1 = 20;
head = NULL;
// create first 10 structs with reg1 ranging from 20 to 30
for(i=21;i<=30;i++) {
curr = (struct PCB *)malloc(sizeof(struct PCB));
// link root to current struct if not yet linked
if(root->next == 0){
root->next = curr;
}
curr->reg1 = i;
curr->next = head;
head = curr;
}
然后,当我创建另外 10 个需要插入排序的 PCB 结构时:
// create 20 more structs with random number as reg1 value
for (j = 0;j<20;j++) {
curr = (struct PCB *)malloc(sizeof(struct PCB));
curr->reg1 = rand()%100;
// get root for looping through whole linked list
curr_two = root;
while(curr_two) {
original_next = curr_two->next;
// check values against curr->reg1 to know where to insert
if(curr_two->next->reg1 >= curr->reg1) {
// make curr's 'next' value curr_two's original 'next' value
curr->next = curr_two->next;
// change current item's 'next' value to curr
curr_two->next = curr;
}
else if(!curr_two->next) {
curr->next = NULL;
curr_two->next = curr;
}
// move to next struct in linked list
curr_two = original_next;
}
head = curr;
}
但这立即使我的程序崩溃了。