0

我有这个矩阵:

A B C

D E F

G H I

我想获得长度为3的相邻单元格和对角单元格的所有可能组合,例如:

从A开始:

 - *ABC* right right
 - *ABE* right down
 - *ABF* right diagonal-right
 - *ABD* right diagonal-left
 - ecc ecc

我试图创建一个名为“letera”的新类,将字母作为键,并使用一个成员来指示指向右、左、下、上 ecc 的指针。还有一个叫做“sequenza”的成员,一个连接它接触到的每个字母的字符串。

例如,如果 a 有作为键,“B”,我有 B->down == *E,B->left == *A,B->right == *C 等等......而且它有效。然后我为每个字母设置一个计数器:当它到达 3 时,它应该停止确定组合。

然后是问题的核心:每个字母要遵循的路径......我尝试创建一个递归函数,但它确实有效。

你能帮我看这个或建议我另一种方式吗?

非常感谢。

编码:

    void decisione(lettera *c) {

            if (c == nullptr) return ;

            c->count++;
            c->sequenza = c->sequenza + c->key;

            if (c->count == 2) 
                    cout << "\n" << c->sequenza; 
                 //the sequence of letters accumulated in every call
            decisione(c->Up);
            decisione(c->Down);

        }

它给了我例如 AAA 和 BBB,然后它崩溃了 =(

4

1 回答 1

1

从A开始,你能去哪里?B和D。假设你去B,现在,你能去哪里?A、C 和 E。你已经在 A 并且不想返回,所以你只有 C 和 E。假设你选择 C,因为你已经选择了三个字母,所以函数停止然后你选择 E等等(我没有选择对角线邻居),这是程序:

#include <cstdio>
#include <cstdlib>

int a[] = {-1,-1,-1,0,0,1,1,1}, b[] = {-1,0,1,-1,1,-1,0,1},cont;
char s[3],mat[3][3];
bool flag[9];

void display() {
  for(int i = 0; i < 3; ++i) printf("%c",s[i]);
  puts("");
}

void show(int x,int y) {//You are in mat[x][y]
  s[cont] = mat[x][y];
  if(cont == 2) {
    display();
    return;
  }
  flag[mat[x][y] - 'A'] = true;
  int xx,yy;
  for(int i = 0; i < 8; ++i) {
    xx = x + a[i], yy = y + b[i];
    if(0 <= xx and xx < 3 and 0 <= yy and yy < 3 and !flag[mat[xx][yy] - 'A']) {
      ++cont;
      show(xx,yy);
      --cont;
    }
  }
  flag[mat[x][y] - 'A'] = false;

}

int main() {
  cont = 0;
  for(int i = 0; i < 3; ++i) {
    for(int j = 0; j < 3; ++j) {
      mat[i][j] = ('A' + 3*i + j);
    }
  }
  for(int i = 0; i < 3; ++i) {
    for(int j = 0; j < 3; ++j) {
      show(i,j); //You start from mat[i][j]: {'A','B','C',...,'I'}
    }
  }
  return 0;
}
于 2012-11-25T15:52:11.053 回答