我正在为扑克游戏编写代码,在主要功能中,我有:

const char *suits[4] = { "Spades", "Clubs", "Hearts", "Diamonds" };
const char *faces[13] = { "Ace", "Two", "Three", "Four", "Five", "Six", "Seven", "Eight", "Nine", "Ten", "Jack", "Queen", "King" };

int deck[4][13] = { 0 };

srand((unsigned)time(NULL));

char *hand[5] = { "\0" };

shuffle(deck);
deal(deck, faces, suits, hand);

for (int i = 0; i < 5; i++) {
    printf("%s", hand[i]);
}


这是我的一般问题所在。手不会打印出给定的交易值,即5张牌。

shuffle()只是简单地洗牌,那里没有错误,所以我不会在这个问题中包括它。

deal()具有以下代码(忽略花括号/空格差异,我仍在调整此网站的格式):

void deal(const int wDeck[][13], const char *wFace[], const char *wSuit[],
char *hand[]) {

int row = 0;    /* row number */
int column = 0; /*column number */
int card = 0;   /* card counter */

                /* deal 5 of the 52 cards */
for (card = 1; card <= 5; card++)
{
    /* loop through rows of wDeck */
    for (row = 0; row <= 3; row++)
    {
        /* loop through columns of wDeck for current row */
        for (column = 0; column <= 12; column++)
        {
            /* if slot contains current card, deal card */
            if (wDeck[row][column] == card)
            {
                char str1[10];
                strcpy(str1, wFace[column]);
                char str2[10];
                strcpy(str2, wSuit[row]);
                char str3[6] = " of ";
                char str[26] = "";
                strcat(str, str1);
                strcat(str, str3);
                strcat(str, str2);
                puts(str);

                hand[card - 1] = str;
                printf("%s\n", hand[card - 1]);
            }
         }
      }
   }
}


if语句中的代码可以正常工作。
当我尝试打印赋予手的值时,在main()中出现了问题,但是在deal()中,手中的值可以很好地打印。我以为我没有正确地传递函数,但是无论我尝试使程序正确运行的其他方法如何,均无济于事。

该程序的示例如下所示:
Example of program running

最佳答案

在您的deal()函数中:

hand[card - 1] = str;


str是本地字符数组,一旦您从deal()返回,其地址将失效
正确的方法是为hand的每个元素分配内存(元素的最大数量为5),然后使用strstrcpy的值复制到hand的元素中

例如

 hand[card - 1] = malloc(26);
 strcpy(hand[card - 1],str);

关于c - 在C中编辑字符串数组,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/47298751/

10-12 04:42