Agrupamento K-Means
Aprenda sobre Agrupamento K-Means, um algoritmo chave de aprendizado não supervisionado para agrupar dados em clusters. Explore seu processo, aplicações e comparações!
K-Means Clustering is a fundamental and widely used algorithm in the field of
unsupervised learning designed to uncover
hidden structures within unlabeled data. Its primary
objective is to partition a dataset into distinct subgroups, known as clusters, such that data points within the same
group are as similar as possible, while those in different groups are distinct. As a cornerstone of
data mining and exploratory analysis, K-Means empowers
data scientists to automatically organize complex information into manageable categories without the need for
predefined labels or human supervision.
Como funciona o algoritmo
The operation of K-Means is iterative and relies on distance metrics to determine the optimal grouping of the
training data. The algorithm operates by organizing
items into K clusters, where each item belongs to the cluster with the nearest mean, or centroid. This
process minimizes the variance within each group. The workflow
generally follows these steps:
-
Inicialização: O algoritmo seleciona K pontos iniciais como centróides. Estes podem ser escolhidos
aleatoriamente ou através de métodos otimizados como k-means++ para acelerar
a convergência.
-
Atribuição: Cada ponto de dados no conjunto de dados é atribuído ao centroide mais próximo com base numa
métrica de distância específica, mais comumente a
distância euclidiana.
-
Atualização: Os centróides são recalculados tomando-se a média de todos os pontos de dados atribuídos a
esse cluster.
-
Iteração: Os passos 2 e 3 são repetidos até que os centróides não se movam mais significativamente ou até que um número máximo
de iterações seja atingido.
Determinar o número correto de agrupamentos (K) é um aspeto crítico da utilização deste algoritmo. Os profissionais
frequentemente utilizam técnicas como o método Elbow ou
analisam a
pontuação Silhouette
para avaliar o quão bem separados estão os agrupamentos resultantes.
Aplicações do mundo real em IA
O agrupamento K-Means é altamente versátil e encontra utilidade em vários setores para simplificação e
pré-processamento de dados.
-
Image Compression and Color Quantization: In
computer vision (CV), K-Means helps reduce the
file size of images by clustering pixel colors. By grouping thousands of colors into a smaller set of dominant
colors, the algorithm effectively performs
dimensionality reduction while
preserving the visual structure of the image. This technique is often used before training advanced
object detection models to normalize input data.
-
Customer Segmentation: Businesses leverage clustering to group customers based on purchasing
history, demographics, or website behavior. This allows for targeted marketing strategies, a key component of
AI in retail solutions. By identifying high-value
shoppers or churn risks, companies can tailor their messaging effectively.
-
Anomaly Detection: By learning the structure of "normal" data clusters, systems can
identify outliers that fall far from any centroid. This is
valuable for fraud detection in finance and
anomaly detection in network security, helping
to flag suspicious activities that deviate from standard patterns.
-
Anchor Box Generation: Historically, object detectors like older YOLO versions utilized K-Means to
calculate optimal anchor boxes from training
datasets. While modern models like YOLO26 utilize advanced
anchor-free methods, understanding K-Means remains relevant to the evolution of detection architectures.
Exemplo de implementação
While deep learning frameworks like the Ultralytics Platform handle
complex training pipelines, K-Means is often used for analyzing dataset statistics. The following Python snippet
demonstrates how to cluster 2D coordinates—simulating object centroids—using the popular
Scikit-learn library.
import numpy as np
from sklearn.cluster import KMeans
# Simulated coordinates of detected objects (e.g., from YOLO26 inference)
points = np.array([[10, 10], [12, 11], [100, 100], [102, 101], [10, 12], [101, 102]])
# Initialize K-Means to find 2 distinct groups (clusters)
kmeans = KMeans(n_clusters=2, random_state=0, n_init="auto").fit(points)
# Output the cluster labels (0 or 1) for each point
print(f"Cluster Labels: {kmeans.labels_}")
# Output: [1 1 0 0 1 0] -> Points near (10,10) are Cluster 1, near (100,100) are Cluster 0
Comparação com algoritmos relacionados
É importante distinguir o K-Means de outros algoritmos com nomes ou funções semelhantes para garantir que a ferramenta correta
seja selecionada para um projeto.
-
K-Means vs. K-Nearest Neighbors (KNN): Estes são frequentemente confundidos devido ao "K" nos seus
nomes. K-Means é um algoritmo não supervisionado usado para agrupar dados não rotulados. Em contrapartida,
K-Nearest Neighbors (KNN) é um
algoritmo de aprendizagem supervisionado usado para
classificação e regressão de imagens, que se baseia
em dados rotulados para fazer previsões com base na classe majoritária de vizinhos.
-
K-Means vs. DBSCAN: While both cluster data, K-Means assumes clusters are spherical and requires
the number of clusters to be defined beforehand.
DBSCAN
groups data based on density, can find clusters of arbitrary shapes, and handles noise better. This makes DBSCAN
superior for complex spatial data found in datasets with
irregular structures where the number of clusters is unknown.