В
typedef struct _liste {
int val;
struct _liste *suiv;
} Liste;
Liste A;
for (int i = 0; i<3; i++){
scanf("%d",&A.val);
*A = A.suiv
}
есть 2 проблемы
*A = A.suiv
недопустимо, и вы хотели A = *(A.suiv)
уважать типы (из любого поведения) A.suiv
не инициализирован, вы пропустите выделение для каждой новой ячейки
Допустимый код может быть:
Liste * head;
Liste ** p = &head;
for (int i = 0; i != 3; i++) {
*p = malloc(sizeof(Liste));
scanf("%d",&(*p)->val);
p = &(*p)->suiv;
}
*p = NULL;
Полный пример:
#include <stdio.h>
#include <stdlib.h>
typedef struct _liste {
int val;
struct _liste *suiv;
} Liste;
int main()
{
Liste * head;
Liste ** p = &head;
for (int i = 0; i != 3; i++) {
*p = malloc(sizeof(Liste));
printf("valeur: ");
scanf("%d",&(*p)->val); /* better to check scanf return 1 */
p = &(*p)->suiv;
}
*p = NULL;
/* show result and free ressources */
printf("la liste est :");
while (head != NULL) {
printf(" %d", head->val);
Liste * l = head;
head = head->suiv;
free(l);
}
putchar('\n');
}
Компиляция и выполнение:
/tmp % gcc -pedantic -Wall -Wextra l.c
/tmp % ./a.out
valeur: 1
valeur: 2
valeur: 3
la liste est : 1 2 3
выполнение под valgrind
/tmp % valgrind ./a.out
==32505== Memcheck, a memory error detector
==32505== Copyright (C) 2002-2012, and GNU GPL'd, by Julian Seward et al.
==32505== Using Valgrind-3.8.1 and LibVEX; rerun with -h for copyright info
==32505== Command: ./a.out
==32505==
valeur: 1
valeur: 2
valeur: 3
la liste est : 1 2 3
==32505==
==32505== HEAP SUMMARY:
==32505== in use at exit: 0 bytes in 0 blocks
==32505== total heap usage: 3 allocs, 3 frees, 48 bytes allocated
==32505==
==32505== All heap blocks were freed -- no leaks are possible
==32505==
==32505== For counts of detected and suppressed errors, rerun with: -v
==32505== ERROR SUMMARY: 0 errors from 0 contexts (suppressed: 6 from 6)
Если вы не хотите иметьlist в куче:
#include <stdio.h>
typedef struct _liste {
int val;
struct _liste *suiv;
} Liste;
#define N 3
int main()
{
Liste liste[N];
for (int i = 0; i != N; i++) {
printf("valeur: ");
scanf("%d", &liste[i].val); /* better to check scanf return 1 */
liste[i].suiv = &liste[i + 1];
}
liste[N-1].suiv = NULL;
/* show result (as a list, forget in an array) */
Liste * p = liste;
printf("la liste est :");
while (p != NULL) {
printf(" %d", p->val);
p = p->suiv;
}
putchar('\n');
}
, но в этом случае лучше не использовать список, а просто массив int ; -)