作为使用C进行家庭作业的一部分,我必须创建一个函数,该函数将字符串拆分为以插入的键(即字母)开头的所有单词。 除免费功能外,其他所有功能都非常有效, 当我尝试通过函数(行然后是骨架)释放动态矩阵时 我收到一个程序已触发断点的错误。
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <ctype.h>
char **Split(char *str, char letter, int *size);
void free_mat(char **mat, int size);
int main() {
int size, i;
char letter;
char STR[100];
char **strings_arr;
printf("Please enter a string:\n");
flushall;
gets(STR);
printf("Please enter a letter for a check:\n");
letter = getchar();
strings_arr = Split(STR, letter, &size);
if (size > 0) {
printf("The number of words that starts with the letter '%c' in the string '%s' is: %d\n\n", letter, STR, size);
}
printf("The words are:\n");
for (i = 0; i < size; i++) {
printf("%d . %s\n", i+1,strings_arr[i]);
}
free_mat(strings_arr, size);
return 0;
}
void free_mat(char **mat, int size)
{
int i;
for (i = 0; i < size; i++)
{
free(mat[i]);
}
free(mat);
}
char **Split(char *str, char letter, int *size) {
int rows = 0, i, lengh = 0, j = 0, n = 0, m;
char **strings_array;
if ((str[0] == letter) || (str[0] == letter + 32) || str[0] == letter - 32) {
rows++;
}
for (i = 0; str[i] != '\0'; i++) {
if (str[i] == ' ') {
if ((str[i + 1] == letter) || (str[i + 1] == letter + 32) || str[i + 1] == letter - 32) {
rows++;
}
}
}
if (rows == 0) {
printf("There are no words starting with '%c' letter in this string\n\n", letter);
}
i = 0;
strings_array = (char*)malloc(rows * sizeof(char));
if ((str[0] == letter) || (str[0] == letter + 32) || str[0] == letter - 32) {
while (str[i] != ' ' && str[i] != '\0') {
lengh++;
i++;
}
strings_array[j] = (char*)malloc((lengh + 1) * sizeof(char));
for (n = 0; n < lengh; n++) {
strings_array[j][n] = str[n];
}
strings_array[j][n] = '\0';
j++;
}
for (i = 1; str[i] != '\0'; i++) {
if (letter == str[i] || letter == str[i] - 32 || letter == str[i] + 32) {
lengh = 0;
//k = 0;
m = i;
while (str[m] != ' ' && str[m] != '\0') {
lengh++;
m++;
}
strings_array[j] = (char*)malloc(lengh + 1);
for (n = 0; n < lengh; n++) {
strings_array[j][n] = str[i++];
}
strings_array[j][n] = '\0';
j++;
}
}
*size = rows; // sends back the number of words by referance
return strings_array;
}
谢谢!
答案 0 :(得分:0)
断点是您从IDE或等效代码中手动插入到代码中的东西。用于调试。当您运行代码时,它打算在到达断点时停止。因此,只需删除断点,它便会按预期工作。
注意:仅删除断点。不是那行上的代码。
您在下面的评论中提到您正在使用Visual Studio2015。这是该软件的断点文档:https://docs.microsoft.com/en-us/visualstudio/debugger/using-breakpoints?view=vs-2019
但是您的代码还有其他一些问题。首先,use fgets instead of gets。其次,您似乎发布了错误的版本或其他内容,因为free_mat
无法编译。但是,将arr
更改为mat
很容易解决。
xing在注释中还提到了另一个错误。将strings_array = (char*)malloc(rows * sizeof(char))
更改为strings_array = malloc(rows * sizeof(*strings_array))
。强制类型转换不是必需的,您为sizeof
的参数选择了错误的类型,并且如果传递了取消引用的指针而不是该类型,则将来会为您省去很多麻烦。