在C语言中,可以使用控制台的光标位置和控制台大小来实现翻页效果。具体步骤如下:
GetConsoleScreenBufferInfo
函数。以下是一个简单的示例代码:
#include <stdio.h>
#include <windows.h>
void gotoxy(int x, int y) {
COORD coord;
coord.X = x;
coord.Y = y;
SetConsoleCursorPosition(GetStdHandle(STD_OUTPUT_HANDLE), coord);
}
void clearScreen() {
system("cls");
}
void printPage(const char** content, int startLine, int endLine) {
for (int i = startLine; i <= endLine; ++i) {
printf("%s\n", content[i]);
}
}
int main() {
int pageSize = 10; // 每页显示的行数
int currentPage = 1; // 当前页数
int totalLines = 100; // 总行数,假设有100行数据
int totalPages = (totalLines + pageSize - 1) / pageSize; // 总页数
int startLine, endLine; // 需要显示的起始行和结束行
const char* content[100] = {
// 假设有100行内容
"line 1",
"line 2",
// ...
"line 100"
};
while (1) {
clearScreen();
startLine = (currentPage - 1) * pageSize;
endLine = currentPage * pageSize - 1;
if (endLine >= totalLines) {
endLine = totalLines - 1;
}
printPage(content, startLine, endLine);
printf("Page %d / %d\n", currentPage, totalPages);
printf("Press 'U' to page up, 'D' to page down, 'Q' to quit: ");
char input = getch();
if (input == 'U' || input == 'u') {
currentPage--;
if (currentPage < 1) {
currentPage = 1;
}
} else if (input == 'D' || input == 'd') {
currentPage++;
if (currentPage > totalPages) {
currentPage = totalPages;
}
} else if (input == 'Q' || input == 'q') {
break;
}
}
return 0;
}
这段代码使用了Windows API函数SetConsoleCursorPosition
来设置控制台光标位置,GetConsoleScreenBufferInfo
来获取控制台大小,并且使用了getch
函数来获取用户输入。请根据自己的需求进行适当修改。