На главную

On-line справка по Win32 API

Написать письмо
БЕСПЛАТНАЯ ежедневная online лотерея! Выигрывай каждый день БЕСПЛАТНО!
Список всех статей A-B-C-D-E-F-G-H-I-J-K-L-M-N-O-P-Q-R-S-T-U-V-W-X-Y-Z | Скачать Вниз

Displaying Keyboard Input



The example in this section shows how an application can receive characters from the keyboard, display them in the client area of a window, and update the position of the caret with each character typed. It also demonstrates how to move the caret in response to the LEFT ARROW, RIGHT ARROW, HOME and END keystrokes, and shows how to highlight selected text in response to the SHIFT+RIGHT ARROW key combination.

During processing of the WM_CREATE message, the window procedure shown in the example allocates a 64K buffer for storing keyboard input. It also retrieves the metrics of the currently loaded font, saving the height and average width of characters in the font. The height and width are used in processing the WM_SIZE message to calculate the line length and maximum number of lines, based on the size of the client area.
The window procedure creates and displays the caret when processing the WM_SETFOCUS message. It hides and deletes the caret when processing the WM_KILLFOCUS message.

When processing the WM_CHAR message, the window procedure displays characters, stores them in the input buffer, and updates the caret position. The window procedure also converts tab characters to four consecutive space characters. Backspace, linefeed, and escape characters generate a beep, but are not otherwise processed.
The window procedure performs the left, right, end, and home caret movements when processing the WM_KEYDOWN message. While processing the action of the RIGHT ARROW key, the window procedure checks the state of the SHIFT key and, if it is down, selects the character to the right of the caret as the caret is moved.

Note that the following code is written so that it can be compiled either as Unicode™ or as ANSI. If the source code defines Unicode, strings are handled as Unicode characters; otherwise, they are handled as ANSI characters.

#define BUFSIZE 65535
#define SHIFTED 0x8000

