如何在 C 语言中绘制数据
本文将解释几种在 C 语言中绘制数据的方法。
使用 gnuplot
函数检查文件流上的文件结束指示符
gnuplot 是一个功能强大的绘图程序,可用于显示绘图并将其另存为文件。它通常用于具有基于列的简单格式的文件数据集,其中每一列都用一个空格定界,如下所示。在这个例子中,我们使用 popen 函数将命令流传输到 gnuplot 程序,并绘制存储在单独文件中的数据。gnuplot 文档可以在此页面上阅读。在这种情况下,我们将仅使用最简单的命令来演示用法。
plot
命令是核心部分,它采用不同的参数和参数来处理和渲染图。我们提供的文件包含 2 列数字,需要将其绘制为折线图。该命令具有以下格式:plot 'input.txt' t 'Price' w lp
,该格式是使用 fprintf
构建的,并写入了从 popen
调用返回的文件流指针中。命令中的 t
说明符是标题的缩写形式,而 w
-with
关键字则表示图表的样式。在这种情况下,选择 lp
(线点)样式来表示特定时间段内的多个价格点。注意,我们显式地使流 fflush
以确保将数据传递到 gnuplot
程序,并最终使用 getchar
函数暂停程序,以确保图表被显示,直到用户关闭它。
#include <stdio.h>
#include <stdlib.h>
int main(void) {
const char *filename = "input.txt";
FILE *gnuplot = popen("gnuplot", "w");
if (!gnuplot) {
perror("popen");
exit(EXIT_FAILURE);
}
fprintf(gnuplot, "plot \"%s\" t 'Price' w lp\n", filename);
fflush(gnuplot);
fprintf(stdout, "Click Ctrl+d to quit...\n");
getchar();
pclose(gnuplot);
exit(EXIT_SUCCESS);
}
输入文件格式:
2005 49
2006 52
...
2019 154
2020 127
2021 147
使用 popen
函数将绘图数据流式传输到 gnuplot
程序
或者,我们可以将先前存储的数据直接从程序存储器中流式传输到单独的文件中。再次使用 popen
函数打开与 gnuplot
程序的管道通信,然后以特殊格式发送存储在数组中的数字。在此示例中,命令的格式为 plot '-' u 1:2 t 'Price' w lp
,后跟数据元素,最后以 e
字符终止。每个整数都应以空格分隔,并以与上一个示例的输入文件相似的格式传递。因此,我们利用 fprintf
函数将格式化的文本写入 gnuplot
管道流中。注意,用 popen
调用打开的文件流应该用 pclose
函数关闭。
#include <stdio.h>
#include <stdlib.h>
int main(void) {
int x[] = { 2015, 2016, 2017, 2018, 2019, 2020 };
int y[] = { 344, 543, 433, 232, 212, 343 };
FILE *gnuplot = popen("gnuplot", "w");
if (!gnuplot) {
perror("popen");
exit(EXIT_FAILURE);
}
fprintf(gnuplot, "plot '-' u 1:2 t 'Price' w lp\n");
for (int i = 0; i < 6; ++i) {
fprintf(gnuplot,"%d %d\n", x[i], y[i]);
}
fprintf(gnuplot, "e\n");
fprintf(stdout, "Click Ctrl+d to quit...\n");
fflush(gnuplot);
getchar();
pclose(gnuplot);
exit(EXIT_SUCCESS);
}
Founder of DelftStack.com. Jinku has worked in the robotics and automotive industries for over 8 years. He sharpened his coding skills when he needed to do the automatic testing, data collection from remote servers and report creation from the endurance test. He is from an electrical/electronics engineering background but has expanded his interest to embedded electronics, embedded programming and front-/back-end programming.
LinkedIn