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.

514 lines
22KB

  1. /*
  2. ==============================================================================
  3. This file is part of the JUCE library.
  4. Copyright (c) 2020 - Raw Material Software Limited
  5. JUCE is an open source library subject to commercial or open-source
  6. licensing.
  7. By using JUCE, you agree to the terms of both the JUCE 6 End-User License
  8. Agreement and JUCE Privacy Policy (both effective as of the 16th June 2020).
  9. End User License Agreement: www.juce.com/juce-6-licence
  10. Privacy Policy: www.juce.com/juce-privacy-policy
  11. Or: You may also use this code under the terms of the GPL v3 (see
  12. www.gnu.org/licenses).
  13. JUCE IS PROVIDED "AS IS" WITHOUT ANY WARRANTY, AND ALL WARRANTIES, WHETHER
  14. EXPRESSED OR IMPLIED, INCLUDING MERCHANTABILITY AND FITNESS FOR PURPOSE, ARE
  15. DISCLAIMED.
  16. ==============================================================================
  17. */
  18. namespace juce
  19. {
  20. //==============================================================================
  21. /**
  22. The Component class uses a ComponentPeer internally to create and manage a real
  23. operating-system window.
  24. This is an abstract base class - the platform specific code contains implementations of
  25. it for the various platforms.
  26. User-code should very rarely need to have any involvement with this class.
  27. @see Component::createNewPeer
  28. @tags{GUI}
  29. */
  30. class JUCE_API ComponentPeer
  31. {
  32. public:
  33. //==============================================================================
  34. /** A combination of these flags is passed to the ComponentPeer constructor. */
  35. enum StyleFlags
  36. {
  37. windowAppearsOnTaskbar = (1 << 0), /**< Indicates that the window should have a corresponding
  38. entry on the taskbar (ignored on MacOSX) */
  39. windowIsTemporary = (1 << 1), /**< Indicates that the window is a temporary popup, like a menu,
  40. tooltip, etc. */
  41. windowIgnoresMouseClicks = (1 << 2), /**< Indicates that the window should let mouse clicks pass
  42. through it (may not be possible on some platforms). */
  43. windowHasTitleBar = (1 << 3), /**< Indicates that the window should have a normal OS-specific
  44. title bar and frame. if not specified, the window will be
  45. borderless. */
  46. windowIsResizable = (1 << 4), /**< Indicates that the window should have a resizable border. */
  47. windowHasMinimiseButton = (1 << 5), /**< Indicates that if the window has a title bar, it should have a
  48. minimise button on it. */
  49. windowHasMaximiseButton = (1 << 6), /**< Indicates that if the window has a title bar, it should have a
  50. maximise button on it. */
  51. windowHasCloseButton = (1 << 7), /**< Indicates that if the window has a title bar, it should have a
  52. close button on it. */
  53. windowHasDropShadow = (1 << 8), /**< Indicates that the window should have a drop-shadow (this may
  54. not be possible on all platforms). */
  55. windowRepaintedExplictly = (1 << 9), /**< Not intended for public use - this tells a window not to
  56. do its own repainting, but only to repaint when the
  57. performAnyPendingRepaintsNow() method is called. */
  58. windowIgnoresKeyPresses = (1 << 10), /**< Tells the window not to catch any keypresses. This can
  59. be used for things like plugin windows, to stop them interfering
  60. with the host's shortcut keys. This will prevent the window from
  61. gaining keyboard focus. */
  62. windowIsSemiTransparent = (1 << 30) /**< Not intended for public use - makes a window transparent. */
  63. };
  64. class OptionalBorderSize final
  65. {
  66. public:
  67. OptionalBorderSize() : valid (false) {}
  68. explicit OptionalBorderSize (BorderSize<int> size) : valid (true), borderSize (std::move (size)) {}
  69. explicit operator bool() const noexcept { return valid; }
  70. const auto& operator*() const noexcept
  71. {
  72. jassert (valid);
  73. return borderSize;
  74. }
  75. const auto* operator->() const noexcept
  76. {
  77. jassert (valid);
  78. return &borderSize;
  79. }
  80. private:
  81. bool valid;
  82. BorderSize<int> borderSize;
  83. };
  84. //==============================================================================
  85. /** Creates a peer.
  86. The component is the one that we intend to represent, and the style flags are
  87. a combination of the values in the StyleFlags enum
  88. */
  89. ComponentPeer (Component& component, int styleFlags);
  90. /** Destructor. */
  91. virtual ~ComponentPeer();
  92. //==============================================================================
  93. /** Returns the component being represented by this peer. */
  94. Component& getComponent() noexcept { return component; }
  95. /** Returns the set of style flags that were set when the window was created.
  96. @see Component::addToDesktop
  97. */
  98. int getStyleFlags() const noexcept { return styleFlags; }
  99. /** Returns a unique ID for this peer.
  100. Each peer that is created is given a different ID.
  101. */
  102. uint32 getUniqueID() const noexcept { return uniqueID; }
  103. //==============================================================================
  104. /** Returns the raw handle to whatever kind of window is being used.
  105. On windows, this is probably a HWND, on the mac, it's likely to be a WindowRef,
  106. but remember there's no guarantees what you'll get back.
  107. */
  108. virtual void* getNativeHandle() const = 0;
  109. /** Shows or hides the window. */
  110. virtual void setVisible (bool shouldBeVisible) = 0;
  111. /** Changes the title of the window. */
  112. virtual void setTitle (const String& title) = 0;
  113. /** If this type of window is capable of indicating that the document in it has been
  114. edited, then this changes its status.
  115. For example in OSX, this changes the appearance of the close button.
  116. @returns true if the window has a mechanism for showing this, or false if not.
  117. */
  118. virtual bool setDocumentEditedStatus (bool edited);
  119. /** If this type of window is capable of indicating that it represents a file, then
  120. this lets you set the file.
  121. E.g. in OSX it'll show an icon for the file in the title bar.
  122. */
  123. virtual void setRepresentedFile (const File&);
  124. //==============================================================================
  125. /** Moves and resizes the window.
  126. If the native window is contained in another window, then the coordinates are
  127. relative to the parent window's origin, not the screen origin.
  128. This should result in a callback to handleMovedOrResized().
  129. */
  130. virtual void setBounds (const Rectangle<int>& newBounds, bool isNowFullScreen) = 0;
  131. /** Updates the peer's bounds to match its component. */
  132. void updateBounds();
  133. /** Returns the current position and size of the window.
  134. If the native window is contained in another window, then the coordinates are
  135. relative to the parent window's origin, not the screen origin.
  136. */
  137. virtual Rectangle<int> getBounds() const = 0;
  138. /** Converts a position relative to the top-left of this component to screen coordinates. */
  139. virtual Point<float> localToGlobal (Point<float> relativePosition) = 0;
  140. /** Converts a screen coordinate to a position relative to the top-left of this component. */
  141. virtual Point<float> globalToLocal (Point<float> screenPosition) = 0;
  142. /** Converts a position relative to the top-left of this component to screen coordinates. */
  143. Point<int> localToGlobal (Point<int> relativePosition);
  144. /** Converts a screen coordinate to a position relative to the top-left of this component. */
  145. Point<int> globalToLocal (Point<int> screenPosition);
  146. /** Converts a rectangle relative to the top-left of this component to screen coordinates. */
  147. virtual Rectangle<int> localToGlobal (const Rectangle<int>& relativePosition);
  148. /** Converts a screen area to a position relative to the top-left of this component. */
  149. virtual Rectangle<int> globalToLocal (const Rectangle<int>& screenPosition);
  150. /** Converts a rectangle relative to the top-left of this component to screen coordinates. */
  151. Rectangle<float> localToGlobal (const Rectangle<float>& relativePosition);
  152. /** Converts a screen area to a position relative to the top-left of this component. */
  153. Rectangle<float> globalToLocal (const Rectangle<float>& screenPosition);
  154. /** Returns the area in peer coordinates that is covered by the given sub-comp (which
  155. may be at any depth)
  156. */
  157. Rectangle<int> getAreaCoveredBy (const Component& subComponent) const;
  158. /** Minimises the window. */
  159. virtual void setMinimised (bool shouldBeMinimised) = 0;
  160. /** True if the window is currently minimised. */
  161. virtual bool isMinimised() const = 0;
  162. /** Enable/disable fullscreen mode for the window. */
  163. virtual void setFullScreen (bool shouldBeFullScreen) = 0;
  164. /** True if the window is currently full-screen. */
  165. virtual bool isFullScreen() const = 0;
  166. /** True if the window is in kiosk-mode. */
  167. virtual bool isKioskMode() const;
  168. /** Sets the size to restore to if fullscreen mode is turned off. */
  169. void setNonFullScreenBounds (const Rectangle<int>& newBounds) noexcept;
  170. /** Returns the size to restore to if fullscreen mode is turned off. */
  171. const Rectangle<int>& getNonFullScreenBounds() const noexcept;
  172. /** Attempts to change the icon associated with this window. */
  173. virtual void setIcon (const Image& newIcon) = 0;
  174. /** Sets a constrainer to use if the peer can resize itself.
  175. The constrainer won't be deleted by this object, so the caller must manage its lifetime.
  176. */
  177. void setConstrainer (ComponentBoundsConstrainer* newConstrainer) noexcept;
  178. /** Returns the current constrainer, if one has been set. */
  179. ComponentBoundsConstrainer* getConstrainer() const noexcept { return constrainer; }
  180. /** Checks if a point is in the window.
  181. The position is relative to the top-left of this window, in unscaled peer coordinates.
  182. If trueIfInAChildWindow is false, then this returns false if the point is actually
  183. inside a child of this window.
  184. */
  185. virtual bool contains (Point<int> localPos, bool trueIfInAChildWindow) const = 0;
  186. /** Returns the size of the window frame that's around this window.
  187. Depending on the platform the border size may be invalid for a short transient
  188. after creating a new window. Hence the returned value must be checked using
  189. operator bool() and the contained value can be accessed using operator*() only
  190. if it is present.
  191. Whether or not the window has a normal window frame depends on the flags
  192. that were set when the window was created by Component::addToDesktop()
  193. */
  194. virtual OptionalBorderSize getFrameSizeIfPresent() const = 0;
  195. /** Returns the size of the window frame that's around this window.
  196. Whether or not the window has a normal window frame depends on the flags
  197. that were set when the window was created by Component::addToDesktop()
  198. */
  199. virtual BorderSize<int> getFrameSize() const = 0;
  200. /** This is called when the window's bounds change.
  201. A peer implementation must call this when the window is moved and resized, so that
  202. this method can pass the message on to the component.
  203. */
  204. void handleMovedOrResized();
  205. /** This is called if the screen resolution changes.
  206. A peer implementation must call this if the monitor arrangement changes or the available
  207. screen size changes.
  208. */
  209. virtual void handleScreenSizeChange();
  210. //==============================================================================
  211. /** This is called to repaint the component into the given context. */
  212. void handlePaint (LowLevelGraphicsContext& contextToPaintTo);
  213. //==============================================================================
  214. /** Sets this window to either be always-on-top or normal.
  215. Some kinds of window might not be able to do this, so should return false.
  216. */
  217. virtual bool setAlwaysOnTop (bool alwaysOnTop) = 0;
  218. /** Brings the window to the top, optionally also giving it keyboard focus. */
  219. virtual void toFront (bool takeKeyboardFocus) = 0;
  220. /** Moves the window to be just behind another one. */
  221. virtual void toBehind (ComponentPeer* other) = 0;
  222. /** Called when the window is brought to the front, either by the OS or by a call
  223. to toFront().
  224. */
  225. void handleBroughtToFront();
  226. //==============================================================================
  227. /** True if the window has the keyboard focus. */
  228. virtual bool isFocused() const = 0;
  229. /** Tries to give the window keyboard focus. */
  230. virtual void grabFocus() = 0;
  231. /** Called when the window gains keyboard focus. */
  232. void handleFocusGain();
  233. /** Called when the window loses keyboard focus. */
  234. void handleFocusLoss();
  235. Component* getLastFocusedSubcomponent() const noexcept;
  236. /** Called when a key is pressed.
  237. For keycode info, see the KeyPress class.
  238. Returns true if the keystroke was used.
  239. */
  240. bool handleKeyPress (int keyCode, juce_wchar textCharacter);
  241. /** Called when a key is pressed.
  242. Returns true if the keystroke was used.
  243. */
  244. bool handleKeyPress (const KeyPress& key);
  245. /** Called whenever a key is pressed or released.
  246. Returns true if the keystroke was used.
  247. */
  248. bool handleKeyUpOrDown (bool isKeyDown);
  249. /** Called whenever a modifier key is pressed or released. */
  250. void handleModifierKeysChange();
  251. //==============================================================================
  252. /** Tells the window that text input may be required at the given position.
  253. This may cause things like a virtual on-screen keyboard to appear, depending
  254. on the OS.
  255. */
  256. virtual void textInputRequired (Point<int> position, TextInputTarget&) = 0;
  257. /** If there's some kind of OS input-method in progress, this should dismiss it. */
  258. virtual void dismissPendingTextInput();
  259. /** Returns the currently focused TextInputTarget, or null if none is found. */
  260. TextInputTarget* findCurrentTextInputTarget();
  261. //==============================================================================
  262. /** Invalidates a region of the window to be repainted asynchronously. */
  263. virtual void repaint (const Rectangle<int>& area) = 0;
  264. /** This can be called (from the message thread) to cause the immediate redrawing
  265. of any areas of this window that need repainting.
  266. You shouldn't ever really need to use this, it's mainly for special purposes
  267. like supporting audio plugins where the host's event loop is out of our control.
  268. */
  269. virtual void performAnyPendingRepaintsNow() = 0;
  270. /** Changes the window's transparency. */
  271. virtual void setAlpha (float newAlpha) = 0;
  272. //==============================================================================
  273. void handleMouseEvent (MouseInputSource::InputSourceType type, Point<float> positionWithinPeer, ModifierKeys newMods, float pressure,
  274. float orientation, int64 time, PenDetails pen = {}, int touchIndex = 0);
  275. void handleMouseWheel (MouseInputSource::InputSourceType type, Point<float> positionWithinPeer,
  276. int64 time, const MouseWheelDetails&, int touchIndex = 0);
  277. void handleMagnifyGesture (MouseInputSource::InputSourceType type, Point<float> positionWithinPeer,
  278. int64 time, float scaleFactor, int touchIndex = 0);
  279. void handleUserClosingWindow();
  280. /** Structure to describe drag and drop information */
  281. struct DragInfo
  282. {
  283. StringArray files;
  284. String text;
  285. Point<int> position;
  286. bool isEmpty() const noexcept { return files.size() == 0 && text.isEmpty(); }
  287. void clear() noexcept { files.clear(); text.clear(); }
  288. };
  289. bool handleDragMove (const DragInfo&);
  290. bool handleDragExit (const DragInfo&);
  291. bool handleDragDrop (const DragInfo&);
  292. //==============================================================================
  293. /** Returns the number of currently-active peers.
  294. @see getPeer
  295. */
  296. static int getNumPeers() noexcept;
  297. /** Returns one of the currently-active peers.
  298. @see getNumPeers
  299. */
  300. static ComponentPeer* getPeer (int index) noexcept;
  301. /** Returns the peer that's attached to the given component, or nullptr if there isn't one. */
  302. static ComponentPeer* getPeerFor (const Component*) noexcept;
  303. /** Checks if this peer object is valid.
  304. @see getNumPeers
  305. */
  306. static bool isValidPeer (const ComponentPeer* peer) noexcept;
  307. //==============================================================================
  308. virtual StringArray getAvailableRenderingEngines() = 0;
  309. virtual int getCurrentRenderingEngine() const;
  310. virtual void setCurrentRenderingEngine (int index);
  311. //==============================================================================
  312. /** On desktop platforms this method will check all the mouse and key states and return
  313. a ModifierKeys object representing them.
  314. This isn't recommended and is only needed in special circumstances for up-to-date
  315. modifier information at times when the app's event loop isn't running normally.
  316. Another reason to avoid this method is that it's not stateless and calling it may
  317. update the ModifierKeys::currentModifiers object, which could cause subtle changes
  318. in the behaviour of some components.
  319. */
  320. static ModifierKeys getCurrentModifiersRealtime() noexcept;
  321. //==============================================================================
  322. /** Used to receive callbacks when the OS scale factor of this ComponentPeer changes.
  323. This is used internally by some native JUCE windows on Windows and Linux and you
  324. shouldn't need to worry about it in your own code unless you are dealing directly
  325. with native windows.
  326. */
  327. struct JUCE_API ScaleFactorListener
  328. {
  329. /** Destructor. */
  330. virtual ~ScaleFactorListener() = default;
  331. /** Called when the scale factor changes. */
  332. virtual void nativeScaleFactorChanged (double newScaleFactor) = 0;
  333. };
  334. /** Adds a scale factor listener. */
  335. void addScaleFactorListener (ScaleFactorListener* listenerToAdd) { scaleFactorListeners.add (listenerToAdd); }
  336. /** Removes a scale factor listener. */
  337. void removeScaleFactorListener (ScaleFactorListener* listenerToRemove) { scaleFactorListeners.remove (listenerToRemove); }
  338. //==============================================================================
  339. /** On Windows and Linux this will return the OS scaling factor currently being applied
  340. to the native window. This is used to convert between physical and logical pixels
  341. at the OS API level and you shouldn't need to use it in your own code unless you
  342. are dealing directly with the native window.
  343. */
  344. virtual double getPlatformScaleFactor() const noexcept { return 1.0; }
  345. /** On platforms that support it, this will update the window's titlebar in some
  346. way to indicate that the window's document needs saving.
  347. */
  348. virtual void setHasChangedSinceSaved (bool) {}
  349. enum class Style
  350. {
  351. /** A style that matches the system-wide style. */
  352. automatic,
  353. /** A light style, which will probably use dark text on a light background. */
  354. light,
  355. /** A dark style, which will probably use light text on a dark background. */
  356. dark
  357. };
  358. /** On operating systems that support it, this will update the style of this
  359. peer as requested.
  360. Note that this will not update the theme system-wide. This will only
  361. update UI elements so that they display appropriately for this peer!
  362. */
  363. void setAppStyle (Style s)
  364. {
  365. if (std::exchange (style, s) != style)
  366. appStyleChanged();
  367. }
  368. /** Returns the style requested for this app. */
  369. Style getAppStyle() const { return style; }
  370. protected:
  371. //==============================================================================
  372. static void forceDisplayUpdate();
  373. Component& component;
  374. const int styleFlags;
  375. Rectangle<int> lastNonFullscreenBounds;
  376. ComponentBoundsConstrainer* constrainer = nullptr;
  377. static std::function<ModifierKeys()> getNativeRealtimeModifiers;
  378. ListenerList<ScaleFactorListener> scaleFactorListeners;
  379. Style style = Style::automatic;
  380. private:
  381. //==============================================================================
  382. virtual void appStyleChanged() {}
  383. Component* getTargetForKeyPress();
  384. WeakReference<Component> lastFocusedComponent, dragAndDropTargetComponent;
  385. Component* lastDragAndDropCompUnderMouse = nullptr;
  386. const uint32 uniqueID;
  387. bool isWindowMinimised = false;
  388. //==============================================================================
  389. JUCE_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR (ComponentPeer)
  390. };
  391. } // namespace juce