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.

1652 lines
49KB

  1. /*
  2. OUI - A minimal semi-immediate GUI handling & layouting library
  3. Copyright (c) 2014 Leonard Ritter <leonard.ritter@duangle.com>
  4. Permission is hereby granted, free of charge, to any person obtaining a copy
  5. of this software and associated documentation files (the "Software"), to deal
  6. in the Software without restriction, including without limitation the rights
  7. to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
  8. copies of the Software, and to permit persons to whom the Software is
  9. furnished to do so, subject to the following conditions:
  10. The above copyright notice and this permission notice shall be included in
  11. all copies or substantial portions of the Software.
  12. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
  13. IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
  14. FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
  15. AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
  16. LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
  17. OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
  18. THE SOFTWARE.
  19. */
  20. #ifndef _OUI_H_
  21. #define _OUI_H_
  22. #ifdef __cplusplus
  23. extern "C" {
  24. #endif
  25. /*
  26. Revision 2 (2014-07-13)
  27. OUI (short for "Open UI", spoken like the french "oui" for "yes") is a
  28. platform agnostic single-header C library for layouting GUI elements and
  29. handling related user input. Together with a set of widget drawing and logic
  30. routines it can be used to build complex user interfaces.
  31. OUI is a semi-immediate GUI. Widget declarations are persistent for the duration
  32. of the setup and evaluation, but do not need to be kept around longer than one
  33. frame.
  34. OUI has no widget types; instead, it provides only one kind of element, "Items",
  35. which can be taylored to the application by the user and expanded with custom
  36. buffers and event handlers to behave as containers, buttons, sliders, radio
  37. buttons, and so on.
  38. OUI also does not draw anything; Instead it provides a set of functions to
  39. iterate and query the layouted items in order to allow client code to render
  40. each widget with its current state using a preferred graphics library.
  41. A basic setup for OUI usage looks like this:
  42. void app_main(...) {
  43. UIcontext *context = uiCreateContext();
  44. uiMakeCurrent(context);
  45. while (app_running()) {
  46. // update position of mouse cursor; the ui can also be updated
  47. // from received events.
  48. uiSetCursor(app_get_mouse_x(), app_get_mouse_y());
  49. // update button state
  50. for (int i = 0; i < 3; ++i)
  51. uiSetButton(i, app_get_button_state(i));
  52. // begin new UI declarations
  53. uiClear();
  54. // - UI setup code goes here -
  55. app_setup_ui();
  56. // layout UI
  57. uiLayout();
  58. // draw UI
  59. app_draw_ui(render_context,0,0,0);
  60. // update states and fire handlers
  61. uiProcess();
  62. }
  63. uiDestroyContext(context);
  64. }
  65. Here's an example setup for a checkbox control:
  66. typedef struct CheckBoxData {
  67. int type;
  68. const char *label;
  69. bool *checked;
  70. } CheckBoxData;
  71. // called when the item is clicked (see checkbox())
  72. void app_checkbox_handler(int item, UIevent event) {
  73. // retrieve custom data (see checkbox())
  74. const CheckBoxData *data = (const CheckBoxData *)uiGetData(item);
  75. // toggle value
  76. *data->checked = !(*data->checked);
  77. }
  78. // creates a checkbox control for a pointer to a boolean and attaches it to
  79. // a parent item.
  80. int checkbox(int parent, UIhandle handle, const char *label, bool *checked) {
  81. // create new ui item
  82. int item = uiItem();
  83. // set persistent handle for item that is used
  84. // to track activity over time
  85. uiSetHandle(item, handle);
  86. // set size of wiget; horizontal size is dynamic, vertical is fixed
  87. uiSetSize(item, 0, APP_WIDGET_HEIGHT);
  88. // attach checkbox handler, set to fire as soon as the left button is
  89. // pressed; UI_BUTTON0_HOT_UP is also a popular alternative.
  90. uiSetHandler(item, app_checkbox_handler, UI_BUTTON0_DOWN);
  91. // store some custom data with the checkbox that we use for rendering
  92. // and value changes.
  93. CheckBoxData *data = (CheckBoxData *)uiAllocData(item, sizeof(CheckBoxData));
  94. // assign a custom typeid to the data so the renderer knows how to
  95. // render this control.
  96. data->type = APP_WIDGET_CHECKBOX;
  97. data->label = label;
  98. data->checked = checked;
  99. // append to parent
  100. uiAppend(parent, item);
  101. return item;
  102. }
  103. A simple recursive drawing routine can look like this:
  104. void app_draw_ui(AppRenderContext *ctx, int item, int x, int y) {
  105. // retrieve custom data and cast it to an int; we assume the first member
  106. // of every widget data item to be an "int type" field.
  107. const int *type = (const int *)uiGetData(item);
  108. // get the widgets relative rectangle and offset by the parents
  109. // absolute position.
  110. UIrect rect = uiGetRect(item);
  111. rect.x += x;
  112. rect.y += y;
  113. // if a type is set, this is a specialized widget
  114. if (type) {
  115. switch(*type) {
  116. default: break;
  117. case APP_WIDGET_LABEL: {
  118. // ...
  119. } break;
  120. case APP_WIDGET_BUTTON: {
  121. // ...
  122. } break;
  123. case APP_WIDGET_CHECKBOX: {
  124. // cast to the full data type
  125. const CheckBoxData *data = (CheckBoxData*)type;
  126. // get the widgets current state
  127. int state = uiGetState(item);
  128. // if the value is set, the state is always active
  129. if (*data->checked)
  130. state = UI_ACTIVE;
  131. // draw the checkbox
  132. app_draw_checkbox(ctx, rect, state, data->label);
  133. } break;
  134. }
  135. }
  136. // iterate through all children and draw
  137. int kid = uiFirstChild(item);
  138. while (kid >= 0) {
  139. app_draw_ui(ctx, kid, rect.x, rect.y);
  140. kid = uiNextSibling(kid);
  141. }
  142. }
  143. See example.cpp in the repository for a full usage example.
  144. */
  145. // you can override this from the outside to pick
  146. // the export level you need
  147. #ifndef OUI_EXPORT
  148. #define OUI_EXPORT
  149. #endif
  150. // limits
  151. enum {
  152. // maximum number of items that may be added (must be power of 2)
  153. UI_MAX_ITEMS = 4096,
  154. // maximum size in bytes reserved for storage of application dependent data
  155. // as passed to uiAllocData().
  156. UI_MAX_BUFFERSIZE = 1048576,
  157. // maximum size in bytes of a single data buffer passed to uiAllocData().
  158. UI_MAX_DATASIZE = 4096,
  159. // maximum depth of nested containers
  160. UI_MAX_DEPTH = 64,
  161. // maximum number of buffered input events
  162. UI_MAX_INPUT_EVENTS = 64,
  163. // consecutive click threshold in ms
  164. UI_CLICK_THRESHOLD = 250,
  165. };
  166. typedef unsigned int UIuint;
  167. // opaque UI context
  168. typedef struct UIcontext UIcontext;
  169. // item states as returned by uiGetState()
  170. typedef enum UIitemState {
  171. // the item is inactive
  172. UI_COLD = 0,
  173. // the item is inactive, but the cursor is hovering over this item
  174. UI_HOT = 1,
  175. // the item is toggled, activated, focused (depends on item kind)
  176. UI_ACTIVE = 2,
  177. // the item is unresponsive
  178. UI_FROZEN = 3,
  179. } UIitemState;
  180. // layout flags
  181. typedef enum UIlayoutFlags {
  182. // container flags:
  183. // flex-direction (bit 0)
  184. // left to right
  185. UI_ROW = 0x000,
  186. // top to bottom
  187. UI_COLUMN = 0x001,
  188. // model (bit 1)
  189. // free layout
  190. UI_LAYOUT = 0x000,
  191. // flex model
  192. UI_FLEX = 0x002,
  193. // flex-wrap (bit 2)
  194. // single-line
  195. UI_NOWRAP = 0x000,
  196. // multi-line, wrap left to right
  197. UI_WRAP = 0x004,
  198. // justify-content (start, end, center, space-between)
  199. // can be implemented by putting flex container in a layout container,
  200. // then using UI_LEFT, UI_RIGHT, UI_HFILL, UI_HCENTER, etc.
  201. // align-items (bit 3-4)
  202. // stretch all items to match largest extent
  203. UI_STRETCH = 0x000,
  204. // align all items at start of row/column
  205. UI_START = 0x008,
  206. // align all items at end of row/column (margin is used as baseline)
  207. UI_END = 0x010,
  208. // align all items in the middle of row/column
  209. UI_MIDDLE = 0x018,
  210. // align-content (start, end, center, stretch)
  211. // can be implemented by putting flex container in a layout container,
  212. // then using UI_TOP, UI_DOWN, UI_VFILL, UI_VCENTER, etc.
  213. // FILL is equivalent to stretch; space-between is not supported.
  214. // child item flags:
  215. // layout: attachments (bit 5-8)
  216. // only valid when parent uses UI_LAYOUT model
  217. // anchor to left item or left side of parent
  218. UI_LEFT = 0x020,
  219. // anchor to top item or top side of parent
  220. UI_TOP = 0x040,
  221. // anchor to right item or right side of parent
  222. UI_RIGHT = 0x080,
  223. // anchor to bottom item or bottom side of parent
  224. UI_DOWN = 0x100,
  225. // anchor to both left and right item or parent borders
  226. UI_HFILL = 0x0a0,
  227. // anchor to both top and bottom item or parent borders
  228. UI_VFILL = 0x140,
  229. // center horizontally, with left margin as offset
  230. UI_HCENTER = 0x000,
  231. // center vertically, with top margin as offset
  232. UI_VCENTER = 0x000,
  233. // center in both directions, with left/top margin as offset
  234. UI_CENTER = 0x000,
  235. // anchor to all four directions
  236. UI_FILL = 0x1e0,
  237. // flex-item (bit 5-8)
  238. // only valid when parent uses UI_FLEX model
  239. // flex-grow (bit 5+7)
  240. // divide up remaining space among other UI_GROW items
  241. // this flag aligns in value with UI_HFILL because the behavior is similar
  242. UI_GROW = 0x0a0,
  243. } UIlayoutFlags;
  244. // event flags
  245. typedef enum UIevent {
  246. // on button 0 down
  247. UI_BUTTON0_DOWN = 0x0200,
  248. // on button 0 up
  249. // when this event has a handler, uiGetState() will return UI_ACTIVE as
  250. // long as button 0 is down.
  251. UI_BUTTON0_UP = 0x0400,
  252. // on button 0 up while item is hovered
  253. // when this event has a handler, uiGetState() will return UI_ACTIVE
  254. // when the cursor is hovering the items rectangle; this is the
  255. // behavior expected for buttons.
  256. UI_BUTTON0_HOT_UP = 0x0800,
  257. // item is being captured (button 0 constantly pressed);
  258. // when this event has a handler, uiGetState() will return UI_ACTIVE as
  259. // long as button 0 is down.
  260. UI_BUTTON0_CAPTURE = 0x1000,
  261. // on button 2 down (right mouse button, usually triggers context menu)
  262. UI_BUTTON2_DOWN = 0x2000,
  263. // item has received a scrollwheel event
  264. // the accumulated wheel offset can be queried with uiGetScroll()
  265. UI_SCROLL = 0x4000,
  266. // item is focused and has received a key-down event
  267. // the respective key can be queried using uiGetKey() and uiGetModifier()
  268. UI_KEY_DOWN = 0x8000,
  269. // item is focused and has received a key-up event
  270. // the respective key can be queried using uiGetKey() and uiGetModifier()
  271. UI_KEY_UP = 0x10000,
  272. // item is focused and has received a character event
  273. // the respective character can be queried using uiGetKey()
  274. UI_CHAR = 0x20000,
  275. // if this flag is set, all events will propagate to the parent;
  276. // the original item firing this event can be retrieved using
  277. // uiGetEventItem()
  278. UI_PROPAGATE = 0x40000,
  279. } UIevent;
  280. // handler callback; event is one of UI_EVENT_*
  281. typedef void (*UIhandler)(int item, UIevent event);
  282. // for cursor positions, mainly
  283. typedef struct UIvec2 {
  284. union {
  285. int v[2];
  286. struct { int x, y; };
  287. };
  288. } UIvec2;
  289. // layout rectangle
  290. typedef struct UIrect {
  291. union {
  292. int v[4];
  293. struct { int x, y, w, h; };
  294. };
  295. } UIrect;
  296. // unless declared otherwise, all operations have the complexity O(1).
  297. // Context Management
  298. // ------------------
  299. // create a new UI context; call uiMakeCurrent() to make this context the
  300. // current context. The context is managed by the client and must be released
  301. // using uiDestroyContext()
  302. OUI_EXPORT UIcontext *uiCreateContext();
  303. // select an UI context as the current context; a context must always be
  304. // selected before using any of the other UI functions
  305. OUI_EXPORT void uiMakeCurrent(UIcontext *ctx);
  306. // release the memory of an UI context created with uiCreateContext(); if the
  307. // context is the current context, the current context will be set to NULL
  308. OUI_EXPORT void uiDestroyContext(UIcontext *ctx);
  309. // Input Control
  310. // -------------
  311. // sets the current cursor position (usually belonging to a mouse) to the
  312. // screen coordinates at (x,y)
  313. OUI_EXPORT void uiSetCursor(int x, int y);
  314. // returns the current cursor position in screen coordinates as set by
  315. // uiSetCursor()
  316. OUI_EXPORT UIvec2 uiGetCursor();
  317. // returns the offset of the cursor relative to the last call to uiProcess()
  318. OUI_EXPORT UIvec2 uiGetCursorDelta();
  319. // returns the beginning point of a drag operation.
  320. OUI_EXPORT UIvec2 uiGetCursorStart();
  321. // returns the offset of the cursor relative to the beginning point of a drag
  322. // operation.
  323. OUI_EXPORT UIvec2 uiGetCursorStartDelta();
  324. // sets a mouse or gamepad button as pressed/released
  325. // button is in the range 0..63 and maps to an application defined input
  326. // source.
  327. // enabled is 1 for pressed, 0 for released
  328. OUI_EXPORT void uiSetButton(int button, int enabled);
  329. // returns the current state of an application dependent input button
  330. // as set by uiSetButton().
  331. // the function returns 1 if the button has been set to pressed, 0 for released.
  332. OUI_EXPORT int uiGetButton(int button);
  333. // returns the number of chained clicks; 1 is a single click,
  334. // 2 is a double click, etc.
  335. OUI_EXPORT int uiGetClicks();
  336. // sets a key as down/up; the key can be any application defined keycode
  337. // mod is an application defined set of flags for modifier keys
  338. // enabled is 1 for key down, 0 for key up
  339. // all key events are being buffered until the next call to uiProcess()
  340. OUI_EXPORT void uiSetKey(unsigned int key, unsigned int mod, int enabled);
  341. // sends a single character for text input; the character is usually in the
  342. // unicode range, but can be application defined.
  343. // all char events are being buffered until the next call to uiProcess()
  344. OUI_EXPORT void uiSetChar(unsigned int value);
  345. // accumulates scroll wheel offsets for the current frame
  346. // all offsets are being accumulated until the next call to uiProcess()
  347. OUI_EXPORT void uiSetScroll(int x, int y);
  348. // returns the currently accumulated scroll wheel offsets for this frame
  349. OUI_EXPORT UIvec2 uiGetScroll();
  350. // Stages
  351. // ------
  352. // clear the item buffer; uiClear() should be called before the first
  353. // UI declaration for this frame to avoid concatenation of the same UI multiple
  354. // times.
  355. // After the call, all previously declared item IDs are invalid, and all
  356. // application dependent context data has been freed.
  357. OUI_EXPORT void uiClear();
  358. // layout all added items starting from the root item 0.
  359. // after calling uiLayout(), no further modifications to the item tree should
  360. // be done until the next call to uiClear().
  361. // It is safe to immediately draw the items after a call to uiLayout().
  362. // this is an O(N) operation for N = number of declared items.
  363. OUI_EXPORT void uiLayout();
  364. // update the current hot item; this only needs to be called if items are kept
  365. // for more than one frame and uiLayout() is not called
  366. OUI_EXPORT void uiUpdateHotItem();
  367. // update the internal state according to the current cursor position and
  368. // button states, and call all registered handlers.
  369. // timestamp is the time in milliseconds relative to the last call to uiProcess()
  370. // and is used to estimate the threshold for double-clicks
  371. // after calling uiProcess(), no further modifications to the item tree should
  372. // be done until the next call to uiClear().
  373. // Items should be drawn before a call to uiProcess()
  374. // this is an O(N) operation for N = number of declared items.
  375. OUI_EXPORT void uiProcess(int timestamp);
  376. // reset the currently stored hot/active etc. handles; this should be called when
  377. // a re-declaration of the UI changes the item indices, to avoid state
  378. // related glitches because item identities have changed.
  379. OUI_EXPORT void uiClearState();
  380. // UI Declaration
  381. // --------------
  382. // create a new UI item and return the new items ID.
  383. OUI_EXPORT int uiItem();
  384. // set an items state to frozen; the UI will not recurse into frozen items
  385. // when searching for hot or active items; subsequently, frozen items and
  386. // their child items will not cause mouse event notifications.
  387. // The frozen state is not applied recursively; uiGetState() will report
  388. // UI_COLD for child items. Upon encountering a frozen item, the drawing
  389. // routine needs to handle rendering of child items appropriately.
  390. // see example.cpp for a demonstration.
  391. OUI_EXPORT void uiSetFrozen(int item, int enable);
  392. // set the application-dependent handle of an item.
  393. // handle is an application defined 64-bit handle. If handle is NULL, the item
  394. // will not be interactive.
  395. OUI_EXPORT void uiSetHandle(int item, void *handle);
  396. // allocate space for application-dependent context data and assign it
  397. // as the handle to the item.
  398. // The memory of the pointer is managed by the UI context and released
  399. // upon the next call to uiClear()
  400. OUI_EXPORT void *uiAllocHandle(int item, int size);
  401. // set the handler callback for an interactive item.
  402. // flags is a combination of UI_EVENT_* and designates for which events the
  403. // handler should be called.
  404. OUI_EXPORT void uiSetHandler(int item, UIhandler handler, int flags);
  405. // assign an item to a container.
  406. // an item ID of 0 refers to the root item.
  407. // if child is already assigned to a parent, an assertion will be thrown.
  408. // the function returns the child item ID
  409. OUI_EXPORT int uiAppend(int item, int child);
  410. // set the size of the item; a size of 0 indicates the dimension to be
  411. // dynamic; if the size is set, the item can not expand beyond that size.
  412. OUI_EXPORT void uiSetSize(int item, int w, int h);
  413. // set the anchoring behavior of the item to one or multiple UIlayoutFlags
  414. OUI_EXPORT void uiSetLayout(int item, int flags);
  415. // set the left, top, right and bottom margins of an item; when the item is
  416. // anchored to the parent or another item, the margin controls the distance
  417. // from the neighboring element.
  418. OUI_EXPORT void uiSetMargins(int item, int l, int t, int r, int b);
  419. // anchor the item to another sibling within the same container, so that the
  420. // sibling is left to this item.
  421. OUI_EXPORT void uiSetRightTo(int item, int other);
  422. // anchor the item to another sibling within the same container, so that the
  423. // sibling is above this item.
  424. OUI_EXPORT void uiSetBelow(int item, int other);
  425. // anchor the item to another sibling within the same container, so that the
  426. // sibling is right to this item.
  427. OUI_EXPORT void uiSetLeftTo(int item, int other);
  428. // anchor the item to another sibling within the same container, so that the
  429. // sibling is below this item.
  430. OUI_EXPORT void uiSetAbove(int item, int other);
  431. // set item as recipient of all keyboard events; the item must have a handle
  432. // assigned; if item is -1, no item will be focused.
  433. OUI_EXPORT void uiFocus(int item);
  434. // Iteration
  435. // ---------
  436. // returns the first child item of a container item. If the item is not
  437. // a container or does not contain any items, -1 is returned.
  438. // if item is 0, the first child item of the root item will be returned.
  439. OUI_EXPORT int uiFirstChild(int item);
  440. // returns the last child item of a container item. If the item is not
  441. // a container or does not contain any items, -1 is returned.
  442. // if item is 0, the last child item of the root item will be returned.
  443. OUI_EXPORT int uiLastChild(int item);
  444. // returns an items parent container item.
  445. // if item is 0, -1 will be returned.
  446. OUI_EXPORT int uiParent(int item);
  447. // returns an items next sibling in the list of the parent containers children.
  448. // if item is 0 or the item is the last child item, -1 will be returned.
  449. OUI_EXPORT int uiNextSibling(int item);
  450. // returns an items previous sibling in the list of the parent containers
  451. // children.
  452. // if item is 0 or the item is the first child item, -1 will be returned.
  453. OUI_EXPORT int uiPrevSibling(int item);
  454. // Querying
  455. // --------
  456. // return the total number of allocated items
  457. OUI_EXPORT int uiGetItemCount();
  458. // return the current state of the item. This state is only valid after
  459. // a call to uiProcess().
  460. // The returned value is one of UI_COLD, UI_HOT, UI_ACTIVE, UI_FROZEN.
  461. OUI_EXPORT UIitemState uiGetState(int item);
  462. // return the application-dependent handle of the item as passed to uiSetHandle()
  463. // or uiAllocHandle().
  464. OUI_EXPORT void *uiGetHandle(int item);
  465. // return the item that is currently under the cursor or -1 for none
  466. OUI_EXPORT int uiGetHotItem();
  467. // return the item that is currently focused or -1 for none
  468. OUI_EXPORT int uiGetFocusedItem();
  469. // return the handler callback for an item as passed to uiSetHandler()
  470. OUI_EXPORT UIhandler uiGetHandler(int item);
  471. // return the handler flags for an item as passed to uiSetHandler()
  472. OUI_EXPORT int uiGetHandlerFlags(int item);
  473. // when handling a KEY_DOWN/KEY_UP event: the key that triggered this event
  474. OUI_EXPORT unsigned int uiGetKey();
  475. // when handling a KEY_DOWN/KEY_UP event: the key that triggered this event
  476. OUI_EXPORT unsigned int uiGetModifier();
  477. // when handling a PROPAGATE event; the original item firing this event
  478. OUI_EXPORT int uiGetEventItem();
  479. // returns the number of child items a container item contains. If the item
  480. // is not a container or does not contain any items, 0 is returned.
  481. // if item is 0, the child item count of the root item will be returned.
  482. OUI_EXPORT int uiGetChildCount(int item);
  483. // returns an items child index relative to its parent. If the item is the
  484. // first item, the return value is 0; If the item is the last item, the return
  485. // value is equivalent to uiGetChildCount(uiParent(item))-1.
  486. // if item is 0, 0 will be returned.
  487. OUI_EXPORT int uiGetChildId(int item);
  488. // returns the items layout rectangle relative to the parent. If uiGetRect()
  489. // is called before uiLayout(), the values of the returned rectangle are
  490. // undefined.
  491. OUI_EXPORT UIrect uiGetRect(int item);
  492. // returns the items layout rectangle in absolute coordinates. If
  493. // uiGetAbsoluteRect() is called before uiLayout(), the values of the returned
  494. // rectangle are undefined.
  495. // This function has complexity O(N) for N parents
  496. OUI_EXPORT UIrect uiGetAbsoluteRect(int item);
  497. // returns 1 if an items absolute rectangle contains a given coordinate
  498. // otherwise 0
  499. OUI_EXPORT int uiContains(int item, int x, int y);
  500. // when called from an input event handler, returns the active items absolute
  501. // layout rectangle. If uiGetActiveRect() is called outside of a handler,
  502. // the values of the returned rectangle are undefined.
  503. OUI_EXPORT UIrect uiGetActiveRect();
  504. // return the width of the item as set by uiSetSize()
  505. OUI_EXPORT int uiGetWidth(int item);
  506. // return the height of the item as set by uiSetSize()
  507. OUI_EXPORT int uiGetHeight(int item);
  508. // return the anchoring behavior as set by uiSetLayout()
  509. OUI_EXPORT int uiGetLayout(int item);
  510. // return the left margin of the item as set with uiSetMargins()
  511. OUI_EXPORT int uiGetMarginLeft(int item);
  512. // return the top margin of the item as set with uiSetMargins()
  513. OUI_EXPORT int uiGetMarginTop(int item);
  514. // return the right margin of the item as set with uiSetMargins()
  515. OUI_EXPORT int uiGetMarginRight(int item);
  516. // return the bottom margin of the item as set with uiSetMargins()
  517. OUI_EXPORT int uiGetMarginDown(int item);
  518. // return the items anchored sibling as assigned with uiSetRightTo()
  519. // or -1 if not set.
  520. OUI_EXPORT int uiGetRightTo(int item);
  521. // return the items anchored sibling as assigned with uiSetBelow()
  522. // or -1 if not set.
  523. OUI_EXPORT int uiGetBelow(int item);
  524. // return the items anchored sibling as assigned with uiSetLeftTo()
  525. // or -1 if not set.
  526. OUI_EXPORT int uiGetLeftTo(int item);
  527. // return the items anchored sibling as assigned with uiSetAbove()
  528. // or -1 if not set.
  529. OUI_EXPORT int uiGetAbove(int item);
  530. #ifdef __cplusplus
  531. };
  532. #endif
  533. #endif // _OUI_H_
  534. #ifdef OUI_IMPLEMENTATION
  535. #include <assert.h>
  536. #ifdef _MSC_VER
  537. #pragma warning (disable: 4996) // Switch off security warnings
  538. #pragma warning (disable: 4100) // Switch off unreferenced formal parameter warnings
  539. #ifdef __cplusplus
  540. #define UI_INLINE inline
  541. #else
  542. #define UI_INLINE
  543. #endif
  544. #else
  545. #define UI_INLINE inline
  546. #endif
  547. #define UI_MAX_KIND 16
  548. #define UI_ANY_BUTTON0_INPUT (UI_BUTTON0_DOWN \
  549. |UI_BUTTON0_UP \
  550. |UI_BUTTON0_HOT_UP \
  551. |UI_BUTTON0_CAPTURE)
  552. #define UI_ANY_BUTTON2_INPUT (UI_BUTTON2_DOWN)
  553. #define UI_ANY_MOUSE_INPUT (UI_ANY_BUTTON0_INPUT \
  554. |UI_ANY_BUTTON2_INPUT)
  555. #define UI_ANY_KEY_INPUT (UI_KEY_DOWN \
  556. |UI_KEY_UP \
  557. |UI_CHAR)
  558. #define UI_ANY_INPUT (UI_ANY_MOUSE_INPUT \
  559. |UI_ANY_KEY_INPUT)
  560. #define UI_ITEM_VISITED_XY_FLAG(X) (1<<(UI_ITEM_VISITED_BITOFS+(X)))
  561. #define UI_ITEM_VISITED_WH_FLAG(X) (4<<(UI_ITEM_VISITED_BITOFS+(X)))
  562. // extra item flags
  563. enum {
  564. // bit 0-8
  565. UI_ITEM_LAYOUT_MASK = 0x0001FF,
  566. // bit 9-18
  567. UI_ITEM_EVENT_MASK = 0x07FE00,
  568. // item is frozen (bit 19)
  569. UI_ITEM_FROZEN = 0x080000,
  570. // item handle is pointer to data (bit 20)
  571. UI_ITEM_DATA = 0x100000,
  572. UI_ITEM_VISITED_BITOFS = 21,
  573. // bit 21-24
  574. UI_ITEM_VISITED_MASK = (UI_ITEM_VISITED_XY_FLAG(0)
  575. | UI_ITEM_VISITED_XY_FLAG(1)
  576. | UI_ITEM_VISITED_WH_FLAG(0)
  577. | UI_ITEM_VISITED_WH_FLAG(1)),
  578. };
  579. typedef struct UIitem {
  580. // declaration independent unique handle (for persistence)
  581. void *handle;
  582. // handler
  583. UIhandler handler;
  584. unsigned int flags;
  585. // container structure
  586. // number of kids
  587. int numkids;
  588. // index of first kid
  589. int firstkid;
  590. // index of last kid
  591. int lastkid;
  592. // child structure
  593. // parent item
  594. int parent;
  595. // index of kid relative to parent
  596. int kidid;
  597. // index of next sibling with same parent
  598. int nextitem;
  599. // index of previous sibling with same parent
  600. int previtem;
  601. // size
  602. UIvec2 size;
  603. // margin offsets, interpretation depends on flags
  604. int margins[4];
  605. // neighbors to position borders to
  606. int relto[4];
  607. // computed size
  608. UIvec2 computed_size;
  609. // relative rect
  610. UIrect rect;
  611. } UIitem;
  612. // 40 bytes
  613. typedef struct UIitem2 {
  614. // declaration independent unique handle (for persistence)
  615. void *handle;
  616. // handler
  617. UIhandler handler;
  618. // flags: unifies: 4 layout bits, 11 event bits, 1 frozen bit, 2 visited bits
  619. // 2 new layout bits: rect w/h is fixed
  620. int flags;
  621. // container structure
  622. // index of first kid
  623. int firstkid;
  624. // index of next sibling with same parent
  625. int nextitem;
  626. // margin offsets, orientation/interpretation depends on layout flags
  627. short margins[2];
  628. // relative / absolute offset
  629. short offset[2];
  630. // measured / fixed size
  631. short size[2];
  632. } UIitem2;
  633. typedef enum UIstate {
  634. UI_STATE_IDLE = 0,
  635. UI_STATE_CAPTURE,
  636. } UIstate;
  637. typedef struct UIhandleEntry {
  638. unsigned int key;
  639. int item;
  640. } UIhandleEntry;
  641. typedef struct UIinputEvent {
  642. unsigned int key;
  643. unsigned int mod;
  644. UIevent event;
  645. } UIinputEvent;
  646. struct UIcontext {
  647. // button state in this frame
  648. unsigned long long buttons;
  649. // button state in the previous frame
  650. unsigned long long last_buttons;
  651. // where the cursor was at the beginning of the active state
  652. UIvec2 start_cursor;
  653. // where the cursor was last frame
  654. UIvec2 last_cursor;
  655. // where the cursor is currently
  656. UIvec2 cursor;
  657. // accumulated scroll wheel offsets
  658. UIvec2 scroll;
  659. int active_item;
  660. int focus_item;
  661. int last_hot_item;
  662. int last_click_item;
  663. int hot_item;
  664. UIrect hot_rect;
  665. UIrect active_rect;
  666. UIstate state;
  667. unsigned int active_key;
  668. unsigned int active_modifier;
  669. int event_item;
  670. int last_timestamp;
  671. int last_click_timestamp;
  672. int clicks;
  673. int count;
  674. int datasize;
  675. int eventcount;
  676. UIitem items[UI_MAX_ITEMS];
  677. unsigned char data[UI_MAX_BUFFERSIZE];
  678. UIinputEvent events[UI_MAX_INPUT_EVENTS];
  679. };
  680. UI_INLINE int ui_max(int a, int b) {
  681. return (a>b)?a:b;
  682. }
  683. UI_INLINE int ui_min(int a, int b) {
  684. return (a<b)?a:b;
  685. }
  686. static UIcontext *ui_context = NULL;
  687. UIcontext *uiCreateContext() {
  688. UIcontext *ctx = (UIcontext *)malloc(sizeof(UIcontext));
  689. memset(ctx, 0, sizeof(UIcontext));
  690. UIcontext *oldctx = ui_context;
  691. uiMakeCurrent(ctx);
  692. uiClear();
  693. uiClearState();
  694. uiMakeCurrent(oldctx);
  695. return ctx;
  696. }
  697. void uiMakeCurrent(UIcontext *ctx) {
  698. ui_context = ctx;
  699. }
  700. void uiDestroyContext(UIcontext *ctx) {
  701. if (ui_context == ctx)
  702. uiMakeCurrent(NULL);
  703. free(ctx);
  704. }
  705. void uiSetButton(int button, int enabled) {
  706. assert(ui_context);
  707. unsigned long long mask = 1ull<<button;
  708. // set new bit
  709. ui_context->buttons = (enabled)?
  710. (ui_context->buttons | mask):
  711. (ui_context->buttons & ~mask);
  712. }
  713. static void uiAddInputEvent(UIinputEvent event) {
  714. assert(ui_context);
  715. if (ui_context->eventcount == UI_MAX_INPUT_EVENTS) return;
  716. ui_context->events[ui_context->eventcount++] = event;
  717. }
  718. static void uiClearInputEvents() {
  719. assert(ui_context);
  720. ui_context->eventcount = 0;
  721. ui_context->scroll.x = 0;
  722. ui_context->scroll.y = 0;
  723. }
  724. void uiSetKey(unsigned int key, unsigned int mod, int enabled) {
  725. assert(ui_context);
  726. UIinputEvent event = { key, mod, enabled?UI_KEY_DOWN:UI_KEY_UP };
  727. uiAddInputEvent(event);
  728. }
  729. void uiSetChar(unsigned int value) {
  730. assert(ui_context);
  731. UIinputEvent event = { value, 0, UI_CHAR };
  732. uiAddInputEvent(event);
  733. }
  734. void uiSetScroll(int x, int y) {
  735. assert(ui_context);
  736. ui_context->scroll.x += x;
  737. ui_context->scroll.y += y;
  738. }
  739. UIvec2 uiGetScroll() {
  740. assert(ui_context);
  741. return ui_context->scroll;
  742. }
  743. int uiGetLastButton(int button) {
  744. assert(ui_context);
  745. return (ui_context->last_buttons & (1ull<<button))?1:0;
  746. }
  747. int uiGetButton(int button) {
  748. assert(ui_context);
  749. return (ui_context->buttons & (1ull<<button))?1:0;
  750. }
  751. int uiButtonPressed(int button) {
  752. assert(ui_context);
  753. return !uiGetLastButton(button) && uiGetButton(button);
  754. }
  755. int uiButtonReleased(int button) {
  756. assert(ui_context);
  757. return uiGetLastButton(button) && !uiGetButton(button);
  758. }
  759. void uiSetCursor(int x, int y) {
  760. assert(ui_context);
  761. ui_context->cursor.x = x;
  762. ui_context->cursor.y = y;
  763. }
  764. UIvec2 uiGetCursor() {
  765. assert(ui_context);
  766. return ui_context->cursor;
  767. }
  768. UIvec2 uiGetCursorStart() {
  769. assert(ui_context);
  770. return ui_context->start_cursor;
  771. }
  772. UIvec2 uiGetCursorDelta() {
  773. assert(ui_context);
  774. UIvec2 result = {{{
  775. ui_context->cursor.x - ui_context->last_cursor.x,
  776. ui_context->cursor.y - ui_context->last_cursor.y
  777. }}};
  778. return result;
  779. }
  780. UIvec2 uiGetCursorStartDelta() {
  781. assert(ui_context);
  782. UIvec2 result = {{{
  783. ui_context->cursor.x - ui_context->start_cursor.x,
  784. ui_context->cursor.y - ui_context->start_cursor.y
  785. }}};
  786. return result;
  787. }
  788. unsigned int uiGetKey() {
  789. assert(ui_context);
  790. return ui_context->active_key;
  791. }
  792. unsigned int uiGetModifier() {
  793. assert(ui_context);
  794. return ui_context->active_modifier;
  795. }
  796. int uiGetEventItem() {
  797. return ui_context->event_item;
  798. }
  799. // return the total number of allocated items
  800. OUI_EXPORT int uiGetItemCount() {
  801. assert(ui_context);
  802. return ui_context->count;
  803. }
  804. UIitem *uiItemPtr(int item) {
  805. assert(ui_context && (item >= 0) && (item < ui_context->count));
  806. return ui_context->items + item;
  807. }
  808. int uiGetHotItem() {
  809. assert(ui_context);
  810. return ui_context->hot_item;
  811. }
  812. void uiFocus(int item) {
  813. assert(ui_context && (item >= -1) && (item < ui_context->count));
  814. ui_context->focus_item = item;
  815. }
  816. static void uiValidateStateItems() {
  817. assert(ui_context);
  818. if (ui_context->last_hot_item >= ui_context->count)
  819. ui_context->last_hot_item = -1;
  820. if (ui_context->active_item >= ui_context->count)
  821. ui_context->active_item = -1;
  822. if (ui_context->focus_item >= ui_context->count)
  823. ui_context->focus_item = -1;
  824. if (ui_context->last_click_item >= ui_context->count)
  825. ui_context->last_click_item = -1;
  826. }
  827. int uiGetFocusedItem() {
  828. assert(ui_context);
  829. return ui_context->focus_item;
  830. }
  831. void uiClear() {
  832. assert(ui_context);
  833. ui_context->count = 0;
  834. ui_context->datasize = 0;
  835. ui_context->hot_item = -1;
  836. }
  837. void uiClearState() {
  838. assert(ui_context);
  839. ui_context->last_hot_item = -1;
  840. ui_context->active_item = -1;
  841. ui_context->focus_item = -1;
  842. ui_context->last_click_item = -1;
  843. }
  844. int uiItem() {
  845. assert(ui_context);
  846. assert(ui_context->count < UI_MAX_ITEMS);
  847. int idx = ui_context->count++;
  848. UIitem *item = uiItemPtr(idx);
  849. memset(item, 0, sizeof(UIitem));
  850. item->parent = -1;
  851. item->firstkid = -1;
  852. item->lastkid = -1;
  853. item->nextitem = -1;
  854. item->previtem = -1;
  855. for (int i = 0; i < 4; ++i)
  856. item->relto[i] = -1;
  857. return idx;
  858. }
  859. void uiNotifyItem(int item, UIevent event) {
  860. assert(ui_context);
  861. assert((event & UI_ITEM_EVENT_MASK) == event);
  862. ui_context->event_item = item;
  863. while (item >= 0) {
  864. UIitem *pitem = uiItemPtr(item);
  865. if (pitem->handler && (pitem->flags & event)) {
  866. pitem->handler(item, event);
  867. }
  868. if (!(pitem->flags & UI_PROPAGATE))
  869. break;
  870. item = uiParent(item);
  871. }
  872. }
  873. int uiAppend(int item, int child) {
  874. assert(child > 0);
  875. assert(uiParent(child) == -1);
  876. UIitem *pitem = uiItemPtr(child);
  877. UIitem *pparent = uiItemPtr(item);
  878. pitem->parent = item;
  879. pitem->kidid = pparent->numkids++;
  880. if (pparent->lastkid < 0) {
  881. pparent->firstkid = child;
  882. pparent->lastkid = child;
  883. } else {
  884. pitem->previtem = pparent->lastkid;
  885. uiItemPtr(pparent->lastkid)->nextitem = child;
  886. pparent->lastkid = child;
  887. }
  888. return child;
  889. }
  890. void uiSetFrozen(int item, int enable) {
  891. UIitem *pitem = uiItemPtr(item);
  892. if (enable)
  893. pitem->flags |= UI_ITEM_FROZEN;
  894. else
  895. pitem->flags &= ~UI_ITEM_FROZEN;
  896. }
  897. void uiSetSize(int item, int w, int h) {
  898. UIitem *pitem = uiItemPtr(item);
  899. pitem->size.x = w;
  900. pitem->size.y = h;
  901. }
  902. int uiGetWidth(int item) {
  903. return uiItemPtr(item)->size.x;
  904. }
  905. int uiGetHeight(int item) {
  906. return uiItemPtr(item)->size.y;
  907. }
  908. void uiSetLayout(int item, int flags) {
  909. uiItemPtr(item)->flags |= flags & UI_ITEM_LAYOUT_MASK;
  910. }
  911. int uiGetLayout(int item) {
  912. return uiItemPtr(item)->flags & UI_ITEM_LAYOUT_MASK;
  913. }
  914. void uiSetMargins(int item, int l, int t, int r, int b) {
  915. UIitem *pitem = uiItemPtr(item);
  916. pitem->margins[0] = l;
  917. pitem->margins[1] = t;
  918. pitem->margins[2] = r;
  919. pitem->margins[3] = b;
  920. }
  921. int uiGetMarginLeft(int item) {
  922. return uiItemPtr(item)->margins[0];
  923. }
  924. int uiGetMarginTop(int item) {
  925. return uiItemPtr(item)->margins[1];
  926. }
  927. int uiGetMarginRight(int item) {
  928. return uiItemPtr(item)->margins[2];
  929. }
  930. int uiGetMarginDown(int item) {
  931. return uiItemPtr(item)->margins[3];
  932. }
  933. void uiSetRightTo(int item, int other) {
  934. assert((other < 0) || (uiParent(other) == uiParent(item)));
  935. uiItemPtr(item)->relto[0] = other;
  936. }
  937. int uiGetRightTo(int item) {
  938. return uiItemPtr(item)->relto[0];
  939. }
  940. void uiSetBelow(int item, int other) {
  941. assert((other < 0) || (uiParent(other) == uiParent(item)));
  942. uiItemPtr(item)->relto[1] = other;
  943. }
  944. int uiGetBelow(int item) {
  945. return uiItemPtr(item)->relto[1];
  946. }
  947. void uiSetLeftTo(int item, int other) {
  948. assert((other < 0) || (uiParent(other) == uiParent(item)));
  949. uiItemPtr(item)->relto[2] = other;
  950. }
  951. int uiGetLeftTo(int item) {
  952. return uiItemPtr(item)->relto[2];
  953. }
  954. void uiSetAbove(int item, int other) {
  955. assert((other < 0) || (uiParent(other) == uiParent(item)));
  956. uiItemPtr(item)->relto[3] = other;
  957. }
  958. int uiGetAbove(int item) {
  959. return uiItemPtr(item)->relto[3];
  960. }
  961. UI_INLINE void uiComputeChainSize(UIitem *pkid,
  962. int *need_size, int *hard_size, int dim) {
  963. UIitem *pitem = pkid;
  964. int wdim = dim+2;
  965. int size = pitem->rect.v[wdim] + pitem->margins[dim] + pitem->margins[wdim];
  966. *need_size = size;
  967. *hard_size = pitem->size.v[dim]?size:0;
  968. int it = 0;
  969. pitem->flags |= UI_ITEM_VISITED_XY_FLAG(dim);
  970. // traverse along left neighbors
  971. while (((pitem->flags&UI_ITEM_LAYOUT_MASK)>>dim) & UI_LEFT) {
  972. if (pitem->relto[dim] < 0) break;
  973. pitem = uiItemPtr(pitem->relto[dim]);
  974. pitem->flags |= UI_ITEM_VISITED_XY_FLAG(dim);
  975. size = pitem->rect.v[wdim] + pitem->margins[dim] + pitem->margins[wdim];
  976. *need_size = (*need_size) + size;
  977. *hard_size = (*hard_size) + (pitem->size.v[dim]?size:0);
  978. it++;
  979. assert(it<1000000); // infinite loop
  980. }
  981. // traverse along right neighbors
  982. pitem = pkid;
  983. it = 0;
  984. while (((pitem->flags&UI_ITEM_LAYOUT_MASK)>>dim) & UI_RIGHT) {
  985. if (pitem->relto[wdim] < 0) break;
  986. pitem = uiItemPtr(pitem->relto[wdim]);
  987. pitem->flags |= UI_ITEM_VISITED_XY_FLAG(dim);
  988. size = pitem->rect.v[wdim] + pitem->margins[dim] + pitem->margins[wdim];
  989. *need_size = (*need_size) + size;
  990. *hard_size = (*hard_size) + (pitem->size.v[dim]?size:0);
  991. it++;
  992. assert(it<1000000); // infinite loop
  993. }
  994. }
  995. UI_INLINE void uiComputeSizeDim(UIitem *pitem, int dim) {
  996. int wdim = dim+2;
  997. int need_size = 0;
  998. int hard_size = 0;
  999. int kid = pitem->firstkid;
  1000. while (kid >= 0) {
  1001. UIitem *pkid = uiItemPtr(kid);
  1002. if (!(pkid->flags & UI_ITEM_VISITED_XY_FLAG(dim))) {
  1003. int ns,hs;
  1004. uiComputeChainSize(pkid, &ns, &hs, dim);
  1005. need_size = ui_max(need_size, ns);
  1006. hard_size = ui_max(hard_size, hs);
  1007. }
  1008. kid = uiNextSibling(kid);
  1009. }
  1010. pitem->computed_size.v[dim] = hard_size;
  1011. if (pitem->size.v[dim]) {
  1012. pitem->rect.v[wdim] = pitem->size.v[dim];
  1013. } else {
  1014. pitem->rect.v[wdim] = need_size;
  1015. }
  1016. }
  1017. static void uiComputeBestSize(int item, int dim) {
  1018. UIitem *pitem = uiItemPtr(item);
  1019. pitem->flags &= ~UI_ITEM_VISITED_MASK;
  1020. // children expand the size
  1021. int kid = uiFirstChild(item);
  1022. while (kid >= 0) {
  1023. uiComputeBestSize(kid, dim);
  1024. kid = uiNextSibling(kid);
  1025. }
  1026. uiComputeSizeDim(pitem, dim);
  1027. }
  1028. static void uiLayoutChildItem(UIitem *pparent, UIitem *pitem,
  1029. int *dyncount, int *consumed_space, int dim) {
  1030. if (pitem->flags & UI_ITEM_VISITED_WH_FLAG(dim)) return;
  1031. pitem->flags |= UI_ITEM_VISITED_WH_FLAG(dim);
  1032. int wdim = dim+2;
  1033. int x = 0;
  1034. int s = pparent->rect.v[wdim];
  1035. int flags = (pitem->flags & UI_ITEM_LAYOUT_MASK) >> dim;
  1036. int hasl = (flags & UI_LEFT) && (pitem->relto[dim] >= 0);
  1037. int hasr = (flags & UI_RIGHT) && (pitem->relto[wdim] >= 0);
  1038. if ((flags & UI_HFILL) != UI_HFILL) {
  1039. *consumed_space = (*consumed_space)
  1040. + pitem->rect.v[wdim]
  1041. + pitem->margins[wdim]
  1042. + pitem->margins[dim];
  1043. } else if (!pitem->size.v[dim]) {
  1044. *dyncount = (*dyncount)+1;
  1045. }
  1046. if (hasl) {
  1047. UIitem *pl = uiItemPtr(pitem->relto[dim]);
  1048. uiLayoutChildItem(pparent, pl, dyncount, consumed_space, dim);
  1049. x = pl->rect.v[dim]+pl->rect.v[wdim]+pl->margins[wdim];
  1050. s -= x;
  1051. }
  1052. if (hasr) {
  1053. UIitem *pl = uiItemPtr(pitem->relto[wdim]);
  1054. uiLayoutChildItem(pparent, pl, dyncount, consumed_space, dim);
  1055. s = pl->rect.v[dim]-pl->margins[dim]-x;
  1056. }
  1057. switch(flags & UI_HFILL) {
  1058. default:
  1059. case UI_HCENTER: {
  1060. pitem->rect.v[dim] = x+(s-pitem->rect.v[wdim])/2+pitem->margins[dim];
  1061. } break;
  1062. case UI_LEFT: {
  1063. pitem->rect.v[dim] = x+pitem->margins[dim];
  1064. } break;
  1065. case UI_RIGHT: {
  1066. pitem->rect.v[dim] = x+s-pitem->rect.v[wdim]-pitem->margins[wdim];
  1067. } break;
  1068. case UI_HFILL: {
  1069. if (pitem->size.v[dim]) { // hard maximum size; can't stretch
  1070. if (!hasl)
  1071. pitem->rect.v[dim] = x+pitem->margins[dim];
  1072. else
  1073. pitem->rect.v[dim] = x+s-pitem->rect.v[wdim]-pitem->margins[wdim];
  1074. } else {
  1075. if (1) { //!pitem->rect.v[wdim]) {
  1076. //int width = (pparent->rect.v[wdim] - pparent->computed_size.v[dim]);
  1077. int width = (pparent->rect.v[wdim] - (*consumed_space));
  1078. int space = width / (*dyncount);
  1079. //int rest = width - space*(*dyncount);
  1080. if (!hasl) {
  1081. pitem->rect.v[dim] = x+pitem->margins[dim];
  1082. pitem->rect.v[wdim] = s-pitem->margins[dim]-pitem->margins[wdim];
  1083. } else {
  1084. pitem->rect.v[wdim] = space-pitem->margins[dim]-pitem->margins[wdim];
  1085. pitem->rect.v[dim] = x+s-pitem->rect.v[wdim]-pitem->margins[wdim];
  1086. }
  1087. } else {
  1088. pitem->rect.v[dim] = x+pitem->margins[dim];
  1089. pitem->rect.v[wdim] = s-pitem->margins[dim]-pitem->margins[wdim];
  1090. }
  1091. }
  1092. } break;
  1093. }
  1094. }
  1095. UI_INLINE void uiLayoutItemDim(UIitem *pitem, int dim) {
  1096. //int wdim = dim+2;
  1097. int kid = pitem->firstkid;
  1098. int consumed_space = 0;
  1099. int dyncount = 0;
  1100. while (kid >= 0) {
  1101. UIitem *pkid = uiItemPtr(kid);
  1102. uiLayoutChildItem(pitem, pkid, &dyncount, &consumed_space, dim);
  1103. kid = uiNextSibling(kid);
  1104. }
  1105. }
  1106. static void uiLayoutItem(int item, int dim) {
  1107. UIitem *pitem = uiItemPtr(item);
  1108. uiLayoutItemDim(pitem, dim);
  1109. int kid = uiFirstChild(item);
  1110. while (kid >= 0) {
  1111. uiLayoutItem(kid, dim);
  1112. kid = uiNextSibling(kid);
  1113. }
  1114. }
  1115. UIrect uiGetRect(int item) {
  1116. return uiItemPtr(item)->rect;
  1117. }
  1118. UIrect uiGetActiveRect() {
  1119. assert(ui_context);
  1120. return ui_context->active_rect;
  1121. }
  1122. int uiFirstChild(int item) {
  1123. return uiItemPtr(item)->firstkid;
  1124. }
  1125. int uiLastChild(int item) {
  1126. return uiItemPtr(item)->lastkid;
  1127. }
  1128. int uiNextSibling(int item) {
  1129. return uiItemPtr(item)->nextitem;
  1130. }
  1131. int uiPrevSibling(int item) {
  1132. return uiItemPtr(item)->previtem;
  1133. }
  1134. int uiParent(int item) {
  1135. return uiItemPtr(item)->parent;
  1136. }
  1137. void *uiAllocHandle(int item, int size) {
  1138. assert((size > 0) && (size < UI_MAX_DATASIZE));
  1139. UIitem *pitem = uiItemPtr(item);
  1140. assert(pitem->handle == NULL);
  1141. assert((ui_context->datasize+size) <= UI_MAX_BUFFERSIZE);
  1142. pitem->handle = ui_context->data + ui_context->datasize;
  1143. pitem->flags |= UI_ITEM_DATA;
  1144. ui_context->datasize += size;
  1145. return pitem->handle;
  1146. }
  1147. void uiSetHandle(int item, void *handle) {
  1148. UIitem *pitem = uiItemPtr(item);
  1149. assert(pitem->handle == NULL);
  1150. pitem->handle = handle;
  1151. }
  1152. void *uiGetHandle(int item) {
  1153. return uiItemPtr(item)->handle;
  1154. }
  1155. void uiSetHandler(int item, UIhandler handler, int flags) {
  1156. UIitem *pitem = uiItemPtr(item);
  1157. pitem->handler = handler;
  1158. pitem->flags &= ~UI_ITEM_EVENT_MASK;
  1159. pitem->flags |= flags;
  1160. }
  1161. UIhandler uiGetHandler(int item) {
  1162. return uiItemPtr(item)->handler;
  1163. }
  1164. int uiGetHandlerFlags(int item) {
  1165. return uiItemPtr(item)->flags & UI_ITEM_EVENT_MASK;
  1166. }
  1167. int uiGetChildId(int item) {
  1168. return uiItemPtr(item)->kidid;
  1169. }
  1170. int uiGetChildCount(int item) {
  1171. return uiItemPtr(item)->numkids;
  1172. }
  1173. UIrect uiGetAbsoluteRect(int item) {
  1174. UIrect rect = uiGetRect(item);
  1175. item = uiParent(item);
  1176. while (item >= 0) {
  1177. rect.x += uiItemPtr(item)->rect.x;
  1178. rect.y += uiItemPtr(item)->rect.y;
  1179. item = uiParent(item);
  1180. }
  1181. return rect;
  1182. }
  1183. int uiContains(int item, int x, int y) {
  1184. UIrect rect = uiGetAbsoluteRect(item);
  1185. x -= rect.x;
  1186. y -= rect.y;
  1187. if ((x>=0)
  1188. && (y>=0)
  1189. && (x<rect.w)
  1190. && (y<rect.h)) return 1;
  1191. return 0;
  1192. }
  1193. int uiFindItemForEvent(int item, UIevent event,
  1194. UIrect *hot_rect,
  1195. int x, int y, int ox, int oy) {
  1196. UIitem *pitem = uiItemPtr(item);
  1197. if (pitem->flags & UI_ITEM_FROZEN) return -1;
  1198. UIrect rect = pitem->rect;
  1199. x -= rect.x;
  1200. y -= rect.y;
  1201. ox += rect.x;
  1202. oy += rect.y;
  1203. if ((x>=0)
  1204. && (y>=0)
  1205. && (x<rect.w)
  1206. && (y<rect.h)) {
  1207. int kid = uiLastChild(item);
  1208. while (kid >= 0) {
  1209. int best_hit = uiFindItemForEvent(kid,
  1210. event,hot_rect,x,y,ox,oy);
  1211. if (best_hit >= 0) return best_hit;
  1212. kid = uiPrevSibling(kid);
  1213. }
  1214. // click-through if the item has no handler for this event
  1215. if (pitem->flags & event) {
  1216. rect.x = ox;
  1217. rect.y = oy;
  1218. if (hot_rect)
  1219. *hot_rect = rect;
  1220. return item;
  1221. }
  1222. }
  1223. return -1;
  1224. }
  1225. int uiFindItem(int item, int x, int y, int ox, int oy) {
  1226. return uiFindItemForEvent(item, (UIevent)UI_ANY_MOUSE_INPUT,
  1227. &ui_context->hot_rect, x, y, ox, oy);
  1228. }
  1229. void uiLayout() {
  1230. assert(ui_context);
  1231. if (!ui_context->count) return;
  1232. // compute widths
  1233. uiComputeBestSize(0,0);
  1234. // position root element rect
  1235. uiItemPtr(0)->rect.x = uiItemPtr(0)->margins[0];
  1236. uiLayoutItem(0,0);
  1237. // compute heights
  1238. uiComputeBestSize(0,1);
  1239. // position root element rect
  1240. uiItemPtr(0)->rect.y = uiItemPtr(0)->margins[1];
  1241. uiLayoutItem(0,1);
  1242. uiValidateStateItems();
  1243. // drawing routines may require this to be set already
  1244. uiUpdateHotItem();
  1245. }
  1246. void uiUpdateHotItem() {
  1247. assert(ui_context);
  1248. if (!ui_context->count) return;
  1249. ui_context->hot_item = uiFindItem(0,
  1250. ui_context->cursor.x, ui_context->cursor.y, 0, 0);
  1251. }
  1252. int uiGetClicks() {
  1253. return ui_context->clicks;
  1254. }
  1255. void uiProcess(int timestamp) {
  1256. assert(ui_context);
  1257. if (!ui_context->count) {
  1258. uiClearInputEvents();
  1259. return;
  1260. }
  1261. int hot_item = ui_context->last_hot_item;
  1262. int active_item = ui_context->active_item;
  1263. int focus_item = ui_context->focus_item;
  1264. // send all keyboard events
  1265. if (focus_item >= 0) {
  1266. for (int i = 0; i < ui_context->eventcount; ++i) {
  1267. ui_context->active_key = ui_context->events[i].key;
  1268. ui_context->active_modifier = ui_context->events[i].mod;
  1269. uiNotifyItem(focus_item,
  1270. ui_context->events[i].event);
  1271. }
  1272. } else {
  1273. ui_context->focus_item = -1;
  1274. }
  1275. if (ui_context->scroll.x || ui_context->scroll.y) {
  1276. int scroll_item = uiFindItemForEvent(0, UI_SCROLL, NULL,
  1277. ui_context->cursor.x, ui_context->cursor.y, 0, 0);
  1278. if (scroll_item >= 0) {
  1279. uiNotifyItem(scroll_item, UI_SCROLL);
  1280. }
  1281. }
  1282. uiClearInputEvents();
  1283. int hot = ui_context->hot_item;
  1284. switch(ui_context->state) {
  1285. default:
  1286. case UI_STATE_IDLE: {
  1287. ui_context->start_cursor = ui_context->cursor;
  1288. if (uiGetButton(0)) {
  1289. hot_item = -1;
  1290. active_item = hot;
  1291. ui_context->active_rect = ui_context->hot_rect;
  1292. if (active_item != focus_item) {
  1293. focus_item = -1;
  1294. ui_context->focus_item = -1;
  1295. }
  1296. if (active_item >= 0) {
  1297. if (
  1298. ((timestamp - ui_context->last_click_timestamp) > UI_CLICK_THRESHOLD)
  1299. || (ui_context->last_click_item != active_item)) {
  1300. ui_context->clicks = 0;
  1301. }
  1302. ui_context->clicks++;
  1303. ui_context->last_click_timestamp = timestamp;
  1304. ui_context->last_click_item = active_item;
  1305. uiNotifyItem(active_item, UI_BUTTON0_DOWN);
  1306. }
  1307. ui_context->state = UI_STATE_CAPTURE;
  1308. } else if (uiGetButton(2) && !uiGetLastButton(2)) {
  1309. hot_item = -1;
  1310. hot = uiFindItemForEvent(0, UI_BUTTON2_DOWN,
  1311. &ui_context->active_rect,
  1312. ui_context->cursor.x, ui_context->cursor.y, 0, 0);
  1313. if (hot >= 0) {
  1314. uiNotifyItem(hot, UI_BUTTON2_DOWN);
  1315. }
  1316. } else {
  1317. hot_item = hot;
  1318. }
  1319. } break;
  1320. case UI_STATE_CAPTURE: {
  1321. if (!uiGetButton(0)) {
  1322. if (active_item >= 0) {
  1323. uiNotifyItem(active_item, UI_BUTTON0_UP);
  1324. if (active_item == hot) {
  1325. uiNotifyItem(active_item, UI_BUTTON0_HOT_UP);
  1326. }
  1327. }
  1328. active_item = -1;
  1329. ui_context->state = UI_STATE_IDLE;
  1330. } else {
  1331. if (active_item >= 0) {
  1332. uiNotifyItem(active_item, UI_BUTTON0_CAPTURE);
  1333. }
  1334. if (hot == active_item)
  1335. hot_item = hot;
  1336. else
  1337. hot_item = -1;
  1338. }
  1339. } break;
  1340. }
  1341. ui_context->last_cursor = ui_context->cursor;
  1342. ui_context->last_hot_item = hot_item;
  1343. ui_context->active_item = active_item;
  1344. ui_context->last_timestamp = timestamp;
  1345. ui_context->last_buttons = ui_context->buttons;
  1346. }
  1347. static int uiIsActive(int item) {
  1348. assert(ui_context);
  1349. return ui_context->active_item == item;
  1350. }
  1351. static int uiIsHot(int item) {
  1352. assert(ui_context);
  1353. return ui_context->last_hot_item == item;
  1354. }
  1355. static int uiIsFocused(int item) {
  1356. assert(ui_context);
  1357. return ui_context->focus_item == item;
  1358. }
  1359. UIitemState uiGetState(int item) {
  1360. UIitem *pitem = uiItemPtr(item);
  1361. if (pitem->flags & UI_ITEM_FROZEN) return UI_FROZEN;
  1362. if (uiIsFocused(item)) {
  1363. if (pitem->flags & (UI_KEY_DOWN|UI_CHAR|UI_KEY_UP)) return UI_ACTIVE;
  1364. }
  1365. if (uiIsActive(item)) {
  1366. if (pitem->flags & (UI_BUTTON0_CAPTURE|UI_BUTTON0_UP)) return UI_ACTIVE;
  1367. if ((pitem->flags & UI_BUTTON0_HOT_UP)
  1368. && uiIsHot(item)) return UI_ACTIVE;
  1369. return UI_COLD;
  1370. } else if (uiIsHot(item)) {
  1371. return UI_HOT;
  1372. }
  1373. return UI_COLD;
  1374. }
  1375. #endif // OUI_IMPLEMENTATION