##분리집합 이론 노트 정리
##분리집합 코드 구현
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
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
|
#include <stdio.h>
#include <stdlib.h>
//분리 집합 구조체
typedef struct _DS_Set {
struct _DS_Set* Parent;
void* Data;
}Set;
//원소(1개짜리 원소 집합) 생성 메소드
Set* MakeSet(void* Data) {
Set* newSet = (Set*)malloc(sizeof(Set));
newSet->Data = Data;
newSet->Parent = NULL;
return newSet;
}
Set* FindSet(Set* set) {
while (set->Parent != NULL) {
set = set->Parent;
}
return set;
}
//합집합 연산 메소드
//=> 1_ A ∪ B , 2. A를 헤더로 적용한다.
void UnionSet(Set* A, Set* B) {
//(1). B의 헤더 원소 찾아서, B에 반환
B = FindSet(B);
//(2). B의 헤더를 A로 대입
B->Parent = A;
return;
}
int main() {
//집합 A의 원소
Set* a = MakeSet(1);
Set* b = MakeSet(2);
Set* c = MakeSet(3);
Set* d = MakeSet(4);
//집합 B의 원소
Set* e = MakeSet(5);
Set* f = MakeSet(6);
Set* g = MakeSet(7);
//집합 C의 원소
Set* h = MakeSet(8);
//A = {a,b,c,d}
UnionSet(a, b);
UnionSet(a, c);
UnionSet(a, d);
//B = {e,f,g}
UnionSet(e, f);
UnionSet(e, g);
printf("Set A == Set B : %d\n",FindSet(a)==FindSet(e));
printf("Set A == Set B : %d\n",FindSet(a)==FindSet(c));
printf("Set A == Set B : %d\n",FindSet(a)==FindSet(d));
printf("-------------------------\n");
UnionSet(a, e);//A∪B
printf("Set A == Set B : %d\n", FindSet(a) == FindSet(e));
printf("Set A == Set B : %d\n", FindSet(a) == FindSet(c));
printf("Set A == Set B : %d\n", FindSet(a) == FindSet(d));
return 0;
}
|
cs |
'알고리즘(C언어) > 이것이 자료구조+알고리즘이다(박상현)_자료구조' 카테고리의 다른 글
(8)[Chapter5]정렬_퀵정렬(이론 + 코드), 작성중 (0) | 2024.07.11 |
---|---|
(7)[Chapter5]정렬_버블정렬,삽입정렬(이론 + 코드), 작성중 (0) | 2024.07.10 |
(5)[Chapter4]수식트리 조립, 출력, 연산(코드구현) (0) | 2024.07.06 |
(4)[Chapter4]이진트리(삽입,삭제 전)(코드구현) (0) | 2024.07.04 |
(3)[Chapter4]이진트리(삽입,삭제 전)(이론) (0) | 2024.07.04 |