昨晚一个同学在网上找了一段傅里叶变换的代码,但是需要验证代码的正确性。于是就打算生成一个正弦波。他找到了我,代码本身是没有难度的,因为基本任何语言都有math库,库中肯定有三角函数。我当时想,能不能在Windows的控制台下画出一个正弦波。需要解决的问题只有一个,如何控制Console的光标位置。所幸的是,Windows提供了这样的API给我们使用。在windows.h的头文件中,有这样几个函数。
HANDLE WINAPI GetStdHandle(
_In_ DWORD nStdHandle
);
BOOL WINAPI SetConsoleCursorPosition(
_In_ HANDLE hConsoleOutput,
_In_ COORD dwCursorPosition
);
这些API可以让我们完成这个任务。
GetStdHandle用来从一个特定的设备取得一个句柄,而SetConsoleCursorPosition就和它的名字一样,来控制光标位置。
废话不多说了。我写了一个简单的代码,如下:
/*
draw sin(x) in windows console
N:取样点数
M:取样间隔
*/
#include <iostream>
#include <math.h>
#include <windows.h>
using namespace std;
#define PI 3.14159265
#define N 200
#define M 200
const int SWING=10;
void setPos(COORD &c,HANDLE h,short x,short y){
c.X=x;
c.Y=y;
SetConsoleCursorPosition(h,c);
}
#define BEGIN_X 0
#define BEGIN_Y 12
#define END_X 0
#define END_Y 26
int main(int argc,char **argv){
COORD loc;
HANDLE hStdout=GetStdHandle(STD_OUTPUT_HANDLE);
setPos(loc,hStdout,BEGIN_X,BEGIN_Y);
const float period=20; //周期
const float step=period/N; //步长
for(int i=0;i<=N;i++)
for(int j=0;j<M;j++){
short x=(i * step) + (j*step/M );
short y=SWING * sin(PI/10*x);
setPos(loc,hStdout,BEGIN_X+x,BEGIN_Y+y);
//printf("%d,%d\n",loc.X,loc.Y);
printf(".");
}
setPos(loc,hStdout,END_X,END_Y);
return 0;
}
效果如下:
需要注意的地方就是:COORD的两个数据成员的类型是SHORT类型。我当时以为是float类型的,结果画图怎么画都不对。
更多的内容可以参考MSDN
时间: 2024-10-21 14:20:34