我想打印出C中括号n-paris的所有有效组合。在main中,我给出一个值3。这是我想打印出所有有效括号的组合,其中有3个左括号和3个右括号。但是,我得到了分割错误,gdb打印到_printValidParentheses(str, leftCount--, rightCount, count++);行。我想有人知道我为什么有错吗?谢谢。

void printString(char * str) {
    while (*str) {
        printf("%c", *str++);
    }
    printf("\n");
}

void _printValidParentheses(char str[], int leftCount, int rightCount, int count) {
    if (leftCount < 0 || rightCount < 0) {
        return;
    }

    if (leftCount == 0 && rightCount == 0) {
        printString(str);
        return;
    } else {
        if (leftCount > 0) {
            str[count] = '(';
            _printValidParentheses(str, leftCount--, rightCount, count++);
        }

        if (rightCount > leftCount) {
            str[count] = ')';
            _printValidParentheses(str, leftCount, rightCount--, count++);
        }

    }
}

void printValidParentheses(int n) {
    char *str = malloc(sizeof(char) * n * 2);
    _printValidParentheses(str, n, n, 0);
}

int main() {
    printValidParentheses(3);
    return 1;
}

最佳答案

您可以减少/增加此行中的变量:

_printValidParentheses(str, leftCount--, rightCount, count++);

只有在调用函数之后,才能得到StackOverflow,因为每次调用函数时都使用相同的参数,并且它递归地调用自己。

09-19 10:52