这很容易,但如果有人可以解释最简单的方法来让'sval'包含字符串“$ 1” - 数组索引0-499的“$ 500”。在下面的代码中,但是itoa在下面的代码中给了我奇怪的字符串:
#include<iostream>
#include <stdio.h>
#include <stdlib.h>
using namespace std;
typedef struct data_t {
int ival;
char *sval;
} data_t;
void f1(data_t **d);
int main()
{
data_t *d;
d = new data_t[500];
f1(&d);
}
/* code for function f1 to fill in array begins */
void f1(data_t **d)
{
char str[5];
for (int i=0; i<500; i++)
{
(*d)[i].ival = i+1;
itoa (i+1,str,10);
(*d)[i].sval = str;
}
}
似乎itoa已被折旧,但这是我在使用google搜索字符串时得到的
或者...用stringstream尝试它我仍然遇到问题而且我在前面没有得到'$'但是......
#include<iostream>
#include<sstream>
using namespace std;
typedef struct data_t {
int ival;
char *sval;
} data_t;
void f1(data_t **d);
int main()
{
data_t *d;
//d = static_cast<data_t*>(malloc(sizeof(data_t)*500)); //for legacy c
d = new data_t[500];
f1(&d);
}
/* code for function f1 to fill in array begins */
void f1(data_t **d)
{
stringstream ss;
char *str;
for (int i=0; i<500; i++)
{
(*d)[i].ival=i+1;
ss << i;
str = ss.str();
(*d)[i].sval= str;
}
}
char *和string不能很好地协同工作......再次......我仍然不确定如何在整个事情面前得到“$”......呃
哦...如果它有帮助..这是给出的代码:和我的要求 以下程序包含data_t类型的结构数组。给出了data_t类型的变量'd'的声明。将逻辑写入主程序,为变量“d”分配内存,使其包含500个元素的数组,每个元素的类型为data_t。不要为释放内存或测试malloc的返回值为NULL而烦恼。然后,写入函数'f1'以填充数组的500个元素中的每一个,使得整数字段'ival'分别对于数组索引0-499具有值1-500,并且字符串字段'sval'包含字符串数组索引0-499分别为“$ 1” - “$ 500”。函数'f1'的调用在主程序结束时给出。
typedef struct data_t {
int ival;
char *sval;
} data_t;
main()
{
data_t *d; /* declaration for an array of data_t structures */
/* allocate memory for a 500 element array of structures begins */
/* allocate memory for a 500 element array of structures ends */
f1(&d); /* function call to fill in array */
}
/* code for function f1 to fill in array begins */
f1(data_t **d)
{
}
/* code for function f1 to fill in array ends */
答案 0 :(得分:1)
如果您可以更改结构定义,那么最简单的方法是定义它,以便sval
的字节包含在结构中:
typedef struct data_t {
int ival;
char sval[5];
} data_t;
(否则,您需要使用jamesdlin的回答中所述的malloc()
和free()
。)
然后,要进行字符串转换并插入$
字符,您可以使用snprintf()
。像这样:
for (int i=0; i<500; i++)
{
(*d)[i].ival = i+1;
snprintf((*d)[i].sval, 4, "$%i", i+1);
}
答案 1 :(得分:1)
void f1(data_t **d)
{
char str[5];
for (int i=0; i<500; i++)
{
(*d)[i].ival = i+1;
itoa (i+1,str,10);
(*d)[i].sval = str;
}
}
您指定每个sval
成员指向同一个数组(str
)。也就是说,(*d)[i].sval
将指向所有元素的相同内存位置。更糟糕的是,它们都指向一个本地数组,当f1
返回时它将变成垃圾。
如果您希望每个数组元素的sval
成员指向其自己的字符串,则必须自己显式分配内存(并在以后显式释放)。
void f1(data_t **d)
{
for (int i=0; i<500; i++)
{
char *str = malloc(5);
if (str == NULL) {
abort(); // Or fail gracefully somehow.
}
(*d)[i].ival = i+1;
itoa (i+1,str,10);
(*d)[i].sval = str;
}
}
答案 2 :(得分:0)
void f1(data_t **d)
{
char str[5];
for (int i=0; i<500; i++)
{
(*d)[i].ival = i+1;
itoa (i+1,str,10);
(*d)[i].sval= str; // <-- WRONG! str is allocated on the stack!
// And you use the same char[] for the 500 data_t.sval
}
}