所以我正在尝试构建一个线性链表,该列表从用户获取信息,并按名称(按字母顺序)和birthdate将信息保存在两个排序列表中。到目前为止我已经
了struct node{
char* name;
int birthDate;
node *nameNext;
node * dateNext;
};
其中每个节点将有两个指向适当列表的指针。我遇到的问题是如何指示头指针节点*头。当有两个不同的列表时,如何设置头部?我正在考虑像head-> nameNext和head-> dateNext这样的东西但如果它起作用则会指向列表的第二个节点。请帮忙!提前谢谢。
答案 0 :(得分:0)
如果我的问题是正确的,那么您只需要对列表进行排序 以两种方式(按字母顺序和生日) 注意:我将使用冒泡排序来简化算法,但您可以使用更好的算法
#include <iostream>
struct node{
const char* name;
int birthdate;
node*next;
};
struct sort_data{
private:
node *name_root = nullptr; // alphabetically head/root pointer
node *date_root = nullptr; // birthdate head/root pointer
public:
void push(const char*name,int birthdate); // push data;
void sort_by_birth(); // sort the birth linked list
void sort_by_alphabet(); // sort the alphabet linked list
void print_birth(); // print the data of the birth linked list
void print_alph(); // print of the data of the alphabet linked list
};
void sort_data::push(const char*name,int birthdata) {
node*Name = new node; // allocate a node for the alphabet list
node*Date = new node; // allocate a node for the date list
Name->name = Date->name = name;
Name->birthdate = Date->birthdate = birthdata;
Name->next = name_root;
Date->next = date_root;
name_root = Name;
date_root = Date;
}
void sort_data::sort_by_birth() {
node*i = date_root;
node*j;
if(!i) // if i == nullptr
return;
while(i){ // while(i!=nullptr)
j = i->next;
while(j){
if(i->birthdate > j->birthdate){
std::swap(i->birthdate,j->birthdate);
std::swap(i->name,j->name);
}
j = j->next;
}
i = i->next;
}
}
void sort_data::sort_by_alphabet() {
node*i = name_root;
node*j;
if(!i)
return;
while(i){
j = i->next;
while(j){
if(i->name[0] > j->name[0]){
std::swap(i->birthdate,j->birthdate);
std::swap(i->name,j->name);
}
j = j->next;
}
i = i->next;
}
}
void sort_data:: print_birth(){
node*temp = date_root;
while(temp){
std::cout << temp->name << " " << temp->birthdate << std::endl;
temp = temp->next;
}
}
void sort_data::print_alph() {
node*temp = name_root;
while(temp){
std::cout << temp->name << " " << temp->birthdate << std::endl;
temp = temp->next;
}
}
int main(){
sort_data obj;
obj.push("jack",1997);
obj.push("daniel",1981);
obj.push("maria",1995);
obj.push("john",2008);
obj.sort_by_alphabet();
obj.sort_by_birth();
std::cout << "alphabetically : \n" ;
obj.print_alph();
std::cout << "by birthdate : \n";
obj.print_birth();
}
注意:因为您使用的是C ++,所以不要使用char *来存储字符串文字 使用std :: string或const char *。因为字符串文字中的字符是const char所以你不想用char指向const char 如果您使用的是支持C ++ 11的C ++编译器,您的编译器应该生成有关此类内容的警告