Win 32 绘制矩形和正弦波

1. 绘制矩形

1.1 直线方式绘制矩形代码

    int i;
	HDC hdc;
	hdc = GetWindowDC(hWnd);
	POINT apt[5] = { 200, 200, 400, 200, 400, 400, 200, 400, 200, 200 };
	MoveToEx(hdc, apt[0].x, apt[0].y, NULL);
	for (i = 1; i < 5; i++)
	{
		LineTo(hdc, apt[i].x, apt[i].y);
	}

1.2 连接点的方式绘制矩形代码

	HDC hdc;
	hdc = GetWindowDC(hWnd);
	POINT apt[5] = { 200, 200, 400, 200, 400, 400, 200, 400, 200, 200 };
	Polyline(hdc, apt, 5);

1.3 直接 Rectangle 绘制

	HDC	hdc;
	hdc = GetWindowDC(hWnd);
	Rectangle(hdc, 200, 200, 400, 400);

1.4 矩形示意图

Win 32 绘制矩形和正弦波_第1张图片

2. 绘制正弦波

2.1 正弦波代码

#define NUM 1000 
#define TWOPI (2 * 3.1415926535)

// ----------------------------------------------------------------------------
LRESULT CALLBACK WndProc(HWND hWnd, UINT message, WPARAM wParam, LPARAM lParam)
{
	static int		cxClient, cyClient;
	HDC				hdc;
	int				i;
	PAINTSTRUCT		ps;
	POINT			apt[NUM];

	switch (message)
	{
	case WM_SIZE:					// 当主窗口的客户区部分大小改变时,应用程序接收到 WM_SIZE 消息
		cxClient = LOWORD(lParam);  // 得到一个 32 bit 数的低 16 bit 
		cyClient = HIWORD(lParam);  // 得到一个 32 bit 数的高 16 bit 
		return 0;

	case WM_PAINT:
		hdc = BeginPaint(hWnd, &ps);

		// y 轴中心位置画一条横线
		MoveToEx(hdc, 0, cyClient / 2, NULL);
		LineTo(hdc, cxClient, cyClient / 2);

		for (i = 0; i < NUM; i++)
		{
			apt[i].x = i * cxClient / NUM;									// 将 cxClient 1000 等分
			apt[i].y = (int)(cyClient / 2 * (1 - sin(TWOPI * i / NUM)));	// y 的坐标是相对于左上角的 因此需要用一半的减去 sin 的值
		}
		Polyline(hdc, apt, NUM);
		EndPaint(hWnd, &ps);
		return 0;

	case WM_DESTROY:
		PostQuitMessage(0);
		return 0;
	}
	return DefWindowProc(hWnd, message, wParam, lParam);
}

2.2 正弦波示意图

Win 32 绘制矩形和正弦波_第2张图片

参考资料

  • Windows 程序设计:第5版 - 豆瓣读书

你可能感兴趣的:(C++)