10

我正在尝试构建一个解决难题的应用程序(尝试开发图形算法),并且我不想一直手动输入示例输入。

编辑: 我不是在尝试构建游戏。我正在尝试建立一个玩“SpellSeeker”游戏的代理

假设我在屏幕上有一张图片(见附件),里面有数字,我知道盒子的位置,而且我有这些数字的确切图片。我想要做的只是告诉相应的盒子上哪个图像(数字)。

数字

所以我想我需要实施

bool isImageInsideImage(Bitmap numberImage,Bitmap Portion_Of_ScreenCap)或类似的东西。

我尝试过的是(使用AForge库)

public static bool Contains(this Bitmap template, Bitmap bmp)
{
    const Int32 divisor = 4;
    const Int32 epsilon = 10;

    ExhaustiveTemplateMatching etm = new ExhaustiveTemplateMatching(0.9f);

    TemplateMatch[] tm = etm.ProcessImage(
        new ResizeNearestNeighbor(template.Width / divisor, template.Height / divisor).Apply(template),
        new ResizeNearestNeighbor(bmp.Width / divisor, bmp.Height / divisor).Apply(bmp)
        );

    if (tm.Length == 1)
    {
        Rectangle tempRect = tm[0].Rectangle;

        if (Math.Abs(bmp.Width / divisor - tempRect.Width) < epsilon
            &&
            Math.Abs(bmp.Height / divisor - tempRect.Height) < epsilon)
        {
            return true;
        }
    }

    return false;
}

但在此图像中搜索黑点时返回 false。

我该如何实施?

4

2 回答 2

5

找到解决方案后,我正在回答我的问题:

对我有用:

System.Drawing.Bitmap sourceImage = (Bitmap)Bitmap.FromFile(@"C:\SavedBMPs\1.jpg");
            System.Drawing.Bitmap template = (Bitmap)Bitmap.FromFile(@"C:\SavedBMPs\2.jpg");
            // create template matching algorithm's instance
            // (set similarity threshold to 92.5%)

           ExhaustiveTemplateMatching tm = new ExhaustiveTemplateMatching(0.921f);
                // find all matchings with specified above similarity

                TemplateMatch[] matchings = tm.ProcessImage(sourceImage, template);
                // highlight found matchings

           BitmapData data = sourceImage.LockBits(
                new Rectangle(0, 0, sourceImage.Width, sourceImage.Height),
                ImageLockMode.ReadWrite, sourceImage.PixelFormat);
            foreach (TemplateMatch m in matchings)
            {

                    Drawing.Rectangle(data, m.Rectangle, Color.White);

                MessageBox.Show(m.Rectangle.Location.ToString());
                // do something else with matching
            }
            sourceImage.UnlockBits(data);

唯一的问题是它找到了该游戏的所有 (58) 个盒子。但是将值 0.921f 更改为 0.98 使其完美,即它只找到指定数字的图像(模板)

编辑:我实际上必须为不同的图片输入不同的相似度阈值。我通过尝试找到了优化值,最后我有一个类似的功能

float getSimilarityThreshold(int number)
于 2012-12-02T18:35:01.683 回答
1

更好的方法是构建一个自定义类,它包含您需要的所有信息,而不是依赖于图像本身。

例如:

public class MyTile
{
    public Bitmap TileBitmap;
    public Location CurrentPosition;
    public int Value;
}

这样,您可以“移动”平铺类并从Value字段中读取值,而不是分析图像。您只需将班级持有的任何图像绘制到它当前持有的位置。

您可以将图块保存在数组中,例如:

private list<MyTile> MyTiles = new list<MyTile>();

根据需要扩展类(并记住在不再需要时处理这些图像)。

如果您真的想查看图像中是否有图像,您可以查看我为另一篇文章编写的扩展(虽然在 VB 代码中):
Vb.Net Check If Image Existing In another Image

于 2012-12-01T16:28:10.390 回答