C结构到字符串

时间:2015-04-21 02:53:56

标签: c structure

所以我的结构看起来像这样:

typedef struct {
char *gpsId;
char *type;
char *name;
double latitude;
double longitude;
int elevationFeet;
char *city;
char *countryAbbrv;
} Airport;

我也有一个函数,该函数的原型如下所示:

char * airportToString(const Airport *a);

我需要做函数的名称建议,我需要转换传递给字符串的Airport结构然后使用驱动程序它将打印返回的字符数组。我知道sprintf和所有这些方法,但我不想从这个函数打印我需要从main函数打印。我有一些代码,它只是一系列的strcat,但它似乎是错误的做事方式PLUS当它到达纬度它会失败因为你不能使用strcat将双重放入一个字符串。另一个规定是我必须动态分配字符串,所以我有一行malloc看起来像:

char * array = (char * ) malloc((sizeof(Airport) * 1) + 8);

但我认为这也会带来更多的错误,+ 8只是用于格式化的空间和最后的空终止符,但如果绕过将双精度或int转换为字符串,它们是大它会执行数组边界并超出界限吗?完成这项任务的最佳方法是我需要做的是:

构造一个代表给定机场的新字符串。格式化的细节可以是任何东西,但它应该是可读的并且提供合理的 有关机场结构的详细信息。而且,返回的字符串 应该动态分配。

1 个答案:

答案 0 :(得分:2)

如上所述,确定所需空间量的一种有效方法是使用snprintfstrsize进行初始调用。 NULL指定为0snprintf,分别强制str返回已编写的字符数size& snprintf + 1为写入提供了足够的空间。然后,您可以使用airport返回的字符数来动态分配足以保存转换为字符串的结构内容的缓冲区。出于示例的目的,输出格式只是逗号分隔的struct2str结构值的字符串(通常避免C中变量/结构名称的首要资本,而不是无效,只是传统风格的问题)。 / p>

以下是解决此问题的一种方法。如果成功,NULL函数返回包含机场结构内容的动态分配字符串,否则返回airport。如果要转换#include <stdio.h> #include <stdlib.h> typedef struct { char *gpsId; char *type; char *name; double latitude; double longitude; int elevationFeet; char *city; char *countryAbbrv; } airport; char *struct2str (airport ap); int main (void) { /* declare structure and initialize values */ airport a = { "GPS100151", "GPS/ILS/RVR/AWOS", "A.L. Mangham Regional", 31.58, 94.72, 354, "Nacogdoches", "US" }; /* convert struct a to string (no name conflict with struct) */ char *airport = struct2str (a); printf ("\n airport as a string:\n\n '%s'\n\n", airport); /* free dynamically allocated memory */ if (airport) free (airport); return 0; } /* convert contents of airport structure to a comma separated string of values. Returns pointer to dynamically allocated string containing contents of airport structure on success, otherwise NULL. */ char *struct2str (airport ap) { /* get lenght of string required to hold struct values */ size_t len = 0; len = snprintf (NULL, len, "%s,%s,%s,%lf,%lf,%d,%s,%s", ap.gpsId, ap.type, ap.name, ap.latitude, ap.longitude, ap.elevationFeet, ap.city, ap.countryAbbrv); /* allocate/validate string to hold all values (+1 to null-terminate) */ char *apstr = calloc (1, sizeof *apstr * len + 1); if (!apstr) { fprintf (stderr, "%s() error: virtual memory allocation failed.\n", __func__); } /* write/validate struct values to apstr */ if (snprintf (apstr, len + 1, "%s,%s,%s,%lf,%lf,%d,%s,%s", ap.gpsId, ap.type, ap.name, ap.latitude, ap.longitude, ap.elevationFeet, ap.city, ap.countryAbbrv) > len + 1) { fprintf (stderr, "%s() error: snprintf returned truncated result.\n", __func__); return NULL; } return apstr; } 条目数组,则可以轻松传递数组中的元素数并修改函数以返回指向字符串的指针数组。如果您有疑问,请告诉我们:

$ ./bin/struct_to_str

 airport as a string:

  'GPS100151,GPS/ILS/RVR/AWOS,A.L. Mangham Regional,31.580000,94.720000,354,Nacogdoches,US'

<强>输出

{{1}}