Skip to content
Snippets Groups Projects
imgui.cpp 395 KiB
Newer Older
  • Learn to ignore specific revisions
  • 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000
    // dear imgui, v1.49 WIP
    // (main code and documentation)
    
    // See ImGui::ShowTestWindow() in imgui_demo.cpp for demo code.
    // Newcomers, read 'Programmer guide' below for notes on how to setup ImGui in your codebase.
    // Get latest version at https://github.com/ocornut/imgui
    // Releases change-log at https://github.com/ocornut/imgui/releases
    // Developed by Omar Cornut and every direct or indirect contributors to the GitHub.
    // This library is free but I need your support to sustain development and maintenance.
    // If you work for a company, please consider financial support, e.g: https://www.patreon.com/imgui
    
    /*
    
     Index
     - MISSION STATEMENT
     - END-USER GUIDE
     - PROGRAMMER GUIDE (read me!)
     - API BREAKING CHANGES (read me when you update!)
     - FREQUENTLY ASKED QUESTIONS (FAQ), TIPS
       - How can I help?
       - How do I update to a newer version of ImGui?
       - What is ImTextureID and how do I display an image?
       - Can I have multiple widgets with the same label? Can I have widget without a label? (Yes) / A primer on the use of labels/IDs in ImGui.
       - I integrated ImGui in my engine and the text or lines are blurry..
       - I integrated ImGui in my engine and some elements are clipping or disappearing when I move windows around..
       - How can I load a different font than the default?
       - How can I load multiple fonts?
       - How can I display and input non-latin characters such as Chinese, Japanese, Korean, Cyrillic?
     - ISSUES & TODO-LIST
     - CODE
    
    
     MISSION STATEMENT
     =================
    
     - easy to use to create code-driven and data-driven tools
     - easy to use to create ad hoc short-lived tools and long-lived, more elaborate tools
     - easy to hack and improve
     - minimize screen real-estate usage
     - minimize setup and maintenance
     - minimize state storage on user side
     - portable, minimize dependencies, run on target (consoles, phones, etc.)
     - efficient runtime (NB- we do allocate when "growing" content - creating a window / opening a tree node for the first time, etc. - but a typical frame won't allocate anything)
     - read about immediate-mode gui principles @ http://mollyrocket.com/861, http://mollyrocket.com/forums/index.html
    
     Designed for developers and content-creators, not the typical end-user! Some of the weaknesses includes:
     - doesn't look fancy, doesn't animate
     - limited layout features, intricate layouts are typically crafted in code
     - occasionally uses statically sized buffers for string manipulations - won't crash, but some very long pieces of text may be clipped. functions like ImGui::TextUnformatted() don't have such restriction.
    
    
     END-USER GUIDE
     ==============
    
     - double-click title bar to collapse window
     - click upper right corner to close a window, available when 'bool* p_opened' is passed to ImGui::Begin()
     - click and drag on lower right corner to resize window
     - click and drag on any empty space to move window
     - double-click/double-tap on lower right corner grip to auto-fit to content
     - TAB/SHIFT+TAB to cycle through keyboard editable fields
     - use mouse wheel to scroll
     - use CTRL+mouse wheel to zoom window contents (if IO.FontAllowScaling is true)
     - CTRL+Click on a slider or drag box to input value as text
     - text editor:
       - Hold SHIFT or use mouse to select text.
       - CTRL+Left/Right to word jump
       - CTRL+Shift+Left/Right to select words
       - CTRL+A our Double-Click to select all
       - CTRL+X,CTRL+C,CTRL+V to use OS clipboard
       - CTRL+Z,CTRL+Y to undo/redo
       - ESCAPE to revert text to its original value
       - You can apply arithmetic operators +,*,/ on numerical values. Use +- to subtract (because - would set a negative value!)
    
    
     PROGRAMMER GUIDE
     ================
    
     - read the FAQ below this section!
     - your code creates the UI, if your code doesn't run the UI is gone! == very dynamic UI, no construction/destructions steps, less data retention on your side, no state duplication, less sync, less bugs.
     - call and read ImGui::ShowTestWindow() for demo code demonstrating most features.
     - see examples/ folder for standalone sample applications. Prefer reading examples/opengl_example/ first at it is the simplest.
       you may be able to grab and copy a ready made imgui_impl_*** file from the examples/.
     - customization: PushStyleColor()/PushStyleVar() or the style editor to tweak the look of the interface (e.g. if you want a more compact UI or a different color scheme).
    
     - getting started:
       - init: call ImGui::GetIO() to retrieve the ImGuiIO structure and fill the fields marked 'Settings'.
       - init: call io.Fonts->GetTexDataAsRGBA32(...) and load the font texture pixels into graphics memory.
       - every frame:
          1/ in your mainloop or right after you got your keyboard/mouse info, call ImGui::GetIO() and fill the fields marked 'Input'
          2/ call ImGui::NewFrame() as early as you can!
          3/ use any ImGui function you want between NewFrame() and Render()
          4/ call ImGui::Render() as late as you can to end the frame and finalize render data. it will call your RenderDrawListFn handler that you set in the IO structure.
             (if you don't need to render, you still need to call Render() and ignore the callback, or call EndFrame() instead. if you call neither some aspects of windows focusing/moving will appear broken.)
       - all rendering information are stored into command-lists until ImGui::Render() is called.
       - ImGui never touches or know about your GPU state. the only function that knows about GPU is the RenderDrawListFn handler that you provide.
       - effectively it means you can create widgets at any time in your code, regardless of considerations of being in "update" vs "render" phases of your own application.
       - refer to the examples applications in the examples/ folder for instruction on how to setup your code.
       - a typical application skeleton may be:
    
            // Application init
            ImGuiIO& io = ImGui::GetIO();
            io.DisplaySize.x = 1920.0f;
            io.DisplaySize.y = 1280.0f;
            io.IniFilename = "imgui.ini";
            io.RenderDrawListsFn = my_render_function;  // Setup a render function, or set to NULL and call GetDrawData() after Render() to access the render data.
            // TODO: Fill others settings of the io structure
    
            // Load texture atlas
            // There is a default font so you don't need to care about choosing a font yet
            unsigned char* pixels;
            int width, height;
            io.Fonts->GetTexDataAsRGBA32(pixels, &width, &height);
            // TODO: At this points you've got a texture pointed to by 'pixels' and you need to upload that your your graphic system
            // TODO: Store your texture pointer/identifier (whatever your engine uses) in 'io.Fonts->TexID'
    
            // Application main loop
            while (true)
            {
                // 1) get low-level inputs (e.g. on Win32, GetKeyboardState(), or poll your events, etc.)
                // TODO: fill all fields of IO structure and call NewFrame
                ImGuiIO& io = ImGui::GetIO();
                io.DeltaTime = 1.0f/60.0f;
                io.MousePos = mouse_pos;
                io.MouseDown[0] = mouse_button_0;
                io.MouseDown[1] = mouse_button_1;
                io.KeysDown[i] = ...
    
                // 2) call NewFrame(), after this point you can use ImGui::* functions anytime
                ImGui::NewFrame();
    
                // 3) most of your application code here
                ImGui::Begin("My window");
                ImGui::Text("Hello, world.");
                ImGui::End();
                MyGameUpdate(); // may use ImGui functions
                MyGameRender(); // may use ImGui functions
    
                // 4) render & swap video buffers
                ImGui::Render();
                SwapBuffers();
            }
    
       - after calling ImGui::NewFrame() you can read back flags from the IO structure to tell how ImGui intends to use your inputs.
         When 'io.WantCaptureMouse' or 'io.WantCaptureKeyboard' flags are set you may want to discard/hide the inputs from the rest of your application.
         When 'io.WantInputsCharacters' is set to may want to notify your OS to popup an on-screen keyboard, if available.
    
    
     API BREAKING CHANGES
     ====================
    
     Occasionally introducing changes that are breaking the API. The breakage are generally minor and easy to fix.
     Here is a change-log of API breaking changes, if you are using one of the functions listed, expect to have to fix some code.
     Also read releases logs https://github.com/ocornut/imgui/releases for more details.
    
     - 2016/04/03 (1.48) - removed style.WindowFillAlphaDefault setting which was redundant. Bake default BG alpha inside style.Colors[ImGuiCol_WindowBg] and all other Bg color values. (ref github issue #337).
     - 2016/04/03 (1.48) - renamed ImGuiCol_TooltipBg to ImGuiCol_PopupBg, used by popups/menus and tooltips. popups/menus were previously using ImGuiCol_WindowBg. (ref github issue #337)
     - 2016/03/21 (1.48) - renamed GetWindowFont() to GetFont(), GetWindowFontSize() to GetFontSize(). Kept inline redirection function (will obsolete).
     - 2016/03/02 (1.48) - InputText() completion/history/always callbacks: if you modify the text buffer manually (without using DeleteChars()/InsertChars() helper) you need to maintain the BufTextLen field. added an assert.
     - 2016/01/23 (1.48) - fixed not honoring exact width passed to PushItemWidth(), previously it would add extra FramePadding.x*2 over that width. if you had manual pixel-perfect alignment in place it might affect you.
     - 2015/12/27 (1.48) - fixed ImDrawList::AddRect() which used to render a rectangle 1 px too large on each axis.
     - 2015/12/04 (1.47) - renamed Color() helpers to ValueColor() - dangerously named, rarely used and probably to be made obsolete.
     - 2015/08/29 (1.45) - with the addition of horizontal scrollbar we made various fixes to inconsistencies with dealing with cursor position.
                           GetCursorPos()/SetCursorPos() functions now include the scrolled amount. It shouldn't affect the majority of users, but take note that SetCursorPosX(100.0f) puts you at +100 from the starting x position which may include scrolling, not at +100 from the window left side.
                           GetContentRegionMax()/GetWindowContentRegionMin()/GetWindowContentRegionMax() functions allow include the scrolled amount. Typically those were used in cases where no scrolling would happen so it may not be a problem, but watch out!
     - 2015/08/29 (1.45) - renamed style.ScrollbarWidth to style.ScrollbarSize
     - 2015/08/05 (1.44) - split imgui.cpp into extra files: imgui_demo.cpp imgui_draw.cpp imgui_internal.h that you need to add to your project.
     - 2015/07/18 (1.44) - fixed angles in ImDrawList::PathArcTo(), PathArcToFast() (introduced in 1.43) being off by an extra PI for no justifiable reason
     - 2015/07/14 (1.43) - add new ImFontAtlas::AddFont() API. For the old AddFont***, moved the 'font_no' parameter of ImFontAtlas::AddFont** functions to the ImFontConfig structure.
                           you need to render your textured triangles with bilinear filtering to benefit from sub-pixel positioning of text.
     - 2015/07/08 (1.43) - switched rendering data to use indexed rendering. this is saving a fair amount of CPU/GPU and enables us to get anti-aliasing for a marginal cost.
                           this necessary change will break your rendering function! the fix should be very easy. sorry for that :(
                         - if you are using a vanilla copy of one of the imgui_impl_XXXX.cpp provided in the example, you just need to update your copy and you can ignore the rest.
                         - the signature of the io.RenderDrawListsFn handler has changed!
                                ImGui_XXXX_RenderDrawLists(ImDrawList** const cmd_lists, int cmd_lists_count)
                           became:
                                ImGui_XXXX_RenderDrawLists(ImDrawData* draw_data).
                                  argument   'cmd_lists'        -> 'draw_data->CmdLists'
                                  argument   'cmd_lists_count'  -> 'draw_data->CmdListsCount'
                                  ImDrawList 'commands'         -> 'CmdBuffer'
                                  ImDrawList 'vtx_buffer'       -> 'VtxBuffer'
                                  ImDrawList  n/a               -> 'IdxBuffer' (new)
                                  ImDrawCmd  'vtx_count'        -> 'ElemCount'
                                  ImDrawCmd  'clip_rect'        -> 'ClipRect'
                                  ImDrawCmd  'user_callback'    -> 'UserCallback'
                                  ImDrawCmd  'texture_id'       -> 'TextureId'
                         - each ImDrawList now contains both a vertex buffer and an index buffer. For each command, render ElemCount/3 triangles using indices from the index buffer.
                         - if you REALLY cannot render indexed primitives, you can call the draw_data->DeIndexAllBuffers() method to de-index the buffers. This is slow and a waste of CPU/GPU. Prefer using indexed rendering!
                         - refer to code in the examples/ folder or ask on the GitHub if you are unsure of how to upgrade. please upgrade!
     - 2015/07/10 (1.43) - changed SameLine() parameters from int to float.
     - 2015/07/02 (1.42) - renamed SetScrollPosHere() to SetScrollFromCursorPos(). Kept inline redirection function (will obsolete).
     - 2015/07/02 (1.42) - renamed GetScrollPosY() to GetScrollY(). Necessary to reduce confusion along with other scrolling functions, because positions (e.g. cursor position) are not equivalent to scrolling amount.
     - 2015/06/14 (1.41) - changed ImageButton() default bg_col parameter from (0,0,0,1) (black) to (0,0,0,0) (transparent) - makes a difference when texture have transparence
     - 2015/06/14 (1.41) - changed Selectable() API from (label, selected, size) to (label, selected, flags, size). Size override should have been rarely be used. Sorry!
     - 2015/05/31 (1.40) - renamed GetWindowCollapsed() to IsWindowCollapsed() for consistency. Kept inline redirection function (will obsolete).
     - 2015/05/31 (1.40) - renamed IsRectClipped() to IsRectVisible() for consistency. Note that return value is opposite! Kept inline redirection function (will obsolete).
     - 2015/05/27 (1.40) - removed the third 'repeat_if_held' parameter from Button() - sorry! it was rarely used and inconsistent. Use PushButtonRepeat(true) / PopButtonRepeat() to enable repeat on desired buttons.
     - 2015/05/11 (1.40) - changed BeginPopup() API, takes a string identifier instead of a bool. ImGui needs to manage the open/closed state of popups. Call OpenPopup() to actually set the "opened" state of a popup. BeginPopup() returns true if the popup is opened.
     - 2015/05/03 (1.40) - removed style.AutoFitPadding, using style.WindowPadding makes more sense (the default values were already the same).
     - 2015/04/13 (1.38) - renamed IsClipped() to IsRectClipped(). Kept inline redirection function (will obsolete).
     - 2015/04/09 (1.38) - renamed ImDrawList::AddArc() to ImDrawList::AddArcFast() for compatibility with future API
     - 2015/04/03 (1.38) - removed ImGuiCol_CheckHovered, ImGuiCol_CheckActive, replaced with the more general ImGuiCol_FrameBgHovered, ImGuiCol_FrameBgActive.
     - 2014/04/03 (1.38) - removed support for passing -FLT_MAX..+FLT_MAX as the range for a SliderFloat(). Use DragFloat() or Inputfloat() instead.
     - 2015/03/17 (1.36) - renamed GetItemBoxMin()/GetItemBoxMax()/IsMouseHoveringBox() to GetItemRectMin()/GetItemRectMax()/IsMouseHoveringRect(). Kept inline redirection function (will obsolete).
     - 2015/03/15 (1.36) - renamed style.TreeNodeSpacing to style.IndentSpacing, ImGuiStyleVar_TreeNodeSpacing to ImGuiStyleVar_IndentSpacing
     - 2015/03/13 (1.36) - renamed GetWindowIsFocused() to IsWindowFocused(). Kept inline redirection function (will obsolete).
     - 2015/03/08 (1.35) - renamed style.ScrollBarWidth to style.ScrollbarWidth (casing)
     - 2015/02/27 (1.34) - renamed OpenNextNode(bool) to SetNextTreeNodeOpened(bool, ImGuiSetCond). Kept inline redirection function (will obsolete).
     - 2015/02/27 (1.34) - renamed ImGuiSetCondition_*** to ImGuiSetCond_***, and _FirstUseThisSession becomes _Once.
     - 2015/02/11 (1.32) - changed text input callback ImGuiTextEditCallback return type from void-->int. reserved for future use, return 0 for now.
     - 2015/02/10 (1.32) - renamed GetItemWidth() to CalcItemWidth() to clarify its evolving behavior
     - 2015/02/08 (1.31) - renamed GetTextLineSpacing() to GetTextLineHeightWithSpacing()
     - 2015/02/01 (1.31) - removed IO.MemReallocFn (unused)
     - 2015/01/19 (1.30) - renamed ImGuiStorage::GetIntPtr()/GetFloatPtr() to GetIntRef()/GetIntRef() because Ptr was conflicting with actual pointer storage functions.
     - 2015/01/11 (1.30) - big font/image API change! now loads TTF file. allow for multiple fonts. no need for a PNG loader.
                  (1.30) - removed GetDefaultFontData(). uses io.Fonts->GetTextureData*() API to retrieve uncompressed pixels.
                           this sequence:
                               const void* png_data;
                               unsigned int png_size;
                               ImGui::GetDefaultFontData(NULL, NULL, &png_data, &png_size);
                               // <Copy to GPU>
                           became:
                               unsigned char* pixels;
                               int width, height;
                               io.Fonts->GetTexDataAsRGBA32(&pixels, &width, &height);
                               // <Copy to GPU>
                               io.Fonts->TexID = (your_texture_identifier);
                           you now have much more flexibility to load multiple TTF fonts and manage the texture buffer for internal needs.
                           it is now recommended that you sample the font texture with bilinear interpolation.
                  (1.30) - added texture identifier in ImDrawCmd passed to your render function (we can now render images). make sure to set io.Fonts->TexID.
                  (1.30) - removed IO.PixelCenterOffset (unnecessary, can be handled in user projection matrix)
                  (1.30) - removed ImGui::IsItemFocused() in favor of ImGui::IsItemActive() which handles all widgets
     - 2014/12/10 (1.18) - removed SetNewWindowDefaultPos() in favor of new generic API SetNextWindowPos(pos, ImGuiSetCondition_FirstUseEver)
     - 2014/11/28 (1.17) - moved IO.Font*** options to inside the IO.Font-> structure (FontYOffset, FontTexUvForWhite, FontBaseScale, FontFallbackGlyph)
     - 2014/11/26 (1.17) - reworked syntax of IMGUI_ONCE_UPON_A_FRAME helper macro to increase compiler compatibility
     - 2014/11/07 (1.15) - renamed IsHovered() to IsItemHovered()
     - 2014/10/02 (1.14) - renamed IMGUI_INCLUDE_IMGUI_USER_CPP to IMGUI_INCLUDE_IMGUI_USER_INL and imgui_user.cpp to imgui_user.inl (more IDE friendly)
     - 2014/09/25 (1.13) - removed 'text_end' parameter from IO.SetClipboardTextFn (the string is now always zero-terminated for simplicity)
     - 2014/09/24 (1.12) - renamed SetFontScale() to SetWindowFontScale()
     - 2014/09/24 (1.12) - moved IM_MALLOC/IM_REALLOC/IM_FREE preprocessor defines to IO.MemAllocFn/IO.MemReallocFn/IO.MemFreeFn
     - 2014/08/30 (1.09) - removed IO.FontHeight (now computed automatically)
     - 2014/08/30 (1.09) - moved IMGUI_FONT_TEX_UV_FOR_WHITE preprocessor define to IO.FontTexUvForWhite
     - 2014/08/28 (1.09) - changed the behavior of IO.PixelCenterOffset following various rendering fixes
    
    
     FREQUENTLY ASKED QUESTIONS (FAQ), TIPS
     ======================================
    
     Q: How can I help?
     A: - If you are experienced enough with ImGui and with C/C++, look at the todo list and see how you want/can help!
        - Become a Patron/donate. Convince your company to become a Patron or provide serious funding for development time.
    
     Q: How do I update to a newer version of ImGui?
     A: Overwrite the following files:
          imgui.cpp
          imgui.h
          imgui_demo.cpp
          imgui_draw.cpp
          imgui_internal.h
          stb_rect_pack.h
          stb_textedit.h
          stb_truetype.h
        Don't overwrite imconfig.h if you have made modification to your copy.
        Check the "API BREAKING CHANGES" sections for a list of occasional API breaking changes. If you have a problem with a function, search for its name
        in the code, there will likely be a comment about it. Please report any issue to the GitHub page!
    
    
     Q: What is ImTextureID and how do I display an image?
     A: ImTextureID is a void* used to pass renderer-agnostic texture references around until it hits your render function.
        ImGui knows nothing about what those bits represent, it just passes them around. It is up to you to decide what you want the void* to carry!
        It could be an identifier to your OpenGL texture (cast GLuint to void*), a pointer to your custom engine material (cast MyMaterial* to void*), etc.
        At the end of the chain, your renderer takes this void* to cast it back into whatever it needs to select a current texture to render.
        Refer to examples applications, where each renderer (in a imgui_impl_xxxx.cpp file) is treating ImTextureID as a different thing.
        (c++ tip: OpenGL uses integers to identify textures. You can safely store an integer into a void*, just cast it to void*, don't take it's address!)
        To display a custom image/texture within an ImGui window, you may use ImGui::Image(), ImGui::ImageButton(), ImDrawList::AddImage() functions.
        ImGui will generate the geometry and draw calls using the ImTextureID that you passed and which your renderer can use.
        It is your responsibility to get textures uploaded to your GPU.
    
     Q: Can I have multiple widgets with the same label? Can I have widget without a label? (Yes)
     A: Yes. A primer on the use of labels/IDs in ImGui..
    
       - Elements that are not clickable, such as Text() items don't need an ID.
    
       - Interactive widgets require state to be carried over multiple frames (most typically ImGui often needs to remember what is the "active" widget).
         to do so they need an unique ID. unique ID are typically derived from a string label, an integer index or a pointer.
    
           Button("OK");        // Label = "OK",     ID = hash of "OK"
           Button("Cancel");    // Label = "Cancel", ID = hash of "Cancel"
    
       - ID are uniquely scoped within windows, tree nodes, etc. so no conflict can happen if you have two buttons called "OK" in two different windows
         or in two different locations of a tree.
    
       - If you have a same ID twice in the same location, you'll have a conflict:
    
           Button("OK");
           Button("OK");           // ID collision! Both buttons will be treated as the same.
    
         Fear not! this is easy to solve and there are many ways to solve it!
    
       - When passing a label you can optionally specify extra unique ID information within string itself. This helps solving the simpler collision cases.
         use "##" to pass a complement to the ID that won't be visible to the end-user:
    
           Button("Play");         // Label = "Play",   ID = hash of "Play"
           Button("Play##foo1");   // Label = "Play",   ID = hash of "Play##foo1" (different from above)
           Button("Play##foo2");   // Label = "Play",   ID = hash of "Play##foo2" (different from above)
    
       - If you want to completely hide the label, but still need an ID:
    
           Checkbox("##On", &b);   // Label = "",       ID = hash of "##On" (no label!)
    
       - Occasionally/rarely you might want change a label while preserving a constant ID. This allows you to animate labels.
         For example you may want to include varying information in a window title bar (and windows are uniquely identified by their ID.. obviously)
         Use "###" to pass a label that isn't part of ID:
    
           Button("Hello###ID";   // Label = "Hello",  ID = hash of "ID"
           Button("World###ID";   // Label = "World",  ID = hash of "ID" (same as above)
    
           sprintf(buf, "My game (%f FPS)###MyGame");
           Begin(buf);            // Variable label,   ID = hash of "MyGame"
    
       - Use PushID() / PopID() to create scopes and avoid ID conflicts within the same Window.
         This is the most convenient way of distinguishing ID if you are iterating and creating many UI elements.
         You can push a pointer, a string or an integer value. Remember that ID are formed from the concatenation of everything in the ID stack!
    
           for (int i = 0; i < 100; i++)
           {
             PushID(i);
             Button("Click");   // Label = "Click",  ID = hash of integer + "label" (unique)
             PopID();
           }
    
           for (int i = 0; i < 100; i++)
           {
             MyObject* obj = Objects[i];
             PushID(obj);
             Button("Click");   // Label = "Click",  ID = hash of pointer + "label" (unique)
             PopID();
           }
    
           for (int i = 0; i < 100; i++)
           {
             MyObject* obj = Objects[i];
             PushID(obj->Name);
             Button("Click");   // Label = "Click",  ID = hash of string + "label" (unique)
             PopID();
           }
    
       - More example showing that you can stack multiple prefixes into the ID stack:
    
           Button("Click");     // Label = "Click",  ID = hash of "Click"
           PushID("node");
           Button("Click");     // Label = "Click",  ID = hash of "node" + "Click"
             PushID(my_ptr);
               Button("Click"); // Label = "Click",  ID = hash of "node" + ptr + "Click"
             PopID();
           PopID();
    
       - Tree nodes implicitly creates a scope for you by calling PushID().
    
           Button("Click");     // Label = "Click",  ID = hash of "Click"
           if (TreeNode("node"))
           {
             Button("Click");   // Label = "Click",  ID = hash of "node" + "Click"
             TreePop();
           }
    
       - When working with trees, ID are used to preserve the opened/closed state of each tree node.
         Depending on your use cases you may want to use strings, indices or pointers as ID.
          e.g. when displaying a single object that may change over time (1-1 relationship), using a static string as ID will preserve your node open/closed state when the targeted object change.
          e.g. when displaying a list of objects, using indices or pointers as ID will preserve the node open/closed state differently. experiment and see what makes more sense!
    
     Q: I integrated ImGui in my engine and the text or lines are blurry..
     A: In your Render function, try translating your projection matrix by (0.5f,0.5f) or (0.375f,0.375f).
        Also make sure your orthographic projection matrix and io.DisplaySize matches your actual framebuffer dimension.
    
     Q: I integrated ImGui in my engine and some elements are clipping or disappearing when I move windows around..
     A: Most likely you are mishandling the clipping rectangles in your render function. Rectangles provided by ImGui are defined as (x1,y1,x2,y2) and NOT as (x1,y1,width,height).
    
     Q: How can I load a different font than the default? (default is an embedded version of ProggyClean.ttf, rendered at size 13)
     A: Use the font atlas to load the TTF file you want:
    
          ImGuiIO& io = ImGui::GetIO();
          io.Fonts->AddFontFromFileTTF("myfontfile.ttf", size_in_pixels);
          io.Fonts->GetTexDataAsRGBA32() or GetTexDataAsAlpha8()
    
     Q: How can I load multiple fonts?
     A: Use the font atlas to pack them into a single texture:
        (Read extra_fonts/README.txt and the code in ImFontAtlas for more details.)
    
          ImGuiIO& io = ImGui::GetIO();
          ImFont* font0 = io.Fonts->AddFontDefault();
          ImFont* font1 = io.Fonts->AddFontFromFileTTF("myfontfile.ttf", size_in_pixels);
          ImFont* font2 = io.Fonts->AddFontFromFileTTF("myfontfile2.ttf", size_in_pixels);
          io.Fonts->GetTexDataAsRGBA32() or GetTexDataAsAlpha8()
          // the first loaded font gets used by default
          // use ImGui::PushFont()/ImGui::PopFont() to change the font at runtime
    
          // Options
          ImFontConfig config;
          config.OversampleH = 3;
          config.OversampleV = 1;
          config.GlyphExtraSpacing.x = 1.0f;
          io.Fonts->LoadFromFileTTF("myfontfile.ttf", size_pixels, &config);
    
          // Combine multiple fonts into one
          ImWchar ranges[] = { 0xf000, 0xf3ff, 0 };
          ImFontConfig config;
          config.MergeMode = true;
          io.Fonts->AddFontDefault();
          io.Fonts->LoadFromFileTTF("fontawesome-webfont.ttf", 16.0f, &config, ranges);
          io.Fonts->LoadFromFileTTF("myfontfile.ttf", size_pixels, NULL, &config, io.Fonts->GetGlyphRangesJapanese());
    
     Q: How can I display and input non-Latin characters such as Chinese, Japanese, Korean, Cyrillic?
     A: When loading a font, pass custom Unicode ranges to specify the glyphs to load. ImGui will support UTF-8 encoding across the board.
        Character input depends on you passing the right character code to io.AddInputCharacter(). The example applications do that.
    
          io.Fonts->AddFontFromFileTTF("myfontfile.ttf", size_in_pixels, NULL, io.Fonts->GetGlyphRangesJapanese());  // Load Japanese characters
          io.Fonts->GetTexDataAsRGBA32() or GetTexDataAsAlpha8()
          io.ImeWindowHandle = MY_HWND;      // To input using Microsoft IME, give ImGui the hwnd of your application
    
     - tip: the construct 'IMGUI_ONCE_UPON_A_FRAME { ... }' will run the block of code only once a frame. You can use it to quickly add custom UI in the middle of a deep nested inner loop in your code.
     - tip: you can create widgets without a Begin()/End() block, they will go in an implicit window called "Debug"
     - tip: you can call Begin() multiple times with the same name during the same frame, it will keep appending to the same window. this is also useful to set yourself in the context of another window (to get/set other settings)
     - tip: you can call Render() multiple times (e.g for VR renders).
     - tip: call and read the ShowTestWindow() code in imgui_demo.cpp for more example of how to use ImGui!
    
    
     ISSUES & TODO-LIST
     ==================
     Issue numbers (#) refer to github issues listed at https://github.com/ocornut/imgui/issues
     The list below consist mostly of notes of things to do before they are requested/discussed by users (at that point it usually happens on the github)
    
     - doc: add a proper documentation+regression testing system (#435)
     - window: maximum window size settings (per-axis). for large popups in particular user may not want the popup to fill all space.
     - window: add a way for very transient windows (non-saved, temporary overlay over hundreds of objects) to "clean" up from the global window list. perhaps a lightweight explicit cleanup pass.
     - window: calling SetNextWindowSize() every frame with <= 0 doesn't do anything, may be useful to allow (particularly when used for a single axis).
     - window: auto-fit feedback loop when user relies on any dynamic layout (window width multiplier, column) appears weird to end-user. clarify.
     - window: allow resizing of child windows (possibly given min/max for each axis?)
     - window: background options for child windows, border option (disable rounding)
     - window: add a way to clear an existing window instead of appending (e.g. for tooltip override using a consistent api rather than the deferred tooltip)
     - window: resizing from any sides? + mouse cursor directives for app.
    !- window: begin with *p_opened == false should return false.
     - window: get size/pos helpers given names (see discussion in #249)
     - window: a collapsed window can be stuck behind the main menu bar?
     - window: when window is small, prioritize resize button over close button.
     - window: detect extra End() call that pop the "Debug" window out and assert at call site instead of later.
     - window/tooltip: allow to set the width of a tooltip to allow TextWrapped() etc. while keeping the height automatic.
     - window: increase minimum size of a window with menus or fix the menu rendering so that it doesn't look odd.
     - draw-list: maintaining bounding box per command would allow to merge draw command when clipping isn't relied on (typical non-scrolling window or non-overflowing column would merge with previous command).
    !- scrolling: allow immediately effective change of scroll if we haven't appended items yet
     - splitter/separator: formalize the splitter idiom into an official api (we want to handle n-way split) (#319)
     - widgets: display mode: widget-label, label-widget (aligned on column or using fixed size), label-newline-tab-widget etc.
     - widgets: clean up widgets internal toward exposing everything.
     - widgets: add disabled and read-only modes (#211)
     - main: considering adding an Init() function? some constructs are awkward in the implementation because of the lack of them.
    !- main: make it so that a frame with no window registered won't refocus every window on subsequent frames (~bump LastFrameActive of all windows).
     - main: IsItemHovered() make it more consistent for various type of widgets, widgets with multiple components, etc. also effectively IsHovered() region sometimes differs from hot region, e.g tree nodes
     - main: IsItemHovered() info stored in a stack? so that 'if TreeNode() { Text; TreePop; } if IsHovered' return the hover state of the TreeNode?
     - input text: clean up the mess caused by converting UTF-8 <> wchar. the code is rather inefficient right now.
     - input text: reorganize event handling, allow CharFilter to modify buffers, allow multiple events? (#541)
     - input text: flag to disable live update of the user buffer (also applies to float/int text input) 
     - input text: resize behavior - field could stretch when being edited? hover tooltip shows more text?
     - input text: add ImGuiInputTextFlags_EnterToApply? (off #218)
     - input text multi-line: don't directly call AddText() which does an unnecessary vertex reserve for character count prior to clipping. and/or more line-based clipping to AddText(). and/or reorganize TextUnformatted/RenderText for more efficiency for large text (e.g TextUnformatted could clip and log separately, etc).
     - input text multi-line: way to dynamically grow the buffer without forcing the user to initially allocate for worse case (follow up on #200)
     - input text multi-line: line numbers? status bar? (follow up on #200)
     - input text: allow centering/positioning text so that ctrl+clicking Drag or Slider keeps the textual value at the same pixel position.
     - input number: optional range min/max for Input*() functions
     - input number: holding [-]/[+] buttons could increase the step speed non-linearly (or user-controlled)
     - input number: use mouse wheel to step up/down
     - input number: applying arithmetics ops (+,-,*,/) messes up with text edit undo stack.
     - button: provide a button that looks framed.
     - text: proper alignment options
     - image/image button: misalignment on padded/bordered button?
     - image/image button: parameters are confusing, image() has tint_col,border_col whereas imagebutton() has bg_col/tint_col. Even thou they are different parameters ordering could be more consistent. can we fix that?
     - layout: horizontal layout helper (#97)
     - layout: horizontal flow until no space left (#404)
     - layout: more generic alignment state (left/right/centered) for single items?
     - layout: clean up the InputFloatN/SliderFloatN/ColorEdit4 layout code. item width should include frame padding.
     - layout: BeginGroup() needs a border option.
     - columns: declare column set (each column: fixed size, %, fill, distribute default size among fills) (#513, #125)
     - columns: add a conditional parameter to SetColumnOffset() (#513, #125)
     - columns: separator function or parameter that works within the column (currently Separator() bypass all columns) (#125)
     - columns: columns header to act as button (~sort op) and allow resize/reorder (#513, #125)
     - columns: user specify columns size (#513, #125)
     - columns: flag to add horizontal separator above/below?
     - columns/layout: setup minimum line height (equivalent of automatically calling AlignFirstTextHeightToWidgets)
     - combo: sparse combo boxes (via function call?) / iterators
     - combo: contents should extends to fit label if combo widget is small
     - combo/listbox: keyboard control. need InputText-like non-active focus + key handling. considering keyboard for custom listbox (pr #203)
     - listbox: multiple selection
     - listbox: user may want to initial scroll to focus on the one selected value?
     - listbox: keyboard navigation.
     - listbox: scrolling should track modified selection.
    !- popups/menus: clarify usage of popups id, how MenuItem/Selectable closing parent popups affects the ID, etc. this is quite fishy needs improvement! (#331, #402)
     - popups: add variant using global identifier similar to Begin/End (#402)
     - popups: border options. richer api like BeginChild() perhaps? (#197)
     - tooltip: tooltip that doesn't fit in entire screen seems to lose their "last prefered button" and may teleport when moving mouse
     - menus: local shortcuts, global shortcuts (#456, #126)
     - menus: icons
     - menus: menubars: some sort of priority / effect of main menu-bar on desktop size?
     - menus: calling BeginMenu() twice with a same name doesn't seem to append nicely
     - statusbar: add a per-window status bar helper similar to what menubar does.
     - tabs (#261, #351)
     - separator: separator on the initial position of a window is not visible (cursorpos.y <= clippos.y)
    !- color: the color helpers/typing is a mess and needs sorting out.
     - color: add a better color picker (#346)
     - node/graph editor (#306)
     - pie menus patterns (#434)
     - drag'n drop, dragging helpers (carry dragging info, visualize drag source before clicking, drop target, etc.) (#143, #479)
     - plot: PlotLines() should use the polygon-stroke facilities (currently issues with averaging normals)
     - plot: make it easier for user to draw extra stuff into the graph (e.g: draw basis, highlight certain points, 2d plots, multiple plots)
     - plot: "smooth" automatic scale over time, user give an input 0.0(full user scale) 1.0(full derived from value)
     - plot: add a helper e.g. Plot(char* label, float value, float time_span=2.0f) that stores values and Plot them for you - probably another function name. and/or automatically allow to plot ANY displayed value (more reliance on stable ID)
     - slider: allow using the [-]/[+] buttons used by InputFloat()/InputInt()
     - slider: initial absolute click is imprecise. change to relative movement slider (same as scrollbar).
     - slider: add dragging-based widgets to edit values with mouse (on 2 axises), saving screen real-estate.
     - slider: tint background based on value (e.g. v_min -> v_max, or use 0.0f either side of the sign)
     - slider & drag: int data passing through a float
     - drag float: up/down axis
     - drag float: added leeway on edge (e.g. a few invisible steps past the clamp limits)
     - tree node / optimization: avoid formatting when clipped.
     - tree node: clarify spacing, perhaps provide API to query exact spacing. provide API to draw the primitive. same with Bullet().
     - tree node: tree-node/header right-most side doesn't take account of horizontal scrolling.
     - tree node: add treenode/treepush int variants? because (void*) cast from int warns on some platforms/settings
     - tree node: try to apply scrolling at time of TreePop() if node was just opened and end of node is past scrolling limits?
     - tree node / selectable render mismatch which is visible if you use them both next to each other (e.g. cf. property viewer)
     - textwrapped: figure out better way to use TextWrapped() in an always auto-resize context (tooltip, etc.) (git issue #249)
     - settings: write more decent code to allow saving/loading new fields
     - settings: api for per-tool simple persistent data (bool,int,float,columns sizes,etc.) in .ini file
     - style: add window shadows.
     - style/optimization: store rounded corners in texture to use 1 quad per corner (filled and wireframe) to lower the cost of rounding.
     - style: color-box not always square?
     - style: a concept of "compact style" that the end-user can easily rely on (e.g. PushStyleCompact()?) that maps to other settings? avoid implementing duplicate helpers such as SmallCheckbox(), etc.
     - style: try to make PushStyleVar() more robust to incorrect parameters (to be more friendly to edit & continues situation).
     - style/opt: PopStyleVar could be optimized by having GetStyleVar returns the type, using a table mapping stylevar enum to data type.
     - style: global scale setting.
     - style: WindowPadding needs to be EVEN needs the 0.5 multiplier probably have a subtle effect on clip rectangle
     - text: simple markup language for color change?
     - font: dynamic font atlas to avoid baking huge ranges into bitmap and make scaling easier.
     - font: helper to add glyph redirect/replacements (e.g. redirect alternate apostrophe unicode code points to ascii one, etc.)
     - log: LogButtons() options for specifying depth and/or hiding depth slider
     - log: have more control over the log scope (e.g. stop logging when leaving current tree node scope)
     - log: be able to log anything (e.g. right-click on a window/tree-node, shows context menu? log into tty/file/clipboard)
     - log: let user copy any window content to clipboard easily (CTRL+C on windows? while moving it? context menu?). code is commented because it fails with multiple Begin/End pairs.
     - filters: set a current filter that tree node can automatically query to hide themselves
     - filters: handle wildcards (with implicit leading/trailing *), regexps
     - shortcuts: add a shortcut api, e.g. parse "&Save" and/or "Save (CTRL+S)", pass in to widgets or provide simple ways to use (button=activate, input=focus)
    !- keyboard: tooltip & combo boxes are messing up / not honoring keyboard tabbing
     - keyboard: full keyboard navigation and focus. (#323)
     - focus: SetKeyboardFocusHere() on with >= 0 offset could be done on same frame (else latch and modulate on beginning of next frame)
     - input: rework IO system to be able to pass actual ordered/timestamped events.
     - input: allow to decide and pass explicit double-clicks (e.g. for windows by the CS_DBLCLKS style).
     - input: support track pad style scrolling & slider edit.
     - misc: provide a way to compile out the entire implementation while providing a dummy API (e.g. #define IMGUI_DUMMY_IMPL)
     - misc: double-clicking on title bar to minimize isn't consistent, perhaps move to single-click on left-most collapse icon?
     - misc: provide HoveredTime and ActivatedTime to ease the creation of animations.
     - style editor: have a more global HSV setter (e.g. alter hue on all elements). consider replacing active/hovered by offset in HSV space? (#438)
     - style editor: color child window height expressed in multiple of line height.
     - remote: make a system like RemoteImGui first-class citizen/project (#75)
    !- demo: custom render demo pushes a clipping rectangle past parent window bounds. expose ImGui::PushClipRect() from imgui_internal.h?
     - drawlist: end-user probably can't call Clear() directly because we expect a texture to be pushed in the stack.
     - examples: directx9: save/restore device state more thoroughly.
     - examples: window minimize, maximize (#583)
     - optimization: use another hash function than crc32, e.g. FNV1a
     - optimization/render: merge command-lists with same clip-rect into one even if they aren't sequential? (as long as in-between clip rectangle don't overlap)?
     - optimization: turn some the various stack vectors into statically-sized arrays
     - optimization: better clipping for multi-component widgets
    */
    
    #if defined(_MSC_VER) && !defined(_CRT_SECURE_NO_WARNINGS)
    #define _CRT_SECURE_NO_WARNINGS
    #endif
    
    #include "imgui.h"
    #define IMGUI_DEFINE_MATH_OPERATORS
    #define IMGUI_DEFINE_PLACEMENT_NEW
    #include "imgui_internal.h"
    
    #include <ctype.h>      // toupper, isprint
    #include <math.h>       // sqrtf, fabsf, fmodf, powf, cosf, sinf, floorf, ceilf
    #include <stdlib.h>     // NULL, malloc, free, qsort, atoi
    #include <stdio.h>      // vsnprintf, sscanf, printf
    #if defined(_MSC_VER) && _MSC_VER <= 1500 // MSVC 2008 or earlier
    #include <stddef.h>     // intptr_t
    #else
    #include <stdint.h>     // intptr_t
    #endif
    
    #ifdef _MSC_VER
    #pragma warning (disable: 4127) // condition expression is constant
    #pragma warning (disable: 4505) // unreferenced local function has been removed (stb stuff)
    #pragma warning (disable: 4996) // 'This function or variable may be unsafe': strcpy, strdup, sprintf, vsnprintf, sscanf, fopen
    #define snprintf _snprintf
    #endif
    
    // Clang warnings with -Weverything
    #ifdef __clang__
    #pragma clang diagnostic ignored "-Wold-style-cast"         // warning : use of old-style cast                              // yes, they are more terse.
    #pragma clang diagnostic ignored "-Wfloat-equal"            // warning : comparing floating point with == or != is unsafe   // storing and comparing against same constants ok.
    #pragma clang diagnostic ignored "-Wformat-nonliteral"      // warning : format string is not a string literal              // passing non-literal to vsnformat(). yes, user passing incorrect format strings can crash the code.
    #pragma clang diagnostic ignored "-Wexit-time-destructors"  // warning : declaration requires an exit-time destructor       // exit-time destruction order is undefined. if MemFree() leads to users code that has been disabled before exit it might cause problems. ImGui coding style welcomes static/globals.
    #pragma clang diagnostic ignored "-Wglobal-constructors"    // warning : declaration requires a global destructor           // similar to above, not sure what the exact difference it.
    #pragma clang diagnostic ignored "-Wsign-conversion"        // warning : implicit conversion changes signedness             //
    #pragma clang diagnostic ignored "-Wmissing-noreturn"       // warning : function xx could be declared with attribute 'noreturn' warning    // GetDefaultFontData() asserts which some implementation makes it never return.
    #pragma clang diagnostic ignored "-Wdeprecated-declarations"// warning : 'xx' is deprecated: The POSIX name for this item.. // for strdup used in demo code (so user can copy & paste the code)
    #pragma clang diagnostic ignored "-Wint-to-void-pointer-cast" // warning : cast to 'void *' from smaller integer type 'int'
    #endif
    #ifdef __GNUC__
    #pragma GCC diagnostic ignored "-Wunused-function"          // warning: 'xxxx' defined but not used
    #pragma GCC diagnostic ignored "-Wint-to-pointer-cast"      // warning: cast to pointer from integer of different size
    #endif
    
    //-------------------------------------------------------------------------
    // Forward Declarations
    //-------------------------------------------------------------------------
    
    static void             LogRenderedText(const ImVec2& ref_pos, const char* text, const char* text_end = NULL);
    
    static void             PushMultiItemsWidths(int components, float w_full = 0.0f);
    static float            GetDraggedColumnOffset(int column_index);
    
    static bool             IsKeyPressedMap(ImGuiKey key, bool repeat = true);
    
    static void             SetCurrentFont(ImFont* font);
    static void             SetCurrentWindow(ImGuiWindow* window);
    static void             SetWindowScrollY(ImGuiWindow* window, float new_scroll_y);
    static void             SetWindowPos(ImGuiWindow* window, const ImVec2& pos, ImGuiSetCond cond);
    static void             SetWindowSize(ImGuiWindow* window, const ImVec2& size, ImGuiSetCond cond);
    static void             SetWindowCollapsed(ImGuiWindow* window, bool collapsed, ImGuiSetCond cond);
    static ImGuiWindow*     FindHoveredWindow(ImVec2 pos, bool excluding_childs);
    static ImGuiWindow*     CreateNewWindow(const char* name, ImVec2 size, ImGuiWindowFlags flags);
    static inline bool      IsWindowContentHoverable(ImGuiWindow* window);
    static void             ClearSetNextWindowData();
    static void             CheckStacksSize(ImGuiWindow* window, bool write);
    static void             Scrollbar(ImGuiWindow* window, bool horizontal);
    static bool             CloseWindowButton(bool* p_opened);
    
    static void             AddDrawListToRenderList(ImVector<ImDrawList*>& out_render_list, ImDrawList* draw_list);
    static void             AddWindowToRenderList(ImVector<ImDrawList*>& out_render_list, ImGuiWindow* window);
    static void             AddWindowToSortedBuffer(ImVector<ImGuiWindow*>& out_sorted_windows, ImGuiWindow* window);
    
    static ImGuiIniData*    FindWindowSettings(const char* name);
    static ImGuiIniData*    AddWindowSettings(const char* name);
    static void             LoadSettings();
    static void             SaveSettings();
    static void             MarkSettingsDirty();
    
    static void             PushColumnClipRect(int column_index = -1);
    static ImRect           GetVisibleRect();
    
    static bool             BeginPopupEx(const char* str_id, ImGuiWindowFlags extra_flags);
    static void             CloseInactivePopups();
    static void             ClosePopupToLevel(int remaining);
    static void             ClosePopup(ImGuiID id);
    static bool             IsPopupOpen(ImGuiID id);
    static ImGuiWindow*     GetFrontMostModalRootWindow();
    static ImVec2           FindBestPopupWindowPos(const ImVec2& base_pos, const ImVec2& size, int* last_dir, const ImRect& rect_to_avoid);
    
    static bool             InputTextFilterCharacter(unsigned int* p_char, ImGuiInputTextFlags flags, ImGuiTextEditCallback callback, void* user_data);
    static int              InputTextCalcTextLenAndLineCount(const char* text_begin, const char** out_text_end);
    static ImVec2           InputTextCalcTextSizeW(const ImWchar* text_begin, const ImWchar* text_end, const ImWchar** remaining = NULL, ImVec2* out_offset = NULL, bool stop_on_new_line = false);
    
    static inline void      DataTypeFormatString(ImGuiDataType data_type, void* data_ptr, const char* display_format, char* buf, int buf_size);
    static inline void      DataTypeFormatString(ImGuiDataType data_type, void* data_ptr, int decimal_precision, char* buf, int buf_size);
    static void             DataTypeApplyOp(ImGuiDataType data_type, int op, void* value1, const void* value2);
    static bool             DataTypeApplyOpFromText(const char* buf, const char* initial_value_buf, ImGuiDataType data_type, void* data_ptr, const char* scalar_format);
    
    //-----------------------------------------------------------------------------
    // Platform dependent default implementations
    //-----------------------------------------------------------------------------
    
    static const char*      GetClipboardTextFn_DefaultImpl();
    static void             SetClipboardTextFn_DefaultImpl(const char* text);
    static void             ImeSetInputScreenPosFn_DefaultImpl(int x, int y);
    
    //-----------------------------------------------------------------------------
    // Context
    //-----------------------------------------------------------------------------
    
    // We access everything through this pointer (always assumed to be != NULL)
    // You can swap the pointer to a different context by calling ImGui::SetInternalState()
    static ImGuiState       GImDefaultState;
    ImGuiState*             GImGui = &GImDefaultState;
    
    // Statically allocated default font atlas. This is merely a maneuver to keep ImFontAtlas definition at the bottom of the .h file (otherwise it'd be inside ImGuiIO)
    // Also we wouldn't be able to new() one at this point, before users may define IO.MemAllocFn.
    static ImFontAtlas      GImDefaultFontAtlas;
    
    //-----------------------------------------------------------------------------
    // User facing structures
    //-----------------------------------------------------------------------------
    
    ImGuiStyle::ImGuiStyle()
    {
        Alpha                   = 1.0f;             // Global alpha applies to everything in ImGui
        WindowPadding           = ImVec2(8,8);      // Padding within a window
        WindowMinSize           = ImVec2(32,32);    // Minimum window size
        WindowRounding          = 9.0f;             // Radius of window corners rounding. Set to 0.0f to have rectangular windows
        WindowTitleAlign        = ImGuiAlign_Left;  // Alignment for title bar text
        ChildWindowRounding     = 0.0f;             // Radius of child window corners rounding. Set to 0.0f to have rectangular child windows
        FramePadding            = ImVec2(4,3);      // Padding within a framed rectangle (used by most widgets)
        FrameRounding           = 0.0f;             // Radius of frame corners rounding. Set to 0.0f to have rectangular frames (used by most widgets).
        ItemSpacing             = ImVec2(8,4);      // Horizontal and vertical spacing between widgets/lines
        ItemInnerSpacing        = ImVec2(4,4);      // Horizontal and vertical spacing between within elements of a composed widget (e.g. a slider and its label)
        TouchExtraPadding       = ImVec2(0,0);      // Expand reactive bounding box for touch-based system where touch position is not accurate enough. Unfortunately we don't sort widgets so priority on overlap will always be given to the first widget. So don't grow this too much!
        IndentSpacing           = 22.0f;            // Horizontal spacing when e.g. entering a tree node
        ColumnsMinSpacing       = 6.0f;             // Minimum horizontal spacing between two columns
        ScrollbarSize           = 16.0f;            // Width of the vertical scrollbar, Height of the horizontal scrollbar
        ScrollbarRounding       = 9.0f;             // Radius of grab corners rounding for scrollbar
        GrabMinSize             = 10.0f;            // Minimum width/height of a grab box for slider/scrollbar
        GrabRounding            = 0.0f;             // Radius of grabs corners rounding. Set to 0.0f to have rectangular slider grabs.
        DisplayWindowPadding    = ImVec2(22,22);    // Window positions are clamped to be visible within the display area by at least this amount. Only covers regular windows.
        DisplaySafeAreaPadding  = ImVec2(4,4);      // If you cannot see the edge of your screen (e.g. on a TV) increase the safe area padding. Covers popups/tooltips as well regular windows.
        AntiAliasedLines        = true;             // Enable anti-aliasing on lines/borders. Disable if you are really short on CPU/GPU.
        AntiAliasedShapes       = true;             // Enable anti-aliasing on filled shapes (rounded rectangles, circles, etc.)
        CurveTessellationTol    = 1.25f;            // Tessellation tolerance. Decrease for highly tessellated curves (higher quality, more polygons), increase to reduce quality.
    
        Colors[ImGuiCol_Text]                   = ImVec4(0.90f, 0.90f, 0.90f, 1.00f);
        Colors[ImGuiCol_TextDisabled]           = ImVec4(0.60f, 0.60f, 0.60f, 1.00f);
        Colors[ImGuiCol_WindowBg]               = ImVec4(0.00f, 0.00f, 0.00f, 0.70f);
        Colors[ImGuiCol_ChildWindowBg]          = ImVec4(0.00f, 0.00f, 0.00f, 0.00f);
        Colors[ImGuiCol_PopupBg]                = ImVec4(0.05f, 0.05f, 0.10f, 0.90f);
        Colors[ImGuiCol_Border]                 = ImVec4(0.70f, 0.70f, 0.70f, 0.65f);
        Colors[ImGuiCol_BorderShadow]           = ImVec4(0.00f, 0.00f, 0.00f, 0.00f);
        Colors[ImGuiCol_FrameBg]                = ImVec4(0.80f, 0.80f, 0.80f, 0.30f);   // Background of checkbox, radio button, plot, slider, text input
        Colors[ImGuiCol_FrameBgHovered]         = ImVec4(0.90f, 0.80f, 0.80f, 0.40f);
        Colors[ImGuiCol_FrameBgActive]          = ImVec4(0.90f, 0.65f, 0.65f, 0.45f);
        Colors[ImGuiCol_TitleBg]                = ImVec4(0.50f, 0.50f, 1.00f, 0.45f);
        Colors[ImGuiCol_TitleBgCollapsed]       = ImVec4(0.40f, 0.40f, 0.80f, 0.20f);
        Colors[ImGuiCol_TitleBgActive]          = ImVec4(0.50f, 0.50f, 1.00f, 0.55f);
        Colors[ImGuiCol_MenuBarBg]              = ImVec4(0.40f, 0.40f, 0.55f, 0.80f);
        Colors[ImGuiCol_ScrollbarBg]            = ImVec4(0.20f, 0.25f, 0.30f, 0.60f);
        Colors[ImGuiCol_ScrollbarGrab]          = ImVec4(0.40f, 0.40f, 0.80f, 0.30f);
        Colors[ImGuiCol_ScrollbarGrabHovered]   = ImVec4(0.40f, 0.40f, 0.80f, 0.40f);
        Colors[ImGuiCol_ScrollbarGrabActive]    = ImVec4(0.80f, 0.50f, 0.50f, 0.40f);
        Colors[ImGuiCol_ComboBg]                = ImVec4(0.20f, 0.20f, 0.20f, 0.99f);
        Colors[ImGuiCol_CheckMark]              = ImVec4(0.90f, 0.90f, 0.90f, 0.50f);
        Colors[ImGuiCol_SliderGrab]             = ImVec4(1.00f, 1.00f, 1.00f, 0.30f);
        Colors[ImGuiCol_SliderGrabActive]       = ImVec4(0.80f, 0.50f, 0.50f, 1.00f);
        Colors[ImGuiCol_Button]                 = ImVec4(0.67f, 0.40f, 0.40f, 0.60f);
        Colors[ImGuiCol_ButtonHovered]          = ImVec4(0.67f, 0.40f, 0.40f, 1.00f);
        Colors[ImGuiCol_ButtonActive]           = ImVec4(0.80f, 0.50f, 0.50f, 1.00f);
        Colors[ImGuiCol_Header]                 = ImVec4(0.40f, 0.40f, 0.90f, 0.45f);
        Colors[ImGuiCol_HeaderHovered]          = ImVec4(0.45f, 0.45f, 0.90f, 0.80f);
        Colors[ImGuiCol_HeaderActive]           = ImVec4(0.53f, 0.53f, 0.87f, 0.80f);
        Colors[ImGuiCol_Column]                 = ImVec4(0.50f, 0.50f, 0.50f, 1.00f);
        Colors[ImGuiCol_ColumnHovered]          = ImVec4(0.70f, 0.60f, 0.60f, 1.00f);
        Colors[ImGuiCol_ColumnActive]           = ImVec4(0.90f, 0.70f, 0.70f, 1.00f);
        Colors[ImGuiCol_ResizeGrip]             = ImVec4(1.00f, 1.00f, 1.00f, 0.30f);
        Colors[ImGuiCol_ResizeGripHovered]      = ImVec4(1.00f, 1.00f, 1.00f, 0.60f);
        Colors[ImGuiCol_ResizeGripActive]       = ImVec4(1.00f, 1.00f, 1.00f, 0.90f);
        Colors[ImGuiCol_CloseButton]            = ImVec4(0.50f, 0.50f, 0.90f, 0.50f);
        Colors[ImGuiCol_CloseButtonHovered]     = ImVec4(0.70f, 0.70f, 0.90f, 0.60f);
        Colors[ImGuiCol_CloseButtonActive]      = ImVec4(0.70f, 0.70f, 0.70f, 1.00f);
        Colors[ImGuiCol_PlotLines]              = ImVec4(1.00f, 1.00f, 1.00f, 1.00f);
        Colors[ImGuiCol_PlotLinesHovered]       = ImVec4(0.90f, 0.70f, 0.00f, 1.00f);
        Colors[ImGuiCol_PlotHistogram]          = ImVec4(0.90f, 0.70f, 0.00f, 1.00f);
        Colors[ImGuiCol_PlotHistogramHovered]   = ImVec4(1.00f, 0.60f, 0.00f, 1.00f);
        Colors[ImGuiCol_TextSelectedBg]         = ImVec4(0.00f, 0.00f, 1.00f, 0.35f);
        Colors[ImGuiCol_ModalWindowDarkening]   = ImVec4(0.20f, 0.20f, 0.20f, 0.35f);
    }
    
    ImGuiIO::ImGuiIO()
    {
        // Most fields are initialized with zero
        memset(this, 0, sizeof(*this));
    
        DisplaySize = ImVec2(-1.0f, -1.0f);
        DeltaTime = 1.0f/60.0f;
        IniSavingRate = 5.0f;
        IniFilename = "imgui.ini";
        LogFilename = "imgui_log.txt";
        Fonts = &GImDefaultFontAtlas;
        FontGlobalScale = 1.0f;
        DisplayFramebufferScale = ImVec2(1.0f, 1.0f);
        MousePos = ImVec2(-1,-1);
        MousePosPrev = ImVec2(-1,-1);
        MouseDoubleClickTime = 0.30f;
        MouseDoubleClickMaxDist = 6.0f;
        MouseDragThreshold = 6.0f;
        for (int i = 0; i < IM_ARRAYSIZE(MouseDownDuration); i++)
            MouseDownDuration[i] = MouseDownDurationPrev[i] = -1.0f;
        for (int i = 0; i < IM_ARRAYSIZE(KeysDownDuration); i++)
            KeysDownDuration[i] = KeysDownDurationPrev[i] = -1.0f;
        for (int i = 0; i < ImGuiKey_COUNT; i++)
            KeyMap[i] = -1;
        KeyRepeatDelay = 0.250f;
        KeyRepeatRate = 0.050f;
        UserData = NULL;
    
        // User functions
        RenderDrawListsFn = NULL;
        MemAllocFn = malloc;
        MemFreeFn = free;
        GetClipboardTextFn = GetClipboardTextFn_DefaultImpl;   // Platform dependent default implementations
        SetClipboardTextFn = SetClipboardTextFn_DefaultImpl;
        ImeSetInputScreenPosFn = ImeSetInputScreenPosFn_DefaultImpl;
    
        // Set OS X style defaults based on __APPLE__ compile time flag
    #ifdef __APPLE__
        WordMovementUsesAltKey = true;      // OS X style: Text editing cursor movement using Alt instead of Ctrl
        ShortcutsUseSuperKey = true;        // OS X style: Shortcuts using Cmd/Super instead of Ctrl
        DoubleClickSelectsWord = true;      // OS X style: Double click selects by word instead of selecting whole text
        MultiSelectUsesSuperKey = true;     // OS X style: Multi-selection in lists uses Cmd/Super instead of Ctrl 
    #endif
    }
    
    // Pass in translated ASCII characters for text input.
    // - with glfw you can get those from the callback set in glfwSetCharCallback()
    // - on Windows you can get those using ToAscii+keyboard state, or via the WM_CHAR message
    void ImGuiIO::AddInputCharacter(ImWchar c)
    {
        const int n = ImStrlenW(InputCharacters);
        if (n + 1 < IM_ARRAYSIZE(InputCharacters))
        {
            InputCharacters[n] = c;
            InputCharacters[n+1] = '\0';
        }
    }
    
    void ImGuiIO::AddInputCharactersUTF8(const char* utf8_chars)
    {
        // We can't pass more wchars than ImGuiIO::InputCharacters[] can hold so don't convert more
        const int wchars_buf_len = sizeof(ImGuiIO::InputCharacters) / sizeof(ImWchar);
        ImWchar wchars[wchars_buf_len];
        ImTextStrFromUtf8(wchars, wchars_buf_len, utf8_chars, NULL);
        for (int i = 0; i < wchars_buf_len && wchars[i] != 0; i++)
            AddInputCharacter(wchars[i]);
    }
    
    //-----------------------------------------------------------------------------
    // HELPERS
    //-----------------------------------------------------------------------------
    
    #define IM_F32_TO_INT8(_VAL)  ((int)((_VAL) * 255.0f + 0.5f))
    
    #define IM_INT_MIN  (-2147483647-1)
    #define IM_INT_MAX  (2147483647)
    
    // Play it nice with Windows users. Notepad in 2015 still doesn't display text data with Unix-style \n.
    #ifdef _WIN32
    #define IM_NEWLINE "\r\n"
    #else
    #define IM_NEWLINE "\n"
    #endif
    
    bool ImIsPointInTriangle(const ImVec2& p, const ImVec2& a, const ImVec2& b, const ImVec2& c)
    {
        bool b1 = ((p.x - b.x) * (a.y - b.y) - (p.y - b.y) * (a.x - b.x)) < 0.0f;
        bool b2 = ((p.x - c.x) * (b.y - c.y) - (p.y - c.y) * (b.x - c.x)) < 0.0f;
        bool b3 = ((p.x - a.x) * (c.y - a.y) - (p.y - a.y) * (c.x - a.x)) < 0.0f;
        return ((b1 == b2) && (b2 == b3));
    }
    
    int ImStricmp(const char* str1, const char* str2)
    {
        int d;
        while ((d = toupper(*str2) - toupper(*str1)) == 0 && *str1) { str1++; str2++; }
        return d;
    }
    
    int ImStrnicmp(const char* str1, const char* str2, int count)
    {
        int d = 0;
        while (count > 0 && (d = toupper(*str2) - toupper(*str1)) == 0 && *str1) { str1++; str2++; count--; }
        return d;
    }
    
    char* ImStrdup(const char *str)
    {
        size_t len = strlen(str) + 1;
        void* buff = ImGui::MemAlloc(len);
        return (char*)memcpy(buff, (const void*)str, len);
    }
    
    int ImStrlenW(const ImWchar* str)
    {
        int n = 0;
        while (*str++) n++;
        return n;
    }
    
    const ImWchar* ImStrbolW(const ImWchar* buf_mid_line, const ImWchar* buf_begin) // find beginning-of-line
    {
        while (buf_mid_line > buf_begin && buf_mid_line[-1] != '\n')
            buf_mid_line--;
        return buf_mid_line;
    }
    
    const char* ImStristr(const char* haystack, const char* haystack_end, const char* needle, const char* needle_end)
    {
        if (!needle_end)
            needle_end = needle + strlen(needle);
    
        const char un0 = (char)toupper(*needle);
        while ((!haystack_end && *haystack) || (haystack_end && haystack < haystack_end))
        {
            if (toupper(*haystack) == un0)
            {
                const char* b = needle + 1;
                for (const char* a = haystack + 1; b < needle_end; a++, b++)
                    if (toupper(*a) != toupper(*b))
                        break;
                if (b == needle_end)
                    return haystack;
            }
            haystack++;
        }
        return NULL;
    }
    
    int ImFormatString(char* buf, int buf_size, const char* fmt, ...)
    {
        va_list args;
        va_start(args, fmt);
        int w = vsnprintf(buf, buf_size, fmt, args);
        va_end(args);
        buf[buf_size-1] = 0;
        return (w == -1) ? buf_size : w;
    }
    
    int ImFormatStringV(char* buf, int buf_size, const char* fmt, va_list args)
    {
        int w = vsnprintf(buf, buf_size, fmt, args);
        buf[buf_size-1] = 0;
        return (w == -1) ? buf_size : w;
    }
    
    // Pass data_size==0 for zero-terminated strings
    // FIXME-OPT: Replace with e.g. FNV1a hash? CRC32 pretty much randomly access 1KB. Need to do proper measurements.
    ImU32 ImHash(const void* data, int data_size, ImU32 seed)
    {
        static ImU32 crc32_lut[256] = { 0 };
        if (!crc32_lut[1])
        {
            const ImU32 polynomial = 0xEDB88320;
            for (ImU32 i = 0; i < 256; i++)
            {
                ImU32 crc = i;
                for (ImU32 j = 0; j < 8; j++)
                    crc = (crc >> 1) ^ (ImU32(-int(crc & 1)) & polynomial);
                crc32_lut[i] = crc;
            }
        }
    
        seed = ~seed;
        ImU32 crc = seed;
        const unsigned char* current = (const unsigned char*)data;
    
        if (data_size > 0)
        {
            // Known size
            while (data_size--)
                crc = (crc >> 8) ^ crc32_lut[(crc & 0xFF) ^ *current++];
        }
        else
        {
            // Zero-terminated string
            while (unsigned char c = *current++)
            {
                // We support a syntax of "label###id" where only "###id" is included in the hash, and only "label" gets displayed.
                // Because this syntax is rarely used we are optimizing for the common case.
                // - If we reach ### in the string we discard the hash so far and reset to the seed.
                // - We don't do 'current += 2; continue;' after handling ### to keep the code smaller.
                if (c == '#' && current[0] == '#' && current[1] == '#')
                    crc = seed;
    
                crc = (crc >> 8) ^ crc32_lut[(crc & 0xFF) ^ c];
            }
        }
        return ~crc;
    }
    
    //-----------------------------------------------------------------------------
    // ImText* helpers
    //-----------------------------------------------------------------------------
    
    // Convert UTF-8 to 32-bits character, process single character input.
    // Based on stb_from_utf8() from github.com/nothings/stb/
    // We handle UTF-8 decoding error by skipping forward.
    int ImTextCharFromUtf8(unsigned int* out_char, const char* in_text, const char* in_text_end)
    {
        unsigned int c = (unsigned int)-1;
        const unsigned char* str = (const unsigned char*)in_text;
        if (!(*str & 0x80))
        {
            c = (unsigned int)(*str++);
            *out_char = c;
            return 1;
        }
        if ((*str & 0xe0) == 0xc0)
        {
            *out_char = 0xFFFD; // will be invalid but not end of string
            if (in_text_end && in_text_end - (const char*)str < 2) return 1;
            if (*str < 0xc2) return 2;
            c = (unsigned int)((*str++ & 0x1f) << 6);
            if ((*str & 0xc0) != 0x80) return 2;
            c += (*str++ & 0x3f);
            *out_char = c;
            return 2;