- android - 多次调用 OnPrimaryClipChangedListener
- android - 无法更新 RecyclerView 中的 TextView 字段
- android.database.CursorIndexOutOfBoundsException : Index 0 requested, 光标大小为 0
- android - 使用 AppCompat 时,我们是否需要明确指定其 UI 组件(Spinner、EditText)颜色
更新:修复了悬挂指针,解决了我的很多问题。还逆转了我的 Game_board 初始化。然后我创建了一个测试件的移动方法。
建议:小心挂指针和内存分配。
最佳答案
使用未初始化的指针
一个大问题是您将 char *tempLabel;
用作未初始化的指针。 (它指向哪里?它持有什么有效的内存地址作为它的值?)尝试向它复制数据肯定会导致 SegFault。相反,您需要验证 game_piece_get_label(piece)
的长度,并使用 malloc、calloc 或重新分配
,例如..
例如:
char *game_piece_to_string (struct game_piece *piece)
{
char *tempLabel; /* uninitialized pointer */
size_t len = strlen (game_piece_get_label(piece));
tempLabel = malloc (len + 1);
if (tempLabel == NULL) {
perror ("malloc-tempLabel");
return NULL;
}
memcpy (tempLabel, game_piece_get_label(piece), len + 1);
if (len > 3)
tempLabel[1] = '\0';
for (size_t i = 3; i > len; i--)
strcat(tempLabel, " ");
return tempLabel;
}
请注意,您尝试使用条件语句和使用 sizeof (a_pointer)
的循环做什么毫无意义。假设您想要 tempLabel
的长度。
分配董事会的问题
pointer-to-pointer-to struct game_piece
的分配几乎是倒退的。您必须首先分配 row
个指针,然后为每行分配 col
个 struct game_piece
。然后,您将在每个 [i][j]
处为一个 struct game_piece
分配存储空间——这是您决定放置 char label[30] 的地方;
作为结构中的单个成员不必要地使引用 label
复杂化。
进行更改,您可以执行以下操作:
void game_board_init(struct game_board* game_board, int rows, int cols)
{
/* allocate row number of pointers */
game_board->board = malloc (sizeof(*game_board->board)*rows);
/* allocate col number of **game_board->board per row
* (e.g. col * sizeof (struct game_piece) per row)
*/
for (int i = 0; i < rows; i++){
game_board->board[i] = malloc(sizeof(struct game_piece) * cols);
}
game_board->row = rows;
game_board->col = cols;
for (int i=0; i < rows; i++){
printf("\n");
for (int j=0; j < cols; j++) {
game_piece_init_default(&game_board->board[i][j]);
printf("%s ",game_board->board[i][j].label);
}
}
}
所有这些都表明您要么 (1) 在未启用警告 的情况下编译代码,要么 (2) 有意识地忽略编译器生成的警告。对于 gcc/clang 添加 -Wall -Wextra -pedantic
(至少)到你的编译器选项,对于 VS 添加 /W3
并且在编译之前不接受代码 没有警告。让您的编译器帮助您编写更好的代码。 (从长远来看,这将为您节省大量时间)
您还想看看 How to debug small programs和鸭子说话...真的,这很有帮助 :)
启用编译器警告,查看调试链接,然后编辑并添加到您问题的底部任何其他您卡住的特定区域,我很乐意进一步提供帮助。
进行上述更改,并添加以下“ stub ”以消除未完成的 game_board_move_piece
中未使用变量的警告,例如
if (game_board || src_row || src_col || dest_row || dest_col) {}
我可以使用 gcc 编译你的代码:
gcc -Wall -Wextra -pedantic -Wshadow -std=c11 -Ofast -o gb_init gb_init.c
没有警告。您需要进行一些额外的调试,如下所示:
示例使用/输出
$ ./bin/game_board_init
Please enter the number of rows.
3
Please enter the number of columns.
3
--- --- ---
--- --- ---
--- --- --- Please enter a label for a new piece. Enter "Q" when done.
a
Please enter a row for the piece.
1
Please enter a column for the piece.
1
New piece "a" added.
Please enter a label for a new piece. Enter "Q" when done.c
Please enter a row for the piece.
2
Please enter a column for the piece.
2
New piece "c" added.
Please enter a label for a new piece. Enter "Q" when done.b
Please enter a row for the piece.
0
Please enter a column for the piece.
0
New piece "b" added.
Please enter a label for a new piece. Enter "Q" when done.q
try again -kelly
b ------
---a ---
------c Would you like to move a piece? Enter "Y" to move a piece.
Y
Please enter the piece's row.2
Please enter the piece's column.2
Please enter the piece's new row.2
Please enter the piece's new column.0
A piece is already in that space.
try again -kelly
b ------
---a ---
------c Would you like to move a piece? Enter "Y" to move a piece.
n
这就是与“鸭子”的对话发挥作用的地方......
使用的完整测试代码
下面是我在没有警告的情况下编译并生成上面输出的内容。
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#define MAXL 30 /* if you need a constant, #define one (or more) */
struct game_piece
{
char label[MAXL];
};
struct game_board
{
struct game_piece **board;
int row, col;
};
void game_piece_init_default(struct game_piece* piece)
{
strcpy(piece->label, "---");
}
void game_piece_init(struct game_piece* piece, char* new_label)
{
size_t len = strlen (new_label);
if (len < MAXL)
memcpy (piece->label, new_label, len + 1);
else {
fputs ("warning: label truncated.\n", stderr);
memcpy (piece->label, new_label, MAXL-1);
piece->label[MAXL-1] = 0; /* nul-terminate */
}
}
char *game_piece_get_label (struct game_piece *piece)
{
return piece->label;
}
char *game_piece_to_string (struct game_piece *piece)
{
char *tempLabel; /* uninitialized pointer */
size_t len = strlen (game_piece_get_label(piece));
tempLabel = malloc (len + 1);
if (tempLabel == NULL) {
perror ("malloc-tempLabel");
return NULL;
}
memcpy (tempLabel, game_piece_get_label(piece), len + 1);
if (len > 3)
tempLabel[1] = '\0';
for (size_t i = 3; i > len; i--)
strcat(tempLabel, " ");
return tempLabel;
}
void game_board_init(struct game_board* game_board, int rows, int cols)
{
/* allocate row number of pointers */
game_board->board = malloc (sizeof(*game_board->board)*rows);
/* allocate col number of **game_board->board per row
* (e.g. col * sizeof (struct game_piece) per row)
*/
for (int i = 0; i < rows; i++){
game_board->board[i] = malloc(sizeof(struct game_piece) * cols);
}
game_board->row = rows;
game_board->col = cols;
for (int i=0; i < rows; i++){
printf("\n");
for (int j=0; j < cols; j++) {
game_piece_init_default(&game_board->board[i][j]);
printf("%s ",game_board->board[i][j].label);
}
}
}
int game_board_is_space_valid(struct game_board* game_board,
int row, int col)
{
if (row > game_board->row || col > game_board->col)
return 0;
if (row < 0 || col < 0)
return 0;
return 1;
}
int game_board_add_piece(struct game_board* game_board,
struct game_piece* piece, int row, int col)
{
if (game_board_is_space_valid(game_board, row, col) == 0)
return 0;
if (strncmp(game_board->board[row][col].label, "---", 3) == 0) {
game_board->board[row][col] = *piece;
return 1;
}
return 0;
}
int game_board_move_piece(struct game_board* game_board,
int src_row, int src_col, int dest_row, int dest_col)
{
return 0;
if (game_board || src_row || src_col || dest_row || dest_col) {}
}
void game_board_print(struct game_board* game_board)
{
int col = 3;
int row = 3;
printf("try again -kelly");
for (int i=0; i < row; i++) {
printf("\n");
for (int j=0; j < col; j++) {
printf("%s",game_piece_to_string(&game_board->board[i][j]));
}
}
}
int main()
{
/* declare local variables */
int row;
int col;
int destRow;
int destCol;
int rowNum;
int colNum;
struct game_board board;
struct game_piece piece;
char input_string[30];
/* get the size of the game board */
printf("Please enter the number of rows.\n");
scanf("%d", &rowNum);
printf("Please enter the number of columns.\n");
scanf("%d", &colNum);
game_board_init(&board, rowNum, colNum);
/* get the first piece's label */
printf("Please enter a label for a new piece. "
"Enter \"Q\" when done.\n");
scanf("%s", input_string);
while (strcmp(input_string, "Q") != 0 && strcmp(input_string, "q") != 0)
{
game_piece_init(&piece, input_string);
/* get the location to place the piece */
printf("Please enter a row for the piece.\n");
scanf("%d", &row);
printf("Please enter a column for the piece.\n");
scanf("%d", &col);
/* verify the space is valid then add the piece to the board */
if (game_board_is_space_valid(&board, row, col))
{
if (game_board_add_piece(&board, &piece, row, col))
{
printf("New piece \"%s\" added.\n",
game_piece_get_label(&piece));
}
else
{
printf("A piece is already at that space.\n");
}
}
else
{
printf("Invalid row and/or column.\n");
}
/* get the label for the next piece */
printf("Please enter a label for a new piece. "
"Enter \"Q\" when done.");
scanf("%s", input_string);
}
/* print the board and check if user wants to move a piece */
game_board_print(&board);
printf("Would you like to move a piece? Enter \"Y\" to move a piece.\n");
scanf("%s", input_string);
while (strcmp(input_string, "Y") == 0 || strcmp(input_string, "y") == 0)
{
/* get the location of the piece */
printf("Please enter the piece's row.");
scanf("%d", &row);
printf("Please enter the piece's column.");
scanf("%d", &col);
/* get the destination for the piece */
printf("Please enter the piece's new row.");
scanf("%d", &destRow);
printf("Please enter the piece's new column.");
scanf("%d", &destCol);
/* verify both spaces are valid then move the piece */
if (game_board_is_space_valid(&board, row, col) &&
game_board_is_space_valid(&board, destRow, destCol))
{
if (game_board_move_piece(&board, row, col, destRow, destCol))
{
printf("Piece moved to new space.\n");
}
else
{
printf("A piece is already in that space.\n");
}
}
else
{
printf("A row or column is invalid. No piece moved.\n");
}
/* print the board and check if the user wants move another piece */
game_board_print(&board);
printf("Would you like to move a piece? "
"Enter \"Y\" to move a piece.\n");
scanf("%s", input_string);
}
return 0;
}
关于带有二维数组问题的 C 游戏板,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/54412776/
我们将 Azure Boards(与敏捷流程相关的项目)定义为“功能”>“史诗”>“任务”>“用户故事”。 在我们的Azure Boards(Boards >Board)中,它仅显示Epic和Feat
我正在编写一个 C++ 井字游戏,这是我目前拥有的: #include using namespace std; int main() { board *b; b->draw();
这是一个足够简单的问题。 看完documentation for ion-pane它指出: A simple container that fits content, with no side eff
关闭。这个问题是opinion-based .它目前不接受答案。 想改进这个问题?更新问题,以便 editing this post 可以用事实和引用来回答它. 4年前关闭。 Improve this
我正在用 javascript 对 arduino 开发板进行编程。我正在尝试使用 johnny-five 库连接多个 arduino 板。我关注了johnny-five documentation我
在我的 Java 类(class)中,我们正在学习《Java 基础知识》一书的第 4 章。我正在做项目 4-11,它是一个黑色和红色的棋盘格,但是我得到随机颜色,我试图按照本书教我们使用 ColorP
我正在制作一个数独板 GUI,它应该看起来像这样 http://www.sudoku.4thewww.com/Grids/grid.jpg 由于某种原因,它只显示最后一个 3*3 板。如果有人能告诉我
我正在开发一款带有二维阵列(游戏板)的新游戏。每个单元格/图 block 都有一定数量的点。 我想实现的是一个算法能找到核心最高的最短路径。 所以我首先实现了 Dijkstra 算法(下面的源代码)来
更新:(2015-10-16)[已解决!]-使用trigger()并通过slice()限制为50个引脚固定。 非常感谢Abhas Tandon通过提供使用 $(this).trigger('click
关闭。这个问题需要更多focused .它目前不接受答案。 想改善这个问题吗?更新问题,使其仅关注一个问题 editing this post . 7年前关闭。 Improve this questi
var size = 8; var board = ""; for (var y = 0; y x= (x+y) % 2 = 关于javasc
我正在制作一个简单的游戏,需要我创建一个由用户定义大小的棋盘。 我一直在编写一个函数,该函数应该返回我将在我的游戏中使用的棋盘(矩阵),但我似乎无法让它工作。 我尝试使用嵌套的 for 循环方法在 m
我正在尝试让板模板引擎与 express.js 一起工作。我最初的尝试是这样的: app.register('.html', { compile: function (str, options
我正在测试 Azure Boards Rest API。我目前可以成功创建、删除和获取项目,但我似乎无法在列之间移动它们。 这是我的要求https://{{AzureBoardsToken}}@{{A
我想用 trello api 归档一个板/列表,但我找不到解决方案。 与 https://trello.com/docs/api/list/#post-1-lists-idlist-archiveal
我上传了 sketch到一个 Arduino Uno,它的循环是这样的: void loop(){ Serial.println("Hello, World!"); } 所以,现在,我无法再上
我想要进行一个查询,显示结构 Epic -> 功能 -> 发布 -> 用户故事 -> 任务,以及特定迭代路径下的所有待处理任务 我尝试使用工作项树,但它只显示到 mu 用户故事 我的 Azure De
我在 python 中使用来自 Opencv 的 Charuco 标记。我之前使用的是 Aruco 开发板,我可以选择创建一个带有 id 偏移量(例如:偏移量为 40)的开发板。 from cv2 i
我不知道如何将另一个 View 中的辅助 Anchorpane 设置到主 View 的边界(在 fxml 代码中,它将是名为 holderPane 并且有灰色区域),这样当窗口展开时,它也会随之拉伸(
如何使用包含列、行和堆栈(包含 4、3、2、1)的 3D 通用数组制作一 block 板。 这是我声明的: private int row, col, stack; int[][][] array3D
我是一名优秀的程序员,十分优秀!