| // ImGui library v1.44 |
| // Main code & documentation |
| |
| // See ImGui::ShowTestWindow() in imgui_demo.cpp for demo code. |
| // 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 ImGui contributors. |
| |
| /* |
| |
| Index |
| - MISSION STATEMENT |
| - END-USER GUIDE |
| - PROGRAMMER GUIDE (read me!) |
| - API BREAKING CHANGES (read me when you update!) |
| - FREQUENTLY ASKED QUESTIONS (FAQ), TIPS |
| - How do I update to a newer version of ImGui? |
| - Can I have multiple widgets with the same label? Can I have widget without a label? (Yes) |
| - Why is my text output blurry? |
| - 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. e.g. examples/opengl_example/ |
| - 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: |
| - initialisation: call ImGui::GetIO() to retrieve the ImGuiIO structure and fill the 'Settings' data. |
| - every frame: |
| 1/ in your mainloop or right after you got your keyboard/mouse info, call ImGui::GetIO() and fill the 'Input' data, then call ImGui::NewFrame(). |
| 2/ use any ImGui function you want between NewFrame() and Render() |
| 3/ ImGui::Render() to render all the accumulated command-lists. it will call your RenderDrawListFn handler that you set in the IO structure. |
| - 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 must provide. |
| - effectively it means you can create widgets at any time in your code, regardless of "update" vs "render" considerations. |
| - 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.DeltaTime = 1.0f/60.0f; |
| io.IniFilename = "imgui.ini"; |
| // TODO: Fill others settings of the io structure |
| |
| // Load texture |
| unsigned char* pixels; |
| int width, height, bytes_per_pixels; |
| io.Fonts->GetTexDataAsRGBA32(pixels, &width, &height, &bytes_per_pixels); |
| // TODO: copy texture to graphics memory. |
| // TODO: store your texture pointer/identifier in 'io.Fonts->TexID' |
| |
| // Application main loop |
| while (true) |
| { |
| // 1) get low-level input |
| // e.g. on Win32, GetKeyboardState(), or poll your events, etc. |
| |
| // 2) TODO: fill all fields of IO structure and call NewFrame |
| ImGuiIO& io = ImGui::GetIO(); |
| io.MousePos = mouse_pos; |
| io.MouseDown[0] = mouse_button_0; |
| io.KeysDown[i] = ... |
| ImGui::NewFrame(); |
| |
| // 3) most of your application code here - you can use any of ImGui::* functions at any point in the frame |
| ImGui::Begin("My window"); |
| ImGui::Text("Hello, world."); |
| ImGui::End(); |
| GameUpdate(); |
| GameRender(); |
| |
| // 4) render & swap video buffers |
| ImGui::Render(); |
| // swap video buffer, etc. |
| } |
| |
| - after calling ImGui::NewFrame() you can read back 'io.WantCaptureMouse' and 'io.WantCaptureKeyboard' to tell if ImGui |
| wants to use your inputs. if it does you can discard/hide the inputs from the rest of your application. |
| |
| 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. |
| |
| - 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 |
| - 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 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 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: 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##0"); // Label = "Play", ID = hash of "Play##0" |
| Button("Play##1"); // Label = "Play", ID = hash of "Play##1" (different from above) |
| |
| - so if you want to hide the label but need an ID: |
| |
| Checkbox("##On", &b); // Label = "", ID = hash of "##On" |
| |
| - occasionally (rarely) you might want change a label while preserving a constant ID. This allows you to animate labels. |
| 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) |
| |
| - use PushID() / PopID() to create scopes and avoid ID conflicts within the same Window. |
| this is the most convenient way of distinguish 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 addition 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: Why is my text output blurry? |
| A: In your Render function, try translating your projection matrix by (0.5f,0.5f) or (0.375f,0.375f) |
| |
| 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: |
| |
| 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: |
| |
| 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 = 3; |
| 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()); |
| |
| Read extra_fonts/README.txt or ImFontAtlas class for more details. |
| |
| 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 a 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 for more example of how to use ImGui! |
| |
| |
| ISSUES & TODO-LIST |
| ================== |
| Issue numbers (#) refer to github 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) |
| |
| - window: autofit feedback loop when user relies on any dynamic layout (window width multiplier, column). maybe just clearly drop manual autofit? |
| - window: add a way for very transient windows (non-saved, temporary overlay over hundreds of objects) to "clean" up from the global window list. |
| - window: allow resizing of child windows (possibly given min/max for each axis?) |
| - window: background options for child windows, border option (disable rounding) |
| - window: resizing from any sides? + mouse cursor directives for app. |
| - window: get size/pos helpers given names (see discussion in #249) |
| - window: a collapsed window can be stuck behind the main menu bar? |
| - scrolling: add horizontal scroll |
| !- scrolling: allow immediately effective change of scroll if we haven't appended items yet |
| - 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 a disabled/read-only mode (#211) |
| - main: considering adding EndFrame()/Init(). some constructs are awkward in the implementation because of the lack of them. |
| - 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: add ImGuiInputTextFlags_EnterToApply? (off #218) |
| - 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 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. |
| - text: proper alignment options |
| - layout: horizontal layout helper (#97) |
| - 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. |
| - columns: separator function or parameter that works within the column (currently Separator() bypass all columns) (#125) |
| - columns: declare column set (each column: fixed size, %, fill, distribute default size among fills) (#125) |
| - columns: columns header to act as button (~sort op) and allow resize/reorder (#125) |
| - columns: user specify columns size (#125) |
| - popup: border options. richer api like BeginChild() perhaps? (#197) |
| - combo: sparse combo boxes (via function call?) |
| - 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 keybord 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. |
| - menus: local shortcuts, global shortcuts (#126) |
| - menus: icons |
| - menus: menubars: some sort of priority / effect of main menu-bar on desktop size? |
| - tabs |
| - separator: separator on the initial position of a window is not visible (cursorpos.y <= clippos.y) |
| - gauge: various forms of gauge/loading bars widgets |
| - color: add a better color picker (perhaps a popup). |
| - 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) |
| - file selection widget -> build the tool in our codebase to improve model-dialog idioms |
| - 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 |
| - text edit: clean up the mess caused by converting UTF-8 <> wchar. the code is rather inefficient right now. |
| - text edit: centered text for slider as input text so it matches typical positioning. |
| - text edit: flag to disable live update of the user buffer. |
| - text edit: field resize behavior - field could stretch when being edited? hover tooltip shows more text? |
| - tree: add treenode/treepush int variants? because (void*) cast from int warns on some platforms/settings |
| - 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: store rounded corners in texture to use 1 quad per corner (filled and wireframe). so rounding have minor cost. |
| - style: colorbox not always square? |
| - text: simple markup language for color change? |
| - 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. |
| - focus: SetKeyboardFocusHere() on with >= 0 offset could be done on same frame (else latch and modulate on beginning of next frame) |
| - input: rework IO to be able to pass actual events to fix temporal aliasing issues. |
| - input: support track pad style scrolling & slider edit. |
| - memory: add a way to discard allocs of unused/transient windows. with the current architecture new windows (including popup, opened combos, listbox) perform at least 3 allocs. |
| - misc: mark printf compiler attributes on relevant functions |
| - 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? |
| - style editor: have a more global HSV setter (e.g. alter hue on all elements). consider replacing active/hovered by offset in HSV space? |
| - style editor: color child window height expressed in multiple of line height. |
| - 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 |
| #include "imgui_internal.h" |
| |
| #include <ctype.h> // toupper, isprint |
| #include <math.h> // sqrtf, fabsf, fmodf, powf, cosf, sinf, floorf, ceilf |
| #include <stdio.h> // vsnprintf, sscanf, printf |
| #include <new> // new (ptr) |
| #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: 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 const char* FindTextDisplayEnd(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* FindWindowByName(const char* name); |
| 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); |
| 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 PushClipRect(const ImRect& clip_rect, bool clipped_by_current = true); |
| static void PushColumnClipRect(int column_index = -1); |
| static void PopClipRect(); |
| 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, ImGuiWindowFlags flags, int* last_dir, const ImRect& r_inner); |
| |
| 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 void 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 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! |
| WindowFillAlphaDefault = 0.70f; // Default alpha of window background, if not specified in ImGui::Begin() |
| IndentSpacing = 22.0f; // Horizontal spacing when e.g. entering a tree node |
| ColumnsMinSpacing = 6.0f; // Minimum horizontal spacing between two columns |
| ScrollbarWidth = 16.0f; // Width of the vertical scrollbar |
| ScrollbarRounding = 0.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.) |
| |
| 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, 1.00f); |
| Colors[ImGuiCol_ChildWindowBg] = ImVec4(0.00f, 0.00f, 0.00f, 0.00f); |
| 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.60f); |
| Colors[ImGuiCol_ScrollbarBg] = ImVec4(0.40f, 0.40f, 0.80f, 0.15f); |
| 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_TooltipBg] = ImVec4(0.05f, 0.05f, 0.10f, 0.90f); |
| 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; |
| MousePos = ImVec2(-1,-1); |
| MousePosPrev = ImVec2(-1,-1); |
| MouseDoubleClickTime = 0.30f; |
| MouseDoubleClickMaxDist = 6.0f; |
| MouseDragThreshold = 6.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; |
| } |
| |
| // 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; wchars[i] != 0 && i < wchars_buf_len; i++) |
| AddInputCharacter(wchars[i]); |
| } |
| |
| //----------------------------------------------------------------------------- |
| // HELPERS |
| //----------------------------------------------------------------------------- |
| |
| #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 _MSC_VER |
| #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) |
| { |
| char *buff = (char*)ImGui::MemAlloc(strlen(str) + 1); |
| IM_ASSERT(buff); |
| strcpy(buff, str); |
| return buff; |
| } |
| |
| 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* needle, const char* needle_end) |
| { |
| if (!needle_end) |
| needle_end = needle + strlen(needle); |
| |
| const char un0 = (char)toupper(*needle); |
| while (*haystack) |
| { |
| 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 string |
| // 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 = 0) |
| { |
| 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 = 0; |
| if (in_text_end && in_text_end - (const char*)str < 2) return 0; |
| if (*str < 0xc2) return 0; |
| c = (unsigned int)((*str++ & 0x1f) << 6); |
| if ((*str & 0xc0) != 0x80) return 0; |
| c += (*str++ & 0x3f); |
| *out_char = c; |
| return 2; |
| } |
| if ((*str & 0xf0) == 0xe0) |
| { |
| *out_char = 0; |
| if (in_text_end && in_text_end - (const char*)str < 3) return 0; |
| if (*str == 0xe0 && (str[1] < 0xa0 || str[1] > 0xbf)) return 0; |
| if (*str == 0xed && str[1] > 0x9f) return 0; // str[1] < 0x80 is checked below |
| c = (unsigned int)((*str++ & 0x0f) << 12); |
| if ((*str & 0xc0) != 0x80) return 0; |
| c += (unsigned int)((*str++ & 0x3f) << 6); |
| if ((*str & 0xc0) != 0x80) return 0; |
| c += (*str++ & 0x3f); |
| *out_char = c; |
| return 3; |
| } |
| if ((*str & 0xf8) == 0xf0) |
| { |
| *out_char = 0; |
| if (in_text_end && in_text_end - (const char*)str < 4) return 0; |
| if (*str > 0xf4) return 0; |
| if (*str == 0xf0 && (str[1] < 0x90 || str[1] > 0xbf)) return 0; |
| if (*str == 0xf4 && str[1] > 0x8f) return 0; // str[1] < 0x80 is checked below |
| c = (unsigned int)((*str++ & 0x07) << 18); |
| if ((*str & 0xc0) != 0x80) return 0; |
| c += (unsigned int)((*str++ & 0x3f) << 12); |
| if ((*str & 0xc0) != 0x80) return 0; |
| c += (unsigned int)((*str++ & 0x3f) << 6); |
| if ((*str & 0xc0) != 0x80) return 0; |
| c += (*str++ & 0x3f); |
| // utf-8 encodings of values used in surrogate pairs are invalid |
| if ((c & 0xFFFFF800) == 0xD800) return 0; |
| *out_char = c; |
| return 4; |
| } |
| *out_char = 0; |
| return 0; |
| } |
| |
| int ImTextStrFromUtf8(ImWchar* buf, int buf_size, const char* in_text, const char* in_text_end, const char** in_text_remaining) |
| { |
| ImWchar* buf_out = buf; |
| ImWchar* buf_end = buf + buf_size; |
| while (buf_out < buf_end-1 && (!in_text_end || in_text < in_text_end) && *in_text) |
| { |
| unsigned int c; |
| in_text += ImTextCharFromUtf8(&c, in_text, in_text_end); |
| if (c == 0) |
| break; |
| if (c < 0x10000) // FIXME: Losing characters that don't fit in 2 bytes |
| *buf_out++ = (ImWchar)c; |
| } |
| *buf_out = 0; |
| if (in_text_remaining) |
| *in_text_remaining = in_text; |
| return (int)(buf_out - buf); |
| } |
| |
| int ImTextCountCharsFromUtf8(const char* in_text, const char* in_text_end) |
| { |
| int char_count = 0; |
| while ((!in_text_end || in_text < in_text_end) && *in_text) |
| { |
| unsigned int c; |
| in_text += ImTextCharFromUtf8(&c, in_text, in_text_end); |
| if (c == 0) |
| break; |
| if (c < 0x10000) |
| char_count++; |
| } |
| return char_count; |
| } |
| |
| // Based on stb_to_utf8() from github.com/nothings/stb/ |
| static inline int ImTextCharToUtf8(char* buf, int buf_size, unsigned int c) |
| { |
| if (c < 0x80) |
| { |
| buf[0] = (char)c; |
| return 1; |
| } |
| if (c < 0x800) |
| { |
| if (buf_size < 2) return 0; |
| buf[0] = (char)(0xc0 + (c >> 6)); |
| buf[1] = (char)(0x80 + (c & 0x3f)); |
| return 2; |
| } |
| if (c >= 0xdc00 && c < 0xe000) |
| { |
| return 0; |
| } |
| if (c >= 0xd800 && c < 0xdc00) |
| { |
| if (buf_size < 4) return 0; |
| buf[0] = (char)(0xf0 + (c >> 18)); |
| buf[1] = (char)(0x80 + ((c >> 12) & 0x3f)); |
| buf[2] = (char)(0x80 + ((c >> 6) & 0x3f)); |
| buf[3] = (char)(0x80 + ((c ) & 0x3f)); |
| return 4; |
| } |
| //else if (c < 0x10000) |
| { |
| if (buf_size < 3) return 0; |
| buf[0] = (char)(0xe0 + (c >> 12)); |
| buf[1] = (char)(0x80 + ((c>> 6) & 0x3f)); |
| buf[2] = (char)(0x80 + ((c ) & 0x3f)); |
| return 3; |
| } |
| } |
| |
| static inline int ImTextCountUtf8BytesFromChar(unsigned int c) |
| { |
| if (c < 0x80) return 1; |
| if (c < 0x800) return 2; |
| if (c >= 0xdc00 && c < 0xe000) return 0; |
| if (c >= 0xd800 && c < 0xdc00) return 4; |
| return 3; |
| } |
| |
| int ImTextStrToUtf8(char* buf, int buf_size, const ImWchar* in_text, const ImWchar* in_text_end) |
| { |
| char* buf_out = buf; |
| const char* buf_end = buf + buf_size; |
| while (buf_out < buf_end-1 && (!in_text_end || in_text < in_text_end) && *in_text) |
| { |
| unsigned int c = (unsigned int)(*in_text++); |
| if (c < 0x80) |
| *buf_out++ = (char)c; |
| else |
| buf_out += ImTextCharToUtf8(buf_out, (int)(buf_end-buf_out-1), c); |
| } |
| *buf_out = 0; |
| return (int)(buf_out - buf); |
| } |
| |
| int ImTextCountUtf8BytesFromStr(const ImWchar* in_text, const ImWchar* in_text_end) |
| { |
| int bytes_count = 0; |
| while ((!in_text_end || in_text < in_text_end) && *in_text) |
| { |
| unsigned int c = (unsigned int)(*in_text++); |
| if (c < 0x80) |
| bytes_count++; |
| else |
| bytes_count += ImTextCountUtf8BytesFromChar(c); |
| } |
| return bytes_count; |
| } |
| |
| ImU32 ImGui::ColorConvertFloat4ToU32(const ImVec4& in) |
| { |
| ImU32 out = ((ImU32)(ImSaturate(in.x)*255.f)); |
| out |= ((ImU32)(ImSaturate(in.y)*255.f) << 8); |
| out |= ((ImU32)(ImSaturate(in.z)*255.f) << 16); |
| out |= ((ImU32)(ImSaturate(in.w)*255.f) << 24); |
| return out; |
| } |
| |
| // Convert rgb floats ([0-1],[0-1],[0-1]) to hsv floats ([0-1],[0-1],[0-1]), from Foley & van Dam p592 |
| // Optimized http://lolengine.net/blog/2013/01/13/fast-rgb-to-hsv |
| void ImGui::ColorConvertRGBtoHSV(float r, float g, float b, float& out_h, float& out_s, float& out_v) |
| { |
| float K = 0.f; |
| if (g < b) |
| { |
| const float tmp = g; g = b; b = tmp; |
| K = -1.f; |
| } |
| if (r < g) |
| { |
| const float tmp = r; r = g; g = tmp; |
| K = -2.f / 6.f - K; |
| } |
| |
| const float chroma = r - (g < b ? g : b); |
| out_h = fabsf(K + (g - b) / (6.f * chroma + 1e-20f)); |
| out_s = chroma / (r + 1e-20f); |
| out_v = r; |
| } |
| |
| // Convert hsv floats ([0-1],[0-1],[0-1]) to rgb floats ([0-1],[0-1],[0-1]), from Foley & van Dam p593 |
| // also http://en.wikipedia.org/wiki/HSL_and_HSV |
| void ImGui::ColorConvertHSVtoRGB(float h, float s, float v, float& out_r, float& out_g, float& out_b) |
| { |
| if (s == 0.0f) |
| { |
| // gray |
| out_r = out_g = out_b = v; |
| return; |
| } |
| |
| h = fmodf(h, 1.0f) / (60.0f/360.0f); |
| int i = (int)h; |
| float f = h - (float)i; |
| float p = v * (1.0f - s); |
| float q = v * (1.0f - s * f); |
| float t = v * (1.0f - s * (1.0f - f)); |
| |
| switch (i) |
| { |
| case 0: out_r = v; out_g = t; out_b = p; break; |
| case 1: out_r = q; out_g = v; out_b = p; break; |
| case 2: out_r = p; out_g = v; out_b = t; break; |
| case 3: out_r = p; out_g = q; out_b = v; break; |
| case 4: out_r = t; out_g = p; out_b = v; break; |
| case 5: default: out_r = v; out_g = p; out_b = q; break; |
| } |
| } |
| |
| // Load file content into memory |
| // Memory allocated with ImGui::MemAlloc(), must be freed by user using ImGui::MemFree() |
| bool ImLoadFileToMemory(const char* filename, const char* file_open_mode, void** out_file_data, int* out_file_size, int padding_bytes) |
| { |
| IM_ASSERT(filename && file_open_mode && out_file_data && out_file_size); |
| *out_file_data = NULL; |
| *out_file_size = 0; |
| |
| FILE* f; |
| if ((f = fopen(filename, file_open_mode)) == NULL) |
| return false; |
| |
| long file_size_signed; |
| if (fseek(f, 0, SEEK_END) || (file_size_signed = ftell(f)) == -1 || fseek(f, 0, SEEK_SET)) |
| { |
| fclose(f); |
| return false; |
| } |
| |
| int file_size = (int)file_size_signed; |
| void* file_data = ImGui::MemAlloc(file_size + padding_bytes); |
| if (file_data == NULL) |
| { |
| fclose(f); |
| return false; |
| } |
| if (fread(file_data, 1, (size_t)file_size, f) != (size_t)file_size) |
| { |
| fclose(f); |
| ImGui::MemFree(file_data); |
| return false; |
| } |
| if (padding_bytes > 0) |
| memset((void *)(((char*)file_data) + file_size), 0, padding_bytes); |
| |
| fclose(f); |
| *out_file_data = file_data; |
| if (out_file_size) |
| *out_file_size = file_size; |
| |
| return true; |
| } |
| |
| //----------------------------------------------------------------------------- |
| // ImGuiStorage |
| //----------------------------------------------------------------------------- |
| |
| // Helper: Key->value storage |
| void ImGuiStorage::Clear() |
| { |
| Data.clear(); |
| } |
| |
| // std::lower_bound but without the bullshit |
| static ImVector<ImGuiStorage::Pair>::iterator LowerBound(ImVector<ImGuiStorage::Pair>& data, ImU32 key) |
| { |
| ImVector<ImGuiStorage::Pair>::iterator first = data.begin(); |
| ImVector<ImGuiStorage::Pair>::iterator last = data.end(); |
| int count = (int)(last - first); |
| while (count > 0) |
| { |
| int count2 = count / 2; |
| ImVector<ImGuiStorage::Pair>::iterator mid = first + count2; |
| if (mid->key < key) |
| { |
| first = ++mid; |
| count -= count2 + 1; |
| } |
| else |
| { |
| count = count2; |
| } |
| } |
| return first; |
| } |
| |
| int ImGuiStorage::GetInt(ImU32 key, int default_val) const |
| { |
| ImVector<Pair>::iterator it = LowerBound(const_cast<ImVector<ImGuiStorage::Pair>&>(Data), key); |
| if (it == Data.end() || it->key != key) |
| return default_val; |
| return it->val_i; |
| } |
| |
| float ImGuiStorage::GetFloat(ImU32 key, float default_val) const |
| { |
| ImVector<Pair>::iterator it = LowerBound(const_cast<ImVector<ImGuiStorage::Pair>&>(Data), key); |
| if (it == Data.end() || it->key != key) |
| return default_val; |
| return it->val_f; |
| } |
| |
| void* ImGuiStorage::GetVoidPtr(ImGuiID key) const |
| { |
| ImVector<Pair>::iterator it = LowerBound(const_cast<ImVector<ImGuiStorage::Pair>&>(Data), key); |
| if (it == Data.end() || it->key != key) |
| return NULL; |
| return it->val_p; |
| } |
| |
| // References are only valid until a new value is added to the storage. Calling a Set***() function or a Get***Ref() function invalidates the pointer. |
| int* ImGuiStorage::GetIntRef(ImGuiID key, int default_val) |
| { |
| ImVector<Pair>::iterator it = LowerBound(Data, key); |
| if (it == Data.end() || it->key != key) |
| it = Data.insert(it, Pair(key, default_val)); |
| return &it->val_i; |
| } |
| |
| float* ImGuiStorage::GetFloatRef(ImGuiID key, float default_val) |
| { |
| ImVector<Pair>::iterator it = LowerBound(Data, key); |
| if (it == Data.end() || it->key != key) |
| it = Data.insert(it, Pair(key, default_val)); |
| return &it->val_f; |
| } |
| |
| void** ImGuiStorage::GetVoidPtrRef(ImGuiID key, void* default_val) |
| { |
| ImVector<Pair>::iterator it = LowerBound(Data, key); |
| if (it == Data.end() || it->key != key) |
| it = Data.insert(it, Pair(key, default_val)); |
| return &it->val_p; |
| } |
| |
| // FIXME-OPT: Need a way to reuse the result of lower_bound when doing GetInt()/SetInt() - not too bad because it only happens on explicit interaction (maximum one a frame) |
| void ImGuiStorage::SetInt(ImU32 key, int val) |
| { |
| ImVector<Pair>::iterator it = LowerBound(Data, key); |
| if (it == Data.end() || it->key != key) |
| { |
| Data.insert(it, Pair(key, val)); |
| return; |
| } |
| it->val_i = val; |
| } |
| |
| void ImGuiStorage::SetFloat(ImU32 key, float val) |
| { |
| ImVector<Pair>::iterator it = LowerBound(Data, key); |
| if (it == Data.end() || it->key != key) |
| { |
| Data.insert(it, Pair(key, val)); |
| return; |
| } |
| it->val_f = val; |
| } |
| |
| void ImGuiStorage::SetVoidPtr(ImU32 key, void* val) |
| { |
| ImVector<Pair>::iterator it = LowerBound(Data, key); |
| if (it == Data.end() || it->key != key) |
| { |
| Data.insert(it, Pair(key, val)); |
| return; |
| } |
| it->val_p = val; |
| } |
| |
| void ImGuiStorage::SetAllInt(int v) |
| { |
| for (int i = 0; i < Data.Size; i++) |
| Data[i].val_i = v; |
| } |
| |
| //----------------------------------------------------------------------------- |
| // ImGuiTextFilter |
| //----------------------------------------------------------------------------- |
| |
| // Helper: Parse and apply text filters. In format "aaaaa[,bbbb][,ccccc]" |
| ImGuiTextFilter::ImGuiTextFilter(const char* default_filter) |
| { |
| if (default_filter) |
| { |
| ImFormatString(InputBuf, IM_ARRAYSIZE(InputBuf), "%s", default_filter); |
| Build(); |
| } |
| else |
| { |
| InputBuf[0] = 0; |
| CountGrep = 0; |
| } |
| } |
| |
| void ImGuiTextFilter::Draw(const char* label, float width) |
| { |
| if (width > 0.0f) |
| ImGui::PushItemWidth(width); |
| ImGui::InputText(label, InputBuf, IM_ARRAYSIZE(InputBuf)); |
| if (width > 0.0f) |
| ImGui::PopItemWidth(); |
| Build(); |
| } |
| |
| void ImGuiTextFilter::TextRange::split(char separator, ImVector<TextRange>& out) |
| { |
| out.resize(0); |
| const char* wb = b; |
| const char* we = wb; |
| while (we < e) |
| { |
| if (*we == separator) |
| { |
| out.push_back(TextRange(wb, we)); |
| wb = we + 1; |
| } |
| we++; |
| } |
| if (wb != we) |
| out.push_back(TextRange(wb, we)); |
| } |
| |
| void ImGuiTextFilter::Build() |
| { |
| Filters.resize(0); |
| TextRange input_range(InputBuf, InputBuf+strlen(InputBuf)); |
| input_range.split(',', Filters); |
| |
| CountGrep = 0; |
| for (int i = 0; i != Filters.Size; i++) |
| { |
| Filters[i].trim_blanks(); |
| if (Filters[i].empty()) |
| continue; |
| if (Filters[i].front() != '-') |
| CountGrep += 1; |
| } |
| } |
| |
| bool ImGuiTextFilter::PassFilter(const char* val) const |
| { |
| if (Filters.empty()) |
| return true; |
| |
| if (val == NULL) |
| val = ""; |
| |
| for (int i = 0; i != Filters.Size; i++) |
| { |
| const TextRange& f = Filters[i]; |
| if (f.empty()) |
| continue; |
| if (f.front() == '-') |
| { |
| // Subtract |
| if (ImStristr(val, f.begin()+1, f.end()) != NULL) |
| return false; |
| } |
| else |
| { |
| // Grep |
| if (ImStristr(val, f.begin(), f.end()) != NULL) |
| return true; |
| } |
| } |
| |
| // Implicit * grep |
| if (CountGrep == 0) |
| return true; |
| |
| return false; |
| } |
| |
| //----------------------------------------------------------------------------- |
| // ImGuiTextBuffer |
| //----------------------------------------------------------------------------- |
| |
| // On some platform vsnprintf() takes va_list by reference and modifies it. |
| // va_copy is the 'correct' way to copy a va_list but Visual Studio prior to 2013 doesn't have it. |
| #ifndef va_copy |
| #define va_copy(dest, src) (dest = src) |
| #endif |
| |
| // Helper: Text buffer for logging/accumulating text |
| void ImGuiTextBuffer::appendv(const char* fmt, va_list args) |
| { |
| va_list args_copy; |
| va_copy(args_copy, args); |
| |
| int len = vsnprintf(NULL, 0, fmt, args); // FIXME-OPT: could do a first pass write attempt, likely successful on first pass. |
| if (len <= 0) |
| return; |
| |
| const int write_off = Buf.Size; |
| const int needed_sz = write_off + len; |
| if (write_off + len >= Buf.Capacity) |
| { |
| int double_capacity = Buf.Capacity * 2; |
| Buf.reserve(needed_sz > double_capacity ? needed_sz : double_capacity); |
| } |
| |
| Buf.resize(needed_sz); |
| ImFormatStringV(&Buf[write_off] - 1, len+1, fmt, args_copy); |
| } |
| |
| void ImGuiTextBuffer::append(const char* fmt, ...) |
| { |
| va_list args; |
| va_start(args, fmt); |
| appendv(fmt, args); |
| va_end(args); |
| } |
| |
| //----------------------------------------------------------------------------- |
| // ImGuiSimpleColumns |
| //----------------------------------------------------------------------------- |
| |
| ImGuiSimpleColumns::ImGuiSimpleColumns() |
| { |
| Count = 0; |
| Spacing = Width = NextWidth = 0.0f; |
| memset(Pos, 0, sizeof(Pos)); |
| memset(NextWidths, 0, sizeof(NextWidths)); |
| } |
| |
| void ImGuiSimpleColumns::Update(int count, float spacing, bool clear) |
| { |
| IM_ASSERT(Count <= IM_ARRAYSIZE(Pos)); |
| Count = count; |
| Width = NextWidth = 0.0f; |
| Spacing = spacing; |
| if (clear) memset(NextWidths, 0, sizeof(NextWidths)); |
| for (int i = 0; i < Count; i++) |
| { |
| if (i > 0 && NextWidths[i] > 0.0f) |
| Width += Spacing; |
| Pos[i] = (float)(int)Width; |
| Width += NextWidths[i]; |
| NextWidths[i] = 0.0f; |
| } |
| } |
| |
| float ImGuiSimpleColumns::DeclColumns(float w0, float w1, float w2) // not using va_arg because they promote float to double |
| { |
| NextWidth = 0.0f; |
| NextWidths[0] = ImMax(NextWidths[0], w0); |
| NextWidths[1] = ImMax(NextWidths[1], w1); |
| NextWidths[2] = ImMax(NextWidths[2], w2); |
| for (int i = 0; i < 3; i++) |
| NextWidth += NextWidths[i] + ((i > 0 && NextWidths[i] > 0.0f) ? Spacing : 0.0f); |
| return ImMax(Width, NextWidth); |
| } |
| |
| float ImGuiSimpleColumns::CalcExtraSpace(float avail_w) |
| { |
| return ImMax(0.0f, avail_w - Width); |
| } |
| |
| //----------------------------------------------------------------------------- |
| // ImGuiWindow |
| //----------------------------------------------------------------------------- |
| |
| ImGuiWindow::ImGuiWindow(const char* name) |
| { |
| Name = ImStrdup(name); |
| ID = ImHash(name, 0); |
| IDStack.push_back(ID); |
| MoveID = GetID("#MOVE"); |
| |
| Flags = 0; |
| PosFloat = Pos = ImVec2(0.0f, 0.0f); |
| Size = SizeFull = ImVec2(0.0f, 0.0f); |
| SizeContents = ImVec2(0.0f, 0.0f); |
| WindowPadding = ImVec2(0.0f, 0.0f); |
| ScrollY = 0.0f; |
| ScrollTargetRelY = FLT_MAX; |
| ScrollTargetCenterRatioY = 0.5f; |
| ScrollbarY = false; |
| Active = WasActive = false; |
| Accessed = false; |
| Collapsed = false; |
| SkipItems = false; |
| BeginCount = 0; |
| PopupID = 0; |
| AutoFitFramesX = AutoFitFramesY = -1; |
| AutoFitOnlyGrows = false; |
| AutoPosLastDirection = -1; |
| HiddenFrames = 0; |
| SetWindowPosAllowFlags = SetWindowSizeAllowFlags = SetWindowCollapsedAllowFlags = ImGuiSetCond_Always | ImGuiSetCond_Once | ImGuiSetCond_FirstUseEver | ImGuiSetCond_Appearing; |
| SetWindowPosCenterWanted = false; |
| |
| LastFrameDrawn = -1; |
| ItemWidthDefault = 0.0f; |
| FontWindowScale = 1.0f; |
| |
| DrawList = (ImDrawList*)ImGui::MemAlloc(sizeof(ImDrawList)); |
| new(DrawList) ImDrawList(); |
| DrawList->_OwnerName = Name; |
| RootWindow = NULL; |
| RootNonPopupWindow = NULL; |
| |
| FocusIdxAllCounter = FocusIdxTabCounter = -1; |
| FocusIdxAllRequestCurrent = FocusIdxTabRequestCurrent = IM_INT_MAX; |
| FocusIdxAllRequestNext = FocusIdxTabRequestNext = IM_INT_MAX; |
| } |
| |
| ImGuiWindow::~ImGuiWindow() |
| { |
| DrawList->~ImDrawList(); |
| ImGui::MemFree(DrawList); |
| DrawList = NULL; |
| ImGui::MemFree(Name); |
| Name = NULL; |
| } |
| |
| ImGuiID ImGuiWindow::GetID(const char* str, const char* str_end) |
| { |
| ImGuiID seed = IDStack.back(); |
| ImGuiID id = ImHash(str, str_end ? (int)(str_end - str) : 0, seed); |
| ImGui::KeepAliveID(id); |
| return id; |
| } |
| |
| ImGuiID ImGuiWindow::GetID(const void* ptr) |
| { |
| ImGuiID seed = IDStack.back(); |
| ImGuiID id = ImHash(&ptr, sizeof(void*), seed); |
| ImGui::KeepAliveID(id); |
| return id; |
| } |
| |
| //----------------------------------------------------------------------------- |
| // Internal API exposed in imgui_internal.h |
| //----------------------------------------------------------------------------- |
| |
| ImGuiWindow* ImGui::GetCurrentWindow() |
| { |
| // If this ever crash it probably means that ImGui::NewFrame() has never been called (which is illegal). We should always have a CurrentWindow in the stack (there is an implicit "Debug" window) |
| ImGuiState& g = *GImGui; |
| g.CurrentWindow->Accessed = true; |
| return g.CurrentWindow; |
| } |
| |
| static void SetCurrentWindow(ImGuiWindow* window) |
| { |
| ImGuiState& g = *GImGui; |
| g.CurrentWindow = window; |
| if (window) |
| g.FontSize = window->CalcFontSize(); |
| } |
| |
| ImGuiWindow* ImGui::GetParentWindow() |
| { |
| ImGuiState& g = *GImGui; |
| IM_ASSERT(g.CurrentWindowStack.Size >= 2); |
| return g.CurrentWindowStack[g.CurrentWindowStack.Size - 2]; |
| } |
| |
| void ImGui::SetActiveID(ImGuiID id, ImGuiWindow* window = NULL) |
| { |
| ImGuiState& g = *GImGui; |
| g.ActiveId = id; |
| g.ActiveIdIsFocusedOnly = false; |
| g.ActiveIdIsJustActivated = true; |
| g.ActiveIdWindow = window; |
| } |
| |
| void ImGui::KeepAliveID(ImGuiID id) |
| { |
| ImGuiState& g = *GImGui; |
| if (g.ActiveId == id) |
| g.ActiveIdIsAlive = true; |
| } |
| |
| // Advance cursor given item size for layout. |
| void ImGui::ItemSize(const ImVec2& size, float text_offset_y) |
| { |
| ImGuiWindow* window = GetCurrentWindow(); |
| if (window->SkipItems) |
| return; |
| |
| // Always align ourselves on pixel boundaries |
| ImGuiState& g = *GImGui; |
| const float line_height = ImMax(window->DC.CurrentLineHeight, size.y); |
| const float text_base_offset = ImMax(window->DC.CurrentLineTextBaseOffset, text_offset_y); |
| window->DC.CursorPosPrevLine = ImVec2(window->DC.CursorPos.x + size.x, window->DC.CursorPos.y); |
| window->DC.CursorPos = ImVec2((float)(int)(window->Pos.x + window->DC.ColumnsStartX + window->DC.ColumnsOffsetX), (float)(int)(window->DC.CursorPos.y + line_height + g.Style.ItemSpacing.y)); |
| window->DC.CursorMaxPos.x = ImMax(window->DC.CursorMaxPos.x, window->DC.CursorPosPrevLine.x); |
| window->DC.CursorMaxPos.y = ImMax(window->DC.CursorMaxPos.y, window->DC.CursorPos.y); |
| |
| //window->DrawList->AddCircle(window->DC.CursorMaxPos, 3.0f, 0xFF0000FF, 4); // Debug |
| |
| window->DC.PrevLineHeight = line_height; |
| window->DC.PrevLineTextBaseOffset = text_base_offset; |
| window->DC.CurrentLineHeight = window->DC.CurrentLineTextBaseOffset = 0.0f; |
| } |
| |
| void ImGui::ItemSize(const ImRect& bb, float text_offset_y) |
| { |
| ItemSize(bb.GetSize(), text_offset_y); |
| } |
| |
| // Declare item bounding box for clipping and interaction. |
| // Note that the size can be different than the one provided to ItemSize(). Typically, widgets that spread over available surface |
| // declares their minimum size requirement to ItemSize() and then use a larger region for drawing/interaction, which is passed to ItemAdd(). |
| bool ImGui::ItemAdd(const ImRect& bb, const ImGuiID* id) |
| { |
| ImGuiWindow* window = GetCurrentWindow(); |
| window->DC.LastItemID = id ? *id : 0; |
| window->DC.LastItemRect = bb; |
| if (IsClippedEx(bb, id, false)) |
| { |
| window->DC.LastItemHoveredAndUsable = window->DC.LastItemHoveredRect = false; |
| return false; |
| } |
| |
| // This is a sensible default, but widgets are free to override it after calling ItemAdd() |
| ImGuiState& g = *GImGui; |
| if (IsMouseHoveringRect(bb.Min, bb.Max)) |
| { |
| // Matching the behavior of IsHovered() but ignore if ActiveId==window->MoveID (we clicked on the window background) |
| // So that clicking on items with no active id such as Text() still returns true with IsItemHovered() |
| window->DC.LastItemHoveredRect = true; |
| window->DC.LastItemHoveredAndUsable = false; |
| if (g.HoveredRootWindow == window->RootWindow) |
| if (g.ActiveId == 0 || (id && g.ActiveId == *id) || g.ActiveIdIsFocusedOnly || (g.ActiveId == window->MoveID)) |
| if (IsWindowContentHoverable(window)) |
| window->DC.LastItemHoveredAndUsable = true; |
| } |
| else |
| { |
| window->DC.LastItemHoveredAndUsable = window->DC.LastItemHoveredRect = false; |
| } |
| |
| return true; |
| } |
| |
| bool ImGui::IsClippedEx(const ImRect& bb, const ImGuiID* id, bool clip_even_when_logged) |
| { |
| ImGuiState& g = *GImGui; |
| ImGuiWindow* window = GetCurrentWindow(); |
| |
| if (!bb.Overlaps(window->ClipRect)) |
| { |
| if (!id || *id != GImGui->ActiveId) |
| if (clip_even_when_logged || !g.LogEnabled) |
| return true; |
| } |
| return false; |
| } |
| |
| bool ImGui::IsHovered(const ImRect& bb, ImGuiID id, bool flatten_childs) |
| { |
| ImGuiState& g = *GImGui; |
| if (g.HoveredId == 0 || g.HoveredId == id) |
| { |
| ImGuiWindow* window = GetCurrentWindow(); |
| if (g.HoveredWindow == window || (flatten_childs && g.HoveredRootWindow == window->RootWindow)) |
| if ((g.ActiveId == 0 || g.ActiveId == id || g.ActiveIdIsFocusedOnly) && ImGui::IsMouseHoveringRect(bb.Min, bb.Max)) |
| if (IsWindowContentHoverable(g.HoveredRootWindow)) |
| return true; |
| } |
| return false; |
| } |
| |
| bool ImGui::FocusableItemRegister(ImGuiWindow* window, bool is_active, bool tab_stop) |
| { |
| ImGuiState& g = *GImGui; |
| |
| const bool allow_keyboard_focus = window->DC.AllowKeyboardFocus; |
| window->FocusIdxAllCounter++; |
| if (allow_keyboard_focus) |
| window->FocusIdxTabCounter++; |
| |
| // Process keyboard input at this point: TAB, Shift-TAB switch focus |
| // We can always TAB out of a widget that doesn't allow tabbing in. |
| if (tab_stop && window->FocusIdxAllRequestNext == IM_INT_MAX && window->FocusIdxTabRequestNext == IM_INT_MAX && is_active && IsKeyPressedMap(ImGuiKey_Tab)) |
| { |
| // Modulo on index will be applied at the end of frame once we've got the total counter of items. |
| window->FocusIdxTabRequestNext = window->FocusIdxTabCounter + (g.IO.KeyShift ? (allow_keyboard_focus ? -1 : 0) : +1); |
| } |
| |
| if (window->FocusIdxAllCounter == window->FocusIdxAllRequestCurrent) |
| return true; |
| |
| if (allow_keyboard_focus) |
| if (window->FocusIdxTabCounter == window->FocusIdxTabRequestCurrent) |
| return true; |
| |
| return false; |
| } |
| |
| void ImGui::FocusableItemUnregister(ImGuiWindow* window) |
| { |
| window->FocusIdxAllCounter--; |
| window->FocusIdxTabCounter--; |
| } |
| |
| ImVec2 ImGui::CalcItemSize(ImVec2 size, float default_x, float default_y) |
| { |
| ImGuiState& g = *GImGui; |
| ImVec2 content_max; |
| if (size.x < 0.0f || size.y < 0.0f) |
| content_max = g.CurrentWindow->Pos + ImGui::GetContentRegionMax(); |
| if (size.x <= 0.0f) |
| size.x = (size.x == 0.0f) ? default_x : ImMax(content_max.x - g.CurrentWindow->DC.CursorPos.x, 4.0f) + size.x; |
| if (size.y <= 0.0f) |
| size.y = (size.y == 0.0f) ? default_y : ImMax(content_max.y - g.CurrentWindow->DC.CursorPos.y, 4.0f) + size.y; |
| return size; |
| } |
| |
| float ImGui::CalcWrapWidthForPos(const ImVec2& pos, float wrap_pos_x) |
| { |
| if (wrap_pos_x < 0.0f) |
| return 0.0f; |
| |
| ImGuiWindow* window = ImGui::GetCurrentWindow(); |
| if (wrap_pos_x == 0.0f) |
| wrap_pos_x = ImGui::GetContentRegionMax().x; |
| if (wrap_pos_x > 0.0f) |
| wrap_pos_x += window->Pos.x; // wrap_pos_x is provided is window local space |
| |
| const float wrap_width = wrap_pos_x > 0.0f ? ImMax(wrap_pos_x - pos.x, 0.00001f) : 0.0f; |
| return wrap_width; |
| } |
| |
| //----------------------------------------------------------------------------- |
| |
| void* ImGui::MemAlloc(size_t sz) |
| { |
| GImGui->IO.MetricsAllocs++; |
| return GImGui->IO.MemAllocFn(sz); |
| } |
| |
| void ImGui::MemFree(void* ptr) |
| { |
| if (ptr) GImGui->IO.MetricsAllocs--; |
| return GImGui->IO.MemFreeFn(ptr); |
| } |
| |
| const char* ImGui::GetVersion() |
| { |
| return IMGUI_VERSION; |
| } |
| |
| // Internal state access - if you want to share ImGui state between modules (e.g. DLL) or allocate it yourself |
| // Note that we still point to some static data and members (such as GFontAtlas), so the state instance you end up using will point to the static data within its module |
| void* ImGui::GetInternalState() |
| { |
| return GImGui; |
| } |
| |
| size_t ImGui::GetInternalStateSize() |
| { |
| return sizeof(ImGuiState); |
| } |
| |
| void ImGui::SetInternalState(void* state, bool construct) |
| { |
| if (construct) |
| new (state) ImGuiState(); |
| GImGui = (ImGuiState*)state; |
| } |
| |
| ImGuiIO& ImGui::GetIO() |
| { |
| return GImGui->IO; |
| } |
| |
| ImGuiStyle& ImGui::GetStyle() |
| { |
| return GImGui->Style; |
| } |
| |
| float ImGui::GetTime() |
| { |
| return GImGui->Time; |
| } |
| |
| int ImGui::GetFrameCount() |
| { |
| return GImGui->FrameCount; |
| } |
| |
| void ImGui::NewFrame() |
| { |
| ImGuiState& g = *GImGui; |
| |
| // Check user data |
| IM_ASSERT(g.IO.DeltaTime >= 0.0f); |
| IM_ASSERT(g.IO.DisplaySize.x >= 0.0f && g.IO.DisplaySize.y >= 0.0f); |
| IM_ASSERT(g.IO.RenderDrawListsFn != NULL); // Must be implemented |
| IM_ASSERT(g.IO.Fonts->Fonts.Size > 0); // Font Atlas not created. Did you call io.Fonts->GetTexDataAsRGBA32 / GetTexDataAsAlpha8 ? |
| IM_ASSERT(g.IO.Fonts->Fonts[0]->IsLoaded()); // Font Atlas not created. Did you call io.Fonts->GetTexDataAsRGBA32 / GetTexDataAsAlpha8 ? |
| |
| if (!g.Initialized) |
| { |
| // Initialize on first frame |
| g.LogClipboard = (ImGuiTextBuffer*)ImGui::MemAlloc(sizeof(ImGuiTextBuffer)); |
| new(g.LogClipboard) ImGuiTextBuffer(); |
| |
| IM_ASSERT(g.Settings.empty()); |
| LoadSettings(); |
| g.Initialized = true; |
| } |
| |
| SetCurrentFont(g.IO.Fonts->Fonts[0]); |
| |
| g.Time += g.IO.DeltaTime; |
| g.FrameCount += 1; |
| g.Tooltip[0] = '\0'; |
| g.OverlayDrawList.Clear(); |
| g.OverlayDrawList.PushTextureID(g.IO.Fonts->TexID); |
| g.OverlayDrawList.PushClipRectFullScreen(); |
| g.OverlayDrawList.AddDrawCmd(); |
| |
| // Update inputs state |
| if (g.IO.MousePos.x < 0 && g.IO.MousePos.y < 0) |
| g.IO.MousePos = ImVec2(-9999.0f, -9999.0f); |
| if ((g.IO.MousePos.x < 0 && g.IO.MousePos.y < 0) || (g.IO.MousePosPrev.x < 0 && g.IO.MousePosPrev.y < 0)) // if mouse just appeared or disappeared (negative coordinate) we cancel out movement in MouseDelta |
| g.IO.MouseDelta = ImVec2(0.0f, 0.0f); |
| else |
| g.IO.MouseDelta = g.IO.MousePos - g.IO.MousePosPrev; |
| g.IO.MousePosPrev = g.IO.MousePos; |
| for (int i = 0; i < IM_ARRAYSIZE(g.IO.MouseDown); i++) |
| { |
| g.IO.MouseDownDurationPrev[i] = g.IO.MouseDownDuration[i]; |
| g.IO.MouseDownDuration[i] = g.IO.MouseDown[i] ? (g.IO.MouseDownDuration[i] < 0.0f ? 0.0f : g.IO.MouseDownDuration[i] + g.IO.DeltaTime) : -1.0f; |
| g.IO.MouseClicked[i] = g.IO.MouseDownDuration[i] == 0.0f; |
| g.IO.MouseReleased[i] = g.IO.MouseDownDurationPrev[i] >= 0.0f && !g.IO.MouseDown[i]; |
| g.IO.MouseDoubleClicked[i] = false; |
| if (g.IO.MouseClicked[i]) |
| { |
| if (g.Time - g.IO.MouseClickedTime[i] < g.IO.MouseDoubleClickTime) |
| { |
| if (ImLengthSqr(g.IO.MousePos - g.IO.MouseClickedPos[i]) < g.IO.MouseDoubleClickMaxDist * g.IO.MouseDoubleClickMaxDist) |
| g.IO.MouseDoubleClicked[i] = true; |
| g.IO.MouseClickedTime[i] = -FLT_MAX; // so the third click isn't turned into a double-click |
| } |
| else |
| { |
| g.IO.MouseClickedTime[i] = g.Time; |
| } |
| g.IO.MouseClickedPos[i] = g.IO.MousePos; |
| g.IO.MouseDragMaxDistanceSqr[i] = 0.0f; |
| } |
| else if (g.IO.MouseDown[i]) |
| { |
| g.IO.MouseDragMaxDistanceSqr[i] = ImMax(g.IO.MouseDragMaxDistanceSqr[i], ImLengthSqr(g.IO.MousePos - g.IO.MouseClickedPos[i])); |
| } |
| } |
| memcpy(g.IO.KeysDownDurationPrev, g.IO.KeysDownDuration, sizeof(g.IO.KeysDownDuration)); |
| for (int i = 0; i < IM_ARRAYSIZE(g.IO.KeysDown); i++) |
| g.IO.KeysDownDuration[i] = g.IO.KeysDown[i] ? (g.IO.KeysDownDuration[i] < 0.0f ? 0.0f : g.IO.KeysDownDuration[i] + g.IO.DeltaTime) : -1.0f; |
| |
| // Calculate frame-rate for the user, as a purely luxurious feature |
| g.FramerateSecPerFrameAccum += g.IO.DeltaTime - g.FramerateSecPerFrame[g.FramerateSecPerFrameIdx]; |
| g.FramerateSecPerFrame[g.FramerateSecPerFrameIdx] = g.IO.DeltaTime; |
| g.FramerateSecPerFrameIdx = (g.FramerateSecPerFrameIdx + 1) % IM_ARRAYSIZE(g.FramerateSecPerFrame); |
| g.IO.Framerate = 1.0f / (g.FramerateSecPerFrameAccum / (float)IM_ARRAYSIZE(g.FramerateSecPerFrame)); |
| |
| // Clear reference to active widget if the widget isn't alive anymore |
| g.HoveredIdPreviousFrame = g.HoveredId; |
| g.HoveredId = 0; |
| if (!g.ActiveIdIsAlive && g.ActiveIdPreviousFrame == g.ActiveId && g.ActiveId != 0) |
| SetActiveID(0); |
| g.ActiveIdPreviousFrame = g.ActiveId; |
| g.ActiveIdIsAlive = false; |
| g.ActiveIdIsJustActivated = false; |
| if (!g.ActiveId) |
| g.MovedWindow = NULL; |
| |
| // Delay saving settings so we don't spam disk too much |
| if (g.SettingsDirtyTimer > 0.0f) |
| { |
| g.SettingsDirtyTimer -= g.IO.DeltaTime; |
| if (g.SettingsDirtyTimer <= 0.0f) |
| SaveSettings(); |
| } |
| |
| // Find the window we are hovering. Child windows can extend beyond the limit of their parent so we need to derive HoveredRootWindow from HoveredWindow |
| g.HoveredWindow = FindHoveredWindow(g.IO.MousePos, false); |
| if (g.HoveredWindow && (g.HoveredWindow->Flags & ImGuiWindowFlags_ChildWindow)) |
| g.HoveredRootWindow = g.HoveredWindow->RootWindow; |
| else |
| g.HoveredRootWindow = FindHoveredWindow(g.IO.MousePos, true); |
| |
| if (ImGuiWindow* modal_window = GetFrontMostModalRootWindow()) |
| { |
| g.ModalWindowDarkeningRatio = ImMin(g.ModalWindowDarkeningRatio + g.IO.DeltaTime * 6.0f, 1.0f); |
| if (g.HoveredRootWindow != modal_window) |
| g.HoveredRootWindow = g.HoveredWindow = NULL; |
| } |
| else |
| { |
| g.ModalWindowDarkeningRatio = 0.0f; |
| } |
| |
| // Are we using inputs? Tell user so they can capture/discard the inputs away from the rest of their application. |
| // When clicking outside of a window we assume the click is owned by the application and won't request capture. |
| int mouse_earliest_button_down = -1; |
| bool mouse_any_down = false; |
| for (int i = 0; i < IM_ARRAYSIZE(g.IO.MouseDown); i++) |
| { |
| if (g.IO.MouseClicked[i]) |
| g.IO.MouseDownOwned[i] = (g.HoveredWindow != NULL) || (!g.OpenedPopupStack.empty()); |
| mouse_any_down |= g.IO.MouseDown[i]; |
| if (g.IO.MouseDown[i]) |
| if (mouse_earliest_button_down == -1 || g.IO.MouseClickedTime[mouse_earliest_button_down] > g.IO.MouseClickedTime[i]) |
| mouse_earliest_button_down = i; |
| } |
| bool mouse_owned_by_application = mouse_earliest_button_down != -1 && !g.IO.MouseDownOwned[mouse_earliest_button_down]; |
| g.IO.WantCaptureMouse = (!mouse_owned_by_application && g.HoveredWindow != NULL) || (!mouse_owned_by_application && mouse_any_down) || (g.ActiveId != 0) || (!g.OpenedPopupStack.empty()) || (g.CaptureMouseNextFrame); |
| g.IO.WantCaptureKeyboard = (g.ActiveId != 0) || (g.CaptureKeyboardNextFrame); |
| g.MouseCursor = ImGuiMouseCursor_Arrow; |
| g.CaptureMouseNextFrame = g.CaptureKeyboardNextFrame = false; |
| |
| // If mouse was first clicked outside of ImGui bounds we also cancel out hovering. |
| if (mouse_owned_by_application) |
| g.HoveredWindow = g.HoveredRootWindow = NULL; |
| |
| // Scale & Scrolling |
| if (g.HoveredWindow && g.IO.MouseWheel != 0.0f && !g.HoveredWindow->Collapsed) |
| { |
| ImGuiWindow* window = g.HoveredWindow; |
| if (g.IO.KeyCtrl) |
| { |
| if (g.IO.FontAllowUserScaling) |
| { |
| // Zoom / Scale window |
| float new_font_scale = ImClamp(window->FontWindowScale + g.IO.MouseWheel * 0.10f, 0.50f, 2.50f); |
| float scale = new_font_scale / window->FontWindowScale; |
| window->FontWindowScale = new_font_scale; |
| |
| const ImVec2 offset = window->Size * (1.0f - scale) * (g.IO.MousePos - window->Pos) / window->Size; |
| window->Pos += offset; |
| window->PosFloat += offset; |
| window->Size *= scale; |
| window->SizeFull *= scale; |
| } |
| } |
| else |
| { |
| // Scroll |
| if (!(window->Flags & ImGuiWindowFlags_NoScrollWithMouse)) |
| { |
| const int scroll_lines = (window->Flags & ImGuiWindowFlags_ComboBox) ? 3 : 5; |
| SetWindowScrollY(window, window->ScrollY - g.IO.MouseWheel * window->CalcFontSize() * scroll_lines); |
| } |
| } |
| } |
| |
| // Pressing TAB activate widget focus |
| // NB: Don't discard FocusedWindow if it isn't active, so that a window that go on/off programatically won't lose its keyboard focus. |
| if (g.ActiveId == 0 && g.FocusedWindow != NULL && g.FocusedWindow->Active && IsKeyPressedMap(ImGuiKey_Tab, false)) |
| g.FocusedWindow->FocusIdxTabRequestNext = 0; |
| |
| // Mark all windows as not visible |
| for (int i = 0; i != g.Windows.Size; i++) |
| { |
| ImGuiWindow* window = g.Windows[i]; |
| window->WasActive = window->Active; |
| window->Active = false; |
| window->Accessed = false; |
| } |
| |
| // No window should be open at the beginning of the frame. |
| // But in order to allow the user to call NewFrame() multiple times without calling Render(), we are doing an explicit clear. |
| g.CurrentWindowStack.resize(0); |
| g.CurrentPopupStack.resize(0); |
| CloseInactivePopups(); |
| |
| // Create implicit window - we will only render it if the user has added something to it. |
| ImGui::SetNextWindowSize(ImVec2(400,400), ImGuiSetCond_FirstUseEver); |
| ImGui::Begin("Debug"); |
| } |
| |
| // NB: behavior of ImGui after Shutdown() is not tested/guaranteed at the moment. This function is merely here to free heap allocations. |
| void ImGui::Shutdown() |
| { |
| ImGuiState& g = *GImGui; |
| if (!g.Initialized) |
| return; |
| |
| SaveSettings(); |
| |
| for (int i = 0; i < g.Windows.Size; i++) |
| { |
| g.Windows[i]->~ImGuiWindow(); |
| ImGui::MemFree(g.Windows[i]); |
| } |
| g.Windows.clear(); |
| g.WindowsSortBuffer.clear(); |
| g.CurrentWindowStack.clear(); |
| g.FocusedWindow = NULL; |
| g.HoveredWindow = NULL; |
| g.HoveredRootWindow = NULL; |
| for (int i = 0; i < g.Settings.Size; i++) |
| ImGui::MemFree(g.Settings[i].Name); |
| g.Settings.clear(); |
| g.ColorModifiers.clear(); |
| g.StyleModifiers.clear(); |
| g.FontStack.clear(); |
| g.OpenedPopupStack.clear(); |
| g.CurrentPopupStack.clear(); |
| for (int i = 0; i < IM_ARRAYSIZE(g.RenderDrawLists); i++) |
| g.RenderDrawLists[i].clear(); |
| g.OverlayDrawList.ClearFreeMemory(); |
| g.ColorEditModeStorage.Clear(); |
| if (g.PrivateClipboard) |
| { |
| ImGui::MemFree(g.PrivateClipboard); |
| g.PrivateClipboard = NULL; |
| } |
| g.InputTextState.Text.clear(); |
| g.InputTextState.InitialText.clear(); |
| g.InputTextState.TempTextBuffer.clear(); |
| |
| if (g.LogFile && g.LogFile != stdout) |
| { |
| fclose(g.LogFile); |
| g.LogFile = NULL; |
| } |
| if (g.LogClipboard) |
| { |
| g.LogClipboard->~ImGuiTextBuffer(); |
| ImGui::MemFree(g.LogClipboard); |
| } |
| |
| if (g.IO.Fonts) // Testing for NULL to allow user to NULLify in case of running Shutdown() on multiple contexts. Bit hacky. |
| g.IO.Fonts->Clear(); |
| |
| g.Initialized = false; |
| } |
| |
| static ImGuiIniData* FindWindowSettings(const char* name) |
| { |
| ImGuiState& g = *GImGui; |
| ImGuiID id = ImHash(name, 0); |
| for (int i = 0; i != g.Settings.Size; i++) |
| { |
| ImGuiIniData* ini = &g.Settings[i]; |
| if (ini->ID == id) |
| return ini; |
| } |
| return NULL; |
| } |
| |
| static ImGuiIniData* AddWindowSettings(const char* name) |
| { |
| GImGui->Settings.resize(GImGui->Settings.Size + 1); |
| ImGuiIniData* ini = &GImGui->Settings.back(); |
| ini->Name = ImStrdup(name); |
| ini->ID = ImHash(name, 0); |
| ini->Collapsed = false; |
| ini->Pos = ImVec2(FLT_MAX,FLT_MAX); |
| ini->Size = ImVec2(0,0); |
| return ini; |
| } |
| |
| // Zero-tolerance, poor-man .ini parsing |
| // FIXME: Write something less rubbish |
| static void LoadSettings() |
| { |
| ImGuiState& g = *GImGui; |
| const char* filename = g.IO.IniFilename; |
| if (!filename) |
| return; |
| |
| char* file_data; |
| int file_size; |
| if (!ImLoadFileToMemory(filename, "rb", (void**)&file_data, &file_size, 1)) |
| return; |
| |
| ImGuiIniData* settings = NULL; |
| const char* buf_end = file_data + file_size; |
| for (const char* line_start = file_data; line_start < buf_end; ) |
| { |
| const char* line_end = line_start; |
| while (line_end < buf_end && *line_end != '\n' && *line_end != '\r') |
| line_end++; |
| |
| if (line_start[0] == '[' && line_end > line_start && line_end[-1] == ']') |
| { |
| char name[64]; |
| ImFormatString(name, IM_ARRAYSIZE(name), "%.*s", line_end-line_start-2, line_start+1); |
| settings = FindWindowSettings(name); |
| if (!settings) |
| settings = AddWindowSettings(name); |
| } |
| else if (settings) |
| { |
| float x, y; |
| int i; |
| if (sscanf(line_start, "Pos=%f,%f", &x, &y) == 2) |
| settings->Pos = ImVec2(x, y); |
| else if (sscanf(line_start, "Size=%f,%f", &x, &y) == 2) |
| settings->Size = ImMax(ImVec2(x, y), g.Style.WindowMinSize); |
| else if (sscanf(line_start, "Collapsed=%d", &i) == 1) |
| settings->Collapsed = (i != 0); |
| } |
| |
| line_start = line_end+1; |
| } |
| |
| ImGui::MemFree(file_data); |
| } |
| |
| static void SaveSettings() |
| { |
| ImGuiState& g = *GImGui; |
| const char* filename = g.IO.IniFilename; |
| if (!filename) |
| return; |
| |
| // Gather data from windows that were active during this session |
| for (int i = 0; i != g.Windows.Size; i++) |
| { |
| ImGuiWindow* window = g.Windows[i]; |
| if (window->Flags & ImGuiWindowFlags_NoSavedSettings) |
| continue; |
| ImGuiIniData* settings = FindWindowSettings(window->Name); |
| settings->Pos = window->Pos; |
| settings->Size = window->SizeFull; |
| settings->Collapsed = window->Collapsed; |
| } |
| |
| // Write .ini file |
| // If a window wasn't opened in this session we preserve its settings |
| FILE* f = fopen(filename, "wt"); |
| if (!f) |
| return; |
| for (int i = 0; i != g.Settings.Size; i++) |
| { |
| const ImGuiIniData* settings = &g.Settings[i]; |
| if (settings->Pos.x == FLT_MAX) |
| continue; |
| const char* name = settings->Name; |
| if (const char* p = strstr(name, "###")) // Skip to the "###" marker if any. We don't skip past to match the behavior of GetID() |
| name = p; |
| fprintf(f, "[%s]\n", name); |
| fprintf(f, "Pos=%d,%d\n", (int)settings->Pos.x, (int)settings->Pos.y); |
| fprintf(f, "Size=%d,%d\n", (int)settings->Size.x, (int)settings->Size.y); |
| fprintf(f, "Collapsed=%d\n", settings->Collapsed); |
| fprintf(f, "\n"); |
| } |
| |
| fclose(f); |
| } |
| |
| static void MarkSettingsDirty() |
| { |
| ImGuiState& g = *GImGui; |
| if (g.SettingsDirtyTimer <= 0.0f) |
| g.SettingsDirtyTimer = g.IO.IniSavingRate; |
| } |
| |
| // FIXME: Add a more explicit sort order in the window structure. |
| static int ChildWindowComparer(const void* lhs, const void* rhs) |
| { |
| const ImGuiWindow* a = *(const ImGuiWindow**)lhs; |
| const ImGuiWindow* b = *(const ImGuiWindow**)rhs; |
| if (int d = (a->Flags & ImGuiWindowFlags_Popup) - (b->Flags & ImGuiWindowFlags_Popup)) |
| return d; |
| if (int d = (a->Flags & ImGuiWindowFlags_Tooltip) - (b->Flags & ImGuiWindowFlags_Tooltip)) |
| return d; |
| if (int d = (a->Flags & ImGuiWindowFlags_ComboBox) - (b->Flags & ImGuiWindowFlags_ComboBox)) |
| return d; |
| return 0; |
| } |
| |
| static void AddWindowToSortedBuffer(ImVector<ImGuiWindow*>& out_sorted_windows, ImGuiWindow* window) |
| { |
| out_sorted_windows.push_back(window); |
| if (window->Active) |
| { |
| int count = window->DC.ChildWindows.Size; |
| if (count > 1) |
| qsort(window->DC.ChildWindows.begin(), (size_t)count, sizeof(ImGuiWindow*), ChildWindowComparer); |
| for (int i = 0; i < count; i++) |
| { |
| ImGuiWindow* child = window->DC.ChildWindows[i]; |
| if (child->Active) |
| AddWindowToSortedBuffer(out_sorted_windows, child); |
| } |
| } |
| } |
| |
| static void AddDrawListToRenderList(ImVector<ImDrawList*>& out_render_list, ImDrawList* draw_list) |
| { |
| if (!draw_list->CmdBuffer.empty() && !draw_list->VtxBuffer.empty()) |
| { |
| if (draw_list->CmdBuffer.back().ElemCount == 0) |
| draw_list->CmdBuffer.pop_back(); |
| out_render_list.push_back(draw_list); |
| GImGui->IO.MetricsRenderVertices += draw_list->VtxBuffer.Size; |
| GImGui->IO.MetricsRenderIndices += draw_list->IdxBuffer.Size; |
| } |
| } |
| |
| static void AddWindowToRenderList(ImVector<ImDrawList*>& out_render_list, ImGuiWindow* window) |
| { |
| AddDrawListToRenderList(out_render_list, window->DrawList); |
| for (int i = 0; i < window->DC.ChildWindows.Size; i++) |
| { |
| ImGuiWindow* child = window->DC.ChildWindows[i]; |
| if (!child->Active) // clipped children may have been marked not active |
| continue; |
| if ((child->Flags & ImGuiWindowFlags_Popup) && child->HiddenFrames > 0) |
| continue; |
| AddWindowToRenderList(out_render_list, child); |
| } |
| } |
| |
| static void PushClipRect(const ImRect& clip_rect, bool clipped) |
| { |
| ImGuiWindow* window = ImGui::GetCurrentWindow(); |
| |
| ImRect cr = clip_rect; |
| if (clipped) |
| { |
| // Clip our argument with the current clip rect |
| cr.Clip(window->ClipRect); |
| } |
| cr.Max.x = ImMax(cr.Min.x, cr.Max.x); |
| cr.Max.y = ImMax(cr.Min.y, cr.Max.y); |
| |
| IM_ASSERT(cr.Min.x <= cr.Max.x && cr.Min.y <= cr.Max.y); |
| window->ClipRect = cr; |
| window->DrawList->PushClipRect(ImVec4(cr.Min.x, cr.Min.y, cr.Max.x, cr.Max.y)); |
| } |
| |
| static void PopClipRect() |
| { |
| ImGuiWindow* window = ImGui::GetCurrentWindow(); |
| window->DrawList->PopClipRect(); |
| window->ClipRect = window->DrawList->_ClipRectStack.back(); |
| } |
| |
| void ImGui::Render() |
| { |
| ImGuiState& g = *GImGui; |
| IM_ASSERT(g.Initialized); // Forgot to call ImGui::NewFrame() |
| |
| const bool first_render_of_the_frame = (g.FrameCountRendered != g.FrameCount); |
| g.FrameCountRendered = g.FrameCount; |
| |
| if (first_render_of_the_frame) |
| { |
| // Hide implicit "Debug" window if it hasn't been used |
| IM_ASSERT(g.CurrentWindowStack.Size == 1); // Mismatched Begin/End |
| if (g.CurrentWindow && !g.CurrentWindow->Accessed) |
| g.CurrentWindow->Active = false; |
| ImGui::End(); |
| |
| // Click to focus window and start moving (after we're done with all our widgets) |
| if (!g.ActiveId) |
| g.MovedWindow = NULL; |
| if (g.ActiveId == 0 && g.HoveredId == 0 && g.IO.MouseClicked[0]) |
| { |
| if (!(g.FocusedWindow && !g.FocusedWindow->WasActive && g.FocusedWindow->Active)) // Unless we just made a popup appear |
| { |
| if (g.HoveredRootWindow != NULL) |
| { |
| g.MovedWindow = g.HoveredWindow; |
| SetActiveID(g.HoveredRootWindow->MoveID, g.HoveredRootWindow); |
| } |
| else if (g.FocusedWindow != NULL && GetFrontMostModalRootWindow() == NULL) |
| { |
| // Clicking on void disable focus |
| FocusWindow(NULL); |
| } |
| } |
| } |
| |
| // Sort the window list so that all child windows are after their parent |
| // We cannot do that on FocusWindow() because childs may not exist yet |
| g.WindowsSortBuffer.resize(0); |
| g.WindowsSortBuffer.reserve(g.Windows.Size); |
| for (int i = 0; i != g.Windows.Size; i++) |
| { |
| ImGuiWindow* window = g.Windows[i]; |
| if (window->Flags & ImGuiWindowFlags_ChildWindow) // if a child is active its parent will add it |
| if (window->Active) |
| continue; |
| AddWindowToSortedBuffer(g.WindowsSortBuffer, window); |
| } |
| IM_ASSERT(g.Windows.Size == g.WindowsSortBuffer.Size); // we done something wrong |
| g.Windows.swap(g.WindowsSortBuffer); |
| |
| // Clear Input data for next frame |
| g.IO.MouseWheel = 0.0f; |
| memset(g.IO.InputCharacters, 0, sizeof(g.IO.InputCharacters)); |
| } |
| |
| // Skip render altogether if alpha is 0.0 |
| // Note that vertex buffers have been created and are wasted, so it is best practice that you don't create windows in the first place, or respond to Begin() returning false. |
| if (g.Style.Alpha > 0.0f) |
| { |
| // Render tooltip |
| if (g.Tooltip[0]) |
| { |
| ImGui::BeginTooltip(); |
| ImGui::TextUnformatted(g.Tooltip); |
| ImGui::EndTooltip(); |
| } |
| |
| // Gather windows to render |
| g.IO.MetricsRenderVertices = g.IO.MetricsRenderIndices = g.IO.MetricsActiveWindows = 0; |
| for (int i = 0; i < IM_ARRAYSIZE(g.RenderDrawLists); i++) |
| g.RenderDrawLists[i].resize(0); |
| for (int i = 0; i != g.Windows.Size; i++) |
| { |
| ImGuiWindow* window = g.Windows[i]; |
| if (window->Active && window->HiddenFrames <= 0 && (window->Flags & (ImGuiWindowFlags_ChildWindow)) == 0) |
| { |
| // FIXME: Generalize this with a proper layering system so e.g. user can draw in specific layers, below text, .. |
| g.IO.MetricsActiveWindows++; |
| if (window->Flags & ImGuiWindowFlags_Popup) |
| AddWindowToRenderList(g.RenderDrawLists[1], window); |
| else if (window->Flags & ImGuiWindowFlags_Tooltip) |
| AddWindowToRenderList(g.RenderDrawLists[2], window); |
| else |
| AddWindowToRenderList(g.RenderDrawLists[0], window); |
| } |
| } |
| |
| // Flatten layers |
| int n = g.RenderDrawLists[0].Size; |
| int flattened_size = n; |
| for (int i = 1; i < IM_ARRAYSIZE(g.RenderDrawLists); i++) |
| flattened_size += g.RenderDrawLists[i].Size; |
| g.RenderDrawLists[0].resize(flattened_size); |
| for (int i = 1; i < IM_ARRAYSIZE(g.RenderDrawLists); i++) |
| { |
| ImVector<ImDrawList*>& layer = g.RenderDrawLists[i]; |
| if (!layer.empty()) |
| { |
| memcpy(&g.RenderDrawLists[0][n], &layer[0], layer.Size * sizeof(ImDrawList*)); |
| n += layer.Size; |
| } |
| } |
| |
| if (g.IO.MouseDrawCursor) |
| { |
| const ImGuiMouseCursorData& cursor_data = g.MouseCursorData[g.MouseCursor]; |
| const ImVec2 pos = g.IO.MousePos - cursor_data.HotOffset; |
| const ImVec2 size = cursor_data.Size; |
| const ImTextureID tex_id = g.IO.Fonts->TexID; |
| g.OverlayDrawList.PushTextureID(tex_id); |
| g.OverlayDrawList.AddImage(tex_id, pos+ImVec2(1,0), pos+ImVec2(1,0) + size, cursor_data.TexUvMin[1], cursor_data.TexUvMax[1], 0x30000000); // Shadow |
| g.OverlayDrawList.AddImage(tex_id, pos+ImVec2(2,0), pos+ImVec2(2,0) + size, cursor_data.TexUvMin[1], cursor_data.TexUvMax[1], 0x30000000); // Shadow |
| g.OverlayDrawList.AddImage(tex_id, pos, pos + size, cursor_data.TexUvMin[1], cursor_data.TexUvMax[1], 0xFF000000); // Black border |
| g.OverlayDrawList.AddImage(tex_id, pos, pos + size, cursor_data.TexUvMin[0], cursor_data.TexUvMax[0], 0xFFFFFFFF); // White fill |
| g.OverlayDrawList.PopTextureID(); |
| } |
| if (!g.OverlayDrawList.VtxBuffer.empty()) |
| AddDrawListToRenderList(g.RenderDrawLists[0], &g.OverlayDrawList); |
| |
| // Render |
| if (!g.RenderDrawLists[0].empty()) |
| { |
| ImDrawData data; |
| data.CmdLists = &g.RenderDrawLists[0][0]; |
| data.CmdListsCount = g.RenderDrawLists[0].Size; |
| data.TotalVtxCount = g.IO.MetricsRenderVertices; |
| data.TotalIdxCount = g.IO.MetricsRenderIndices; |
| g.IO.RenderDrawListsFn(&data); |
| } |
| } |
| } |
| |
| // Find the optional ## from which we stop displaying text. |
| static const char* FindTextDisplayEnd(const char* text, const char* text_end) |
| { |
| const char* text_display_end = text; |
| if (!text_end) |
| text_end = (const char*)-1; |
| |
| ImGuiState& g = *GImGui; |
| if (g.DisableHideTextAfterDoubleHash > 0) |
| { |
| while (text_display_end < text_end && *text_display_end != '\0') |
| text_display_end++; |
| } |
| else |
| { |
| while (text_display_end < text_end && *text_display_end != '\0' && (text_display_end[0] != '#' || text_display_end[1] != '#')) |
| text_display_end++; |
| } |
| return text_display_end; |
| } |
| |
| // Pass text data straight to log (without being displayed) |
| void ImGui::LogText(const char* fmt, ...) |
| { |
| ImGuiState& g = *GImGui; |
| if (!g.LogEnabled) |
| return; |
| |
| va_list args; |
| va_start(args, fmt); |
| if (g.LogFile) |
| { |
| vfprintf(g.LogFile, fmt, args); |
| } |
| else |
| { |
| g.LogClipboard->appendv(fmt, args); |
| } |
| va_end(args); |
| } |
| |
| // Internal version that takes a position to decide on newline placement and pad items according to their depth. |
| // We split text into individual lines to add current tree level padding |
| static void LogRenderedText(const ImVec2& ref_pos, const char* text, const char* text_end) |
| { |
| ImGuiState& g = *GImGui; |
| ImGuiWindow* window = ImGui::GetCurrentWindow(); |
| |
| if (!text_end) |
| text_end = FindTextDisplayEnd(text, text_end); |
| |
| const bool log_new_line = ref_pos.y > window->DC.LogLinePosY+1; |
| window->DC.LogLinePosY = ref_pos.y; |
| |
| const char* text_remaining = text; |
| if (g.LogStartDepth > window->DC.TreeDepth) // Re-adjust padding if we have popped out of our starting depth |
| g.LogStartDepth = window->DC.TreeDepth; |
| const int tree_depth = (window->DC.TreeDepth - g.LogStartDepth); |
| for (;;) |
| { |
| // Split the string. Each new line (after a '\n') is followed by spacing corresponding to the current depth of our log entry. |
| const char* line_end = text_remaining; |
| while (line_end < text_end) |
| if (*line_end == '\n') |
| break; |
| else |
| line_end++; |
| if (line_end >= text_end) |
| line_end = NULL; |
| |
| const bool is_first_line = (text == text_remaining); |
| bool is_last_line = false; |
| if (line_end == NULL) |
| { |
| is_last_line = true; |
| line_end = text_end; |
| } |
| if (line_end != NULL && !(is_last_line && (line_end - text_remaining)==0)) |
| { |
| const int char_count = (int)(line_end - text_remaining); |
| if (log_new_line || !is_first_line) |
| ImGui::LogText(IM_NEWLINE "%*s%.*s", tree_depth*4, "", char_count, text_remaining); |
| else |
| ImGui::LogText(" %.*s", char_count, text_remaining); |
| } |
| |
| if (is_last_line) |
| break; |
| text_remaining = line_end + 1; |
| } |
| } |
| |
| // Internal ImGui functions to render text |
| // RenderText***() functions calls ImDrawList::AddText() calls ImBitmapFont::RenderText() |
| void ImGui::RenderText(ImVec2 pos, const char* text, const char* text_end, bool hide_text_after_hash) |
| { |
| ImGuiState& g = *GImGui; |
| ImGuiWindow* window = GetCurrentWindow(); |
| |
| // Hide anything after a '##' string |
| const char* text_display_end; |
| if (hide_text_after_hash) |
| { |
| text_display_end = FindTextDisplayEnd(text, text_end); |
| } |
| else |
| { |
| if (!text_end) |
| text_end = text + strlen(text); // FIXME-OPT |
| text_display_end = text_end; |
| } |
| |
| const int text_len = (int)(text_display_end - text); |
| if (text_len > 0) |
| { |
| // Render |
| window->DrawList->AddText(g.Font, g.FontSize, pos, window->Color(ImGuiCol_Text), text, text_display_end); |
| |
| // Log as text |
| if (g.LogEnabled) |
| LogRenderedText(pos, text, text_display_end); |
| } |
| } |
| |
| void ImGui::RenderTextWrapped(ImVec2 pos, const char* text, const char* text_end, float wrap_width) |
| { |
| ImGuiState& g = *GImGui; |
| ImGuiWindow* window = GetCurrentWindow(); |
| |
| if (!text_end) |
| text_end = text + strlen(text); // FIXME-OPT |
| |
| const int text_len = (int)(text_end - text); |
| if (text_len > 0) |
| { |
| window->DrawList->AddText(g.Font, g.FontSize, pos, window->Color(ImGuiCol_Text), text, text_end, wrap_width); |
| if (g.LogEnabled) |
| LogRenderedText(pos, text, text_end); |
| } |
| } |
| |
| void ImGui::RenderTextClipped(const ImVec2& pos_min, const ImVec2& pos_max, const char* text, const char* text_end, const ImVec2* text_size_if_known, ImGuiAlign align, const ImVec2* clip_min, const ImVec2* clip_max) |
| { |
| // Hide anything after a '##' string |
| const char* text_display_end = FindTextDisplayEnd(text, text_end); |
| const int text_len = (int)(text_display_end - text); |
| if (text_len == 0) |
| return; |
| |
| ImGuiState& g = *GImGui; |
| ImGuiWindow* window = GetCurrentWindow(); |
| |
| // Perform CPU side clipping for single clipped element to avoid using scissor state |
| ImVec2 pos = pos_min; |
| const ImVec2 text_size = text_size_if_known ? *text_size_if_known : ImGui::CalcTextSize(text, text_display_end, false, 0.0f); |
| |
| if (!clip_max) clip_max = &pos_max; |
| bool need_clipping = (pos.x + text_size.x >= clip_max->x) || (pos.y + text_size.y >= clip_max->y); |
| if (!clip_min) clip_min = &pos_min; else need_clipping |= (pos.x < clip_min->x) || (pos.y < clip_min->y); |
| |
| // Align |
| if (align & ImGuiAlign_Center) pos.x = ImMax(pos.x, (pos.x + pos_max.x - text_size.x) * 0.5f); |
| else if (align & ImGuiAlign_Right) pos.x = ImMax(pos.x, pos_max.x - text_size.x); |
| if (align & ImGuiAlign_VCenter) pos.y = ImMax(pos.y, (pos.y + pos_max.y - text_size.y) * 0.5f); |
| |
| // Render |
| if (need_clipping) |
| { |
| ImVec4 fine_clip_rect(clip_min->x, clip_min->y, clip_max->x, clip_max->y); |
| window->DrawList->AddText(g.Font, g.FontSize, pos, window->Color(ImGuiCol_Text), text, text_display_end, 0.0f, &fine_clip_rect); |
| } |
| else |
| { |
| window->DrawList->AddText(g.Font, g.FontSize, pos, window->Color(ImGuiCol_Text), text, text_display_end, 0.0f, NULL); |
| } |
| if (g.LogEnabled) |
| LogRenderedText(pos, text, text_display_end); |
| } |
| |
| // Render a rectangle shaped with optional rounding and borders |
| void ImGui::RenderFrame(ImVec2 p_min, ImVec2 p_max, ImU32 fill_col, bool border, float rounding) |
| { |
| ImGuiWindow* window = GetCurrentWindow(); |
| |
| window->DrawList->AddRectFilled(p_min, p_max, fill_col, rounding); |
| if (border && (window->Flags & ImGuiWindowFlags_ShowBorders)) |
| { |
| window->DrawList->AddRect(p_min+ImVec2(1,1), p_max, window->Color(ImGuiCol_BorderShadow), rounding); |
| window->DrawList->AddRect(p_min, p_max-ImVec2(1,1), window->Color(ImGuiCol_Border), rounding); |
| } |
| } |
| |
| // Render a triangle to denote expanded/collapsed state |
| void ImGui::RenderCollapseTriangle(ImVec2 p_min, bool opened, float scale, bool shadow) |
| { |
| ImGuiState& g = *GImGui; |
| ImGuiWindow* window = GetCurrentWindow(); |
| |
| const float h = g.FontSize * 1.00f; |
| const float r = h * 0.40f * scale; |
| ImVec2 center = p_min + ImVec2(h*0.50f, h*0.50f*scale); |
| |
| ImVec2 a, b, c; |
| if (opened) |
| { |
| center.y -= r*0.25f; |
| a = center + ImVec2(0,1)*r; |
| b = center + ImVec2(-0.866f,-0.5f)*r; |
| c = center + ImVec2(0.866f,-0.5f)*r; |
| } |
| else |
| { |
| a = center + ImVec2(1,0)*r; |
| b = center + ImVec2(-0.500f,0.866f)*r; |
| c = center + ImVec2(-0.500f,-0.866f)*r; |
| } |
| |
| if (shadow && (window->Flags & ImGuiWindowFlags_ShowBorders) != 0) |
| window->DrawList->AddTriangleFilled(a+ImVec2(2,2), b+ImVec2(2,2), c+ImVec2(2,2), window->Color(ImGuiCol_BorderShadow)); |
| window->DrawList->AddTriangleFilled(a, b, c, window->Color(ImGuiCol_Text)); |
| } |
| |
| void ImGui::RenderCheckMark(ImVec2 pos, ImU32 col) |
| { |
| ImGuiState& g = *GImGui; |
| ImGuiWindow* window = GetCurrentWindow(); |
| |
| ImVec2 a, b, c; |
| float start_x = (float)(int)(g.FontSize * 0.307f + 0.5f); |
| float rem_third = (float)(int)((g.FontSize - start_x) / 3.0f); |
| a.x = pos.x + 0.5f + start_x; |
| b.x = a.x + rem_third; |
| c.x = a.x + rem_third * 3.0f; |
| b.y = pos.y - 1.0f + (float)(int)(g.Font->Ascent * (g.FontSize / g.Font->FontSize) + 0.5f) + (float)(int)(g.Font->DisplayOffset.y); |
| a.y = b.y - rem_third; |
| c.y = b.y - rem_third * 2.0f; |
| |
| window->DrawList->PathLineTo(a); |
| window->DrawList->PathLineTo(b); |
|