Post

DS2 2024 2025 V1 Correction

Exercices : 1 1 1

Correction proposée par Mathis S.

  • On écrit les fonctions de base pour tout le DS
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
#include <stdio.h>
#include <stdlib.h>

int max(int a,int b) {
    return a > b ? a : b;
}
int min(int a,int b) {
    return a > b ? b : a;
}

typedef struct Arbre
{
    int data;
    struct Arbre* fg;
    struct Arbre* fd;
}
Arbre;

Arbre* creerNoeud(int elmt)
{
    Arbre* a = malloc(sizeof(Arbre));
    a->data = elmt;
    a->fg = NULL;
    a->fd = NULL;
    return a;
}

Exercice 1

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
int afficherAncetres(Arbre* racine, int elmt)
{
    if (racine == NULL)
    {
        return 0;
    }
    if (racine->data == elmt)
    {
        return 1;
    }
    if (afficherAncetres(racine->fg, elmt) || afficherAncetres(racine->fd, elmt))
    {
        printf("%d\n", racine->data);
        return 1;
    }
    return 0;
}

Exercice 2

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
int hauteur(Arbre* a)
{
    if (a == NULL)
    {
        return -1;
    }
    return 1 + max(hauteur(a->fg), hauteur(a->fd));
}

int equilibreNoeud(Arbre* a)
{
    if (a == NULL)
    {
        return 0;
    }
    return hauteur(a->fd) - hauteur(a->fg);
}
// Complexité O(n)

int equilibre(Arbre* a, Arbre** lePire)
{
    int eqfg;
    int eqfd;
    int eq, eq_pire;

    if (a == NULL)
    {
        return 1;
    }

    eqfg = equilibre(a->fg, lePire);
    eqfd = equilibre(a->fd, lePire);
    eq = equilibreNoeud(a);
    eq = (eq < 0) ? (-eq) : eq;
    eq_pire = equilibreNoeud(*lePire);
    eq_pire = (eq_pire < 0) ? (-eq_pire) : eq_pire;

    if (*lePire == NULL)
    {
        *lePire = a;
    }
    else if (equilibreNoeud(*lePire) < eq)
    {
        *lePire = a;
    }

    return (eq == 0) && eqfg && eqfd;
}

int max3(int a, int b, int c)
{
    return max(max(a,b), c);
}

int diametre(Arbre* a)
{
    if (a == NULL)
    {
        return -1;
    }
    return max3(diametre(a->fg), diametre(a->fd), hauteur(a->fg) + hauteur(a->fd) + 1);
}

Exercice 3

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
int recherche(Arbre* pA, int valeur);
Arbre* ajout(Arbre* pA, int valeur);

void intersectionABR(Arbre* a1, Arbre* a2, Arbre** pa3)
{
    if (pa3 == NULL)
    {
        exit(2);
    }
    if (a1 != NULL)
    {
        if (recherche(a2, a1->data))
        {
            *pa3 = ajout(*pa3, a1->data);
        }
        intersectionABR(a1->fg, a2, pa3);
        intersectionABR(a1->fd, a2, pa3);
    }
}

Exercices : 1 1 1

Le contenu de cet article est la propriété exclusive de son auteur.