c语言编写程序,功能是将M行N列的二维数组中的字符数据按列的顺序依次放到一个字符串(一维数组)中。
时间: 2024-02-03 14:14:03 浏览: 68
可以参考下面的C语言程序实现:
```c
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#define MAX_M 100
#define MAX_N 100
char* array_to_string(char data[MAX_M][MAX_N], int m, int n) {
int i, j;
char* str = (char*)malloc(sizeof(char) * (m * n + 1)); // 分配字符串空间
str[0] = '\0'; // 空字符串
for (j = 0; j < n; j++) {
for (i = 0; i < m; i++) {
str[strlen(str)] = data[i][j]; // 按列依次添加字符
}
}
str[m * n] = '\0'; // 添加字符串结尾标识符
return str;
}
int main() {
char data[MAX_M][MAX_N] = {
{'a', 'b', 'c'},
{'d', 'e', 'f'},
{'g', 'h', 'i'}
};
int m = 3, n = 3;
char* str = array_to_string(data, m, n);
printf("%s\n", str);
free(str); // 释放内存
return 0;
}
```
其中,`array_to_string`函数接收一个二维字符数组`data`、数组的行数`m`和列数`n`,返回一个按列顺序排列的一维字符数组。函数内部首先动态分配一个字符串,然后通过两个循环按列依次添加字符,最后添加字符串结尾标识符。主函数中定义一个3x3的字符数组,调用`array_to_string`函数得到一维字符数组,并打印输出。最后需要释放动态分配的内存。
阅读全文