我想使用两个char指针打印“ Hello-World”,但我 出现“分段错误(核心已转储)”问题。
#include <stdlib.h>
#include <string.h>
#include <stdio.h>
#define Hyphen " - "
int main()
{
char* x="Hello";
char* y="'World'";
strcat(x, Hyphen);
strcat(x, y);
printf("%s",x);
return 0;
}
答案 0 :(得分:2)
您实际上是在尝试使用字符串文字作为strcat()
的目标缓冲区。这是UB,有两个原因
解决方案:您需要定义一个数组,该数组的长度足以容纳串联的字符串,并将其用作目标缓冲区。
一种通过更改代码的示例解决方案:
#include <stdlib.h>
#include <string.h>
#include <stdio.h>
#define Hyphen " - "
#define ARR_SIZE 32 // define a constant as array dimention
int main(void) //correct signature
{
char x[ARR_SIZE]="Hello"; //define an array, and initialize with "Hello"
char* y="'World'";
strcat(x, Hyphen); // the destination has enough space
strcat(x, y); // now also the destination has enough space
printf("%s",x); // no problem.
return 0;
}
答案 1 :(得分:0)
字符串文字在C(和C ++)中是不变的。
要将一个字符串连接到另一个字符串,最后一个字符串(即字符数组)应有足够的空间容纳第一个字符串。
因此,使用指针的解决方案是为(结果)字符数组动态分配足够的内存,然后将字符数组内的字符串连接起来。
例如
#include <stdlib.h>
#include <string.h>
#include <stdio.h>
#define Hyphen " - "
int main( void )
{
const char *x = "Hello";
const char *y = "'World'";
size_t n = strlen( x ) + strlen( y ) + strlen( Hyphen ) + 1;
char *s = malloc( n );
strcpy( s, x );
strcat( s, Hyphen );
strcat( s, y );
puts( s );
free( s );
return 0;
}
程序输出为
Hello - 'World'
如果要排除字符串"'World'"
周围的单引号,则代码可以采用以下方式。
#include <stdlib.h>
#include <string.h>
#include <stdio.h>
#define Hyphen " - "
int main( void )
{
const char *x = "Hello";
const char *y = "'World'";
size_t n = strlen( x ) + ( strlen( y ) - 2 ) + strlen( Hyphen ) + 2;
char *s = malloc( n );
strcpy( s, x );
strcat( s, Hyphen );
strcat( s, y + 1 );
s[strlen( s ) - 1] = '\0';
// or
// s[n - 2] = '\0';
puts( s );
free( s );
return 0;
}