-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathhelpers.ts
187 lines (167 loc) · 6.83 KB
/
helpers.ts
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
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
import * as process from "node:process";
const { default: allInstances } = await import("./.cntb/instances.json", { with: { type: "json" } });
const { default: allPrivateNetworks } = await import("./.cntb/private-networks.json", { with: { type: "json" } });
export const domainName = process.env.DOMAIN_NAME;
if (!domainName) {
throw new Error("DOMAIN_NAME environment variable is required");
}
export const instances = allInstances.filter((instance) => instance.displayName.startsWith(`${domainName}_`));
export const privateNetworks = allPrivateNetworks
type ContaboInstance = (typeof instances)[number];
/**
* Node roles supported by the cluster
*
* Naming convention for Contabo VPS instances:
* Each node name should start with the domain name prefix (${domainName}_) followed by the role:
* - Control Plane Nodes: <domain-name>_control-plane-X[_etcd][_worker] (where X is the index: 0, 1, 2, etc.)
* - ETCD Nodes: <domain-name>_etcd-X (where X is the index: 0, 1, 2, etc.)
* - Worker Nodes: <domain-name>_worker-X[_etcd] (where X is the index: 0, 1, 2, etc.)
*
* Examples:
* - <domain-name>_control-plane-0: A node that serves only as a control plane
* - <domain-name>_control-plane-0_etcd: A node that serves as both control plane and etcd
* - <domain-name>_control-plane-0_etcd_worker: A node that serves as control plane, etcd, and worker
* - <domain-name>_etcd-0: A node that serves only as etcd
* - <domain-name>_worker-0: A node that serves only as a worker
* - <domain-name>_worker-0_etcd: A node that serves as both worker and etcd
*
* ⚠️ IMPORTANT: DO NOT change the first control plane node (<domain-name>_control-plane-0) without understanding
* the implications! See README.md for more details.
*/
export const NodeRoles = ["control-plane", "etcd", "worker"] as const;
export type NodeRoles = (typeof NodeRoles)[number][];
export type Node = {
name: string;
publicIp: string;
privateIp: string;
network: string;
readonly roles: NodeRoles;
/** Index of the node within its primary role (e.g., 0 for control-plane-0) */
index?: number;
};
/**
* Validate that each instances has the same private IPs in all private networks to facilitate node communication
* Currently, some instance fail to be connected to the private network, so I accept no
*/
const getPrivateIp = (instance: ContaboInstance): string => {
const privateIps = [
...new Set(
privateNetworks.map((network) => {
return network.instances.find((node) => node.instanceId === instance.instanceId)?.privateIpConfig.v4[0].ip;
})
),
];
if (privateIps.length === 0) {
throw new Error(`Instance ${instance.displayName} has no private IPs`);
}
if (privateIps.length > 1) {
throw new Error(
`Instance ${instance.displayName} has different private IPs in different private networks: ${Array.from(privateIps).join(
", "
)}`
);
}
return privateIps[0]!;
};
/**
* Extract node roles from the instance display name based on the naming convention.
* The display name should follow the format:
* - <domain-name>_control-plane-X[_etcd][_worker]
* - <domain-name>_etcd-X
* - <domain-name>_worker-X[_etcd]
*
* @param instance The Contabo instance
* @returns Array of node roles
*/
const getNodeRoles = (instance: ContaboInstance): NodeRoles => {
const roles = [...new Set(NodeRoles.filter((role) => instance.displayName.includes(role)))];
return roles;
};
/**
* Extract the node index from the display name.
* For example, from "<domain-name>_control-plane-0" it extracts 0.
*
* @param instance The Contabo instance
* @param role The primary role to extract index for
* @returns The node index or undefined if not found
*/
const getNodeIndex = (instance: ContaboInstance, role: string): number | undefined => {
const regex = new RegExp(`${role}-(\\d+)`);
const match = instance.displayName.match(regex);
return match ? parseInt(match[1], 10) : undefined;
};
/**
* Transform a Contabo instance to a Node object.
* Ensures that the instance name starts with the domain name prefix.
*
* @param instance The Contabo instance
* @returns Node object with name, IPs, roles, and index
*/
const transformToNode = (instance: ContaboInstance): Node => {
const roles = getNodeRoles(instance);
const primaryRole = roles[0]; // First role is considered primary
// Ensure the node name starts with the domain name prefix
if (!instance.displayName.startsWith(`${domainName}_`)) {
throw new Error(`Node name ${instance.name} does not start with the domain name prefix ${domainName}_`);
}
return {
name: instance.name,
publicIp: instance.ipv4,
privateIp: getPrivateIp(instance),
roles: roles,
index: primaryRole ? getNodeIndex(instance, primaryRole) : undefined,
};
};
/**
* Sort nodes by roles and indices.
* 1. First by role priority (control-plane, etcd, worker)
* 2. Then by node index within the same role
* 3. Finally by name if roles and indices are the same
*
* This ensures that control-plane-0 comes before control-plane-1, etc.
*
* @param a First node
* @param b Second node
* @returns Sort order (-1, 0, 1)
*/
const sortNodes = (a: Node, b: Node) => {
// First sort by role priority
const aRoleIndex = NodeRoles.indexOf(a.roles[0]);
const bRoleIndex = NodeRoles.indexOf(b.roles[0]);
if (aRoleIndex !== bRoleIndex) {
return aRoleIndex - bRoleIndex;
}
// If roles are the same, sort by node index
if (a.index !== undefined && b.index !== undefined) {
return a.index - b.index;
} else if (a.index !== undefined) {
return -1; // Nodes with index come first
} else if (b.index !== undefined) {
return 1;
}
// If roles and indices are the same or undefined, sort by name
return a.name.localeCompare(b.name);
};
export const nodes = instances.map(transformToNode).sort(sortNodes);
export const controlPlanes = nodes.filter((node) => node.roles.includes("control-plane"));
export const etcds = nodes.filter((node) => node.roles.includes("etcd"));
export const workers = nodes.filter((node) => node.roles.includes("worker"));
if (controlPlanes.length === 0) {
throw new Error("No control-plane nodes found");
}
if (etcds.length === 0) {
throw new Error("No etcd nodes found");
}
if (workers.length === 0) {
throw new Error("No worker nodes found");
}
/**
* ⚠️ IMPORTANT: The first control plane node (<domain-name>_control-plane-0) is used as the API server by default.
* Changing or removing this node without proper procedure can cause the entire cluster to fail.
* See README.md for more details on the proper procedure for replacing the first control plane node.
*/
// Use private IP for internal cluster communication (for kubeadm join operations)
// Public IP is not accessible from inside the nodes
export const apiserverPrivateIp = controlPlanes[0].privateIp;
export const apiserverPublicIp = controlPlanes[0].publicIp;
export const apiserverPort = 6443;