如何在不使用 strcpy 函数的情况下初始化结构中的字符串?
How to initialize string in struct without using strcpy function?
有没有手动初始化结构中的字符串的方法?我曾经使用 strcpy 函数在结构中初始化字符串,例如:
typedef struct {
int id;
char name[20];
int age;
} employee;
int main()
{
employee x;
x.age=25;
strcpy(x.name,"sam");
printf("employee age is %d \n",x.age);
printf("employee name is %s",x.name);
return 0;
}
您可以编写自己的 strcpy
版本:
void mycopy(char *dest, const char *source, size_t ndest)
{
assert(ndest != 0);
while (--ndest > 0 && (*dest++ = *source++))
;
}
您不再使用 strcpy
。而且更安全。
严格来说
strcpy(x.name,"sam");
不是初始化。
如果要说初始化的话可以按下面的方式来做
employee x = { .name = "sam", .age = 25 };
或
employee x = { .name = { "sam" }, .age = 25 };
这相当于下面的初始化
employee x = { 0, "sam", 25 };
或
employee x = { 0, { "sam" }, 25 };
或者您甚至可以使用 employee
类型的复合文字来初始化对象 x
,尽管这样效率不高。
否则,如果不是初始化而是结构数据成员的赋值,那么您确实必须至少使用 strcpy
或 strncpy
.
max - 包括尾随零
char *mystrncpy(char *dest, const char *src, size_t max)
{
char *tmp = dest;
if (max)
{
while (--max && *src)
{
*dest++ = *src++;
}
*dest++ = '[=10=]';
}
return tmp;
}
有没有手动初始化结构中的字符串的方法?我曾经使用 strcpy 函数在结构中初始化字符串,例如:
typedef struct {
int id;
char name[20];
int age;
} employee;
int main()
{
employee x;
x.age=25;
strcpy(x.name,"sam");
printf("employee age is %d \n",x.age);
printf("employee name is %s",x.name);
return 0;
}
您可以编写自己的 strcpy
版本:
void mycopy(char *dest, const char *source, size_t ndest)
{
assert(ndest != 0);
while (--ndest > 0 && (*dest++ = *source++))
;
}
您不再使用 strcpy
。而且更安全。
严格来说
strcpy(x.name,"sam");
不是初始化。
如果要说初始化的话可以按下面的方式来做
employee x = { .name = "sam", .age = 25 };
或
employee x = { .name = { "sam" }, .age = 25 };
这相当于下面的初始化
employee x = { 0, "sam", 25 };
或
employee x = { 0, { "sam" }, 25 };
或者您甚至可以使用 employee
类型的复合文字来初始化对象 x
,尽管这样效率不高。
否则,如果不是初始化而是结构数据成员的赋值,那么您确实必须至少使用 strcpy
或 strncpy
.
max - 包括尾随零
char *mystrncpy(char *dest, const char *src, size_t max)
{
char *tmp = dest;
if (max)
{
while (--max && *src)
{
*dest++ = *src++;
}
*dest++ = '[=10=]';
}
return tmp;
}