LONG APIENTRY MainWndProc(hwndMain, uMsg, wParam, lParam)
HWND hwndMain;
UINT uMsg;
UINT wParam;
LONG lParam;
{
HDC hdc; /* handle of device context */
TEXTMETRIC tm; /* structure for text metrics */
static DWORD dwCharX; /* average width of characters */
static DWORD dwCharY; /* height of characters */
static DWORD dwClientX; /* width of client area */

static DWORD dwClientY; /* height of client area */
static DWORD dwLineLen; /* line length */
static DWORD dwLines; /* text lines in client area */
static int nCaretPosX = 0; /* horizontal position of caret */
static int nCaretPosY = 0; /* vertical position of caret */
static int nCharWidth = 0; /* width of a character */
static int cch = 0; /* characters in buffer */

static int nCurChar = 0; /* index of current character */
static PTCHAR pchInputBuf; /* address of input buffer */
int i, j; /* loop counters */
int cCR = 0; /* count of carriage returns */
int nCRIndex = 0; /* index of last carriage return */
int nVirtKey; /* virtual-key code */
TCHAR szBuf[128]; /* temporary buffer */

TCHAR ch; /* current character */
PAINTSTRUCT ps; /* required by BeginPaint */
RECT rc; /* output rectangle for DrawText */
SIZE sz; /* string dimensions */
COLORREF crPrevText; /* previous text color */
COLORREF crPrevBk; /* previous background color */

switch (uMsg) {
case WM_CREATE:

/* Get the metrics of the current font. */


hdc = GetDC(hwndMain);
GetTextMetrics(hdc, &tm);
ReleaseDC(hwndMain, hdc);

/* Save the average character width and height. */

dwCharX = tm.tmAveCharWidth;
dwCharY = tm.tmHeight;

/* Allocate a buffer to store keyboard input. */

pchInputBuf = (LPTSTR) GlobalAlloc(GPTR,
BUFSIZE * sizeof(TCHAR));
return 0;

case WM_SIZE:


/* Save the new width and height of the client area. */

dwClientX = LOWORD(lParam);
dwClientY = HIWORD(lParam);

/*
* Calculate the maximum width of a line and the
* maximum number of lines in the client area.
*/

dwLineLen = dwClientX - dwCharX;
dwLines = dwClientY / dwCharY;
break;


case WM_SETFOCUS:

/*

* Create, position, and display the caret when the
* window receives the keyboard focus.
*/

CreateCaret(hwndMain, (HBITMAP) 1, 0, dwCharY);
SetCaretPos(nCaretPosX, nCaretPosY * dwCharY);
ShowCaret(hwndMain);
break;

case WM_KILLFOCUS:

/*
* Hide and destroy the caret when the window loses the
* keyboard focus.
*/


HideCaret(hwndMain);
DestroyCaret();
break;

case WM_CHAR:
switch (wParam) {
case 0x08: /* backspace */
case 0x0A: /* linefeed */
case 0x1B: /* escape */
MessageBeep(0xFFFFFFFF);
return 0;

case 0x09: /* tab */

/* Convert tabs to four consecutive spaces. */


for (i = 0; i < 4; i++)
SendMessage(hwndMain, WM_CHAR, 0x20, 0);
return 0;

case 0x0D: /* carriage return */

/*
* Record the carriage return and position the
* caret at the beginning of the new line.
*/

pchInputBuf[cch++] = 0x0D;
nCaretPosX = 0;

nCaretPosY += 1;
break;

default: /* displayable character */

ch = (TCHAR) wParam;
HideCaret(hwndMain);

/*
* Retrieve the character's width and output
* the character.
*/

hdc = GetDC(hwndMain);
GetCharWidth32(hdc, (UINT) wParam, (UINT) wParam,

&nCharWidth);
TextOut(hdc, nCaretPosX, nCaretPosY * dwCharY,
&ch, 1);
ReleaseDC(hwndMain, hdc);

/* Store the character in the buffer. */

pchInputBuf[cch++] = ch;

/*
* Calculate the new horizontal position of the
* caret. If the position exceeds the maximum,
* insert a carriage return and move the caret

* to the beginning of the next line.
*/

nCaretPosX += nCharWidth;
if ((DWORD) nCaretPosX > dwLineLen) {
nCaretPosX = 0;
pchInputBuf[cch++] = 0x0D;
++nCaretPosY;
}
nCurChar = cch;
ShowCaret(hwndMain);
break;
}

SetCaretPos(nCaretPosX, nCaretPosY * dwCharY);
break;

case WM_KEYDOWN:
switch (wParam) {
case VK_LEFT: /* LEFT ARROW */

/*
* The caret can move only to the beginning of
* the current line.
*/

if (nCaretPosX > 0) {
HideCaret(hwndMain);

/*

* Retrieve the character to the left of
* the caret, calculate the character's
* width, then subtract the width from the
* current horizontal position of the caret
* to obtain the new position.
*/

ch = pchInputBuf[--nCurChar];
hdc = GetDC(hwndMain);
GetCharWidth32(hdc, ch, ch, &nCharWidth);

ReleaseDC(hwndMain, hdc);
nCaretPosX = max(nCaretPosX - nCharWidth,
0);
ShowCaret(hwndMain);
}
break;

case VK_RIGHT: /* RIGHT ARROW */

/*
* Caret moves to the right or, when a carriage
* return is encountered, to the beginning of
* the next line.

*/

if (nCurChar < cch) {
HideCaret(hwndMain);

/*
* Retrieve the character to the right of
* the caret. If it's a carriage return,
* position the caret at the beginning of
* the next line.
*/

ch = pchInputBuf[nCurChar];

if (ch == 0x0D) {
nCaretPosX = 0;
nCaretPosY++;
}

/*
* If the character isn't a carriage
* return, check to see whether the SHIFT
* key is down. If it is, invert the text
* colors and output the character.
*/


else {
hdc = GetDC(hwndMain);
nVirtKey = GetKeyState(VK_SHIFT);
if (nVirtKey & SHIFTED) {
crPrevText = SetTextColor(hdc,
RGB(255, 255, 255));
crPrevBk = SetBkColor(hdc,
RGB(0,0,0));
TextOut(hdc, nCaretPosX,

nCaretPosY * dwCharY,
&ch, 1);
SetTextColor(hdc, crPrevText);
SetBkColor(hdc, crPrevBk);
}

/*
* Get the width of the character and
* calculate the new horizontal
* position of the caret.

*/

GetCharWidth32(hdc, ch, ch, &nCharWidth);
ReleaseDC(hwndMain, hdc);
nCaretPosX = nCaretPosX + nCharWidth;
}
nCurChar++;
ShowCaret(hwndMain);
break;
}
break;

case VK_UP: /* UP ARROW */

case VK_DOWN: /* DOWN ARROW */
MessageBeep(0xFFFFFFFF);
return 0;

case VK_HOME: /* HOME */

/*
* Set the caret's position to the upper left
* corner of the client area.
*/

nCaretPosX = nCaretPosY = 0;
nCurChar = 0;
break;

case VK_END: /* END */


/* Move the caret to the end of the text. */

for (i=0; i < cch; i++) {

/*
* Count the carriage returns and save the
* index of the last one.
*/

if (pchInputBuf[i] == 0x0D) {
cCR++;
nCRIndex = i + 1;
}
}

nCaretPosY = cCR;

/*
* Copy all text between the last carriage
* return and the end of the keyboard input
* buffer to a temporary buffer.
*/

for (i = nCRIndex, j = 0; i < cch; i++, j++)
szBuf[j] = pchInputBuf[i];
szBuf[j] = TEXT('\0');

/*
* Retrieve the text extent and use it

* to set the horizontal position of the
* caret.
*/

hdc = GetDC(hwndMain);
GetTextExtentPoint32(hdc, szBuf, lstrlen(szBuf),
&sz);
nCaretPosX = sz.cx;
ReleaseDC(hwndMain, hdc);
nCurChar = cch;
break;

default:
break;

}
SetCaretPos(nCaretPosX, nCaretPosY * dwCharY);
break;

case WM_PAINT:
if (cch == 0) /* nothing in input buffer */
break;

hdc = BeginPaint(hwndMain, &ps);
HideCaret(hwndMain);

/*
* Set the clipping rectangle, and then draw the text
* into it.
*/

SetRect(&rc, 0, 0, dwLineLen, dwClientY);

DrawText(hdc, pchInputBuf, -1, &rc, DT_LEFT);

ShowCaret(hwndMain);
EndPaint(hwndMain, &ps);
break;
.
. /* Process other messages. */
.
case WM_DESTROY:
PostQuitMessage(0);

/* Free the input buffer. */

GlobalFree((HGLOBAL) pchInputBuf);
UnregisterHotKey(hwndMain, 0xAAAA);
break;

default:
return DefWindowProc(hwndMain, uMsg, wParam, lParam);

}
return NULL;
}



