kubectl top nodesNAME CPU(核心)CPU% 内存(字节) 内存% gsdjsgfhdsgfz-12345665-jisj000000 934m 24% 10439Mi ...
kubectl 顶部节点
名称 CPU(核心) CPU% 内存(字节) 内存%
gsdjsgfhdsgfz-12345665-jisj000000 934 米 24% 10439 英里 82%
gsdjsgfhdsgfz-12345665-jisj000001 717米 18% 9132米 72%
gsdjsgfhdsgfz-12345665-jisj000002 1099米 28% 7614米 60%
如何使用 java io.fabric8 kubernetes-client 库获取 CPU% 和 MEMORY% 值。
try (KubernetesClient k8s = new DefaultKubernetesClient()) {
NodeMetricsList nodeMetricsList = k8s.top().nodes().metrics();
for (NodeMetrics nodeMetrics : nodeMetricsList.getItems()) {
logger.info("{} {} {}", nodeMetrics.getMetadata().getName(),
nodeMetrics.getUsage().get("cpu"),
nodeMetrics.getUsage().get("memory"));
}
}
得到输出是:-
节点名称
中央处理器:-1094942089n
内存:-7830672Ki
如何取百分比值?
我最近必须实现同样的功能,不幸的是,我没有找到仅使用 API 即可获取百分比的方法 top()
,我必须执行两次调用,一次是 nodes()
为了检索总容量,另一次是为了 top()
检索已用容量。然后就只是计算百分比的问题了。
工作代码片段:
public static void main(String[] args) {
KubernetesClient kubernetesClient = new DefaultKubernetesClient();
Map<String, Node> nodeMap = kubernetesClient.nodes().list().getItems()
.stream()
.collect(Collectors.toMap(node -> node.getMetadata().getName(), Function.identity()));
List<NodeUsage> usageList = kubernetesClient.top().nodes().metrics().getItems()
.stream()
.map(metric -> new NodeUsage(nodeMap.get(metric.getMetadata().getName()), metric.getUsage()))
.collect(Collectors.toList());
System.out.println(usageList);
}
private static class NodeUsage {
private final Node node;
private final BigDecimal cpuPercentage;
private final BigDecimal memoryPercentage;
private NodeUsage(Node node, Map<String, Quantity> used) {
this.node = node;
cpuPercentage = calculateUsage(used.get("cpu"), node.getStatus().getAllocatable().get("cpu"));
memoryPercentage = calculateUsage(used.get("memory"), node.getStatus().getAllocatable().get("memory"));
}
private static BigDecimal calculateUsage(Quantity used, Quantity total) {
return Quantity.getAmountInBytes(used)
.divide(Quantity.getAmountInBytes(total), 2, RoundingMode.FLOOR)
.multiply(BigDecimal.valueOf(100));
}
public Node getNode() {
return node;
}
public BigDecimal getCpuPercentage() {
return cpuPercentage;
}
public BigDecimal getMemoryPercentage() {
return memoryPercentage;
}
}
我对答案进行了一些小修改,使用 .getCapacity() 是不正确的,因为并非所有容量都可用,因此更改为 .getAllocatable()。还将舍入模式从 CEILING 更改为 FLOOR。结果现在应该相同了 :)