我需要一个方向来执行此操作。我正在遍历所有像素并通过GetPixel()
方法获取值。接下来我该怎么办?
问问题
2717 次
4 回答
9
这是获取所有像素的辅助方法:
public static IEnumerable<Color> GetPixels(Bitmap bitmap)
{
for (int x = 0; x < bitmap.Width; x++)
{
for (int y = 0; y < bitmap.Height; y++)
{
Color pixel = bitmap.GetPixel(x, y);
yield return pixel;
}
}
}
如果您只需要颜色(没有计数器):
using (var bitmap = new Bitmap(@"..."))
{
var mostUsedColors =
GetPixels(bitmap)
.GroupBy(color => color)
.OrderByDescending(grp => grp.Count())
.Select(grp => grp.Key)
.Take(5);
foreach (var color in mostUsedColors)
{
Console.WriteLine("Color {0}", color);
}
}
顺便说一下,这里是计数器最常用的 5 种颜色的选择:
using (var bitmap = new Bitmap(@"..."))
{
var colorsWithCount =
GetPixels(bitmap)
.GroupBy(color => color)
.Select(grp =>
new
{
Color = grp.Key,
Count = grp.Count()
})
.OrderByDescending(x => x.Count)
.Take(5);
foreach (var colorWithCount in colorsWithCount)
{
Console.WriteLine("Color {0}, count: {1}",
colorWithCount.Color, colorWithCount.Count);
}
}
于 2012-07-29T20:44:14.047 回答
2
将它们聚合Dictionary<Color, int>
在您保留每种颜色的计数的位置。遍历所有这些后,提取按值(计数)排序的前 5 个。
一个性能较差但更简单的解决方案是:
(from c in allColors
group c by c into g
order by g.Count() descending
select g.Key).Take(5)
于 2012-07-29T20:27:41.723 回答
1
我不会为您编写代码,但会大致说明您需要什么:
- 保存每种颜色及其出现次数的数据结构
- 对于每个像素,如果颜色存在于您的数据结构中,则增加数字 2.a 如果颜色不存在,则将其添加到计数 1
- 遍历所有像素后,按计数对结构进行排序并获得前 5 个
于 2012-07-29T20:28:35.700 回答
0
像这样创建一个字典:
Dictionary<Color, int> dictColors = new Dictionary<Color, int>();
然后当您遍历每个像素时,请执行此操作
Color color =GetPixel(x,y);
if(!dictColors.Contains(color) )
{
dictColors.Add(color,0);
}
else
{
dictColors[color]++;
}
then take first five:
var top5 = dictColors.Take(5);
于 2012-07-29T20:38:25.433 回答