Пригласи друзей и счет твоего мобильника всегда будет положительным!
Предыдущая статья
 
Сайт Народ.Ру Интернет
Следующая статья
Пригласи друзей и счет твоего мобильника всегда будет положительным!

Отображение Ввода Данных с клавиатуры



Пример в этой секции показывает как приложение может получить символы с клавиатуры, отображать их в области клиента окна и корректировать позицию символа ^ с каждым напечатанным символом. Это также демонстрирует как, чтобы перемещать символу ^ в ответ на ЛЕВУЮ СТРЕЛУ, СТРЕЛУ ПРАВА, ДОМАШНИХ и нажатий клавиши КОНЦА и показывать как, чтобы выделять выбранный текст в ответ на КЛАВИШУ позиционирования комбинации SHIFT+RIGHT.

В течение обработки сообщения WM_CREATE, процедура окна показанная в примере распределяет буфер 64K для хранения ввода данных с клавиатуры. Это также извлекает метрику к настоящему времени загруженного шрифта, сохраняющего высоту и среднюю ширину символов в шрифте. Высота и ширина использованы на обработке сообщения WM_SIZE, чтобы вычислять линию длины и максимального количества линий, основанные в размере области клиента.
Процедура окна создает и отображает символ ^ при обработке сообщения WM_SETFOCUS. Это прячет и удаляет символ ^ при обработке сообщения WM_KILLFOCUS.

