The JUCE cross-platform C++ framework, with DISTRHO/KXStudio specific changes
You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

3326 lines
113KB

  1. /*
  2. ==============================================================================
  3. This file is part of the JUCE library - "Jules' Utility Class Extensions"
  4. Copyright 2004-11 by Raw Material Software Ltd.
  5. ------------------------------------------------------------------------------
  6. JUCE can be redistributed and/or modified under the terms of the GNU General
  7. Public License (Version 2), as published by the Free Software Foundation.
  8. A copy of the license is included in the JUCE distribution, or can be found
  9. online at www.gnu.org/licenses.
  10. JUCE is distributed in the hope that it will be useful, but WITHOUT ANY
  11. WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR
  12. A PARTICULAR PURPOSE. See the GNU General Public License for more details.
  13. ------------------------------------------------------------------------------
  14. To release a closed-source product which uses JUCE, commercial licenses are
  15. available: visit www.rawmaterialsoftware.com/juce for more information.
  16. ==============================================================================
  17. */
  18. #undef GetSystemMetrics // multimon overrides this for some reason and causes a mess..
  19. // these are in the windows SDK, but need to be repeated here for GCC..
  20. #ifndef GET_APPCOMMAND_LPARAM
  21. #define GET_APPCOMMAND_LPARAM(lParam) ((short) (HIWORD (lParam) & ~FAPPCOMMAND_MASK))
  22. #define FAPPCOMMAND_MASK 0xF000
  23. #define APPCOMMAND_MEDIA_NEXTTRACK 11
  24. #define APPCOMMAND_MEDIA_PREVIOUSTRACK 12
  25. #define APPCOMMAND_MEDIA_STOP 13
  26. #define APPCOMMAND_MEDIA_PLAY_PAUSE 14
  27. #endif
  28. #ifndef WM_APPCOMMAND
  29. #define WM_APPCOMMAND 0x0319
  30. #endif
  31. extern void juce_repeatLastProcessPriority();
  32. extern void juce_checkCurrentlyFocusedTopLevelWindow(); // in juce_TopLevelWindow.cpp
  33. extern bool juce_isRunningInWine();
  34. typedef bool (*CheckEventBlockedByModalComps) (const MSG&);
  35. extern CheckEventBlockedByModalComps isEventBlockedByModalComps;
  36. static bool shouldDeactivateTitleBar = true;
  37. void* getUser32Function (const char* functionName) // (NB: this function also used from other modules)
  38. {
  39. HMODULE user32Mod = GetModuleHandleA ("user32.dll");
  40. jassert (user32Mod != 0);
  41. return (void*) GetProcAddress (user32Mod, functionName);
  42. }
  43. //==============================================================================
  44. typedef BOOL (WINAPI* UpdateLayeredWinFunc) (HWND, HDC, POINT*, SIZE*, HDC, POINT*, COLORREF, BLENDFUNCTION*, DWORD);
  45. static UpdateLayeredWinFunc updateLayeredWindow = nullptr;
  46. bool Desktop::canUseSemiTransparentWindows() noexcept
  47. {
  48. if (updateLayeredWindow == nullptr && ! juce_isRunningInWine())
  49. updateLayeredWindow = (UpdateLayeredWinFunc) getUser32Function ("UpdateLayeredWindow");
  50. return updateLayeredWindow != nullptr;
  51. }
  52. //==============================================================================
  53. #ifndef WM_TOUCH
  54. #define WM_TOUCH 0x0240
  55. #define TOUCH_COORD_TO_PIXEL(l) ((l) / 100)
  56. #define TOUCHEVENTF_MOVE 0x0001
  57. #define TOUCHEVENTF_DOWN 0x0002
  58. #define TOUCHEVENTF_UP 0x0004
  59. DECLARE_HANDLE (HTOUCHINPUT);
  60. DECLARE_HANDLE (HGESTUREINFO);
  61. struct TOUCHINPUT
  62. {
  63. LONG x;
  64. LONG y;
  65. HANDLE hSource;
  66. DWORD dwID;
  67. DWORD dwFlags;
  68. DWORD dwMask;
  69. DWORD dwTime;
  70. ULONG_PTR dwExtraInfo;
  71. DWORD cxContact;
  72. DWORD cyContact;
  73. };
  74. struct GESTUREINFO
  75. {
  76. UINT cbSize;
  77. DWORD dwFlags;
  78. DWORD dwID;
  79. HWND hwndTarget;
  80. POINTS ptsLocation;
  81. DWORD dwInstanceID;
  82. DWORD dwSequenceID;
  83. ULONGLONG ullArguments;
  84. UINT cbExtraArgs;
  85. };
  86. #endif
  87. typedef BOOL (WINAPI* RegisterTouchWindowFunc) (HWND, ULONG);
  88. typedef BOOL (WINAPI* GetTouchInputInfoFunc) (HTOUCHINPUT, UINT, TOUCHINPUT*, int);
  89. typedef BOOL (WINAPI* CloseTouchInputHandleFunc) (HTOUCHINPUT);
  90. typedef BOOL (WINAPI* GetGestureInfoFunc) (HGESTUREINFO, GESTUREINFO*);
  91. static RegisterTouchWindowFunc registerTouchWindow = nullptr;
  92. static GetTouchInputInfoFunc getTouchInputInfo = nullptr;
  93. static CloseTouchInputHandleFunc closeTouchInputHandle = nullptr;
  94. static GetGestureInfoFunc getGestureInfo = nullptr;
  95. static bool hasCheckedForMultiTouch = false;
  96. static bool canUseMultiTouch()
  97. {
  98. if (registerTouchWindow == nullptr && ! hasCheckedForMultiTouch)
  99. {
  100. hasCheckedForMultiTouch = true;
  101. registerTouchWindow = (RegisterTouchWindowFunc) getUser32Function ("RegisterTouchWindow");
  102. getTouchInputInfo = (GetTouchInputInfoFunc) getUser32Function ("GetTouchInputInfo");
  103. closeTouchInputHandle = (CloseTouchInputHandleFunc) getUser32Function ("CloseTouchInputHandle");
  104. getGestureInfo = (GetGestureInfoFunc) getUser32Function ("GetGestureInfo");
  105. }
  106. return registerTouchWindow != nullptr;
  107. }
  108. static inline Rectangle<int> rectangleFromRECT (const RECT& r) noexcept
  109. {
  110. return Rectangle<int>::leftTopRightBottom ((int) r.left, (int) r.top, (int) r.right, (int) r.bottom);
  111. }
  112. //==============================================================================
  113. Desktop::DisplayOrientation Desktop::getCurrentOrientation() const
  114. {
  115. return upright;
  116. }
  117. int64 getMouseEventTime()
  118. {
  119. static int64 eventTimeOffset = 0;
  120. static LONG lastMessageTime = 0;
  121. const LONG thisMessageTime = GetMessageTime();
  122. if (thisMessageTime < lastMessageTime || lastMessageTime == 0)
  123. {
  124. lastMessageTime = thisMessageTime;
  125. eventTimeOffset = Time::currentTimeMillis() - thisMessageTime;
  126. }
  127. return eventTimeOffset + thisMessageTime;
  128. }
  129. //==============================================================================
  130. const int extendedKeyModifier = 0x10000;
  131. const int KeyPress::spaceKey = VK_SPACE;
  132. const int KeyPress::returnKey = VK_RETURN;
  133. const int KeyPress::escapeKey = VK_ESCAPE;
  134. const int KeyPress::backspaceKey = VK_BACK;
  135. const int KeyPress::deleteKey = VK_DELETE | extendedKeyModifier;
  136. const int KeyPress::insertKey = VK_INSERT | extendedKeyModifier;
  137. const int KeyPress::tabKey = VK_TAB;
  138. const int KeyPress::leftKey = VK_LEFT | extendedKeyModifier;
  139. const int KeyPress::rightKey = VK_RIGHT | extendedKeyModifier;
  140. const int KeyPress::upKey = VK_UP | extendedKeyModifier;
  141. const int KeyPress::downKey = VK_DOWN | extendedKeyModifier;
  142. const int KeyPress::homeKey = VK_HOME | extendedKeyModifier;
  143. const int KeyPress::endKey = VK_END | extendedKeyModifier;
  144. const int KeyPress::pageUpKey = VK_PRIOR | extendedKeyModifier;
  145. const int KeyPress::pageDownKey = VK_NEXT | extendedKeyModifier;
  146. const int KeyPress::F1Key = VK_F1 | extendedKeyModifier;
  147. const int KeyPress::F2Key = VK_F2 | extendedKeyModifier;
  148. const int KeyPress::F3Key = VK_F3 | extendedKeyModifier;
  149. const int KeyPress::F4Key = VK_F4 | extendedKeyModifier;
  150. const int KeyPress::F5Key = VK_F5 | extendedKeyModifier;
  151. const int KeyPress::F6Key = VK_F6 | extendedKeyModifier;
  152. const int KeyPress::F7Key = VK_F7 | extendedKeyModifier;
  153. const int KeyPress::F8Key = VK_F8 | extendedKeyModifier;
  154. const int KeyPress::F9Key = VK_F9 | extendedKeyModifier;
  155. const int KeyPress::F10Key = VK_F10 | extendedKeyModifier;
  156. const int KeyPress::F11Key = VK_F11 | extendedKeyModifier;
  157. const int KeyPress::F12Key = VK_F12 | extendedKeyModifier;
  158. const int KeyPress::F13Key = VK_F13 | extendedKeyModifier;
  159. const int KeyPress::F14Key = VK_F14 | extendedKeyModifier;
  160. const int KeyPress::F15Key = VK_F15 | extendedKeyModifier;
  161. const int KeyPress::F16Key = VK_F16 | extendedKeyModifier;
  162. const int KeyPress::numberPad0 = VK_NUMPAD0 | extendedKeyModifier;
  163. const int KeyPress::numberPad1 = VK_NUMPAD1 | extendedKeyModifier;
  164. const int KeyPress::numberPad2 = VK_NUMPAD2 | extendedKeyModifier;
  165. const int KeyPress::numberPad3 = VK_NUMPAD3 | extendedKeyModifier;
  166. const int KeyPress::numberPad4 = VK_NUMPAD4 | extendedKeyModifier;
  167. const int KeyPress::numberPad5 = VK_NUMPAD5 | extendedKeyModifier;
  168. const int KeyPress::numberPad6 = VK_NUMPAD6 | extendedKeyModifier;
  169. const int KeyPress::numberPad7 = VK_NUMPAD7 | extendedKeyModifier;
  170. const int KeyPress::numberPad8 = VK_NUMPAD8 | extendedKeyModifier;
  171. const int KeyPress::numberPad9 = VK_NUMPAD9 | extendedKeyModifier;
  172. const int KeyPress::numberPadAdd = VK_ADD | extendedKeyModifier;
  173. const int KeyPress::numberPadSubtract = VK_SUBTRACT | extendedKeyModifier;
  174. const int KeyPress::numberPadMultiply = VK_MULTIPLY | extendedKeyModifier;
  175. const int KeyPress::numberPadDivide = VK_DIVIDE | extendedKeyModifier;
  176. const int KeyPress::numberPadSeparator = VK_SEPARATOR | extendedKeyModifier;
  177. const int KeyPress::numberPadDecimalPoint = VK_DECIMAL | extendedKeyModifier;
  178. const int KeyPress::numberPadEquals = 0x92 /*VK_OEM_NEC_EQUAL*/ | extendedKeyModifier;
  179. const int KeyPress::numberPadDelete = VK_DELETE | extendedKeyModifier;
  180. const int KeyPress::playKey = 0x30000;
  181. const int KeyPress::stopKey = 0x30001;
  182. const int KeyPress::fastForwardKey = 0x30002;
  183. const int KeyPress::rewindKey = 0x30003;
  184. //==============================================================================
  185. class WindowsBitmapImage : public ImagePixelData
  186. {
  187. public:
  188. WindowsBitmapImage (const Image::PixelFormat format,
  189. const int w, const int h, const bool clearImage)
  190. : ImagePixelData (format, w, h)
  191. {
  192. jassert (format == Image::RGB || format == Image::ARGB);
  193. static bool alwaysUse32Bits = isGraphicsCard32Bit(); // NB: for 32-bit cards, it's faster to use a 32-bit image.
  194. pixelStride = (alwaysUse32Bits || format == Image::ARGB) ? 4 : 3;
  195. lineStride = -((w * pixelStride + 3) & ~3);
  196. zerostruct (bitmapInfo);
  197. bitmapInfo.bV4Size = sizeof (BITMAPV4HEADER);
  198. bitmapInfo.bV4Width = w;
  199. bitmapInfo.bV4Height = h;
  200. bitmapInfo.bV4Planes = 1;
  201. bitmapInfo.bV4CSType = 1;
  202. bitmapInfo.bV4BitCount = (unsigned short) (pixelStride * 8);
  203. if (format == Image::ARGB)
  204. {
  205. bitmapInfo.bV4AlphaMask = 0xff000000;
  206. bitmapInfo.bV4RedMask = 0xff0000;
  207. bitmapInfo.bV4GreenMask = 0xff00;
  208. bitmapInfo.bV4BlueMask = 0xff;
  209. bitmapInfo.bV4V4Compression = BI_BITFIELDS;
  210. }
  211. else
  212. {
  213. bitmapInfo.bV4V4Compression = BI_RGB;
  214. }
  215. HDC dc = GetDC (0);
  216. hdc = CreateCompatibleDC (dc);
  217. ReleaseDC (0, dc);
  218. SetMapMode (hdc, MM_TEXT);
  219. hBitmap = CreateDIBSection (hdc, (BITMAPINFO*) &(bitmapInfo), DIB_RGB_COLORS,
  220. (void**) &bitmapData, 0, 0);
  221. previousBitmap = SelectObject (hdc, hBitmap);
  222. if (format == Image::ARGB && clearImage)
  223. zeromem (bitmapData, (size_t) std::abs (h * lineStride));
  224. imageData = bitmapData - (lineStride * (h - 1));
  225. }
  226. ~WindowsBitmapImage()
  227. {
  228. SelectObject (hdc, previousBitmap); // Selecting the previous bitmap before deleting the DC avoids a warning in BoundsChecker
  229. DeleteDC (hdc);
  230. DeleteObject (hBitmap);
  231. }
  232. ImageType* createType() const { return new NativeImageType(); }
  233. LowLevelGraphicsContext* createLowLevelContext()
  234. {
  235. return new LowLevelGraphicsSoftwareRenderer (Image (this));
  236. }
  237. void initialiseBitmapData (Image::BitmapData& bitmap, int x, int y, Image::BitmapData::ReadWriteMode)
  238. {
  239. bitmap.data = imageData + x * pixelStride + y * lineStride;
  240. bitmap.pixelFormat = pixelFormat;
  241. bitmap.lineStride = lineStride;
  242. bitmap.pixelStride = pixelStride;
  243. }
  244. ImagePixelData* clone()
  245. {
  246. WindowsBitmapImage* im = new WindowsBitmapImage (pixelFormat, width, height, false);
  247. for (int i = 0; i < height; ++i)
  248. memcpy (im->imageData + i * lineStride, imageData + i * lineStride, (size_t) lineStride);
  249. return im;
  250. }
  251. void blitToWindow (HWND hwnd, HDC dc, const bool transparent,
  252. const int x, const int y,
  253. const RectangleList& maskedRegion,
  254. const uint8 updateLayeredWindowAlpha) noexcept
  255. {
  256. SetMapMode (dc, MM_TEXT);
  257. if (transparent)
  258. {
  259. if (! maskedRegion.isEmpty())
  260. {
  261. for (const Rectangle<int>* i = maskedRegion.begin(), * const e = maskedRegion.end(); i != e; ++i)
  262. ExcludeClipRect (hdc, i->getX(), i->getY(), i->getRight(), i->getBottom());
  263. }
  264. RECT windowBounds;
  265. GetWindowRect (hwnd, &windowBounds);
  266. POINT p = { -x, -y };
  267. POINT pos = { windowBounds.left, windowBounds.top };
  268. SIZE size = { windowBounds.right - windowBounds.left,
  269. windowBounds.bottom - windowBounds.top };
  270. BLENDFUNCTION bf;
  271. bf.AlphaFormat = 1 /*AC_SRC_ALPHA*/;
  272. bf.BlendFlags = 0;
  273. bf.BlendOp = AC_SRC_OVER;
  274. bf.SourceConstantAlpha = updateLayeredWindowAlpha;
  275. updateLayeredWindow (hwnd, 0, &pos, &size, hdc, &p, 0, &bf, 2 /*ULW_ALPHA*/);
  276. }
  277. else
  278. {
  279. int savedDC = 0;
  280. if (! maskedRegion.isEmpty())
  281. {
  282. savedDC = SaveDC (dc);
  283. for (const Rectangle<int>* i = maskedRegion.begin(), * const e = maskedRegion.end(); i != e; ++i)
  284. ExcludeClipRect (dc, i->getX(), i->getY(), i->getRight(), i->getBottom());
  285. }
  286. StretchDIBits (dc,
  287. x, y, width, height,
  288. 0, 0, width, height,
  289. bitmapData, (const BITMAPINFO*) &bitmapInfo,
  290. DIB_RGB_COLORS, SRCCOPY);
  291. if (! maskedRegion.isEmpty())
  292. RestoreDC (dc, savedDC);
  293. }
  294. }
  295. HBITMAP hBitmap;
  296. HGDIOBJ previousBitmap;
  297. BITMAPV4HEADER bitmapInfo;
  298. HDC hdc;
  299. uint8* bitmapData;
  300. int pixelStride, lineStride;
  301. uint8* imageData;
  302. private:
  303. static bool isGraphicsCard32Bit()
  304. {
  305. HDC dc = GetDC (0);
  306. const int bitsPerPixel = GetDeviceCaps (dc, BITSPIXEL);
  307. ReleaseDC (0, dc);
  308. return bitsPerPixel > 24;
  309. }
  310. JUCE_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR (WindowsBitmapImage)
  311. };
  312. //==============================================================================
  313. namespace IconConverters
  314. {
  315. Image createImageFromHBITMAP (HBITMAP bitmap)
  316. {
  317. Image im;
  318. if (bitmap != 0)
  319. {
  320. BITMAP bm;
  321. if (GetObject (bitmap, sizeof (BITMAP), &bm)
  322. && bm.bmWidth > 0 && bm.bmHeight > 0)
  323. {
  324. HDC tempDC = GetDC (0);
  325. HDC dc = CreateCompatibleDC (tempDC);
  326. ReleaseDC (0, tempDC);
  327. SelectObject (dc, bitmap);
  328. im = Image (Image::ARGB, bm.bmWidth, bm.bmHeight, true);
  329. Image::BitmapData imageData (im, Image::BitmapData::writeOnly);
  330. for (int y = bm.bmHeight; --y >= 0;)
  331. {
  332. for (int x = bm.bmWidth; --x >= 0;)
  333. {
  334. COLORREF col = GetPixel (dc, x, y);
  335. imageData.setPixelColour (x, y, Colour ((uint8) GetRValue (col),
  336. (uint8) GetGValue (col),
  337. (uint8) GetBValue (col)));
  338. }
  339. }
  340. DeleteDC (dc);
  341. }
  342. }
  343. return im;
  344. }
  345. Image createImageFromHICON (HICON icon)
  346. {
  347. ICONINFO info;
  348. if (GetIconInfo (icon, &info))
  349. {
  350. Image mask (createImageFromHBITMAP (info.hbmMask));
  351. Image image (createImageFromHBITMAP (info.hbmColor));
  352. if (mask.isValid() && image.isValid())
  353. {
  354. for (int y = image.getHeight(); --y >= 0;)
  355. {
  356. for (int x = image.getWidth(); --x >= 0;)
  357. {
  358. const float brightness = mask.getPixelAt (x, y).getBrightness();
  359. if (brightness > 0.0f)
  360. image.multiplyAlphaAt (x, y, 1.0f - brightness);
  361. }
  362. }
  363. return image;
  364. }
  365. }
  366. return Image::null;
  367. }
  368. HICON createHICONFromImage (const Image& image, const BOOL isIcon, int hotspotX, int hotspotY)
  369. {
  370. WindowsBitmapImage* nativeBitmap = new WindowsBitmapImage (Image::ARGB, image.getWidth(), image.getHeight(), true);
  371. Image bitmap (nativeBitmap);
  372. {
  373. Graphics g (bitmap);
  374. g.drawImageAt (image, 0, 0);
  375. }
  376. HBITMAP mask = CreateBitmap (image.getWidth(), image.getHeight(), 1, 1, 0);
  377. ICONINFO info;
  378. info.fIcon = isIcon;
  379. info.xHotspot = (DWORD) hotspotX;
  380. info.yHotspot = (DWORD) hotspotY;
  381. info.hbmMask = mask;
  382. info.hbmColor = nativeBitmap->hBitmap;
  383. HICON hi = CreateIconIndirect (&info);
  384. DeleteObject (mask);
  385. return hi;
  386. }
  387. }
  388. //==============================================================================
  389. class HWNDComponentPeer : public ComponentPeer
  390. {
  391. public:
  392. enum RenderingEngineType
  393. {
  394. softwareRenderingEngine = 0,
  395. direct2DRenderingEngine
  396. };
  397. //==============================================================================
  398. HWNDComponentPeer (Component& comp, const int windowStyleFlags, HWND parent, bool nonRepainting)
  399. : ComponentPeer (comp, windowStyleFlags),
  400. dontRepaint (nonRepainting),
  401. parentToAddTo (parent),
  402. currentRenderingEngine (softwareRenderingEngine),
  403. lastPaintTime (0),
  404. lastMagnifySize (0),
  405. fullScreen (false),
  406. isDragging (false),
  407. isMouseOver (false),
  408. hasCreatedCaret (false),
  409. constrainerIsResizing (false),
  410. currentWindowIcon (0),
  411. dropTarget (nullptr),
  412. updateLayeredWindowAlpha (255)
  413. {
  414. callFunctionIfNotLocked (&createWindowCallback, this);
  415. setTitle (component.getName());
  416. if ((windowStyleFlags & windowHasDropShadow) != 0
  417. && Desktop::canUseSemiTransparentWindows())
  418. {
  419. shadower = component.getLookAndFeel().createDropShadowerForComponent (&component);
  420. if (shadower != nullptr)
  421. shadower->setOwner (&component);
  422. }
  423. }
  424. ~HWNDComponentPeer()
  425. {
  426. shadower = nullptr;
  427. // do this before the next bit to avoid messages arriving for this window
  428. // before it's destroyed
  429. JuceWindowIdentifier::setAsJUCEWindow (hwnd, false);
  430. callFunctionIfNotLocked (&destroyWindowCallback, (void*) hwnd);
  431. if (currentWindowIcon != 0)
  432. DestroyIcon (currentWindowIcon);
  433. if (dropTarget != nullptr)
  434. {
  435. dropTarget->clear();
  436. dropTarget->Release();
  437. dropTarget = nullptr;
  438. }
  439. #if JUCE_DIRECT2D
  440. direct2DContext = nullptr;
  441. #endif
  442. }
  443. //==============================================================================
  444. void* getNativeHandle() const { return hwnd; }
  445. void setVisible (bool shouldBeVisible)
  446. {
  447. ShowWindow (hwnd, shouldBeVisible ? SW_SHOWNA : SW_HIDE);
  448. if (shouldBeVisible)
  449. InvalidateRect (hwnd, 0, 0);
  450. else
  451. lastPaintTime = 0;
  452. }
  453. void setTitle (const String& title)
  454. {
  455. // Unfortunately some ancient bits of win32 mean you can only perform this operation from the message thread.
  456. jassert (MessageManager::getInstance()->isThisTheMessageThread());
  457. SetWindowText (hwnd, title.toWideCharPointer());
  458. }
  459. void setPosition (int x, int y)
  460. {
  461. offsetWithinParent (x, y);
  462. SetWindowPos (hwnd, 0,
  463. x - windowBorder.getLeft(),
  464. y - windowBorder.getTop(),
  465. 0, 0,
  466. SWP_NOACTIVATE | SWP_NOSIZE | SWP_NOZORDER | SWP_NOOWNERZORDER);
  467. }
  468. void repaintNowIfTransparent()
  469. {
  470. if (isUsingUpdateLayeredWindow() && lastPaintTime > 0 && Time::getMillisecondCounter() > lastPaintTime + 30)
  471. handlePaintMessage();
  472. }
  473. void updateBorderSize()
  474. {
  475. WINDOWINFO info;
  476. info.cbSize = sizeof (info);
  477. if (GetWindowInfo (hwnd, &info))
  478. {
  479. windowBorder = BorderSize<int> (info.rcClient.top - info.rcWindow.top,
  480. info.rcClient.left - info.rcWindow.left,
  481. info.rcWindow.bottom - info.rcClient.bottom,
  482. info.rcWindow.right - info.rcClient.right);
  483. }
  484. #if JUCE_DIRECT2D
  485. if (direct2DContext != nullptr)
  486. direct2DContext->resized();
  487. #endif
  488. }
  489. void setSize (int w, int h)
  490. {
  491. SetWindowPos (hwnd, 0, 0, 0,
  492. w + windowBorder.getLeftAndRight(),
  493. h + windowBorder.getTopAndBottom(),
  494. SWP_NOACTIVATE | SWP_NOMOVE | SWP_NOZORDER | SWP_NOOWNERZORDER);
  495. if (isValidPeer (this))
  496. {
  497. updateBorderSize();
  498. repaintNowIfTransparent();
  499. }
  500. }
  501. void setBounds (int x, int y, int w, int h, bool isNowFullScreen)
  502. {
  503. fullScreen = isNowFullScreen;
  504. offsetWithinParent (x, y);
  505. SetWindowPos (hwnd, 0,
  506. x - windowBorder.getLeft(),
  507. y - windowBorder.getTop(),
  508. w + windowBorder.getLeftAndRight(),
  509. h + windowBorder.getTopAndBottom(),
  510. SWP_NOACTIVATE | SWP_NOZORDER | SWP_NOOWNERZORDER);
  511. if (isValidPeer (this))
  512. {
  513. updateBorderSize();
  514. repaintNowIfTransparent();
  515. }
  516. }
  517. Rectangle<int> getBounds() const
  518. {
  519. RECT r;
  520. GetWindowRect (hwnd, &r);
  521. Rectangle<int> bounds (rectangleFromRECT (r));
  522. HWND parentH = GetParent (hwnd);
  523. if (parentH != 0)
  524. {
  525. GetWindowRect (parentH, &r);
  526. bounds.translate (-r.left, -r.top);
  527. }
  528. return windowBorder.subtractedFrom (bounds);
  529. }
  530. Point<int> getScreenPosition() const
  531. {
  532. RECT r;
  533. GetWindowRect (hwnd, &r);
  534. return Point<int> (r.left + windowBorder.getLeft(),
  535. r.top + windowBorder.getTop());
  536. }
  537. Point<int> localToGlobal (const Point<int>& relativePosition)
  538. {
  539. return relativePosition + getScreenPosition();
  540. }
  541. Point<int> globalToLocal (const Point<int>& screenPosition)
  542. {
  543. return screenPosition - getScreenPosition();
  544. }
  545. void setAlpha (float newAlpha)
  546. {
  547. const uint8 intAlpha = (uint8) jlimit (0, 255, (int) (newAlpha * 255.0f));
  548. if (component.isOpaque())
  549. {
  550. if (newAlpha < 1.0f)
  551. {
  552. SetWindowLong (hwnd, GWL_EXSTYLE, GetWindowLong (hwnd, GWL_EXSTYLE) | WS_EX_LAYERED);
  553. SetLayeredWindowAttributes (hwnd, RGB (0, 0, 0), intAlpha, LWA_ALPHA);
  554. }
  555. else
  556. {
  557. SetWindowLong (hwnd, GWL_EXSTYLE, GetWindowLong (hwnd, GWL_EXSTYLE) & ~WS_EX_LAYERED);
  558. RedrawWindow (hwnd, 0, 0, RDW_ERASE | RDW_INVALIDATE | RDW_FRAME | RDW_ALLCHILDREN);
  559. }
  560. }
  561. else
  562. {
  563. updateLayeredWindowAlpha = intAlpha;
  564. component.repaint();
  565. }
  566. }
  567. void setMinimised (bool shouldBeMinimised)
  568. {
  569. if (shouldBeMinimised != isMinimised())
  570. ShowWindow (hwnd, shouldBeMinimised ? SW_MINIMIZE : SW_SHOWNORMAL);
  571. }
  572. bool isMinimised() const
  573. {
  574. WINDOWPLACEMENT wp;
  575. wp.length = sizeof (WINDOWPLACEMENT);
  576. GetWindowPlacement (hwnd, &wp);
  577. return wp.showCmd == SW_SHOWMINIMIZED;
  578. }
  579. void setFullScreen (bool shouldBeFullScreen)
  580. {
  581. setMinimised (false);
  582. if (isFullScreen() != shouldBeFullScreen)
  583. {
  584. fullScreen = shouldBeFullScreen;
  585. const WeakReference<Component> deletionChecker (&component);
  586. if (! fullScreen)
  587. {
  588. const Rectangle<int> boundsCopy (lastNonFullscreenBounds);
  589. if (hasTitleBar())
  590. ShowWindow (hwnd, SW_SHOWNORMAL);
  591. if (! boundsCopy.isEmpty())
  592. {
  593. setBounds (boundsCopy.getX(),
  594. boundsCopy.getY(),
  595. boundsCopy.getWidth(),
  596. boundsCopy.getHeight(),
  597. false);
  598. }
  599. }
  600. else
  601. {
  602. if (hasTitleBar())
  603. ShowWindow (hwnd, SW_SHOWMAXIMIZED);
  604. else
  605. SendMessageW (hwnd, WM_SETTINGCHANGE, 0, 0);
  606. }
  607. if (deletionChecker != nullptr)
  608. handleMovedOrResized();
  609. }
  610. }
  611. bool isFullScreen() const
  612. {
  613. if (! hasTitleBar())
  614. return fullScreen;
  615. WINDOWPLACEMENT wp;
  616. wp.length = sizeof (wp);
  617. GetWindowPlacement (hwnd, &wp);
  618. return wp.showCmd == SW_SHOWMAXIMIZED;
  619. }
  620. bool isWindowAtPoint (const Point<int>& localPos, bool trueIfInAChildWindow) const
  621. {
  622. RECT r;
  623. GetWindowRect (hwnd, &r);
  624. POINT p = { localPos.x + r.left + windowBorder.getLeft(),
  625. localPos.y + r.top + windowBorder.getTop() };
  626. HWND w = WindowFromPoint (p);
  627. return w == hwnd || (trueIfInAChildWindow && (IsChild (hwnd, w) != 0));
  628. }
  629. bool contains (const Point<int>& position, bool trueIfInAChildWindow) const
  630. {
  631. return isPositiveAndBelow (position.x, component.getWidth())
  632. && isPositiveAndBelow (position.y, component.getHeight())
  633. && isWindowAtPoint (position, trueIfInAChildWindow);
  634. }
  635. BorderSize<int> getFrameSize() const
  636. {
  637. return windowBorder;
  638. }
  639. bool setAlwaysOnTop (bool alwaysOnTop)
  640. {
  641. const bool oldDeactivate = shouldDeactivateTitleBar;
  642. shouldDeactivateTitleBar = ((styleFlags & windowIsTemporary) == 0);
  643. SetWindowPos (hwnd, alwaysOnTop ? HWND_TOPMOST : HWND_NOTOPMOST,
  644. 0, 0, 0, 0,
  645. SWP_NOMOVE | SWP_NOSIZE | SWP_NOACTIVATE | SWP_NOSENDCHANGING);
  646. shouldDeactivateTitleBar = oldDeactivate;
  647. if (shadower != nullptr)
  648. handleBroughtToFront();
  649. return true;
  650. }
  651. void toFront (bool makeActive)
  652. {
  653. setMinimised (false);
  654. const bool oldDeactivate = shouldDeactivateTitleBar;
  655. shouldDeactivateTitleBar = ((styleFlags & windowIsTemporary) == 0);
  656. callFunctionIfNotLocked (makeActive ? &toFrontCallback1 : &toFrontCallback2, hwnd);
  657. shouldDeactivateTitleBar = oldDeactivate;
  658. if (! makeActive)
  659. {
  660. // in this case a broughttofront call won't have occured, so do it now..
  661. handleBroughtToFront();
  662. }
  663. }
  664. void toBehind (ComponentPeer* other)
  665. {
  666. if (HWNDComponentPeer* const otherPeer = dynamic_cast <HWNDComponentPeer*> (other))
  667. {
  668. setMinimised (false);
  669. // Must be careful not to try to put a topmost window behind a normal one, or Windows
  670. // promotes the normal one to be topmost!
  671. if (component.isAlwaysOnTop() == otherPeer->getComponent().isAlwaysOnTop())
  672. SetWindowPos (hwnd, otherPeer->hwnd, 0, 0, 0, 0, SWP_NOMOVE | SWP_NOSIZE | SWP_NOACTIVATE | SWP_NOSENDCHANGING);
  673. else if (otherPeer->getComponent().isAlwaysOnTop())
  674. SetWindowPos (hwnd, HWND_TOP, 0, 0, 0, 0, SWP_NOMOVE | SWP_NOSIZE | SWP_NOACTIVATE | SWP_NOSENDCHANGING);
  675. }
  676. else
  677. {
  678. jassertfalse; // wrong type of window?
  679. }
  680. }
  681. bool isFocused() const
  682. {
  683. return callFunctionIfNotLocked (&getFocusCallback, 0) == (void*) hwnd;
  684. }
  685. void grabFocus()
  686. {
  687. const bool oldDeactivate = shouldDeactivateTitleBar;
  688. shouldDeactivateTitleBar = ((styleFlags & windowIsTemporary) == 0);
  689. callFunctionIfNotLocked (&setFocusCallback, hwnd);
  690. shouldDeactivateTitleBar = oldDeactivate;
  691. }
  692. void textInputRequired (const Point<int>&)
  693. {
  694. if (! hasCreatedCaret)
  695. {
  696. hasCreatedCaret = true;
  697. CreateCaret (hwnd, (HBITMAP) 1, 0, 0);
  698. }
  699. ShowCaret (hwnd);
  700. SetCaretPos (0, 0);
  701. }
  702. void dismissPendingTextInput()
  703. {
  704. imeHandler.handleSetContext (hwnd, false);
  705. }
  706. void repaint (const Rectangle<int>& area)
  707. {
  708. const RECT r = { area.getX(), area.getY(), area.getRight(), area.getBottom() };
  709. InvalidateRect (hwnd, &r, FALSE);
  710. }
  711. void performAnyPendingRepaintsNow()
  712. {
  713. MSG m;
  714. if (component.isVisible()
  715. && (PeekMessage (&m, hwnd, WM_PAINT, WM_PAINT, PM_REMOVE) || isUsingUpdateLayeredWindow()))
  716. handlePaintMessage();
  717. }
  718. //==============================================================================
  719. static HWNDComponentPeer* getOwnerOfWindow (HWND h) noexcept
  720. {
  721. if (h != 0 && JuceWindowIdentifier::isJUCEWindow (h))
  722. return (HWNDComponentPeer*) GetWindowLongPtr (h, 8);
  723. return nullptr;
  724. }
  725. //==============================================================================
  726. bool isInside (HWND h) const noexcept
  727. {
  728. return GetAncestor (hwnd, GA_ROOT) == h;
  729. }
  730. //==============================================================================
  731. static bool isKeyDown (const int key) noexcept { return (GetAsyncKeyState (key) & 0x8000) != 0; }
  732. static void updateKeyModifiers() noexcept
  733. {
  734. int keyMods = 0;
  735. if (isKeyDown (VK_SHIFT)) keyMods |= ModifierKeys::shiftModifier;
  736. if (isKeyDown (VK_CONTROL)) keyMods |= ModifierKeys::ctrlModifier;
  737. if (isKeyDown (VK_MENU)) keyMods |= ModifierKeys::altModifier;
  738. if (isKeyDown (VK_RMENU)) keyMods &= ~(ModifierKeys::ctrlModifier | ModifierKeys::altModifier);
  739. currentModifiers = currentModifiers.withOnlyMouseButtons().withFlags (keyMods);
  740. }
  741. static void updateModifiersFromWParam (const WPARAM wParam)
  742. {
  743. int mouseMods = 0;
  744. if (wParam & MK_LBUTTON) mouseMods |= ModifierKeys::leftButtonModifier;
  745. if (wParam & MK_RBUTTON) mouseMods |= ModifierKeys::rightButtonModifier;
  746. if (wParam & MK_MBUTTON) mouseMods |= ModifierKeys::middleButtonModifier;
  747. currentModifiers = currentModifiers.withoutMouseButtons().withFlags (mouseMods);
  748. updateKeyModifiers();
  749. }
  750. //==============================================================================
  751. bool dontRepaint;
  752. static ModifierKeys currentModifiers;
  753. static ModifierKeys modifiersAtLastCallback;
  754. //==============================================================================
  755. class JuceDropTarget : public ComBaseClassHelper <IDropTarget>
  756. {
  757. public:
  758. JuceDropTarget (HWNDComponentPeer& p) : ownerInfo (new OwnerInfo (p)) {}
  759. void clear()
  760. {
  761. ownerInfo = nullptr;
  762. }
  763. JUCE_COMRESULT DragEnter (IDataObject* pDataObject, DWORD grfKeyState, POINTL mousePos, DWORD* pdwEffect)
  764. {
  765. HRESULT hr = updateFileList (pDataObject);
  766. if (FAILED (hr))
  767. return hr;
  768. return DragOver (grfKeyState, mousePos, pdwEffect);
  769. }
  770. JUCE_COMRESULT DragLeave()
  771. {
  772. if (ownerInfo == nullptr)
  773. return S_FALSE;
  774. ownerInfo->owner.handleDragExit (ownerInfo->dragInfo);
  775. return S_OK;
  776. }
  777. JUCE_COMRESULT DragOver (DWORD /*grfKeyState*/, POINTL mousePos, DWORD* pdwEffect)
  778. {
  779. if (ownerInfo == nullptr)
  780. return S_FALSE;
  781. ownerInfo->dragInfo.position = ownerInfo->getMousePos (mousePos);
  782. const bool wasWanted = ownerInfo->owner.handleDragMove (ownerInfo->dragInfo);
  783. *pdwEffect = wasWanted ? (DWORD) DROPEFFECT_COPY : (DWORD) DROPEFFECT_NONE;
  784. return S_OK;
  785. }
  786. JUCE_COMRESULT Drop (IDataObject* pDataObject, DWORD /*grfKeyState*/, POINTL mousePos, DWORD* pdwEffect)
  787. {
  788. HRESULT hr = updateFileList (pDataObject);
  789. if (SUCCEEDED (hr))
  790. {
  791. ownerInfo->dragInfo.position = ownerInfo->getMousePos (mousePos);
  792. const bool wasWanted = ownerInfo->owner.handleDragDrop (ownerInfo->dragInfo);
  793. *pdwEffect = wasWanted ? (DWORD) DROPEFFECT_COPY : (DWORD) DROPEFFECT_NONE;
  794. hr = S_OK;
  795. }
  796. return hr;
  797. }
  798. private:
  799. struct OwnerInfo
  800. {
  801. OwnerInfo (HWNDComponentPeer& p) : owner (p) {}
  802. Point<int> getMousePos (const POINTL& mousePos) const
  803. {
  804. return owner.globalToLocal (Point<int> (mousePos.x, mousePos.y));
  805. }
  806. template <typename CharType>
  807. void parseFileList (const CharType* names, const SIZE_T totalLen)
  808. {
  809. unsigned int i = 0;
  810. for (;;)
  811. {
  812. unsigned int len = 0;
  813. while (i + len < totalLen && names [i + len] != 0)
  814. ++len;
  815. if (len == 0)
  816. break;
  817. dragInfo.files.add (String (names + i, len));
  818. i += len + 1;
  819. }
  820. }
  821. HWNDComponentPeer& owner;
  822. ComponentPeer::DragInfo dragInfo;
  823. JUCE_DECLARE_NON_COPYABLE (OwnerInfo)
  824. };
  825. ScopedPointer<OwnerInfo> ownerInfo;
  826. struct DroppedData
  827. {
  828. DroppedData (IDataObject* const dataObject, const CLIPFORMAT type)
  829. : data (nullptr)
  830. {
  831. FORMATETC format = { type, 0, DVASPECT_CONTENT, -1, TYMED_HGLOBAL };
  832. STGMEDIUM resetMedium = { TYMED_HGLOBAL, { 0 }, 0 };
  833. medium = resetMedium;
  834. if (SUCCEEDED (error = dataObject->GetData (&format, &medium)))
  835. {
  836. dataSize = GlobalSize (medium.hGlobal);
  837. data = GlobalLock (medium.hGlobal);
  838. }
  839. }
  840. ~DroppedData()
  841. {
  842. if (data != nullptr)
  843. GlobalUnlock (medium.hGlobal);
  844. }
  845. HRESULT error;
  846. STGMEDIUM medium;
  847. void* data;
  848. SIZE_T dataSize;
  849. };
  850. HRESULT updateFileList (IDataObject* const dataObject)
  851. {
  852. if (ownerInfo == nullptr)
  853. return S_FALSE;
  854. ownerInfo->dragInfo.clear();
  855. DroppedData textData (dataObject, CF_UNICODETEXT);
  856. if (SUCCEEDED (textData.error))
  857. {
  858. ownerInfo->dragInfo.text = String (CharPointer_UTF16 ((const WCHAR*) textData.data),
  859. CharPointer_UTF16 ((const WCHAR*) addBytesToPointer (textData.data, textData.dataSize)));
  860. }
  861. else
  862. {
  863. DroppedData fileData (dataObject, CF_HDROP);
  864. if (SUCCEEDED (fileData.error))
  865. {
  866. const LPDROPFILES dropFiles = static_cast <const LPDROPFILES> (fileData.data);
  867. const void* const names = addBytesToPointer (dropFiles, sizeof (DROPFILES));
  868. if (dropFiles->fWide)
  869. ownerInfo->parseFileList (static_cast <const WCHAR*> (names), fileData.dataSize);
  870. else
  871. ownerInfo->parseFileList (static_cast <const char*> (names), fileData.dataSize);
  872. }
  873. else
  874. {
  875. return fileData.error;
  876. }
  877. }
  878. return S_OK;
  879. }
  880. JUCE_DECLARE_NON_COPYABLE (JuceDropTarget)
  881. };
  882. private:
  883. HWND hwnd, parentToAddTo;
  884. ScopedPointer<DropShadower> shadower;
  885. RenderingEngineType currentRenderingEngine;
  886. #if JUCE_DIRECT2D
  887. ScopedPointer<Direct2DLowLevelGraphicsContext> direct2DContext;
  888. #endif
  889. uint32 lastPaintTime;
  890. ULONGLONG lastMagnifySize;
  891. bool fullScreen, isDragging, isMouseOver, hasCreatedCaret, constrainerIsResizing;
  892. BorderSize<int> windowBorder;
  893. HICON currentWindowIcon;
  894. JuceDropTarget* dropTarget;
  895. uint8 updateLayeredWindowAlpha;
  896. MultiTouchMapper<DWORD> currentTouches;
  897. //==============================================================================
  898. class TemporaryImage : public Timer
  899. {
  900. public:
  901. TemporaryImage() {}
  902. Image& getImage (const bool transparent, const int w, const int h)
  903. {
  904. const Image::PixelFormat format = transparent ? Image::ARGB : Image::RGB;
  905. if ((! image.isValid()) || image.getWidth() < w || image.getHeight() < h || image.getFormat() != format)
  906. image = Image (new WindowsBitmapImage (format, (w + 31) & ~31, (h + 31) & ~31, false));
  907. startTimer (3000);
  908. return image;
  909. }
  910. void timerCallback()
  911. {
  912. stopTimer();
  913. image = Image::null;
  914. }
  915. private:
  916. Image image;
  917. JUCE_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR (TemporaryImage)
  918. };
  919. TemporaryImage offscreenImageGenerator;
  920. //==============================================================================
  921. class WindowClassHolder : private DeletedAtShutdown
  922. {
  923. public:
  924. WindowClassHolder()
  925. {
  926. // this name has to be different for each app/dll instance because otherwise poor old Windows can
  927. // get a bit confused (even despite it not being a process-global window class).
  928. String windowClassName ("JUCE_");
  929. windowClassName << String::toHexString (Time::currentTimeMillis());
  930. HINSTANCE moduleHandle = (HINSTANCE) Process::getCurrentModuleInstanceHandle();
  931. TCHAR moduleFile [1024] = { 0 };
  932. GetModuleFileName (moduleHandle, moduleFile, 1024);
  933. WORD iconNum = 0;
  934. WNDCLASSEX wcex = { 0 };
  935. wcex.cbSize = sizeof (wcex);
  936. wcex.style = CS_OWNDC;
  937. wcex.lpfnWndProc = (WNDPROC) windowProc;
  938. wcex.lpszClassName = windowClassName.toWideCharPointer();
  939. wcex.cbWndExtra = 32;
  940. wcex.hInstance = moduleHandle;
  941. wcex.hIcon = ExtractAssociatedIcon (moduleHandle, moduleFile, &iconNum);
  942. iconNum = 1;
  943. wcex.hIconSm = ExtractAssociatedIcon (moduleHandle, moduleFile, &iconNum);
  944. atom = RegisterClassEx (&wcex);
  945. jassert (atom != 0);
  946. isEventBlockedByModalComps = checkEventBlockedByModalComps;
  947. }
  948. ~WindowClassHolder()
  949. {
  950. if (ComponentPeer::getNumPeers() == 0)
  951. UnregisterClass (getWindowClassName(), (HINSTANCE) Process::getCurrentModuleInstanceHandle());
  952. clearSingletonInstance();
  953. }
  954. LPCTSTR getWindowClassName() const noexcept { return (LPCTSTR) MAKELONG (atom, 0); }
  955. juce_DeclareSingleton_SingleThreaded_Minimal (WindowClassHolder);
  956. private:
  957. ATOM atom;
  958. static bool isHWNDBlockedByModalComponents (HWND h)
  959. {
  960. for (int i = Desktop::getInstance().getNumComponents(); --i >= 0;)
  961. if (Component* const c = Desktop::getInstance().getComponent (i))
  962. if ((! c->isCurrentlyBlockedByAnotherModalComponent())
  963. && IsChild ((HWND) c->getWindowHandle(), h))
  964. return false;
  965. return true;
  966. }
  967. static bool checkEventBlockedByModalComps (const MSG& m)
  968. {
  969. if (Component::getNumCurrentlyModalComponents() == 0 || JuceWindowIdentifier::isJUCEWindow (m.hwnd))
  970. return false;
  971. switch (m.message)
  972. {
  973. case WM_MOUSEMOVE:
  974. case WM_NCMOUSEMOVE:
  975. case 0x020A: /* WM_MOUSEWHEEL */
  976. case 0x020E: /* WM_MOUSEHWHEEL */
  977. case WM_KEYUP:
  978. case WM_SYSKEYUP:
  979. case WM_CHAR:
  980. case WM_APPCOMMAND:
  981. case WM_LBUTTONUP:
  982. case WM_MBUTTONUP:
  983. case WM_RBUTTONUP:
  984. case WM_MOUSEACTIVATE:
  985. case WM_NCMOUSEHOVER:
  986. case WM_MOUSEHOVER:
  987. case WM_TOUCH:
  988. return isHWNDBlockedByModalComponents (m.hwnd);
  989. case WM_NCLBUTTONDOWN:
  990. case WM_NCLBUTTONDBLCLK:
  991. case WM_NCRBUTTONDOWN:
  992. case WM_NCRBUTTONDBLCLK:
  993. case WM_NCMBUTTONDOWN:
  994. case WM_NCMBUTTONDBLCLK:
  995. case WM_LBUTTONDOWN:
  996. case WM_LBUTTONDBLCLK:
  997. case WM_MBUTTONDOWN:
  998. case WM_MBUTTONDBLCLK:
  999. case WM_RBUTTONDOWN:
  1000. case WM_RBUTTONDBLCLK:
  1001. case WM_KEYDOWN:
  1002. case WM_SYSKEYDOWN:
  1003. if (isHWNDBlockedByModalComponents (m.hwnd))
  1004. {
  1005. if (Component* const modal = Component::getCurrentlyModalComponent (0))
  1006. modal->inputAttemptWhenModal();
  1007. return true;
  1008. }
  1009. break;
  1010. default:
  1011. break;
  1012. }
  1013. return false;
  1014. }
  1015. JUCE_DECLARE_NON_COPYABLE (WindowClassHolder)
  1016. };
  1017. //==============================================================================
  1018. static void* createWindowCallback (void* userData)
  1019. {
  1020. static_cast <HWNDComponentPeer*> (userData)->createWindow();
  1021. return nullptr;
  1022. }
  1023. void createWindow()
  1024. {
  1025. DWORD exstyle = 0;
  1026. DWORD type = WS_CLIPSIBLINGS | WS_CLIPCHILDREN;
  1027. if (hasTitleBar())
  1028. {
  1029. type |= WS_OVERLAPPED;
  1030. if ((styleFlags & windowHasCloseButton) != 0)
  1031. {
  1032. type |= WS_SYSMENU;
  1033. }
  1034. else
  1035. {
  1036. // annoyingly, windows won't let you have a min/max button without a close button
  1037. jassert ((styleFlags & (windowHasMinimiseButton | windowHasMaximiseButton)) == 0);
  1038. }
  1039. if ((styleFlags & windowIsResizable) != 0)
  1040. type |= WS_THICKFRAME;
  1041. }
  1042. else if (parentToAddTo != 0)
  1043. {
  1044. type |= WS_CHILD;
  1045. }
  1046. else
  1047. {
  1048. type |= WS_POPUP | WS_SYSMENU;
  1049. }
  1050. if ((styleFlags & windowAppearsOnTaskbar) == 0)
  1051. exstyle |= WS_EX_TOOLWINDOW;
  1052. else
  1053. exstyle |= WS_EX_APPWINDOW;
  1054. if ((styleFlags & windowHasMinimiseButton) != 0) type |= WS_MINIMIZEBOX;
  1055. if ((styleFlags & windowHasMaximiseButton) != 0) type |= WS_MAXIMIZEBOX;
  1056. if ((styleFlags & windowIgnoresMouseClicks) != 0) exstyle |= WS_EX_TRANSPARENT;
  1057. if ((styleFlags & windowIsSemiTransparent) != 0 && Desktop::canUseSemiTransparentWindows())
  1058. exstyle |= WS_EX_LAYERED;
  1059. hwnd = CreateWindowEx (exstyle, WindowClassHolder::getInstance()->getWindowClassName(),
  1060. L"", type, 0, 0, 0, 0, parentToAddTo, 0,
  1061. (HINSTANCE) Process::getCurrentModuleInstanceHandle(), 0);
  1062. if (hwnd != 0)
  1063. {
  1064. SetWindowLongPtr (hwnd, 0, 0);
  1065. SetWindowLongPtr (hwnd, 8, (LONG_PTR) this);
  1066. JuceWindowIdentifier::setAsJUCEWindow (hwnd, true);
  1067. if (dropTarget == nullptr)
  1068. {
  1069. HWNDComponentPeer* peer = nullptr;
  1070. if (dontRepaint)
  1071. peer = getOwnerOfWindow (parentToAddTo);
  1072. if (peer == nullptr)
  1073. peer = this;
  1074. dropTarget = new JuceDropTarget (*peer);
  1075. }
  1076. RegisterDragDrop (hwnd, dropTarget);
  1077. if (canUseMultiTouch())
  1078. registerTouchWindow (hwnd, 0);
  1079. updateBorderSize();
  1080. // Calling this function here is (for some reason) necessary to make Windows
  1081. // correctly enable the menu items that we specify in the wm_initmenu message.
  1082. GetSystemMenu (hwnd, false);
  1083. const float alpha = component.getAlpha();
  1084. if (alpha < 1.0f)
  1085. setAlpha (alpha);
  1086. }
  1087. else
  1088. {
  1089. jassertfalse;
  1090. }
  1091. }
  1092. static void* destroyWindowCallback (void* handle)
  1093. {
  1094. RevokeDragDrop ((HWND) handle);
  1095. DestroyWindow ((HWND) handle);
  1096. return nullptr;
  1097. }
  1098. static void* toFrontCallback1 (void* h)
  1099. {
  1100. SetForegroundWindow ((HWND) h);
  1101. return nullptr;
  1102. }
  1103. static void* toFrontCallback2 (void* h)
  1104. {
  1105. SetWindowPos ((HWND) h, HWND_TOP, 0, 0, 0, 0, SWP_NOMOVE | SWP_NOSIZE | SWP_NOACTIVATE | SWP_NOSENDCHANGING);
  1106. return nullptr;
  1107. }
  1108. static void* setFocusCallback (void* h)
  1109. {
  1110. SetFocus ((HWND) h);
  1111. return nullptr;
  1112. }
  1113. static void* getFocusCallback (void*)
  1114. {
  1115. return GetFocus();
  1116. }
  1117. void offsetWithinParent (int& x, int& y) const
  1118. {
  1119. if (isUsingUpdateLayeredWindow())
  1120. {
  1121. if (HWND parentHwnd = GetParent (hwnd))
  1122. {
  1123. RECT parentRect;
  1124. GetWindowRect (parentHwnd, &parentRect);
  1125. x += parentRect.left;
  1126. y += parentRect.top;
  1127. }
  1128. }
  1129. }
  1130. bool isUsingUpdateLayeredWindow() const
  1131. {
  1132. return ! component.isOpaque();
  1133. }
  1134. inline bool hasTitleBar() const noexcept { return (styleFlags & windowHasTitleBar) != 0; }
  1135. void setIcon (const Image& newIcon)
  1136. {
  1137. HICON hicon = IconConverters::createHICONFromImage (newIcon, TRUE, 0, 0);
  1138. if (hicon != 0)
  1139. {
  1140. SendMessage (hwnd, WM_SETICON, ICON_BIG, (LPARAM) hicon);
  1141. SendMessage (hwnd, WM_SETICON, ICON_SMALL, (LPARAM) hicon);
  1142. if (currentWindowIcon != 0)
  1143. DestroyIcon (currentWindowIcon);
  1144. currentWindowIcon = hicon;
  1145. }
  1146. }
  1147. //==============================================================================
  1148. void handlePaintMessage()
  1149. {
  1150. #if JUCE_DIRECT2D
  1151. if (direct2DContext != nullptr)
  1152. {
  1153. RECT r;
  1154. if (GetUpdateRect (hwnd, &r, false))
  1155. {
  1156. direct2DContext->start();
  1157. direct2DContext->clipToRectangle (rectangleFromRECT (r));
  1158. handlePaint (*direct2DContext);
  1159. direct2DContext->end();
  1160. }
  1161. }
  1162. else
  1163. #endif
  1164. {
  1165. HRGN rgn = CreateRectRgn (0, 0, 0, 0);
  1166. const int regionType = GetUpdateRgn (hwnd, rgn, false);
  1167. PAINTSTRUCT paintStruct;
  1168. HDC dc = BeginPaint (hwnd, &paintStruct); // Note this can immediately generate a WM_NCPAINT
  1169. // message and become re-entrant, but that's OK
  1170. // if something in a paint handler calls, e.g. a message box, this can become reentrant and
  1171. // corrupt the image it's using to paint into, so do a check here.
  1172. static bool reentrant = false;
  1173. if (reentrant)
  1174. {
  1175. DeleteObject (rgn);
  1176. EndPaint (hwnd, &paintStruct);
  1177. return;
  1178. }
  1179. const ScopedValueSetter<bool> setter (reentrant, true, false);
  1180. // this is the rectangle to update..
  1181. int x = paintStruct.rcPaint.left;
  1182. int y = paintStruct.rcPaint.top;
  1183. int w = paintStruct.rcPaint.right - x;
  1184. int h = paintStruct.rcPaint.bottom - y;
  1185. const bool transparent = isUsingUpdateLayeredWindow();
  1186. if (transparent)
  1187. {
  1188. // it's not possible to have a transparent window with a title bar at the moment!
  1189. jassert (! hasTitleBar());
  1190. RECT r;
  1191. GetWindowRect (hwnd, &r);
  1192. x = y = 0;
  1193. w = r.right - r.left;
  1194. h = r.bottom - r.top;
  1195. }
  1196. if (w > 0 && h > 0)
  1197. {
  1198. clearMaskedRegion();
  1199. Image& offscreenImage = offscreenImageGenerator.getImage (transparent, w, h);
  1200. RectangleList contextClip;
  1201. const Rectangle<int> clipBounds (w, h);
  1202. bool needToPaintAll = true;
  1203. if (regionType == COMPLEXREGION && ! transparent)
  1204. {
  1205. HRGN clipRgn = CreateRectRgnIndirect (&paintStruct.rcPaint);
  1206. CombineRgn (rgn, rgn, clipRgn, RGN_AND);
  1207. DeleteObject (clipRgn);
  1208. char rgnData [8192];
  1209. const DWORD res = GetRegionData (rgn, sizeof (rgnData), (RGNDATA*) rgnData);
  1210. if (res > 0 && res <= sizeof (rgnData))
  1211. {
  1212. const RGNDATAHEADER* const hdr = &(((const RGNDATA*) rgnData)->rdh);
  1213. if (hdr->iType == RDH_RECTANGLES
  1214. && hdr->rcBound.right - hdr->rcBound.left >= w
  1215. && hdr->rcBound.bottom - hdr->rcBound.top >= h)
  1216. {
  1217. needToPaintAll = false;
  1218. const RECT* rects = (const RECT*) (rgnData + sizeof (RGNDATAHEADER));
  1219. for (int i = (int) ((RGNDATA*) rgnData)->rdh.nCount; --i >= 0;)
  1220. {
  1221. if (rects->right <= x + w && rects->bottom <= y + h)
  1222. {
  1223. const int cx = jmax (x, (int) rects->left);
  1224. contextClip.addWithoutMerging (Rectangle<int> (cx - x, rects->top - y, rects->right - cx, rects->bottom - rects->top)
  1225. .getIntersection (clipBounds));
  1226. }
  1227. else
  1228. {
  1229. needToPaintAll = true;
  1230. break;
  1231. }
  1232. ++rects;
  1233. }
  1234. }
  1235. }
  1236. }
  1237. if (needToPaintAll)
  1238. {
  1239. contextClip.clear();
  1240. contextClip.addWithoutMerging (Rectangle<int> (w, h));
  1241. }
  1242. if (transparent)
  1243. {
  1244. for (const Rectangle<int>* i = contextClip.begin(), * const e = contextClip.end(); i != e; ++i)
  1245. offscreenImage.clear (*i);
  1246. }
  1247. // if the component's not opaque, this won't draw properly unless the platform can support this
  1248. jassert (Desktop::canUseSemiTransparentWindows() || component.isOpaque());
  1249. updateCurrentModifiers();
  1250. {
  1251. ScopedPointer<LowLevelGraphicsContext> context (component.getLookAndFeel()
  1252. .createGraphicsContext (offscreenImage, Point<int> (-x, -y), contextClip));
  1253. handlePaint (*context);
  1254. }
  1255. if (! dontRepaint)
  1256. static_cast <WindowsBitmapImage*> (offscreenImage.getPixelData())
  1257. ->blitToWindow (hwnd, dc, transparent, x, y, maskedRegion, updateLayeredWindowAlpha);
  1258. }
  1259. DeleteObject (rgn);
  1260. EndPaint (hwnd, &paintStruct);
  1261. }
  1262. #ifndef JUCE_GCC
  1263. _fpreset(); // because some graphics cards can unmask FP exceptions
  1264. #endif
  1265. lastPaintTime = Time::getMillisecondCounter();
  1266. }
  1267. //==============================================================================
  1268. void doMouseEvent (const Point<int>& position)
  1269. {
  1270. handleMouseEvent (0, position, currentModifiers, getMouseEventTime());
  1271. }
  1272. StringArray getAvailableRenderingEngines()
  1273. {
  1274. StringArray s (ComponentPeer::getAvailableRenderingEngines());
  1275. #if JUCE_DIRECT2D
  1276. if (SystemStats::getOperatingSystemType() >= SystemStats::Windows7)
  1277. s.add ("Direct2D");
  1278. #endif
  1279. return s;
  1280. }
  1281. int getCurrentRenderingEngine() const { return currentRenderingEngine; }
  1282. #if JUCE_DIRECT2D
  1283. void updateDirect2DContext()
  1284. {
  1285. if (currentRenderingEngine != direct2DRenderingEngine)
  1286. direct2DContext = 0;
  1287. else if (direct2DContext == 0)
  1288. direct2DContext = new Direct2DLowLevelGraphicsContext (hwnd);
  1289. }
  1290. #endif
  1291. void setCurrentRenderingEngine (int index)
  1292. {
  1293. (void) index;
  1294. #if JUCE_DIRECT2D
  1295. if (getAvailableRenderingEngines().size() > 1)
  1296. {
  1297. currentRenderingEngine = index == 1 ? direct2DRenderingEngine : softwareRenderingEngine;
  1298. updateDirect2DContext();
  1299. repaint (component.getLocalBounds());
  1300. }
  1301. #endif
  1302. }
  1303. static int getMinTimeBetweenMouseMoves()
  1304. {
  1305. if (SystemStats::getOperatingSystemType() >= SystemStats::WinVista)
  1306. return 0;
  1307. return 1000 / 60; // Throttling the incoming mouse-events seems to still be needed in XP..
  1308. }
  1309. static bool isCurrentEventFromTouchScreen() noexcept
  1310. {
  1311. const LPARAM flags = GetMessageExtraInfo();
  1312. return (flags & 0xffffff00 /* SIGNATURE_MASK */) == 0xff515700 /* MI_WP_SIGNATURE */
  1313. && (flags & 0x80) != 0; // (bit 7 = 0 for pen events, 1 for touch)
  1314. }
  1315. void doMouseMove (const Point<int>& position)
  1316. {
  1317. if (! isCurrentEventFromTouchScreen())
  1318. {
  1319. if (! isMouseOver)
  1320. {
  1321. isMouseOver = true;
  1322. ModifierKeys::getCurrentModifiersRealtime(); // (This avoids a rare stuck-button problem when focus is lost unexpectedly)
  1323. updateKeyModifiers();
  1324. TRACKMOUSEEVENT tme;
  1325. tme.cbSize = sizeof (tme);
  1326. tme.dwFlags = TME_LEAVE;
  1327. tme.hwndTrack = hwnd;
  1328. tme.dwHoverTime = 0;
  1329. if (! TrackMouseEvent (&tme))
  1330. jassertfalse;
  1331. Desktop::getInstance().getMainMouseSource().forceMouseCursorUpdate();
  1332. }
  1333. else if (! isDragging)
  1334. {
  1335. if (! contains (position, false))
  1336. return;
  1337. }
  1338. static uint32 lastMouseTime = 0;
  1339. static int minTimeBetweenMouses = getMinTimeBetweenMouseMoves();
  1340. const uint32 now = Time::getMillisecondCounter();
  1341. if (now >= lastMouseTime + minTimeBetweenMouses)
  1342. {
  1343. lastMouseTime = now;
  1344. doMouseEvent (position);
  1345. }
  1346. }
  1347. }
  1348. void doMouseDown (const Point<int>& position, const WPARAM wParam)
  1349. {
  1350. if (! isCurrentEventFromTouchScreen())
  1351. {
  1352. if (GetCapture() != hwnd)
  1353. SetCapture (hwnd);
  1354. doMouseMove (position);
  1355. updateModifiersFromWParam (wParam);
  1356. isDragging = true;
  1357. doMouseEvent (position);
  1358. }
  1359. }
  1360. void doMouseUp (const Point<int>& position, const WPARAM wParam)
  1361. {
  1362. if (! isCurrentEventFromTouchScreen())
  1363. {
  1364. updateModifiersFromWParam (wParam);
  1365. const bool wasDragging = isDragging;
  1366. isDragging = false;
  1367. // release the mouse capture if the user has released all buttons
  1368. if ((wParam & (MK_LBUTTON | MK_RBUTTON | MK_MBUTTON)) == 0 && hwnd == GetCapture())
  1369. ReleaseCapture();
  1370. // NB: under some circumstances (e.g. double-clicking a native title bar), a mouse-up can
  1371. // arrive without a mouse-down, so in that case we need to avoid sending a message.
  1372. if (wasDragging)
  1373. doMouseEvent (position);
  1374. }
  1375. }
  1376. void doCaptureChanged()
  1377. {
  1378. if (constrainerIsResizing)
  1379. {
  1380. if (constrainer != nullptr)
  1381. constrainer->resizeEnd();
  1382. constrainerIsResizing = false;
  1383. }
  1384. if (isDragging)
  1385. doMouseUp (getCurrentMousePos(), (WPARAM) 0);
  1386. }
  1387. void doMouseExit()
  1388. {
  1389. isMouseOver = false;
  1390. doMouseEvent (getCurrentMousePos());
  1391. }
  1392. ComponentPeer* findPeerUnderMouse (Point<int>& localPos)
  1393. {
  1394. const Point<int> globalPos (getCurrentMousePosGlobal());
  1395. // Because Windows stupidly sends all wheel events to the window with the keyboard
  1396. // focus, we have to redirect them here according to the mouse pos..
  1397. POINT p = { globalPos.x, globalPos.y };
  1398. HWNDComponentPeer* peer = getOwnerOfWindow (WindowFromPoint (p));
  1399. if (peer == nullptr)
  1400. peer = this;
  1401. localPos = peer->globalToLocal (globalPos);
  1402. return peer;
  1403. }
  1404. void doMouseWheel (const WPARAM wParam, const bool isVertical)
  1405. {
  1406. updateKeyModifiers();
  1407. const float amount = jlimit (-1000.0f, 1000.0f, 0.5f * (short) HIWORD (wParam));
  1408. MouseWheelDetails wheel;
  1409. wheel.deltaX = isVertical ? 0.0f : amount / -256.0f;
  1410. wheel.deltaY = isVertical ? amount / 256.0f : 0.0f;
  1411. wheel.isReversed = false;
  1412. wheel.isSmooth = false;
  1413. Point<int> localPos;
  1414. if (ComponentPeer* const peer = findPeerUnderMouse (localPos))
  1415. peer->handleMouseWheel (0, localPos, getMouseEventTime(), wheel);
  1416. }
  1417. bool doGestureEvent (LPARAM lParam)
  1418. {
  1419. GESTUREINFO gi;
  1420. zerostruct (gi);
  1421. gi.cbSize = sizeof (gi);
  1422. if (getGestureInfo != nullptr && getGestureInfo ((HGESTUREINFO) lParam, &gi))
  1423. {
  1424. updateKeyModifiers();
  1425. Point<int> localPos;
  1426. if (ComponentPeer* const peer = findPeerUnderMouse (localPos))
  1427. {
  1428. switch (gi.dwID)
  1429. {
  1430. case 3: /*GID_ZOOM*/
  1431. if (gi.dwFlags != 1 /*GF_BEGIN*/ && lastMagnifySize > 0)
  1432. peer->handleMagnifyGesture (0, localPos, getMouseEventTime(),
  1433. (float) (gi.ullArguments / (double) lastMagnifySize));
  1434. lastMagnifySize = gi.ullArguments;
  1435. return true;
  1436. case 4: /*GID_PAN*/
  1437. case 5: /*GID_ROTATE*/
  1438. case 6: /*GID_TWOFINGERTAP*/
  1439. case 7: /*GID_PRESSANDTAP*/
  1440. default:
  1441. break;
  1442. }
  1443. }
  1444. }
  1445. return false;
  1446. }
  1447. void doTouchEvent (const int numInputs, HTOUCHINPUT eventHandle)
  1448. {
  1449. HeapBlock<TOUCHINPUT> inputInfo (numInputs);
  1450. if (getTouchInputInfo (eventHandle, numInputs, inputInfo, sizeof (TOUCHINPUT)))
  1451. {
  1452. for (int i = 0; i < numInputs; ++i)
  1453. {
  1454. const DWORD flags = inputInfo[i].dwFlags;
  1455. if ((flags & (TOUCHEVENTF_DOWN | TOUCHEVENTF_MOVE | TOUCHEVENTF_UP)) != 0)
  1456. {
  1457. if (! handleTouchInput (inputInfo[i], (flags & TOUCHEVENTF_DOWN) != 0,
  1458. (flags & TOUCHEVENTF_UP) != 0))
  1459. return; // abandon method if this window was deleted by the callback
  1460. }
  1461. }
  1462. }
  1463. closeTouchInputHandle (eventHandle);
  1464. }
  1465. bool handleTouchInput (const TOUCHINPUT& touch, const bool isDown, const bool isUp)
  1466. {
  1467. bool isCancel = false;
  1468. const int touchIndex = currentTouches.getIndexOfTouch (touch.dwID);
  1469. const int64 time = getMouseEventTime();
  1470. const Point<int> pos (globalToLocal (Point<int> ((int) TOUCH_COORD_TO_PIXEL (touch.x),
  1471. (int) TOUCH_COORD_TO_PIXEL (touch.y))));
  1472. ModifierKeys modsToSend (currentModifiers);
  1473. if (isDown)
  1474. {
  1475. currentModifiers = currentModifiers.withoutMouseButtons().withFlags (ModifierKeys::leftButtonModifier);
  1476. modsToSend = currentModifiers;
  1477. // this forces a mouse-enter/up event, in case for some reason we didn't get a mouse-up before.
  1478. handleMouseEvent (touchIndex + 1, pos, modsToSend.withoutMouseButtons(), time);
  1479. if (! isValidPeer (this)) // (in case this component was deleted by the event)
  1480. return false;
  1481. }
  1482. else if (isUp)
  1483. {
  1484. modsToSend = modsToSend.withoutMouseButtons();
  1485. currentTouches.clearTouch (touchIndex);
  1486. if (! currentTouches.areAnyTouchesActive())
  1487. isCancel = true;
  1488. }
  1489. if (isCancel)
  1490. {
  1491. currentTouches.clear();
  1492. currentModifiers = currentModifiers.withoutMouseButtons();
  1493. }
  1494. handleMouseEvent (touchIndex + 1, pos, modsToSend, time);
  1495. if (! isValidPeer (this)) // (in case this component was deleted by the event)
  1496. return false;
  1497. if (isUp || isCancel)
  1498. {
  1499. handleMouseEvent (touchIndex + 1, Point<int> (-1, -1), currentModifiers, time);
  1500. if (! isValidPeer (this))
  1501. return false;
  1502. }
  1503. return true;
  1504. }
  1505. //==============================================================================
  1506. void sendModifierKeyChangeIfNeeded()
  1507. {
  1508. if (modifiersAtLastCallback != currentModifiers)
  1509. {
  1510. modifiersAtLastCallback = currentModifiers;
  1511. handleModifierKeysChange();
  1512. }
  1513. }
  1514. bool doKeyUp (const WPARAM key)
  1515. {
  1516. updateKeyModifiers();
  1517. switch (key)
  1518. {
  1519. case VK_SHIFT:
  1520. case VK_CONTROL:
  1521. case VK_MENU:
  1522. case VK_CAPITAL:
  1523. case VK_LWIN:
  1524. case VK_RWIN:
  1525. case VK_APPS:
  1526. case VK_NUMLOCK:
  1527. case VK_SCROLL:
  1528. case VK_LSHIFT:
  1529. case VK_RSHIFT:
  1530. case VK_LCONTROL:
  1531. case VK_LMENU:
  1532. case VK_RCONTROL:
  1533. case VK_RMENU:
  1534. sendModifierKeyChangeIfNeeded();
  1535. }
  1536. return handleKeyUpOrDown (false)
  1537. || Component::getCurrentlyModalComponent() != nullptr;
  1538. }
  1539. bool doKeyDown (const WPARAM key)
  1540. {
  1541. updateKeyModifiers();
  1542. bool used = false;
  1543. switch (key)
  1544. {
  1545. case VK_SHIFT:
  1546. case VK_LSHIFT:
  1547. case VK_RSHIFT:
  1548. case VK_CONTROL:
  1549. case VK_LCONTROL:
  1550. case VK_RCONTROL:
  1551. case VK_MENU:
  1552. case VK_LMENU:
  1553. case VK_RMENU:
  1554. case VK_LWIN:
  1555. case VK_RWIN:
  1556. case VK_CAPITAL:
  1557. case VK_NUMLOCK:
  1558. case VK_SCROLL:
  1559. case VK_APPS:
  1560. sendModifierKeyChangeIfNeeded();
  1561. break;
  1562. case VK_LEFT:
  1563. case VK_RIGHT:
  1564. case VK_UP:
  1565. case VK_DOWN:
  1566. case VK_PRIOR:
  1567. case VK_NEXT:
  1568. case VK_HOME:
  1569. case VK_END:
  1570. case VK_DELETE:
  1571. case VK_INSERT:
  1572. case VK_F1:
  1573. case VK_F2:
  1574. case VK_F3:
  1575. case VK_F4:
  1576. case VK_F5:
  1577. case VK_F6:
  1578. case VK_F7:
  1579. case VK_F8:
  1580. case VK_F9:
  1581. case VK_F10:
  1582. case VK_F11:
  1583. case VK_F12:
  1584. case VK_F13:
  1585. case VK_F14:
  1586. case VK_F15:
  1587. case VK_F16:
  1588. used = handleKeyUpOrDown (true);
  1589. used = handleKeyPress (extendedKeyModifier | (int) key, 0) || used;
  1590. break;
  1591. case VK_ADD:
  1592. case VK_SUBTRACT:
  1593. case VK_MULTIPLY:
  1594. case VK_DIVIDE:
  1595. case VK_SEPARATOR:
  1596. case VK_DECIMAL:
  1597. used = handleKeyUpOrDown (true);
  1598. break;
  1599. default:
  1600. used = handleKeyUpOrDown (true);
  1601. {
  1602. MSG msg;
  1603. if (! PeekMessage (&msg, hwnd, WM_CHAR, WM_DEADCHAR, PM_NOREMOVE))
  1604. {
  1605. // if there isn't a WM_CHAR or WM_DEADCHAR message pending, we need to
  1606. // manually generate the key-press event that matches this key-down.
  1607. const UINT keyChar = MapVirtualKey ((UINT) key, 2);
  1608. used = handleKeyPress ((int) LOWORD (keyChar), 0) || used;
  1609. }
  1610. }
  1611. break;
  1612. }
  1613. return used || (Component::getCurrentlyModalComponent() != nullptr);
  1614. }
  1615. bool doKeyChar (int key, const LPARAM flags)
  1616. {
  1617. updateKeyModifiers();
  1618. juce_wchar textChar = (juce_wchar) key;
  1619. const int virtualScanCode = (flags >> 16) & 0xff;
  1620. if (key >= '0' && key <= '9')
  1621. {
  1622. switch (virtualScanCode) // check for a numeric keypad scan-code
  1623. {
  1624. case 0x52:
  1625. case 0x4f:
  1626. case 0x50:
  1627. case 0x51:
  1628. case 0x4b:
  1629. case 0x4c:
  1630. case 0x4d:
  1631. case 0x47:
  1632. case 0x48:
  1633. case 0x49:
  1634. key = (key - '0') + KeyPress::numberPad0;
  1635. break;
  1636. default:
  1637. break;
  1638. }
  1639. }
  1640. else
  1641. {
  1642. // convert the scan code to an unmodified character code..
  1643. const UINT virtualKey = MapVirtualKey ((UINT) virtualScanCode, 1);
  1644. UINT keyChar = MapVirtualKey (virtualKey, 2);
  1645. keyChar = LOWORD (keyChar);
  1646. if (keyChar != 0)
  1647. key = (int) keyChar;
  1648. // avoid sending junk text characters for some control-key combinations
  1649. if (textChar < ' ' && currentModifiers.testFlags (ModifierKeys::ctrlModifier | ModifierKeys::altModifier))
  1650. textChar = 0;
  1651. }
  1652. return handleKeyPress (key, textChar);
  1653. }
  1654. void forwardMessageToParent (UINT message, WPARAM wParam, LPARAM lParam) const
  1655. {
  1656. if (HWND parentH = GetParent (hwnd))
  1657. PostMessage (parentH, message, wParam, lParam);
  1658. }
  1659. bool doAppCommand (const LPARAM lParam)
  1660. {
  1661. int key = 0;
  1662. switch (GET_APPCOMMAND_LPARAM (lParam))
  1663. {
  1664. case APPCOMMAND_MEDIA_PLAY_PAUSE: key = KeyPress::playKey; break;
  1665. case APPCOMMAND_MEDIA_STOP: key = KeyPress::stopKey; break;
  1666. case APPCOMMAND_MEDIA_NEXTTRACK: key = KeyPress::fastForwardKey; break;
  1667. case APPCOMMAND_MEDIA_PREVIOUSTRACK: key = KeyPress::rewindKey; break;
  1668. default: break;
  1669. }
  1670. if (key != 0)
  1671. {
  1672. updateKeyModifiers();
  1673. if (hwnd == GetActiveWindow())
  1674. {
  1675. handleKeyPress (key, 0);
  1676. return true;
  1677. }
  1678. }
  1679. return false;
  1680. }
  1681. bool isConstrainedNativeWindow() const
  1682. {
  1683. return constrainer != nullptr
  1684. && (styleFlags & (windowHasTitleBar | windowIsResizable)) == (windowHasTitleBar | windowIsResizable);
  1685. }
  1686. LRESULT handleSizeConstraining (RECT& r, const WPARAM wParam)
  1687. {
  1688. if (isConstrainedNativeWindow())
  1689. {
  1690. Rectangle<int> pos (rectangleFromRECT (r));
  1691. constrainer->checkBounds (pos, windowBorder.addedTo (component.getBounds()),
  1692. Desktop::getInstance().getDisplays().getTotalBounds (true),
  1693. wParam == WMSZ_TOP || wParam == WMSZ_TOPLEFT || wParam == WMSZ_TOPRIGHT,
  1694. wParam == WMSZ_LEFT || wParam == WMSZ_TOPLEFT || wParam == WMSZ_BOTTOMLEFT,
  1695. wParam == WMSZ_BOTTOM || wParam == WMSZ_BOTTOMLEFT || wParam == WMSZ_BOTTOMRIGHT,
  1696. wParam == WMSZ_RIGHT || wParam == WMSZ_TOPRIGHT || wParam == WMSZ_BOTTOMRIGHT);
  1697. r.left = pos.getX();
  1698. r.top = pos.getY();
  1699. r.right = pos.getRight();
  1700. r.bottom = pos.getBottom();
  1701. }
  1702. return TRUE;
  1703. }
  1704. LRESULT handlePositionChanging (WINDOWPOS& wp)
  1705. {
  1706. if (isConstrainedNativeWindow())
  1707. {
  1708. if ((wp.flags & (SWP_NOMOVE | SWP_NOSIZE)) != (SWP_NOMOVE | SWP_NOSIZE)
  1709. && ! Component::isMouseButtonDownAnywhere())
  1710. {
  1711. Rectangle<int> pos (wp.x, wp.y, wp.cx, wp.cy);
  1712. const Rectangle<int> current (windowBorder.addedTo (component.getBounds()));
  1713. constrainer->checkBounds (pos, current,
  1714. Desktop::getInstance().getDisplays().getTotalBounds (true),
  1715. pos.getY() != current.getY() && pos.getBottom() == current.getBottom(),
  1716. pos.getX() != current.getX() && pos.getRight() == current.getRight(),
  1717. pos.getY() == current.getY() && pos.getBottom() != current.getBottom(),
  1718. pos.getX() == current.getX() && pos.getRight() != current.getRight());
  1719. wp.x = pos.getX();
  1720. wp.y = pos.getY();
  1721. wp.cx = pos.getWidth();
  1722. wp.cy = pos.getHeight();
  1723. }
  1724. }
  1725. if (((wp.flags & SWP_SHOWWINDOW) != 0 && ! component.isVisible()))
  1726. component.setVisible (true);
  1727. else if (((wp.flags & SWP_HIDEWINDOW) != 0 && component.isVisible()))
  1728. component.setVisible (false);
  1729. return 0;
  1730. }
  1731. void handleAppActivation (const WPARAM wParam)
  1732. {
  1733. modifiersAtLastCallback = -1;
  1734. updateKeyModifiers();
  1735. if (isMinimised())
  1736. {
  1737. component.repaint();
  1738. handleMovedOrResized();
  1739. if (! ComponentPeer::isValidPeer (this))
  1740. return;
  1741. }
  1742. Component* underMouse = component.getComponentAt (component.getMouseXYRelative());
  1743. if (underMouse == nullptr)
  1744. underMouse = &component;
  1745. if (underMouse->isCurrentlyBlockedByAnotherModalComponent())
  1746. {
  1747. if (LOWORD (wParam) == WA_CLICKACTIVE)
  1748. Component::getCurrentlyModalComponent()->inputAttemptWhenModal();
  1749. else
  1750. ModalComponentManager::getInstance()->bringModalComponentsToFront();
  1751. }
  1752. else
  1753. {
  1754. handleBroughtToFront();
  1755. }
  1756. }
  1757. void handleLeftClickInNCArea (WPARAM wParam)
  1758. {
  1759. if (! sendInputAttemptWhenModalMessage())
  1760. {
  1761. switch (wParam)
  1762. {
  1763. case HTBOTTOM:
  1764. case HTBOTTOMLEFT:
  1765. case HTBOTTOMRIGHT:
  1766. case HTGROWBOX:
  1767. case HTLEFT:
  1768. case HTRIGHT:
  1769. case HTTOP:
  1770. case HTTOPLEFT:
  1771. case HTTOPRIGHT:
  1772. if (isConstrainedNativeWindow())
  1773. {
  1774. constrainerIsResizing = true;
  1775. constrainer->resizeStart();
  1776. }
  1777. break;
  1778. default:
  1779. break;
  1780. }
  1781. }
  1782. }
  1783. void initialiseSysMenu (HMENU menu) const
  1784. {
  1785. if (! hasTitleBar())
  1786. {
  1787. if (isFullScreen())
  1788. {
  1789. EnableMenuItem (menu, SC_RESTORE, MF_BYCOMMAND | MF_ENABLED);
  1790. EnableMenuItem (menu, SC_MOVE, MF_BYCOMMAND | MF_GRAYED);
  1791. }
  1792. else if (! isMinimised())
  1793. {
  1794. EnableMenuItem (menu, SC_MAXIMIZE, MF_BYCOMMAND | MF_GRAYED);
  1795. }
  1796. }
  1797. }
  1798. void doSettingChange()
  1799. {
  1800. const_cast <Desktop::Displays&> (Desktop::getInstance().getDisplays()).refresh();
  1801. if (fullScreen && ! isMinimised())
  1802. {
  1803. const Rectangle<int> r (component.getParentMonitorArea());
  1804. SetWindowPos (hwnd, 0, r.getX(), r.getY(), r.getWidth(), r.getHeight(),
  1805. SWP_NOACTIVATE | SWP_NOOWNERZORDER | SWP_NOZORDER | SWP_NOSENDCHANGING);
  1806. }
  1807. }
  1808. //==============================================================================
  1809. public:
  1810. static LRESULT CALLBACK windowProc (HWND h, UINT message, WPARAM wParam, LPARAM lParam)
  1811. {
  1812. if (HWNDComponentPeer* const peer = getOwnerOfWindow (h))
  1813. {
  1814. jassert (isValidPeer (peer));
  1815. return peer->peerWindowProc (h, message, wParam, lParam);
  1816. }
  1817. return DefWindowProcW (h, message, wParam, lParam);
  1818. }
  1819. private:
  1820. static void* callFunctionIfNotLocked (MessageCallbackFunction* callback, void* userData)
  1821. {
  1822. if (MessageManager::getInstance()->currentThreadHasLockedMessageManager())
  1823. return callback (userData);
  1824. return MessageManager::getInstance()->callFunctionOnMessageThread (callback, userData);
  1825. }
  1826. static Point<int> getPointFromLParam (LPARAM lParam) noexcept
  1827. {
  1828. return Point<int> (GET_X_LPARAM (lParam), GET_Y_LPARAM (lParam));
  1829. }
  1830. static Point<int> getCurrentMousePosGlobal() noexcept
  1831. {
  1832. return getPointFromLParam (GetMessagePos());
  1833. }
  1834. Point<int> getCurrentMousePos() noexcept
  1835. {
  1836. return globalToLocal (getCurrentMousePosGlobal());
  1837. }
  1838. LRESULT peerWindowProc (HWND h, UINT message, WPARAM wParam, LPARAM lParam)
  1839. {
  1840. switch (message)
  1841. {
  1842. //==============================================================================
  1843. case WM_NCHITTEST:
  1844. if ((styleFlags & windowIgnoresMouseClicks) != 0)
  1845. return HTTRANSPARENT;
  1846. else if (! hasTitleBar())
  1847. return HTCLIENT;
  1848. break;
  1849. //==============================================================================
  1850. case WM_PAINT:
  1851. handlePaintMessage();
  1852. return 0;
  1853. case WM_NCPAINT:
  1854. if (wParam != 1) // (1 = a repaint of the entire NC region)
  1855. handlePaintMessage(); // this must be done, even with native titlebars, or there are rendering artifacts.
  1856. if (hasTitleBar())
  1857. break; // let the DefWindowProc handle drawing the frame.
  1858. return 0;
  1859. case WM_ERASEBKGND:
  1860. case WM_NCCALCSIZE:
  1861. if (hasTitleBar())
  1862. break;
  1863. return 1;
  1864. //==============================================================================
  1865. case WM_MOUSEMOVE: doMouseMove (getPointFromLParam (lParam)); return 0;
  1866. case WM_MOUSELEAVE: doMouseExit(); return 0;
  1867. case WM_LBUTTONDOWN:
  1868. case WM_MBUTTONDOWN:
  1869. case WM_RBUTTONDOWN: doMouseDown (getPointFromLParam (lParam), wParam); return 0;
  1870. case WM_LBUTTONUP:
  1871. case WM_MBUTTONUP:
  1872. case WM_RBUTTONUP: doMouseUp (getPointFromLParam (lParam), wParam); return 0;
  1873. case WM_CAPTURECHANGED: doCaptureChanged(); return 0;
  1874. case WM_NCMOUSEMOVE:
  1875. if (hasTitleBar())
  1876. break;
  1877. return 0;
  1878. case 0x020A: /* WM_MOUSEWHEEL */
  1879. case 0x020E: /* WM_MOUSEHWHEEL */
  1880. doMouseWheel (wParam, message == 0x020A);
  1881. return 0;
  1882. case WM_TOUCH:
  1883. if (getTouchInputInfo == nullptr)
  1884. break;
  1885. doTouchEvent ((int) wParam, (HTOUCHINPUT) lParam);
  1886. return 0;
  1887. case 0x119: /* WM_GESTURE */
  1888. if (doGestureEvent (lParam))
  1889. return 0;
  1890. break;
  1891. //==============================================================================
  1892. case WM_SIZING: return handleSizeConstraining (*(RECT*) lParam, wParam);
  1893. case WM_WINDOWPOSCHANGING: return handlePositionChanging (*(WINDOWPOS*) lParam);
  1894. case WM_WINDOWPOSCHANGED:
  1895. {
  1896. const Point<int> pos (getCurrentMousePos());
  1897. if (isWindowAtPoint (pos, false))
  1898. doMouseEvent (pos);
  1899. }
  1900. handleMovedOrResized();
  1901. if (dontRepaint)
  1902. break; // needed for non-accelerated openGL windows to draw themselves correctly..
  1903. return 0;
  1904. //==============================================================================
  1905. case WM_KEYDOWN:
  1906. case WM_SYSKEYDOWN:
  1907. if (doKeyDown (wParam))
  1908. return 0;
  1909. forwardMessageToParent (message, wParam, lParam);
  1910. break;
  1911. case WM_KEYUP:
  1912. case WM_SYSKEYUP:
  1913. if (doKeyUp (wParam))
  1914. return 0;
  1915. forwardMessageToParent (message, wParam, lParam);
  1916. break;
  1917. case WM_CHAR:
  1918. if (doKeyChar ((int) wParam, lParam))
  1919. return 0;
  1920. forwardMessageToParent (message, wParam, lParam);
  1921. break;
  1922. case WM_APPCOMMAND:
  1923. if (doAppCommand (lParam))
  1924. return TRUE;
  1925. break;
  1926. //==============================================================================
  1927. case WM_SETFOCUS:
  1928. updateKeyModifiers();
  1929. handleFocusGain();
  1930. break;
  1931. case WM_KILLFOCUS:
  1932. if (hasCreatedCaret)
  1933. {
  1934. hasCreatedCaret = false;
  1935. DestroyCaret();
  1936. }
  1937. handleFocusLoss();
  1938. break;
  1939. case WM_ACTIVATEAPP:
  1940. // Windows does weird things to process priority when you swap apps,
  1941. // so this forces an update when the app is brought to the front
  1942. if (wParam != FALSE)
  1943. juce_repeatLastProcessPriority();
  1944. else
  1945. Desktop::getInstance().setKioskModeComponent (nullptr); // turn kiosk mode off if we lose focus
  1946. juce_checkCurrentlyFocusedTopLevelWindow();
  1947. modifiersAtLastCallback = -1;
  1948. return 0;
  1949. case WM_ACTIVATE:
  1950. if (LOWORD (wParam) == WA_ACTIVE || LOWORD (wParam) == WA_CLICKACTIVE)
  1951. {
  1952. handleAppActivation (wParam);
  1953. return 0;
  1954. }
  1955. break;
  1956. case WM_NCACTIVATE:
  1957. // while a temporary window is being shown, prevent Windows from deactivating the
  1958. // title bars of our main windows.
  1959. if (wParam == 0 && ! shouldDeactivateTitleBar)
  1960. wParam = TRUE; // change this and let it get passed to the DefWindowProc.
  1961. break;
  1962. case WM_MOUSEACTIVATE:
  1963. if (! component.getMouseClickGrabsKeyboardFocus())
  1964. return MA_NOACTIVATE;
  1965. break;
  1966. case WM_SHOWWINDOW:
  1967. if (wParam != 0)
  1968. handleBroughtToFront();
  1969. break;
  1970. case WM_CLOSE:
  1971. if (! component.isCurrentlyBlockedByAnotherModalComponent())
  1972. handleUserClosingWindow();
  1973. return 0;
  1974. case WM_QUERYENDSESSION:
  1975. if (JUCEApplication* const app = JUCEApplication::getInstance())
  1976. {
  1977. app->systemRequestedQuit();
  1978. return MessageManager::getInstance()->hasStopMessageBeenSent();
  1979. }
  1980. return TRUE;
  1981. case WM_SYNCPAINT:
  1982. return 0;
  1983. case WM_DISPLAYCHANGE:
  1984. InvalidateRect (h, 0, 0);
  1985. // intentional fall-through...
  1986. case WM_SETTINGCHANGE: // note the fall-through in the previous case!
  1987. doSettingChange();
  1988. break;
  1989. case WM_INITMENU:
  1990. initialiseSysMenu ((HMENU) wParam);
  1991. break;
  1992. case WM_SYSCOMMAND:
  1993. switch (wParam & 0xfff0)
  1994. {
  1995. case SC_CLOSE:
  1996. if (sendInputAttemptWhenModalMessage())
  1997. return 0;
  1998. if (hasTitleBar())
  1999. {
  2000. PostMessage (h, WM_CLOSE, 0, 0);
  2001. return 0;
  2002. }
  2003. break;
  2004. case SC_KEYMENU:
  2005. // (NB mustn't call sendInputAttemptWhenModalMessage() here because of very obscure
  2006. // situations that can arise if a modal loop is started from an alt-key keypress).
  2007. if (hasTitleBar() && h == GetCapture())
  2008. ReleaseCapture();
  2009. break;
  2010. case SC_MAXIMIZE:
  2011. if (! sendInputAttemptWhenModalMessage())
  2012. setFullScreen (true);
  2013. return 0;
  2014. case SC_MINIMIZE:
  2015. if (sendInputAttemptWhenModalMessage())
  2016. return 0;
  2017. if (! hasTitleBar())
  2018. {
  2019. setMinimised (true);
  2020. return 0;
  2021. }
  2022. break;
  2023. case SC_RESTORE:
  2024. if (sendInputAttemptWhenModalMessage())
  2025. return 0;
  2026. if (hasTitleBar())
  2027. {
  2028. if (isFullScreen())
  2029. {
  2030. setFullScreen (false);
  2031. return 0;
  2032. }
  2033. }
  2034. else
  2035. {
  2036. if (isMinimised())
  2037. setMinimised (false);
  2038. else if (isFullScreen())
  2039. setFullScreen (false);
  2040. return 0;
  2041. }
  2042. break;
  2043. }
  2044. break;
  2045. case WM_NCLBUTTONDOWN:
  2046. handleLeftClickInNCArea (wParam);
  2047. break;
  2048. case WM_NCRBUTTONDOWN:
  2049. case WM_NCMBUTTONDOWN:
  2050. sendInputAttemptWhenModalMessage();
  2051. break;
  2052. case WM_IME_SETCONTEXT:
  2053. imeHandler.handleSetContext (h, wParam == TRUE);
  2054. lParam &= ~ISC_SHOWUICOMPOSITIONWINDOW;
  2055. break;
  2056. case WM_IME_STARTCOMPOSITION: imeHandler.handleStartComposition (*this); return 0;
  2057. case WM_IME_ENDCOMPOSITION: imeHandler.handleEndComposition (*this, h); break;
  2058. case WM_IME_COMPOSITION: imeHandler.handleComposition (*this, h, lParam); return 0;
  2059. case WM_GETDLGCODE:
  2060. return DLGC_WANTALLKEYS;
  2061. default:
  2062. break;
  2063. }
  2064. return DefWindowProcW (h, message, wParam, lParam);
  2065. }
  2066. bool sendInputAttemptWhenModalMessage()
  2067. {
  2068. if (component.isCurrentlyBlockedByAnotherModalComponent())
  2069. {
  2070. if (Component* const current = Component::getCurrentlyModalComponent())
  2071. current->inputAttemptWhenModal();
  2072. return true;
  2073. }
  2074. return false;
  2075. }
  2076. //==============================================================================
  2077. class IMEHandler
  2078. {
  2079. public:
  2080. IMEHandler()
  2081. {
  2082. reset();
  2083. }
  2084. void handleSetContext (HWND hWnd, const bool windowIsActive)
  2085. {
  2086. if (compositionInProgress && ! windowIsActive)
  2087. {
  2088. compositionInProgress = false;
  2089. if (HIMC hImc = ImmGetContext (hWnd))
  2090. {
  2091. ImmNotifyIME (hImc, NI_COMPOSITIONSTR, CPS_COMPLETE, 0);
  2092. ImmReleaseContext (hWnd, hImc);
  2093. }
  2094. }
  2095. }
  2096. void handleStartComposition (ComponentPeer& owner)
  2097. {
  2098. reset();
  2099. if (TextInputTarget* const target = owner.findCurrentTextInputTarget())
  2100. target->insertTextAtCaret (String::empty);
  2101. }
  2102. void handleEndComposition (ComponentPeer& owner, HWND hWnd)
  2103. {
  2104. if (compositionInProgress)
  2105. {
  2106. // If this occurs, the user has cancelled the composition, so clear their changes..
  2107. if (TextInputTarget* const target = owner.findCurrentTextInputTarget())
  2108. {
  2109. target->setHighlightedRegion (compositionRange);
  2110. target->insertTextAtCaret (String::empty);
  2111. compositionRange.setLength (0);
  2112. target->setHighlightedRegion (Range<int>::emptyRange (compositionRange.getEnd()));
  2113. target->setTemporaryUnderlining (Array<Range<int> >());
  2114. }
  2115. if (HIMC hImc = ImmGetContext (hWnd))
  2116. {
  2117. ImmNotifyIME (hImc, NI_CLOSECANDIDATE, 0, 0);
  2118. ImmReleaseContext (hWnd, hImc);
  2119. }
  2120. }
  2121. reset();
  2122. }
  2123. void handleComposition (ComponentPeer& owner, HWND hWnd, const LPARAM lParam)
  2124. {
  2125. TextInputTarget* const target = owner.findCurrentTextInputTarget();
  2126. HIMC hImc = ImmGetContext (hWnd);
  2127. if (target == nullptr || hImc == 0)
  2128. return;
  2129. if (compositionRange.getStart() < 0)
  2130. compositionRange = Range<int>::emptyRange (target->getHighlightedRegion().getStart());
  2131. if ((lParam & GCS_RESULTSTR) != 0) // (composition has finished)
  2132. {
  2133. replaceCurrentSelection (target, getCompositionString (hImc, GCS_RESULTSTR),
  2134. Range<int>::emptyRange (-1));
  2135. reset();
  2136. target->setTemporaryUnderlining (Array<Range<int> >());
  2137. }
  2138. else if ((lParam & GCS_COMPSTR) != 0) // (composition is still in-progress)
  2139. {
  2140. replaceCurrentSelection (target, getCompositionString (hImc, GCS_COMPSTR),
  2141. getCompositionSelection (hImc, lParam));
  2142. target->setTemporaryUnderlining (getCompositionUnderlines (hImc, lParam));
  2143. compositionInProgress = true;
  2144. }
  2145. moveCandidateWindowToLeftAlignWithSelection (hImc, owner, target);
  2146. ImmReleaseContext (hWnd, hImc);
  2147. }
  2148. private:
  2149. //==============================================================================
  2150. Range<int> compositionRange; // The range being modified in the TextInputTarget
  2151. bool compositionInProgress;
  2152. //==============================================================================
  2153. void reset()
  2154. {
  2155. compositionRange = Range<int>::emptyRange (-1);
  2156. compositionInProgress = false;
  2157. }
  2158. String getCompositionString (HIMC hImc, const DWORD type) const
  2159. {
  2160. jassert (hImc != 0);
  2161. const int stringSizeBytes = ImmGetCompositionString (hImc, type, 0, 0);
  2162. if (stringSizeBytes > 0)
  2163. {
  2164. HeapBlock<TCHAR> buffer;
  2165. buffer.calloc (stringSizeBytes / sizeof (TCHAR) + 1);
  2166. ImmGetCompositionString (hImc, type, buffer, (DWORD) stringSizeBytes);
  2167. return String (buffer);
  2168. }
  2169. return String::empty;
  2170. }
  2171. int getCompositionCaretPos (HIMC hImc, LPARAM lParam, const String& currentIMEString) const
  2172. {
  2173. jassert (hImc != 0);
  2174. if ((lParam & CS_NOMOVECARET) != 0)
  2175. return compositionRange.getStart();
  2176. if ((lParam & GCS_CURSORPOS) != 0)
  2177. {
  2178. const int localCaretPos = ImmGetCompositionString (hImc, GCS_CURSORPOS, 0, 0);
  2179. return compositionRange.getStart() + jmax (0, localCaretPos);
  2180. }
  2181. return compositionRange.getStart() + currentIMEString.length();
  2182. }
  2183. // Get selected/highlighted range while doing composition:
  2184. // returned range is relative to beginning of TextInputTarget, not composition string
  2185. Range<int> getCompositionSelection (HIMC hImc, LPARAM lParam) const
  2186. {
  2187. jassert (hImc != 0);
  2188. int selectionStart = 0;
  2189. int selectionEnd = 0;
  2190. if ((lParam & GCS_COMPATTR) != 0)
  2191. {
  2192. // Get size of attributes array:
  2193. const int attributeSizeBytes = ImmGetCompositionString (hImc, GCS_COMPATTR, 0, 0);
  2194. if (attributeSizeBytes > 0)
  2195. {
  2196. // Get attributes (8 bit flag per character):
  2197. HeapBlock<char> attributes ((size_t) attributeSizeBytes);
  2198. ImmGetCompositionString (hImc, GCS_COMPATTR, attributes, (DWORD) attributeSizeBytes);
  2199. selectionStart = 0;
  2200. for (selectionStart = 0; selectionStart < attributeSizeBytes; ++selectionStart)
  2201. if (attributes[selectionStart] == ATTR_TARGET_CONVERTED || attributes[selectionStart] == ATTR_TARGET_NOTCONVERTED)
  2202. break;
  2203. for (selectionEnd = selectionStart; selectionEnd < attributeSizeBytes; ++selectionEnd)
  2204. if (attributes [selectionEnd] != ATTR_TARGET_CONVERTED && attributes[selectionEnd] != ATTR_TARGET_NOTCONVERTED)
  2205. break;
  2206. }
  2207. }
  2208. return Range<int> (selectionStart, selectionEnd) + compositionRange.getStart();
  2209. }
  2210. void replaceCurrentSelection (TextInputTarget* const target, const String& newContent, Range<int> newSelection)
  2211. {
  2212. if (compositionInProgress)
  2213. target->setHighlightedRegion (compositionRange);
  2214. target->insertTextAtCaret (newContent);
  2215. compositionRange.setLength (newContent.length());
  2216. if (newSelection.getStart() < 0)
  2217. newSelection = Range<int>::emptyRange (compositionRange.getEnd());
  2218. target->setHighlightedRegion (newSelection);
  2219. }
  2220. Array<Range<int> > getCompositionUnderlines (HIMC hImc, LPARAM lParam) const
  2221. {
  2222. Array<Range<int> > result;
  2223. if (hImc != 0 && (lParam & GCS_COMPCLAUSE) != 0)
  2224. {
  2225. const int clauseDataSizeBytes = ImmGetCompositionString (hImc, GCS_COMPCLAUSE, 0, 0);
  2226. if (clauseDataSizeBytes > 0)
  2227. {
  2228. const size_t numItems = clauseDataSizeBytes / sizeof (uint32);
  2229. HeapBlock<uint32> clauseData (numItems);
  2230. if (ImmGetCompositionString (hImc, GCS_COMPCLAUSE, clauseData, (DWORD) clauseDataSizeBytes) > 0)
  2231. for (size_t i = 0; i + 1 < numItems; ++i)
  2232. result.add (Range<int> ((int) clauseData [i], (int) clauseData [i + 1]) + compositionRange.getStart());
  2233. }
  2234. }
  2235. return result;
  2236. }
  2237. void moveCandidateWindowToLeftAlignWithSelection (HIMC hImc, ComponentPeer& peer, TextInputTarget* target) const
  2238. {
  2239. if (Component* const targetComp = dynamic_cast <Component*> (target))
  2240. {
  2241. const Rectangle<int> area (peer.getComponent().getLocalArea (targetComp, target->getCaretRectangle()));
  2242. CANDIDATEFORM pos = { 0, CFS_CANDIDATEPOS, { area.getX(), area.getBottom() }, { 0, 0, 0, 0 } };
  2243. ImmSetCandidateWindow (hImc, &pos);
  2244. }
  2245. }
  2246. JUCE_DECLARE_NON_COPYABLE (IMEHandler)
  2247. };
  2248. IMEHandler imeHandler;
  2249. //==============================================================================
  2250. JUCE_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR (HWNDComponentPeer)
  2251. };
  2252. ModifierKeys HWNDComponentPeer::currentModifiers;
  2253. ModifierKeys HWNDComponentPeer::modifiersAtLastCallback;
  2254. ComponentPeer* Component::createNewPeer (int styleFlags, void* nativeWindowToAttachTo)
  2255. {
  2256. return new HWNDComponentPeer (*this, styleFlags,
  2257. (HWND) nativeWindowToAttachTo, false);
  2258. }
  2259. ComponentPeer* createNonRepaintingEmbeddedWindowsPeer (Component* component, void* parent)
  2260. {
  2261. jassert (component != nullptr);
  2262. return new HWNDComponentPeer (*component, ComponentPeer::windowIgnoresMouseClicks,
  2263. (HWND) parent, true);
  2264. }
  2265. juce_ImplementSingleton_SingleThreaded (HWNDComponentPeer::WindowClassHolder);
  2266. //==============================================================================
  2267. void ModifierKeys::updateCurrentModifiers() noexcept
  2268. {
  2269. currentModifiers = HWNDComponentPeer::currentModifiers;
  2270. }
  2271. ModifierKeys ModifierKeys::getCurrentModifiersRealtime() noexcept
  2272. {
  2273. HWNDComponentPeer::updateKeyModifiers();
  2274. int mouseMods = 0;
  2275. if (HWNDComponentPeer::isKeyDown (VK_LBUTTON)) mouseMods |= ModifierKeys::leftButtonModifier;
  2276. if (HWNDComponentPeer::isKeyDown (VK_RBUTTON)) mouseMods |= ModifierKeys::rightButtonModifier;
  2277. if (HWNDComponentPeer::isKeyDown (VK_MBUTTON)) mouseMods |= ModifierKeys::middleButtonModifier;
  2278. HWNDComponentPeer::currentModifiers
  2279. = HWNDComponentPeer::currentModifiers.withoutMouseButtons().withFlags (mouseMods);
  2280. return HWNDComponentPeer::currentModifiers;
  2281. }
  2282. //==============================================================================
  2283. bool KeyPress::isKeyCurrentlyDown (const int keyCode)
  2284. {
  2285. SHORT k = (SHORT) keyCode;
  2286. if ((keyCode & extendedKeyModifier) == 0
  2287. && (k >= (SHORT) 'a' && k <= (SHORT) 'z'))
  2288. k += (SHORT) 'A' - (SHORT) 'a';
  2289. const SHORT translatedValues[] = { (SHORT) ',', VK_OEM_COMMA,
  2290. (SHORT) '+', VK_OEM_PLUS,
  2291. (SHORT) '-', VK_OEM_MINUS,
  2292. (SHORT) '.', VK_OEM_PERIOD,
  2293. (SHORT) ';', VK_OEM_1,
  2294. (SHORT) ':', VK_OEM_1,
  2295. (SHORT) '/', VK_OEM_2,
  2296. (SHORT) '?', VK_OEM_2,
  2297. (SHORT) '[', VK_OEM_4,
  2298. (SHORT) ']', VK_OEM_6 };
  2299. for (int i = 0; i < numElementsInArray (translatedValues); i += 2)
  2300. if (k == translatedValues [i])
  2301. k = translatedValues [i + 1];
  2302. return HWNDComponentPeer::isKeyDown (k);
  2303. }
  2304. //==============================================================================
  2305. bool Process::isForegroundProcess()
  2306. {
  2307. HWND fg = GetForegroundWindow();
  2308. if (fg == 0)
  2309. return true;
  2310. // when running as a plugin in IE8, the browser UI runs in a different process to the plugin, so
  2311. // process ID isn't a reliable way to check if the foreground window belongs to us - instead, we
  2312. // have to see if any of our windows are children of the foreground window
  2313. fg = GetAncestor (fg, GA_ROOT);
  2314. for (int i = ComponentPeer::getNumPeers(); --i >= 0;)
  2315. if (HWNDComponentPeer* const wp = dynamic_cast <HWNDComponentPeer*> (ComponentPeer::getPeer (i)))
  2316. if (wp->isInside (fg))
  2317. return true;
  2318. return false;
  2319. }
  2320. void Process::makeForegroundProcess()
  2321. {
  2322. // is this possible in Windows?
  2323. }
  2324. //==============================================================================
  2325. static BOOL CALLBACK enumAlwaysOnTopWindows (HWND hwnd, LPARAM lParam)
  2326. {
  2327. if (IsWindowVisible (hwnd))
  2328. {
  2329. DWORD processID = 0;
  2330. GetWindowThreadProcessId (hwnd, &processID);
  2331. if (processID == GetCurrentProcessId())
  2332. {
  2333. WINDOWINFO info;
  2334. if (GetWindowInfo (hwnd, &info)
  2335. && (info.dwExStyle & WS_EX_TOPMOST) != 0)
  2336. {
  2337. *reinterpret_cast <bool*> (lParam) = true;
  2338. return FALSE;
  2339. }
  2340. }
  2341. }
  2342. return TRUE;
  2343. }
  2344. bool juce_areThereAnyAlwaysOnTopWindows()
  2345. {
  2346. bool anyAlwaysOnTopFound = false;
  2347. EnumWindows (&enumAlwaysOnTopWindows, (LPARAM) &anyAlwaysOnTopFound);
  2348. return anyAlwaysOnTopFound;
  2349. }
  2350. //==============================================================================
  2351. class WindowsMessageBox : public AsyncUpdater
  2352. {
  2353. public:
  2354. WindowsMessageBox (AlertWindow::AlertIconType iconType,
  2355. const String& title_, const String& message_,
  2356. Component* associatedComponent,
  2357. UINT extraFlags,
  2358. ModalComponentManager::Callback* callback_,
  2359. const bool runAsync)
  2360. : flags (extraFlags | getMessageBoxFlags (iconType)),
  2361. owner (getWindowForMessageBox (associatedComponent)),
  2362. title (title_), message (message_), callback (callback_)
  2363. {
  2364. if (runAsync)
  2365. triggerAsyncUpdate();
  2366. }
  2367. int getResult() const
  2368. {
  2369. const int r = MessageBox (owner, message.toWideCharPointer(), title.toWideCharPointer(), flags);
  2370. return (r == IDYES || r == IDOK) ? 1 : (r == IDNO ? 2 : 0);
  2371. }
  2372. void handleAsyncUpdate()
  2373. {
  2374. const int result = getResult();
  2375. if (callback != nullptr)
  2376. callback->modalStateFinished (result);
  2377. delete this;
  2378. }
  2379. private:
  2380. UINT flags;
  2381. HWND owner;
  2382. String title, message;
  2383. ModalComponentManager::Callback* callback;
  2384. static UINT getMessageBoxFlags (AlertWindow::AlertIconType iconType) noexcept
  2385. {
  2386. UINT flags = MB_TASKMODAL | MB_SETFOREGROUND;
  2387. switch (iconType)
  2388. {
  2389. case AlertWindow::QuestionIcon: flags |= MB_ICONQUESTION; break;
  2390. case AlertWindow::WarningIcon: flags |= MB_ICONWARNING; break;
  2391. case AlertWindow::InfoIcon: flags |= MB_ICONINFORMATION; break;
  2392. default: break;
  2393. }
  2394. return flags;
  2395. }
  2396. static HWND getWindowForMessageBox (Component* associatedComponent)
  2397. {
  2398. return associatedComponent != nullptr ? (HWND) associatedComponent->getWindowHandle() : 0;
  2399. }
  2400. };
  2401. void JUCE_CALLTYPE NativeMessageBox::showMessageBox (AlertWindow::AlertIconType iconType,
  2402. const String& title, const String& message,
  2403. Component* associatedComponent)
  2404. {
  2405. WindowsMessageBox box (iconType, title, message, associatedComponent, MB_OK, 0, false);
  2406. (void) box.getResult();
  2407. }
  2408. void JUCE_CALLTYPE NativeMessageBox::showMessageBoxAsync (AlertWindow::AlertIconType iconType,
  2409. const String& title, const String& message,
  2410. Component* associatedComponent,
  2411. ModalComponentManager::Callback* callback)
  2412. {
  2413. new WindowsMessageBox (iconType, title, message, associatedComponent, MB_OK, callback, true);
  2414. }
  2415. bool JUCE_CALLTYPE NativeMessageBox::showOkCancelBox (AlertWindow::AlertIconType iconType,
  2416. const String& title, const String& message,
  2417. Component* associatedComponent,
  2418. ModalComponentManager::Callback* callback)
  2419. {
  2420. ScopedPointer<WindowsMessageBox> mb (new WindowsMessageBox (iconType, title, message, associatedComponent,
  2421. MB_OKCANCEL, callback, callback != nullptr));
  2422. if (callback == nullptr)
  2423. return mb->getResult() != 0;
  2424. mb.release();
  2425. return false;
  2426. }
  2427. int JUCE_CALLTYPE NativeMessageBox::showYesNoCancelBox (AlertWindow::AlertIconType iconType,
  2428. const String& title, const String& message,
  2429. Component* associatedComponent,
  2430. ModalComponentManager::Callback* callback)
  2431. {
  2432. ScopedPointer<WindowsMessageBox> mb (new WindowsMessageBox (iconType, title, message, associatedComponent,
  2433. MB_YESNOCANCEL, callback, callback != nullptr));
  2434. if (callback == nullptr)
  2435. return mb->getResult();
  2436. mb.release();
  2437. return 0;
  2438. }
  2439. //==============================================================================
  2440. bool Desktop::addMouseInputSource()
  2441. {
  2442. const int numSources = mouseSources.size();
  2443. if (numSources == 0 || canUseMultiTouch())
  2444. {
  2445. mouseSources.add (new MouseInputSource (numSources, numSources == 0));
  2446. return true;
  2447. }
  2448. return false;
  2449. }
  2450. Point<int> MouseInputSource::getCurrentMousePosition()
  2451. {
  2452. POINT mousePos;
  2453. GetCursorPos (&mousePos);
  2454. return Point<int> (mousePos.x, mousePos.y);
  2455. }
  2456. void Desktop::setMousePosition (const Point<int>& newPosition)
  2457. {
  2458. SetCursorPos (newPosition.x, newPosition.y);
  2459. }
  2460. //==============================================================================
  2461. class ScreenSaverDefeater : public Timer
  2462. {
  2463. public:
  2464. ScreenSaverDefeater()
  2465. {
  2466. startTimer (10000);
  2467. timerCallback();
  2468. }
  2469. void timerCallback()
  2470. {
  2471. if (Process::isForegroundProcess())
  2472. {
  2473. INPUT input = { 0 };
  2474. input.type = INPUT_MOUSE;
  2475. input.mi.mouseData = MOUSEEVENTF_MOVE;
  2476. SendInput (1, &input, sizeof (INPUT));
  2477. }
  2478. }
  2479. };
  2480. static ScopedPointer<ScreenSaverDefeater> screenSaverDefeater;
  2481. void Desktop::setScreenSaverEnabled (const bool isEnabled)
  2482. {
  2483. if (isEnabled)
  2484. screenSaverDefeater = nullptr;
  2485. else if (screenSaverDefeater == nullptr)
  2486. screenSaverDefeater = new ScreenSaverDefeater();
  2487. }
  2488. bool Desktop::isScreenSaverEnabled()
  2489. {
  2490. return screenSaverDefeater == nullptr;
  2491. }
  2492. //==============================================================================
  2493. void LookAndFeel::playAlertSound()
  2494. {
  2495. MessageBeep (MB_OK);
  2496. }
  2497. //==============================================================================
  2498. void SystemClipboard::copyTextToClipboard (const String& text)
  2499. {
  2500. if (OpenClipboard (0) != 0)
  2501. {
  2502. if (EmptyClipboard() != 0)
  2503. {
  2504. const size_t bytesNeeded = CharPointer_UTF16::getBytesRequiredFor (text.getCharPointer()) + 4;
  2505. if (bytesNeeded > 0)
  2506. {
  2507. if (HGLOBAL bufH = GlobalAlloc (GMEM_MOVEABLE | GMEM_DDESHARE | GMEM_ZEROINIT, bytesNeeded + sizeof (WCHAR)))
  2508. {
  2509. if (WCHAR* const data = static_cast <WCHAR*> (GlobalLock (bufH)))
  2510. {
  2511. text.copyToUTF16 (data, bytesNeeded);
  2512. GlobalUnlock (bufH);
  2513. SetClipboardData (CF_UNICODETEXT, bufH);
  2514. }
  2515. }
  2516. }
  2517. }
  2518. CloseClipboard();
  2519. }
  2520. }
  2521. String SystemClipboard::getTextFromClipboard()
  2522. {
  2523. String result;
  2524. if (OpenClipboard (0) != 0)
  2525. {
  2526. if (HANDLE bufH = GetClipboardData (CF_UNICODETEXT))
  2527. {
  2528. if (const WCHAR* const data = (const WCHAR*) GlobalLock (bufH))
  2529. {
  2530. result = String (data, (size_t) (GlobalSize (bufH) / sizeof (WCHAR)));
  2531. GlobalUnlock (bufH);
  2532. }
  2533. }
  2534. CloseClipboard();
  2535. }
  2536. return result;
  2537. }
  2538. //==============================================================================
  2539. String JUCE_CALLTYPE JUCEApplication::getCommandLineParameters()
  2540. {
  2541. return CharacterFunctions::findEndOfToken (CharPointer_UTF16 (GetCommandLineW()),
  2542. CharPointer_UTF16 (L" "),
  2543. CharPointer_UTF16 (L"\"")).findEndOfWhitespace();
  2544. }
  2545. StringArray JUCE_CALLTYPE JUCEApplication::getCommandLineParameterArray()
  2546. {
  2547. StringArray s;
  2548. int argc = 0;
  2549. if (LPWSTR* const argv = CommandLineToArgvW (GetCommandLineW(), &argc))
  2550. {
  2551. s = StringArray (argv + 1, argc - 1);
  2552. LocalFree (argv);
  2553. }
  2554. return s;
  2555. }
  2556. //==============================================================================
  2557. void Desktop::setKioskComponent (Component* kioskModeComponent, bool enableOrDisable, bool /*allowMenusAndBars*/)
  2558. {
  2559. if (enableOrDisable)
  2560. kioskModeComponent->setBounds (getDisplays().getMainDisplay().totalArea);
  2561. }
  2562. //==============================================================================
  2563. static BOOL CALLBACK enumMonitorsProc (HMONITOR, HDC, LPRECT r, LPARAM userInfo)
  2564. {
  2565. Array <Rectangle<int> >* const monitorCoords = (Array <Rectangle<int> >*) userInfo;
  2566. monitorCoords->add (rectangleFromRECT (*r));
  2567. return TRUE;
  2568. }
  2569. void Desktop::Displays::findDisplays()
  2570. {
  2571. Array <Rectangle<int> > monitors;
  2572. EnumDisplayMonitors (0, 0, &enumMonitorsProc, (LPARAM) &monitors);
  2573. // make sure the first in the list is the main monitor
  2574. for (int i = 1; i < monitors.size(); ++i)
  2575. if (monitors.getReference(i).getX() == 0 && monitors.getReference(i).getY() == 0)
  2576. monitors.swap (i, 0);
  2577. if (monitors.size() == 0)
  2578. {
  2579. RECT r;
  2580. GetWindowRect (GetDesktopWindow(), &r);
  2581. monitors.add (rectangleFromRECT (r));
  2582. }
  2583. RECT workArea;
  2584. SystemParametersInfo (SPI_GETWORKAREA, 0, &workArea, 0);
  2585. for (int i = 0; i < monitors.size(); ++i)
  2586. {
  2587. Display d;
  2588. d.userArea = d.totalArea = monitors.getReference(i);
  2589. d.isMain = (i == 0);
  2590. d.scale = 1.0;
  2591. if (i == 0)
  2592. d.userArea = d.userArea.getIntersection (rectangleFromRECT (workArea));
  2593. displays.add (d);
  2594. }
  2595. }
  2596. //==============================================================================
  2597. static HICON extractFileHICON (const File& file)
  2598. {
  2599. WORD iconNum = 0;
  2600. WCHAR name [MAX_PATH * 2];
  2601. file.getFullPathName().copyToUTF16 (name, sizeof (name));
  2602. return ExtractAssociatedIcon ((HINSTANCE) Process::getCurrentModuleInstanceHandle(),
  2603. name, &iconNum);
  2604. }
  2605. Image juce_createIconForFile (const File& file)
  2606. {
  2607. Image image;
  2608. if (HICON icon = extractFileHICON (file))
  2609. {
  2610. image = IconConverters::createImageFromHICON (icon);
  2611. DestroyIcon (icon);
  2612. }
  2613. return image;
  2614. }
  2615. //==============================================================================
  2616. void* CustomMouseCursorInfo::create() const
  2617. {
  2618. const int maxW = GetSystemMetrics (SM_CXCURSOR);
  2619. const int maxH = GetSystemMetrics (SM_CYCURSOR);
  2620. Image im (image);
  2621. int hotspotX = hotspot.x;
  2622. int hotspotY = hotspot.y;
  2623. if (im.getWidth() > maxW || im.getHeight() > maxH)
  2624. {
  2625. im = im.rescaled (maxW, maxH);
  2626. hotspotX = (hotspotX * maxW) / image.getWidth();
  2627. hotspotY = (hotspotY * maxH) / image.getHeight();
  2628. }
  2629. return IconConverters::createHICONFromImage (im, FALSE, hotspotX, hotspotY);
  2630. }
  2631. void MouseCursor::deleteMouseCursor (void* const cursorHandle, const bool isStandard)
  2632. {
  2633. if (cursorHandle != nullptr && ! isStandard)
  2634. DestroyCursor ((HCURSOR) cursorHandle);
  2635. }
  2636. enum
  2637. {
  2638. hiddenMouseCursorHandle = 32500 // (arbitrary non-zero value to mark this type of cursor)
  2639. };
  2640. void* MouseCursor::createStandardMouseCursor (const MouseCursor::StandardCursorType type)
  2641. {
  2642. LPCTSTR cursorName = IDC_ARROW;
  2643. switch (type)
  2644. {
  2645. case NormalCursor:
  2646. case ParentCursor: break;
  2647. case NoCursor: return (void*) hiddenMouseCursorHandle;
  2648. case WaitCursor: cursorName = IDC_WAIT; break;
  2649. case IBeamCursor: cursorName = IDC_IBEAM; break;
  2650. case PointingHandCursor: cursorName = MAKEINTRESOURCE(32649); break;
  2651. case CrosshairCursor: cursorName = IDC_CROSS; break;
  2652. case CopyingCursor: break; // can't seem to find one of these in the system list..
  2653. case LeftRightResizeCursor:
  2654. case LeftEdgeResizeCursor:
  2655. case RightEdgeResizeCursor: cursorName = IDC_SIZEWE; break;
  2656. case UpDownResizeCursor:
  2657. case TopEdgeResizeCursor:
  2658. case BottomEdgeResizeCursor: cursorName = IDC_SIZENS; break;
  2659. case TopLeftCornerResizeCursor:
  2660. case BottomRightCornerResizeCursor: cursorName = IDC_SIZENWSE; break;
  2661. case TopRightCornerResizeCursor:
  2662. case BottomLeftCornerResizeCursor: cursorName = IDC_SIZENESW; break;
  2663. case UpDownLeftRightResizeCursor: cursorName = IDC_SIZEALL; break;
  2664. case DraggingHandCursor:
  2665. {
  2666. static void* dragHandCursor = nullptr;
  2667. if (dragHandCursor == nullptr)
  2668. {
  2669. static const unsigned char dragHandData[] =
  2670. { 71,73,70,56,57,97,16,0,16,0,145,2,0,0,0,0,255,255,255,0,0,0,0,0,0,33,249,4,1,0,0,2,0,44,0,0,0,0,16,0,
  2671. 16,0,0,2,52,148,47,0,200,185,16,130,90,12,74,139,107,84,123,39,132,117,151,116,132,146,248,60,209,138,
  2672. 98,22,203,114,34,236,37,52,77,217,247,154,191,119,110,240,193,128,193,95,163,56,60,234,98,135,2,0,59 };
  2673. dragHandCursor = CustomMouseCursorInfo (ImageFileFormat::loadFrom (dragHandData, sizeof (dragHandData)), 8, 7).create();
  2674. }
  2675. return dragHandCursor;
  2676. }
  2677. default:
  2678. jassertfalse; break;
  2679. }
  2680. HCURSOR cursorH = LoadCursor (0, cursorName);
  2681. if (cursorH == 0)
  2682. cursorH = LoadCursor (0, IDC_ARROW);
  2683. return cursorH;
  2684. }
  2685. //==============================================================================
  2686. void MouseCursor::showInWindow (ComponentPeer*) const
  2687. {
  2688. HCURSOR c = (HCURSOR) getHandle();
  2689. if (c == 0)
  2690. c = LoadCursor (0, IDC_ARROW);
  2691. else if (c == (HCURSOR) hiddenMouseCursorHandle)
  2692. c = 0;
  2693. SetCursor (c);
  2694. }
  2695. void MouseCursor::showInAllWindows() const
  2696. {
  2697. showInWindow (nullptr);
  2698. }