我正在制作一个基数转换器,我想使用链表来做到这一点,因为我是数据结构的新手。当我将我的字符分配给指针时,编译器会给出"错误:分配给数组类型的表达式"错误。
struct node
{
char bin_num[25];
struct node *next;
};
char conversion[50] = "0123456789abcdefghijklmnopqrstuvwxyz!@#$/^&*";
typedef struct node NODE;
NODE *head = NULL;
int insert (int num){
NODE *temp;
temp = (NODE *) malloc (sizeof (NODE));
temp->bin_num = conversion[num];//Need help with this line
temp->next = NULL;
if (head == NULL)
{
head = temp;
}
else
{
temp->next = head;
head = temp;
}
}
//This is not the entire code
所以conversion
是一个char *
;当不使用索引时,它是值(在[]
内(是字符数组开头的指针。
如果temp->bin_num
也char *
则可以使用以下方法将指向特定位置的指针传递到conversion
数组中:
temp->bin_num = conversion + num;
但请注意,您现在将有一个指向字符数组其余部分的指针。该指针必须在使用时取消引用,例如:printf("%cn", *temp->bin_num);
。