1

単語検索ゲームを作成していますが、アルゴリズムにこだわっています。データ構造のようなテーブルで単語の出現を見つける必要があります。長さと高さがわかっている 2 次元配列を使用することにしました。私の考えは、単語の最初の文字を探し、見つかった場合はあらゆる方向を調べることです。私が把握できないのは、最初の文字を見つけた後に検索を開始する方法です。すべての方向を検索するメソッドに、最初の文字の位置を渡したいと思います。これが私がこれまでに持っているものです:

 public void SearchWord(char[,] input, string name)
    {
        //1. loop through the array and look for the first letter of the string
        //2. if found search in all directions "iterative"
        //3. if one direction doesn't find it break out of the method and continue to search in other directions
        //4. if found mark the positions so you don't find the same word more than once
        char firstLetter = name[0];

        //go look for it in the 2d array
        for (int y = 0; y < 5; y++)
        {
            for (int x = 0; x < 4; x++)
            {
                if (results[x, y] == firstLetter)//found the letter
                {
                    Console.WriteLine("Found it " + " " + firstLetter);
                    Console.WriteLine(x + " " + y);
                    SearchRightDirection(x, y);
                    SearchLeftDirection(x, y);

                }
            }
        }
    }

SearchRightDirection(char[,], int x, int y){} のようなパラメーターとして場所を渡そうとしましたが、この正確な場所の行と列から配列を続行することはできません。

提案はありますか?また、構造が正しい場合は?

4

1 に答える 1

1

どうぞ:

public static class Sample
{
    public static int CountOccurrences(char[,] table, string word)
    {
        if (string.IsNullOrEmpty(word)) return 0;
        int count = 0;
        int rowCount = table.GetLength(0);
        int colCount = table.GetLength(1);
        for (int row = 0; row < rowCount; row++)
        {
            for (int col = 0; col < colCount; col++)
            {
                if (table[row, col] != word[0]) continue;
                if (word.Length == 1) { count++; continue; }
                for (int dy = -1; dy <= 1; dy++)
                    for (int dx = -1; dx <= 1; dx++)
                        if ((dx != 0 || dy != 0) && Match(word, table, rowCount, colCount, row, col, dy, dx)) count++;
            }
        }
        return count;
    }
    private static bool Match(string word, char[,] table, int rowCount, int colCount, int startRow, int startCol, int dy, int dx)
    {
        int row = startRow + dy;
        if (dy != 0 && (dy < 0 ? row : rowCount - row) < word.Length - 1) return false;
        int col = startCol + dx;
        if (dx != 0 && (dx < 0 ? col : colCount - col) < word.Length - 1) return false;
        for (int charPos = 1; charPos < word.Length; row += dy, col += dx, charPos++)
            if (table[row, col] != word[charPos]) return false;
        return true;
    }
}
于 2015-10-28T22:43:23.647 に答える