При обработке сообщения WM_CHAR, процедура окна отображает символы, хранит их в входном буфере и корректирует символ ^ позиции. Процедура окна также преобразовывает символы таб. в четыре последовательных космических символа. Возврат, перевод строки, и символы перехода генерируют гудок, но - не в противном случае обработано.
Процедура окна выполняет левое, право, конец, и домашний символ ^ перемещений при обработке сообщения WM_KEYDOWN. При обработке действия КЛАВИШИ позиционирования ПРАВА, процедура окна проверяет состояние ключа ПЕРЕМЕЩЕНИЯ и, если она нажатая, выбирается символ вправо от символа ^ так как символ ^ перемещен.

Отметьте, что следующий код записан чтобы он может быть компилирован или Уникод или как ANSI. Если исходный код определяет Уникод, строки прооперированы как символы Уникода; в противном случае, они прооперированы как символы ANSI.

#define #define BUFSIZE 65535 ПЕРЕМЕЩАЛ 0x8000

ДОЛГО (ДЛИНОЙ) APIENTRY MainWndProc(hwndMain, uMsg, wParam, lParam) HWND hwndMain;
UINT uMsg;
UINT wParam;
ДОЛГО (ДЛИНОЙ) lParam;
{
hdc HDC; /* ручка контекста устройства */ tm TEXTMETRIC; /* структура для текстовой метрики */ статический DWORD dwCharX; /* средняя ширина символов */ статический DWORD dwCharY; /* высота символов */ статический DWORD dwClientX; /* ширина области клиента */

статический DWORD dwClientY; /* высота области клиента */ статический DWORD dwLineLen; /* длина строки */ статический DWORD dwLines; /* текстовые строки в области клиента */ статический int nCaretPosX = 0; /* горизонтальная позиция символа ^ */ статический int nCaretPosY = 0; /* вертикальная позиция символа ^ */ статический int nCharWidth = 0; /* ширина символа */ статический int cch = 0; /* символы в буфере */

статический int nCurChar = 0; /* индекс текущего символа */ статический PTCHAR pchInputBuf; /* адрес входного буфера */ int я, j; /* счетчики цикла */ int cCR = 0; /* счет переводов строки */ int nCRIndex = 0; /* индекс последнего перевода строки */ int nVirtKey; /* виртуальный-ключевой код */ TCHAR szBuf[128]; /* временный буфер */

ch TCHAR; /* текущий символ */ ps PAINTSTRUCT; /* требовавшееся BeginPaint */ rc RECT; /* выходной прямоугольник для DrawText */ РАЗМЕР sz; /* измерения строки */ COLORREF crPrevText; /* предшествующий текстовый цвет */ COLORREF crPrevBk; /* предшествующий цвет фона */

ключ (uMsg) { случай WM_CREATE:

/* Получите метрику текущего шрифта. */


hdc = GetDC(hwndMain);
GetTextMetrics(hdc, &tm);
ReleaseDC(hwndMain, hdc);

/* Сохраните среднюю символьную ширину и height. */

dwCharX = tm.tmAveCharWidth;
dwCharY = tm.tmHeight;

/* Распределите буфер, чтобы загружать клавиатуру input. */

pchInputBuf = (LPTSTR) GlobalAlloc(GPTR, BUFSIZE * sizeof(TCHAR));
возврат 0;

случай WM_SIZE:


/* Сохраните новую ширину и высоту клиента area. */

dwClientX = LOWORD(lParam);
dwClientY = HIWORD(lParam);

/*
* Вычислите максимальную ширину строки и .Jчемjтем
* максимальное количество строк в области клиента.
*/

dwLineLen = dwClientX - dwCharX;
dwLines = dwClientY / dwCharY;
прерывание;


случай WM_SETFOCUS:

/*

* Создайтесь, позиционируйте, и отображайте символ ^ когда the
* окно получает клавишный фокус.
*/

CreateCaret(hwndMain, (HBITMAP) 1, 0, dwCharY);
SetCaretPos(nCaretPosX, nCaretPosY * dwCharY);
ShowCaret(hwndMain);
прерывание;

случай WM_KILLFOCUS:

/*
* Спрячьте и уничтожайте символ ^ когда окно теряет the
* клавишный фокус.
*/


HideCaret(hwndMain);
DestroyCaret();
прерывание;

случай WM_CHAR: ключ (wParam) { случай 0x08: /* возврат */ случай 0x0A: /* перевод строки */ случай 0x1B: /* переход */ MessageBeep(0xFFFFFFFF);
возврат 0;

случай 0x09: /* таб. */

/* Преобразовайте таб. в четыре последовательных spaces. */


для (i = 0; я < 4; я++) SendMessage(hwndMain, WM_CHAR, 0x20, 0);
возврат 0;

случай 0x0D: /* перевод строки */

/*
* Запишите перевод строки и позиционируйте the
* символ ^ в начале новой строки.
*/

pchInputBuf[cch++] = 0x0D;
nCaretPosX = 0;

nCaretPosY += 1;
прерывание;

умолчание: /* воспроизводимый символ */

ch = (TCHAR) wParam;
HideCaret(hwndMain);

/*
* Извлеките символьную ширину и выход
* символ.
*/

hdc = GetDC(hwndMain);
GetCharWidth32(hdc, (UINT) wParam, (UINT) wParam,

&nCharWidth);
TextOut(hdc, nCaretPosX, nCaretPosY * dwCharY, &ch, 1);
ReleaseDC(hwndMain, hdc);

/* Загрузите символ в buffer. */

pchInputBuf[cch++] = ch;

/*
* Вычислите новую горизонтальную позицию the
* символ ^. Если позиция превышает максимум,
* включите перевод строки и перемещайте символ ^

* в начало следующей строки.
*/

nCaretPosX += nCharWidth;
если ((DWORD) nCaretPosX > dwLineLen) { nCaretPosX = 0;
pchInputBuf[cch++] = 0x0D;
++nCaretPosY;
}
nCurChar = cch;
ShowCaret(hwndMain);
прерывание;
}

SetCaretPos(nCaretPosX, nCaretPosY * dwCharY);
прерывание;

случай WM_KEYDOWN: ключ (wParam) { случай VK_LEFT: /* ЛЕВАЯ СТРЕЛКА */

/*
* Символ ^ может переместить только на начало
* текущая строка.
*/

если (nCaretPosX > 0) { HideCaret(hwndMain);

/*

* Извлеките символ налево
* символ ^, вычисляет символ
* ширина затем вычитает ширину из the
* текущая горизонтальная позиция символа ^
*, чтобы получать новую позицию.
*/

ch = pchInputBuf[--nCurChar];
hdc = GetDC(hwndMain);
GetCharWidth32(hdc, ch, ch, &nCharWidth);

ReleaseDC(hwndMain, hdc);
nCaretPosX = max(nCaretPosX - nCharWidth,
0);
ShowCaret(hwndMain);
}
прерывание;

случай VK_RIGHT: /* СТРЕЛКА ПРАВА */

/*
* Символ ^ перемещает направо или, когда перевозка
* возврат столкнулся с, в начало
* следующая строка.

*/

если (nCurChar < cch) { HideCaret(hwndMain);

/*
* Извлеките символ вправо от
* символ ^. Если это - перевод строки,
* спозиционируйте символ ^ в начале
* следующая строка.
*/

ch = pchInputBuf[nCurChar];

если (ch == 0x0D) { nCaretPosX = 0;
nCaretPosY++;
}

/*
* Если символ не является перевозкой
* возвращайтесь, проверяйте независимо СДВИГ
* клавиша нажатая. Если это -, инвертируйте текст
* цвета и выход символ.
*/


еще { hdc = GetDC(hwndMain);
nVirtKey = GetKeyState(VK_SHIFT);
если (nVirtKey & ПЕРЕМЕЩЕННЫЙ) { crPrevText = SetTextColor(hdc, RGB(255, 255, 255));
crPrevBk = SetBkColor(hdc, RGB(0,0,0));
TextOut(hdc, nCaretPosX,

nCaretPosY * dwCharY, &ch, 1);
SetTextColor(hdc, crPrevText);
SetBkColor(hdc, crPrevBk);
}

/*
* Получите ширину символа и
* вычислите новый горизонтальный
* спозиционируйте символ ^.

*/

GetCharWidth32(hdc, ch, ch, &nCharWidth);
ReleaseDC(hwndMain, hdc);
nCaretPosX = nCaretPosX + nCharWidth;
}
nCurChar++;
ShowCaret(hwndMain);
прерывание;
}
прерывание;

случай VK_UP: /* ПО СТРЕЛКЕ */

случай VK_DOWN: /* ВНИЗ СТРЕЛКА */ MessageBeep(0xFFFFFFFF);
возврат 0;

случай VK_HOME: /* ДОМ */

/*
* Установите символ ^ позиции на верхний левый
* поставьте в безвыходное положение область клиента.
*/

nCaretPosX = nCaretPosY = 0;
nCurChar = 0;
прерывание;

случай VK_END: /* КОНЕЦ */


/* Переместите символ ^ на конец text. */

для (i=0; я < cch; я++) {

/*
* Посчитайте переводами строки и сохраняйте the
* индекс последний.
*/

если (pchInputBuf[i] == 0x0D) { cCR++;
nCRIndex = Я + 1;
}
}

nCaretPosY = cCR;

/*
* Скопируйте весь текст между последней перевозкой
* возврат и конец ввода данных с клавиатуры
* буферизуйте временный буфер.
*/

для (i = nCRIndex, j = 0; я < cch; я++, j++) szBuf[j] = pchInputBuf[i];
szBuf[j] = ТЕКСТ('\0');

/*
* Извлеките текстовую протяженность и используйте это

*, чтобы устанавливать горизонтальную позицию the
* символ ^.
*/

hdc = GetDC(hwndMain);
GetTextExtentPoint32(hdc, szBuf, lstrlen(szBuf), &sz);
nCaretPosX = sz.cx;
ReleaseDC(hwndMain, hdc);
nCurChar = cch;
прерывание;

умолчание: прерывание;

}
SetCaretPos(nCaretPosX, nCaretPosY * dwCharY);
прерывание;

случай WM_PAINT:
если (cch == 0) /* ничто в входном буфере */ прерывание;

hdc = BeginPaint(hwndMain, &ps);
HideCaret(hwndMain);

/*
* Установите вырезать прямоугольник, затем делайте текстом
* в это.
*/

SetRect(&rc, 0, 0, dwLineLen, dwClientY);

DrawText(hdc, pchInputBuf, -1, &rc, DT_LEFT);

ShowCaret(hwndMain);
EndPaint(hwndMain, &ps);
прерывание;
.
. /* Обработайте другой messages. */
.
случай WM_DESTROY: PostQuitMessage(0);

/* Освободите ввод buffer. */

GlobalFree((HGLOBAL) pchInputBuf);
UnregisterHotKey(hwndMain, 0xAAAA);
прерывание;

умолчание:
возвращайте DefWindowProc(hwndMain, uMsg, wParam, lParam);

}
возвращайте НЕДЕЙСТВИТЕЛЬНЫЙ;
}



Вверх Version 1.3, Oct 26 2010 © 2007, 2010, mrhx Вверх
 mrhx software  Русский перевод OpenGL  Русский перевод Win32 API
 
Используются технологии uCoz