diff --git a/Example/demo.cs.orig b/Example/demo.cs.orig deleted file mode 100644 index f3363488b..000000000 --- a/Example/demo.cs.orig +++ /dev/null @@ -1,611 +0,0 @@ -using Terminal.Gui; -using System; -using Mono.Terminal; -using System.Collections.Generic; -using System.Diagnostics; -using System.Globalization; -using System.Reflection; -using NStack; -using System.Text; - -static class Demo { - //class Box10x : View, IScrollView { - class Box10x : View { - int w = 40; - int h = 50; - - public bool WantCursorPosition { get; set; } = false; - - public Box10x (int x, int y) : base (new Rect (x, y, 20, 10)) - { - } - - public Size GetContentSize () - { - return new Size (w, h); - } - - public void SetCursorPosition (Point pos) - { - throw new NotImplementedException (); - } - - public override void Redraw (Rect region) - { - //Point pos = new Point (region.X, region.Y); - Driver.SetAttribute (ColorScheme.Focus); - - for (int y = 0; y < h; y++) { - Move (0, y); - Driver.AddStr (y.ToString ()); - for (int x = 0; x < w - y.ToString ().Length; x++) { - //Driver.AddRune ((Rune)('0' + (x + y) % 10)); - if (y.ToString ().Length < w) - Driver.AddStr (" "); - } - } - //Move (pos.X, pos.Y); - } - } - - class Filler : View { - public Filler (Rect rect) : base (rect) - { - } - - public override void Redraw (Rect region) - { - Driver.SetAttribute (ColorScheme.Focus); - var f = Frame; - - for (int y = 0; y < f.Width; y++) { - Move (0, y); - for (int x = 0; x < f.Height; x++) { - Rune r; - switch (x % 3) { - case 0: - Driver.AddRune (y.ToString ().ToCharArray (0, 1) [0]); - if (y > 9) - Driver.AddRune (y.ToString ().ToCharArray (1, 1) [0]); - r = '.'; - break; - case 1: - r = 'o'; - break; - default: - r = 'O'; - break; - } - Driver.AddRune (r); - } - } - } - } - - static void ShowTextAlignments () - { -<<<<<<< HEAD - var container = new Window ($"Show Text Alignments") { - X = 0, - Y = 0, - Width = Dim.Fill (), - Height = Dim.Fill () - }; - container.OnKeyUp += (KeyEvent ke) => { - if (ke.Key == Key.Esc) - container.Running = false; - }; -======= - var container = new Dialog ( - "Text Alignments", 70, 20, - new Button ("Ok", is_default: true) { Clicked = () => { Application.RequestStop (); } }, - new Button ("Cancel") { Clicked = () => { Application.RequestStop (); } }); - ->>>>>>> cb40c5c2491a559658481d20dd4b6a3343c0183f - - int i = 0; - string txt = "Hello world, how are you doing today?"; - container.Add ( -<<<<<<< HEAD - new Label ($"{i+1}-{txt}") { TextAlignment = TextAlignment.Left, Y = 3, Width = Dim.Fill () }, - new Label ($"{i+2}-{txt}") { TextAlignment = TextAlignment.Right, Y = 5, Width = Dim.Fill () }, - new Label ($"{i+3}-{txt}") { TextAlignment = TextAlignment.Centered, Y = 7, Width = Dim.Fill () }, - new Label ($"{i+4}-{txt}") { TextAlignment = TextAlignment.Justified, Y = 9, Width = Dim.Fill () } -======= - new Label (new Rect (0, 1, 50, 3), $"{i+1}-{txt}") { TextAlignment = TextAlignment.Left }, - new Label (new Rect (0, 3, 50, 3), $"{i+2}-{txt}") { TextAlignment = TextAlignment.Right }, - new Label (new Rect (0, 5, 50, 3), $"{i+3}-{txt}") { TextAlignment = TextAlignment.Centered }, - new Label (new Rect (0, 7, 50, 3), $"{i+4}-{txt}") { TextAlignment = TextAlignment.Justified } ->>>>>>> cb40c5c2491a559658481d20dd4b6a3343c0183f - ); - - Application.Run (container); - } - - static void ShowEntries (View container) - { - var scrollView = new ScrollView (new Rect (50, 10, 20, 8)) { - ContentSize = new Size (20, 50), - //ContentOffset = new Point (0, 0), - ShowVerticalScrollIndicator = true, - ShowHorizontalScrollIndicator = true - }; -#if false - scrollView.Add (new Box10x (0, 0)); -#else - scrollView.Add (new Filler (new Rect (0, 0, 40, 40))); -#endif - - // This is just to debug the visuals of the scrollview when small - var scrollView2 = new ScrollView (new Rect (72, 10, 3, 3)) { - ContentSize = new Size (100, 100), - ShowVerticalScrollIndicator = true, - ShowHorizontalScrollIndicator = true - }; - scrollView2.Add (new Box10x (0, 0)); - var progress = new ProgressBar (new Rect (68, 1, 10, 1)); - bool timer (MainLoop caller) - { - progress.Pulse (); - return true; - } - - Application.MainLoop.AddTimeout (TimeSpan.FromMilliseconds (300), timer); - - - // A little convoluted, this is because I am using this to test the - // layout based on referencing elements of another view: - - var login = new Label ("Login: ") { X = 3, Y = 6 }; - var password = new Label ("Password: ") { - X = Pos.Left (login), - Y = Pos.Bottom (login) + 1 - }; - var loginText = new TextField ("") { - X = Pos.Right (password), - Y = Pos.Top (login), - Width = 40 - }; - - var passText = new TextField ("") { - Secret = true, - X = Pos.Left (loginText), - Y = Pos.Top (password), - Width = Dim.Width (loginText) - }; - - var tf = new Button (3, 19, "Ok"); - // Add some content - container.Add ( - login, - loginText, - password, - passText, - new FrameView (new Rect (3, 10, 25, 6), "Options"){ - new CheckBox (1, 0, "Remember me"), - new RadioGroup (1, 2, new [] { "_Personal", "_Company" }), - }, - new ListView (new Rect (59, 6, 16, 4), new string [] { - "First row", - "<>", - "This is a very long row that should overflow what is shown", - "4th", - "There is an empty slot on the second row", - "Whoa", - "This is so cool" - }), - scrollView, - scrollView2, - tf, - new Button (10, 19, "Cancel"), - new TimeField (3, 20, DateTime.Now), - new TimeField (23, 20, DateTime.Now, true), - new DateField (3, 22, DateTime.Now), - new DateField (23, 22, DateTime.Now, true), - progress, - new Label (3, 24, "Press F9 (on Unix, ESC+9 is an alias) to activate the menubar"), - menuKeysStyle, - menuAutoMouseNav - - ); - container.SendSubviewToBack (tf); - } - - public static Label ml2; - - static void NewFile () - { - var d = new Dialog ( - "New File", 50, 20, - new Button ("Ok", is_default: true) { Clicked = () => { Application.RequestStop (); } }, - new Button ("Cancel") { Clicked = () => { Application.RequestStop (); } }); - ml2 = new Label (1, 1, "Mouse Debug Line"); - d.Add (ml2); - Application.Run (d); - } - - // - // Creates a nested editor - static void Editor (Toplevel top) - { - var tframe = top.Frame; - var ntop = new Toplevel (tframe); - var menu = new MenuBar (new MenuBarItem [] { - new MenuBarItem ("_File", new MenuItem [] { - new MenuItem ("_Close", "", () => {Application.RequestStop ();}), - }), - new MenuBarItem ("_Edit", new MenuItem [] { - new MenuItem ("_Copy", "", null), - new MenuItem ("C_ut", "", null), - new MenuItem ("_Paste", "", null) - }), - }); - ntop.Add (menu); - - string fname = null; - foreach (var s in new [] { "/etc/passwd", "c:\\windows\\win.ini" }) - if (System.IO.File.Exists (s)) { - fname = s; - break; - } - - var win = new Window (fname ?? "Untitled") { - X = 0, - Y = 1, - Width = Dim.Fill (), - Height = Dim.Fill () - }; - ntop.Add (win); - - var text = new TextView (new Rect (0, 0, tframe.Width - 2, tframe.Height - 3)); - - if (fname != null) - text.Text = System.IO.File.ReadAllText (fname); - win.Add (text); - - Application.Run (ntop); - } - - static bool Quit () - { - var n = MessageBox.Query (50, 7, "Quit Demo", "Are you sure you want to quit this demo?", "Yes", "No"); - return n == 0; - } - - static void Close () - { - MessageBox.ErrorQuery (50, 7, "Error", "There is nothing to close", "Ok"); - } - - // Watch what happens when I try to introduce a newline after the first open brace - // it introduces a new brace instead, and does not indent. Then watch me fight - // the editor as more oddities happen. - - public static void Open () - { - var d = new OpenDialog ("Open", "Open a file") { AllowsMultipleSelection = true }; - Application.Run (d); - - if (!d.Canceled) - MessageBox.Query (50, 7, "Selected File", string.Join (", ", d.FilePaths), "Ok"); - } - - public static void ShowHex (Toplevel top) - { - var tframe = top.Frame; - var ntop = new Toplevel (tframe); - var menu = new MenuBar (new MenuBarItem [] { - new MenuBarItem ("_File", new MenuItem [] { - new MenuItem ("_Close", "", () => {Application.RequestStop ();}), - }), - }); - ntop.Add (menu); - - var win = new Window ("/etc/passwd") { - X = 0, - Y = 1, - Width = Dim.Fill (), - Height = Dim.Fill () - }; - ntop.Add (win); - - var source = System.IO.File.OpenRead ("/etc/passwd"); - var hex = new HexView (source) { - X = 0, - Y = 0, - Width = Dim.Fill (), - Height = Dim.Fill () - }; - win.Add (hex); - Application.Run (ntop); - - } - - public class MenuItemDetails : MenuItem { - ustring title; - string help; - Action action; - - public MenuItemDetails (ustring title, string help, Action action) : base (title, help, action) - { - this.title = title; - this.help = help; - this.action = action; - } - - public static MenuItemDetails Instance (MenuItem mi) - { - return (MenuItemDetails)mi.GetMenuItem (); - } - } - - public delegate MenuItem MenuItemDelegate (MenuItemDetails menuItem); - - public static void ShowMenuItem (MenuItem mi) - { - BindingFlags flags = BindingFlags.Public | BindingFlags.Static; - MethodInfo minfo = typeof (MenuItemDetails).GetMethod ("Instance", flags); - MenuItemDelegate mid = (MenuItemDelegate)Delegate.CreateDelegate (typeof (MenuItemDelegate), minfo); - MessageBox.Query (70, 7, mi.Title.ToString (), - $"{mi.Title.ToString ()} selected. Is from submenu: {mi.GetMenuBarItem ()}", "Ok"); - } - - static void MenuKeysStyle_Toggled (object sender, EventArgs e) - { - menu.UseKeysUpDownAsKeysLeftRight = menuKeysStyle.Checked; - } - - static void MenuAutoMouseNav_Toggled (object sender, EventArgs e) - { - menu.WantMousePositionReports = menuAutoMouseNav.Checked; - } - - - static void Copy () - { - TextField textField = menu.LastFocused as TextField; - if (textField != null && textField.SelectedLength != 0) { - textField.Copy (); - } - } - - static void Cut () - { - TextField textField = menu.LastFocused as TextField; - if (textField != null && textField.SelectedLength != 0) { - textField.Cut (); - } - } - - static void Paste () - { - TextField textField = menu.LastFocused as TextField; - if (textField != null) { - textField.Paste (); - } - } - - static void Help () - { - MessageBox.Query (50, 7, "Help", "This is a small help\nBe kind.", "Ok"); - } - - #region Selection Demo - - static void ListSelectionDemo (bool multiple) - { - var d = new Dialog ("Selection Demo", 60, 20, - new Button ("Ok", is_default: true) { Clicked = () => { Application.RequestStop (); } }, - new Button ("Cancel") { Clicked = () => { Application.RequestStop (); } }); - - var animals = new List () { "Alpaca", "Llama", "Lion", "Shark", "Goat" }; - var msg = new Label ("Use space bar or control-t to toggle selection") { - X = 1, - Y = 1, - Width = Dim.Fill () - 1, - Height = 1 - }; - - var list = new ListView (animals) { - X = 1, - Y = 3, - Width = Dim.Fill () - 4, - Height = Dim.Fill () - 4, - AllowsMarking = true, - AllowsMultipleSelection = multiple - }; - d.Add (msg, list); - Application.Run (d); - - var result = ""; - for (int i = 0; i < animals.Count; i++) { - if (list.Source.IsMarked (i)) { - result += animals [i] + " "; - } - } - MessageBox.Query (60, 10, "Selected Animals", result == "" ? "No animals selected" : result, "Ok"); - } - #endregion - - - #region OnKeyDown / OnKeyUp Demo - private static void OnKeyDownUpDemo () - { - var container = new Dialog ( - "OnKeyDown & OnKeyUp demo", 80, 20, - new Button ("Close") { Clicked = () => { Application.RequestStop (); } }) { - Width = Dim.Fill (), - Height = Dim.Fill (), - }; - - var list = new List (); - var listView = new ListView (list) { - X = 0, - Y = 0, - Width = Dim.Fill () - 1, - Height = Dim.Fill () - 2, - }; - listView.ColorScheme = Colors.TopLevel; - container.Add (listView); - - void KeyUpDown (KeyEvent keyEvent, string updown) - { - if ((keyEvent.Key & Key.CtrlMask) != 0) { - list.Add ($"Key{updown,-4}: Ctrl "); - } else if ((keyEvent.Key & Key.AltMask) != 0) { - list.Add ($"Key{updown,-4}: Alt "); - } else { - list.Add ($"Key{updown,-4}: {(((uint)keyEvent.KeyValue & (uint)Key.CharMask) > 26 ? $"{(char)keyEvent.KeyValue}" : $"{keyEvent.Key}")}"); - } - listView.MoveDown (); - } - - container.OnKeyDown += (KeyEvent keyEvent) => KeyUpDown (keyEvent, "Down"); - container.OnKeyUp += (KeyEvent keyEvent) => KeyUpDown (keyEvent, "Up"); - Application.Run (container); - } - #endregion - - public static Label ml; - public static MenuBar menu; - public static CheckBox menuKeysStyle; - public static CheckBox menuAutoMouseNav; - static void Main () - { - if (Debugger.IsAttached) - CultureInfo.DefaultThreadCurrentUICulture = CultureInfo.GetCultureInfo ("en-US"); - - //Application.UseSystemConsole = true; - - Application.Init (); - - var top = Application.Top; - - //Open (); -#if true - int margin = 3; - var win = new Window ("Hello") { - X = 1, - Y = 1, - - Width = Dim.Fill () - margin, - Height = Dim.Fill () - margin - }; -#else - var tframe = top.Frame; - - var win = new Window (new Rect (0, 1, tframe.Width, tframe.Height - 1), "Hello"); -#endif - MenuItemDetails [] menuItems = { - new MenuItemDetails ("F_ind", "", null), - new MenuItemDetails ("_Replace", "", null), - new MenuItemDetails ("_Item1", "", null), - new MenuItemDetails ("_Not From Sub Menu", "", null) - }; - - menuItems [0].Action = () => ShowMenuItem (menuItems [0]); - menuItems [1].Action = () => ShowMenuItem (menuItems [1]); - menuItems [2].Action = () => ShowMenuItem (menuItems [2]); - menuItems [3].Action = () => ShowMenuItem (menuItems [3]); - - menu = new MenuBar (new MenuBarItem [] { - new MenuBarItem ("_File", new MenuItem [] { - new MenuItem ("Text _Editor Demo", "", () => { Editor (top); }), - new MenuItem ("_New", "Creates new file", NewFile), - new MenuItem ("_Open", "", Open), - new MenuItem ("_Hex", "", () => ShowHex (top)), - new MenuItem ("_Close", "", () => Close ()), - new MenuItem ("_Disabled", "", () => { }, () => false), - null, - new MenuItem ("_Quit", "", () => { if (Quit ()) top.Running = false; }) - }), - new MenuBarItem ("_Edit", new MenuItem [] { - new MenuItem ("_Copy", "", Copy), - new MenuItem ("C_ut", "", Cut), - new MenuItem ("_Paste", "", Paste), - new MenuItem ("_Find and Replace", - new MenuBarItem (new MenuItem[] {menuItems [0], menuItems [1] })), - menuItems[3] - }), - new MenuBarItem ("_List Demos", new MenuItem [] { - new MenuItem ("Select _Multiple Items", "", () => ListSelectionDemo (true)), - new MenuItem ("Select _Single Item", "", () => ListSelectionDemo (false)), - }), - new MenuBarItem ("A_ssorted", new MenuItem [] { - new MenuItem ("_Show text alignments", "", () => ShowTextAlignments ()), - new MenuItem ("_OnKeyDown/Up", "", () => OnKeyDownUpDemo ()) - }), - new MenuBarItem ("_Test Menu and SubMenus", new MenuItem [] { - new MenuItem ("SubMenu1Item_1", - new MenuBarItem (new MenuItem[] { - new MenuItem ("SubMenu2Item_1", - new MenuBarItem (new MenuItem [] { - new MenuItem ("SubMenu3Item_1", - new MenuBarItem (new MenuItem [] { menuItems [2] }) - ) - }) - ) - }) - ) - }), - new MenuBarItem ("_About...", "Demonstrates top-level menu item", () => MessageBox.ErrorQuery (50, 7, "About Demo", "This is a demo app for gui.cs", "Ok")), - }); - - menuKeysStyle = new CheckBox (3, 25, "UseKeysUpDownAsKeysLeftRight", true); - menuKeysStyle.Toggled += MenuKeysStyle_Toggled; - menuAutoMouseNav = new CheckBox (40, 25, "UseMenuAutoNavigation", true); - menuAutoMouseNav.Toggled += MenuAutoMouseNav_Toggled; - - ShowEntries (win); - - int count = 0; - ml = new Label (new Rect (3, 17, 47, 1), "Mouse: "); - Application.RootMouseEvent += delegate (MouseEvent me) { - ml.TextColor = Colors.TopLevel.Normal; - ml.Text = $"Mouse: ({me.X},{me.Y}) - {me.Flags} {count++}"; - }; - - var test = new Label (3, 18, "Se iniciará el análisis"); - win.Add (test); - win.Add (ml); - - var drag = new Label ("Drag: ") { X = 70, Y = 24 }; - var dragText = new TextField ("") { - X = Pos.Right (drag), - Y = Pos.Top (drag), - Width = 40 - }; - - var statusBar = new StatusBar (new StatusItem [] { - new StatusItem(Key.F1, "~F1~ Help", () => Help()), - new StatusItem(Key.F2, "~F2~ Load", null), - new StatusItem(Key.F3, "~F3~ Save", null), - new StatusItem(Key.ControlX, "~^X~ Quit", () => { if (Quit ()) top.Running = false; }), - }) { - Parent = null, - }; - - win.Add (drag, dragText); -#if true - // FIXED: This currently causes a stack overflow, because it is referencing a window that has not had its size allocated yet - - var bottom = new Label ("This should go on the bottom of the same top-level!"); - win.Add (bottom); - var bottom2 = new Label ("This should go on the bottom of another top-level!"); - top.Add (bottom2); - - Application.OnLoad = () => { - bottom.X = win.X; - bottom.Y = Pos.Bottom (win) - Pos.Top (win) - margin; - bottom2.X = Pos.Left (win); - bottom2.Y = Pos.Bottom (win); - }; -#endif - - - top.Add (win); - //top.Add (menu); - top.Add (menu, statusBar); - Application.Run (); - } -} diff --git a/Terminal.Gui/ConsoleDrivers/CursesDriver/CursesDriver.cs b/Terminal.Gui/ConsoleDrivers/CursesDriver/CursesDriver.cs index 1323c8980..bee2f0454 100644 --- a/Terminal.Gui/ConsoleDrivers/CursesDriver/CursesDriver.cs +++ b/Terminal.Gui/ConsoleDrivers/CursesDriver/CursesDriver.cs @@ -16,7 +16,7 @@ namespace Terminal.Gui { /// /// This is the Curses driver for the gui.cs/Terminal framework. /// - public class CursesDriver : ConsoleDriver { + internal class CursesDriver : ConsoleDriver { #pragma warning disable CS1591 // Missing XML comment for publicly visible type or member public override int Cols => Curses.Cols; public override int Rows => Curses.Lines; diff --git a/Terminal.Gui/ConsoleDrivers/CursesDriver/UnixMainLoop.cs b/Terminal.Gui/ConsoleDrivers/CursesDriver/UnixMainLoop.cs index 5d2ead344..83ccf9837 100644 --- a/Terminal.Gui/ConsoleDrivers/CursesDriver/UnixMainLoop.cs +++ b/Terminal.Gui/ConsoleDrivers/CursesDriver/UnixMainLoop.cs @@ -37,7 +37,7 @@ namespace Terminal.Gui { /// In addition to the general functions of the mainloop, the Unix version /// can watch file descriptors using the AddWatch methods. /// - public class UnixMainLoop : IMainLoopDriver { + internal class UnixMainLoop : IMainLoopDriver { [StructLayout (LayoutKind.Sequential)] struct Pollfd { public int fd; @@ -158,7 +158,7 @@ namespace Terminal.Gui { poll_dirty = false; pollmap = new Pollfd [descriptorWatchers.Count]; - int i = 0; + int i = 0; foreach (var fd in descriptorWatchers.Keys) { pollmap [i].fd = fd; pollmap [i].events = (short)descriptorWatchers [fd].Condition; diff --git a/Terminal.Gui/ConsoleDrivers/NetDriver.cs b/Terminal.Gui/ConsoleDrivers/NetDriver.cs index 04889ec90..c2e8dd203 100644 --- a/Terminal.Gui/ConsoleDrivers/NetDriver.cs +++ b/Terminal.Gui/ConsoleDrivers/NetDriver.cs @@ -206,7 +206,7 @@ namespace Terminal.Gui { Colors.Menu.Focus = MakeColor (ConsoleColor.White, ConsoleColor.Black); Colors.Menu.HotNormal = MakeColor (ConsoleColor.Yellow, ConsoleColor.Cyan); Colors.Menu.Normal = MakeColor (ConsoleColor.White, ConsoleColor.Cyan); - Colors.Menu.Disabled = MakeColor(ConsoleColor.DarkGray, ConsoleColor.Cyan); + Colors.Menu.Disabled = MakeColor (ConsoleColor.DarkGray, ConsoleColor.Cyan); Colors.Dialog.Normal = MakeColor (ConsoleColor.Black, ConsoleColor.Gray); Colors.Dialog.Focus = MakeColor (ConsoleColor.Black, ConsoleColor.Cyan); @@ -438,4 +438,71 @@ namespace Terminal.Gui { // } + + /// + /// Mainloop intended to be used with the .NET System.Console API, and can + /// be used on Windows and Unix, it is cross platform but lacks things like + /// file descriptor monitoring. + /// + class NetMainLoop : IMainLoopDriver { + AutoResetEvent keyReady = new AutoResetEvent (false); + AutoResetEvent waitForProbe = new AutoResetEvent (false); + ConsoleKeyInfo? windowsKeyResult = null; + public Action WindowsKeyPressed; + MainLoop mainLoop; + + public NetMainLoop () + { + } + + void WindowsKeyReader () + { + while (true) { + waitForProbe.WaitOne (); + windowsKeyResult = Console.ReadKey (true); + keyReady.Set (); + } + } + + void IMainLoopDriver.Setup (MainLoop mainLoop) + { + this.mainLoop = mainLoop; + Thread readThread = new Thread (WindowsKeyReader); + readThread.Start (); + } + + void IMainLoopDriver.Wakeup () + { + } + + bool IMainLoopDriver.EventsPending (bool wait) + { + long now = DateTime.UtcNow.Ticks; + + int waitTimeout; + if (mainLoop.timeouts.Count > 0) { + waitTimeout = (int)((mainLoop.timeouts.Keys [0] - now) / TimeSpan.TicksPerMillisecond); + if (waitTimeout < 0) + return true; + } else + waitTimeout = -1; + + if (!wait) + waitTimeout = 0; + + windowsKeyResult = null; + waitForProbe.Set (); + keyReady.WaitOne (waitTimeout); + return windowsKeyResult.HasValue; + } + + void IMainLoopDriver.MainIteration () + { + if (windowsKeyResult.HasValue) { + if (WindowsKeyPressed != null) + WindowsKeyPressed (windowsKeyResult.Value); + windowsKeyResult = null; + } + } + } } \ No newline at end of file diff --git a/Terminal.Gui/ConsoleDrivers/WindowsDriver.cs b/Terminal.Gui/ConsoleDrivers/WindowsDriver.cs index 920307fee..e0df1eef7 100644 --- a/Terminal.Gui/ConsoleDrivers/WindowsDriver.cs +++ b/Terminal.Gui/ConsoleDrivers/WindowsDriver.cs @@ -1048,7 +1048,7 @@ namespace Terminal.Gui { SetupColorsAndBorders (); } - + void ResizeScreen () { OutputBuffer = new WindowsConsole.CharInfo [Rows * Cols]; diff --git a/Terminal.Gui/Core/Application.cs b/Terminal.Gui/Core/Application.cs index 9f0385d9a..c6f8d7cb9 100644 --- a/Terminal.Gui/Core/Application.cs +++ b/Terminal.Gui/Core/Application.cs @@ -27,12 +27,12 @@ namespace Terminal.Gui { /// /// /// - /// You can hook up to the Iteration event to have your method - /// invoked on each iteration of the mainloop. + /// You can hook up to the event to have your method + /// invoked on each iteration of the . /// /// - /// Creates a mainloop to process input events, handle timers and - /// other sources of data. It is accessible via the MainLoop property. + /// Creates a instance of to process input events, handle timers and + /// other sources of data. It is accessible via the property. /// /// /// When invoked sets the SynchronizationContext to one that is tied diff --git a/Terminal.Gui/Core/ConsoleDriver.cs b/Terminal.Gui/Core/ConsoleDriver.cs index d2f73e1e9..726f6d2ff 100644 --- a/Terminal.Gui/Core/ConsoleDriver.cs +++ b/Terminal.Gui/Core/ConsoleDriver.cs @@ -1,5 +1,5 @@ // -// Driver.cs: Definition for the Console Driver API +// ConsoleDriver.cs: Definition for the Console Driver API // // Authors: // Miguel de Icaza (miguel@gnome.org) @@ -84,8 +84,8 @@ namespace Terminal.Gui { /// Attributes are used as elements that contain both a foreground and a background or platform specific features /// /// - /// Attributes are needed to map colors to terminal capabilities that might lack colors, on color - /// scenarios, they encode both the foreground and the background color and are used in the ColorScheme + /// s are needed to map colors to terminal capabilities that might lack colors, on color + /// scenarios, they encode both the foreground and the background color and are used in the /// class to define color schemes that can be used in your application. /// public struct Attribute { @@ -99,7 +99,7 @@ namespace Terminal.Gui { /// Value. /// Foreground /// Background - public Attribute (int value, Color foreground = new Color(), Color background = new Color()) + public Attribute (int value, Color foreground = new Color (), Color background = new Color ()) { this.value = value; this.foreground = foreground; @@ -119,21 +119,21 @@ namespace Terminal.Gui { } /// - /// Implicit conversion from an attribute to the underlying Int32 representation + /// Implicit conversion from an to the underlying Int32 representation /// /// The integer value stored in the attribute. /// The attribute to convert public static implicit operator int (Attribute c) => c.value; /// - /// Implicitly convert an integer value into an attribute + /// Implicitly convert an integer value into an /// /// An attribute with the specified integer value. /// value public static implicit operator Attribute (int v) => new Attribute (v); /// - /// Creates an attribute from the specified foreground and background. + /// Creates an from the specified foreground and background. /// /// The make. /// Foreground color to use. @@ -148,7 +148,7 @@ namespace Terminal.Gui { /// /// Color scheme definitions, they cover some common scenarios and are used - /// typically in toplevel containers to set the scheme that is used by all the + /// typically in containers such as and to set the scheme that is used by all the /// views contained inside. /// public class ColorScheme { @@ -186,7 +186,7 @@ namespace Terminal.Gui { bool preparingScheme = false; - Attribute SetAttribute (Attribute attribute, [CallerMemberName]string callerMemberName = null) + Attribute SetAttribute (Attribute attribute, [CallerMemberName] string callerMemberName = null) { if (!Application._initialized && !preparingScheme) return attribute; @@ -314,7 +314,7 @@ namespace Terminal.Gui { } /// - /// The default ColorSchemes for the application. + /// The default s for the application. /// public static class Colors { static ColorScheme _toplevel; @@ -348,81 +348,81 @@ namespace Terminal.Gui { /// public static ColorScheme Error { get { return _error; } set { _error = SetColorScheme (value); } } - static ColorScheme SetColorScheme (ColorScheme colorScheme, [CallerMemberName]string callerMemberName = null) + static ColorScheme SetColorScheme (ColorScheme colorScheme, [CallerMemberName] string callerMemberName = null) { colorScheme.caller = callerMemberName; return colorScheme; } } - /// - /// Special characters that can be drawn with Driver.AddSpecial. - /// - public enum SpecialChar { - /// - /// Horizontal line character. - /// - HLine, + ///// + ///// Special characters that can be drawn with + ///// + //public enum SpecialChar { + // /// + // /// Horizontal line character. + // /// + // HLine, - /// - /// Vertical line character. - /// - VLine, + // /// + // /// Vertical line character. + // /// + // VLine, - /// - /// Stipple pattern - /// - Stipple, + // /// + // /// Stipple pattern + // /// + // Stipple, - /// - /// Diamond character - /// - Diamond, + // /// + // /// Diamond character + // /// + // Diamond, - /// - /// Upper left corner - /// - ULCorner, + // /// + // /// Upper left corner + // /// + // ULCorner, - /// - /// Lower left corner - /// - LLCorner, + // /// + // /// Lower left corner + // /// + // LLCorner, - /// - /// Upper right corner - /// - URCorner, + // /// + // /// Upper right corner + // /// + // URCorner, - /// - /// Lower right corner - /// - LRCorner, + // /// + // /// Lower right corner + // /// + // LRCorner, - /// - /// Left tee - /// - LeftTee, + // /// + // /// Left tee + // /// + // LeftTee, - /// - /// Right tee - /// - RightTee, + // /// + // /// Right tee + // /// + // RightTee, - /// - /// Top tee - /// - TopTee, + // /// + // /// Top tee + // /// + // TopTee, - /// - /// The bottom tee. - /// - BottomTee, - - } + // /// + // /// The bottom tee. + // /// + // BottomTee, + //} /// - /// ConsoleDriver is an abstract class that defines the requirements for a console driver. One implementation if the CursesDriver, and another one uses the .NET Console one. + /// ConsoleDriver is an abstract class that defines the requirements for a console driver. + /// There are currently three implementations: (for Unix and Mac), , and that uses the .NET Console API. /// public abstract class ConsoleDriver { /// @@ -516,7 +516,7 @@ namespace Terminal.Gui { /// Set the handler when the terminal is resized. /// /// - public void SetTerminalResized(Action terminalResized) + public void SetTerminalResized (Action terminalResized) { TerminalResized = terminalResized; } diff --git a/Terminal.Gui/Core/Event.cs b/Terminal.Gui/Core/Event.cs index 3ef750738..8c6fd3b2b 100644 --- a/Terminal.Gui/Core/Event.cs +++ b/Terminal.Gui/Core/Event.cs @@ -14,8 +14,8 @@ namespace Terminal.Gui { /// /// /// - /// If the SpecialMask is set, then the value is that of the special mask, - /// otherwise, the value is the one of the lower bits (as extracted by CharMask) + /// If the is set, then the value is that of the special mask, + /// otherwise, the value is the one of the lower bits (as extracted by ) /// /// /// Control keys are the values between 1 and 26 corresponding to Control-A to Control-Z @@ -34,8 +34,8 @@ namespace Terminal.Gui { CharMask = 0xfffff, /// - /// If the SpecialMask is set, then the value is that of the special mask, - /// otherwise, the value is the one of the lower bits (as extracted by CharMask). + /// If the is set, then the value is that of the special mask, + /// otherwise, the value is the one of the lower bits (as extracted by ). /// SpecialMask = 0xfff00000, @@ -369,7 +369,7 @@ namespace Terminal.Gui { } /// - /// Mouse flags reported in MouseEvent. + /// Mouse flags reported in . /// /// /// They just happen to map to the ncurses ones. diff --git a/Terminal.Gui/Core/Toplevel.cs b/Terminal.Gui/Core/Toplevel.cs index c953838c4..c2fc5d273 100644 --- a/Terminal.Gui/Core/Toplevel.cs +++ b/Terminal.Gui/Core/Toplevel.cs @@ -1,17 +1,9 @@ // -// Core.cs: The core engine for gui.cs +// Toplevel.cs: Toplevel views can be modally executed // // Authors: // Miguel de Icaza (miguel@gnome.org) // -// Pending: -// - Check for NeedDisplay on the hierarchy and repaint -// - Layout support -// - "Colors" type or "Attributes" type? -// - What to surface as "BackgroundCOlor" when clearing a window, an attribute or colors? -// -// Optimziations -// - Add rendering limitation to the exposed area using System; using System.ComponentModel; diff --git a/Terminal.Gui/Core/View.cs b/Terminal.Gui/Core/View.cs index 220093823..cd85151c6 100644 --- a/Terminal.Gui/Core/View.cs +++ b/Terminal.Gui/Core/View.cs @@ -1,5 +1,3 @@ -// -// Core.cs: The core engine for gui.cs // // Authors: // Miguel de Icaza (miguel@gnome.org) diff --git a/Terminal.Gui/Core/Window.cs b/Terminal.Gui/Core/Window.cs index 98617ff4d..548acf3ed 100644 --- a/Terminal.Gui/Core/Window.cs +++ b/Terminal.Gui/Core/Window.cs @@ -1,19 +1,8 @@ // -// Core.cs: The core engine for gui.cs -// // Authors: // Miguel de Icaza (miguel@gnome.org) // -// Pending: -// - Check for NeedDisplay on the hierarchy and repaint -// - Layout support -// - "Colors" type or "Attributes" type? -// - What to surface as "BackgroundCOlor" when clearing a window, an attribute or colors? -// -// Optimziations -// - Add rendering limitation to the exposed area using System.Collections; -using System.Linq; using NStack; namespace Terminal.Gui { diff --git a/Terminal.Gui/Terminal.Gui.csproj b/Terminal.Gui/Terminal.Gui.csproj index d816bc748..01697a423 100644 --- a/Terminal.Gui/Terminal.Gui.csproj +++ b/Terminal.Gui/Terminal.Gui.csproj @@ -101,9 +101,6 @@ - - - - + diff --git a/docs/api/Terminal.Gui/Terminal.Gui.Application.ResizedEventArgs.html b/docs/api/Terminal.Gui/Terminal.Gui.Application.ResizedEventArgs.html deleted file mode 100644 index d406eec8c..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.Application.ResizedEventArgs.html +++ /dev/null @@ -1,220 +0,0 @@ - - - - - - - - Class Application.ResizedEventArgs - - - - - - - - - - - - - - - - -
-
- - - - -
-
- -
-
-
-

-
-
    -
    -
    - - - -
    - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.Application.RunState.html b/docs/api/Terminal.Gui/Terminal.Gui.Application.RunState.html deleted file mode 100644 index 8491bc34a..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.Application.RunState.html +++ /dev/null @@ -1,217 +0,0 @@ - - - - - - - - Class Application.RunState - - - - - - - - - - - - - - - - -
    -
    - - - - -
    -
    - -
    -
    -
    -

    -
    -
      -
      -
      - - - -
      - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.Application.html b/docs/api/Terminal.Gui/Terminal.Gui.Application.html deleted file mode 100644 index 1cd91ca42..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.Application.html +++ /dev/null @@ -1,846 +0,0 @@ - - - - - - - - Class Application - - - - - - - - - - - - - - - - -
      -
      - - - - -
      -
      - -
      -
      -
      -

      -
      -
        -
        -
        - - - -
        - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.Attribute.html b/docs/api/Terminal.Gui/Terminal.Gui.Attribute.html deleted file mode 100644 index 8584d333d..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.Attribute.html +++ /dev/null @@ -1,374 +0,0 @@ - - - - - - - - Struct Attribute - - - - - - - - - - - - - - - - -
        -
        - - - - -
        -
        - -
        -
        -
        -

        -
        -
          -
          -
          - - - -
          - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.Button.html b/docs/api/Terminal.Gui/Terminal.Gui.Button.html deleted file mode 100644 index b32f8b591..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.Button.html +++ /dev/null @@ -1,813 +0,0 @@ - - - - - - - - Class Button - - - - - - - - - - - - - - - - -
          -
          - - - - -
          -
          - -
          -
          -
          -

          -
          -
            -
            -
            - - - -
            - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.CheckBox.html b/docs/api/Terminal.Gui/Terminal.Gui.CheckBox.html deleted file mode 100644 index f89cf2159..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.CheckBox.html +++ /dev/null @@ -1,712 +0,0 @@ - - - - - - - - Class CheckBox - - - - - - - - - - - - - - - - -
            -
            - - - - -
            -
            - -
            -
            -
            -

            -
            -
              -
              -
              - - - -
              - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.Clipboard.html b/docs/api/Terminal.Gui/Terminal.Gui.Clipboard.html deleted file mode 100644 index 66c7a43a4..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.Clipboard.html +++ /dev/null @@ -1,190 +0,0 @@ - - - - - - - - Class Clipboard - - - - - - - - - - - - - - - - -
              -
              - - - - -
              -
              - -
              -
              -
              -

              -
              -
                -
                -
                - - - -
                - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.Color.html b/docs/api/Terminal.Gui/Terminal.Gui.Color.html deleted file mode 100644 index 48e7600e3..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.Color.html +++ /dev/null @@ -1,239 +0,0 @@ - - - - - - - - Enum Color - - - - - - - - - - - - - - - - -
                -
                - - - - -
                -
                - -
                -
                -
                -

                -
                -
                  -
                  -
                  - - - -
                  - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.ColorScheme.html b/docs/api/Terminal.Gui/Terminal.Gui.ColorScheme.html deleted file mode 100644 index 9c4886f2e..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.ColorScheme.html +++ /dev/null @@ -1,299 +0,0 @@ - - - - - - - - Class ColorScheme - - - - - - - - - - - - - - - - -
                  -
                  - - - - -
                  -
                  - -
                  -
                  -
                  -

                  -
                  -
                    -
                    -
                    - - - -
                    - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.Colors.html b/docs/api/Terminal.Gui/Terminal.Gui.Colors.html deleted file mode 100644 index 7ea138b98..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.Colors.html +++ /dev/null @@ -1,297 +0,0 @@ - - - - - - - - Class Colors - - - - - - - - - - - - - - - - -
                    -
                    - - - - -
                    -
                    - -
                    -
                    -
                    -

                    -
                    -
                      -
                      -
                      - - - -
                      - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.ComboBox.html b/docs/api/Terminal.Gui/Terminal.Gui.ComboBox.html deleted file mode 100644 index 3397caab6..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.ComboBox.html +++ /dev/null @@ -1,554 +0,0 @@ - - - - - - - - Class ComboBox - - - - - - - - - - - - - - - - -
                      -
                      - - - - -
                      -
                      - -
                      -
                      -
                      -

                      -
                      -
                        -
                        -
                        - - - -
                        - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html b/docs/api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html deleted file mode 100644 index 48073dffa..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html +++ /dev/null @@ -1,1199 +0,0 @@ - - - - - - - - Class ConsoleDriver - - - - - - - - - - - - - - - - -
                        -
                        - - - - -
                        -
                        - -
                        -
                        -
                        -

                        -
                        -
                          -
                          -
                          - - - -
                          - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.CursesDriver.html b/docs/api/Terminal.Gui/Terminal.Gui.CursesDriver.html deleted file mode 100644 index e75662f72..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.CursesDriver.html +++ /dev/null @@ -1,772 +0,0 @@ - - - - - - - - Class CursesDriver - - - - - - - - - - - - - - - - -
                          -
                          - - - - -
                          -
                          - -
                          -
                          -
                          -

                          -
                          -
                            -
                            -
                            - - - -
                            - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.DateField.html b/docs/api/Terminal.Gui/Terminal.Gui.DateField.html deleted file mode 100644 index 2892a49bf..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.DateField.html +++ /dev/null @@ -1,636 +0,0 @@ - - - - - - - - Class DateField - - - - - - - - - - - - - - - - -
                            -
                            - - - - -
                            -
                            - -
                            -
                            -
                            -

                            -
                            -
                              -
                              -
                              - - - -
                              - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.Dialog.html b/docs/api/Terminal.Gui/Terminal.Gui.Dialog.html deleted file mode 100644 index 0452cf13a..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.Dialog.html +++ /dev/null @@ -1,535 +0,0 @@ - - - - - - - - Class Dialog - - - - - - - - - - - - - - - - -
                              -
                              - - - - -
                              -
                              - -
                              -
                              -
                              -

                              -
                              -
                                -
                                -
                                - - - -
                                - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.Dim.html b/docs/api/Terminal.Gui/Terminal.Gui.Dim.html deleted file mode 100644 index 43f710b8b..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.Dim.html +++ /dev/null @@ -1,549 +0,0 @@ - - - - - - - - Class Dim - - - - - - - - - - - - - - - - -
                                -
                                - - - - -
                                -
                                - -
                                -
                                -
                                -

                                -
                                -
                                  -
                                  -
                                  - - - -
                                  - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.FileDialog.html b/docs/api/Terminal.Gui/Terminal.Gui.FileDialog.html deleted file mode 100644 index 6bbce7b3d..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.FileDialog.html +++ /dev/null @@ -1,735 +0,0 @@ - - - - - - - - Class FileDialog - - - - - - - - - - - - - - - - -
                                  -
                                  - - - - -
                                  -
                                  - -
                                  -
                                  -
                                  -

                                  -
                                  -
                                    -
                                    -
                                    - - - -
                                    - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.FrameView.html b/docs/api/Terminal.Gui/Terminal.Gui.FrameView.html deleted file mode 100644 index eb1ade635..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.FrameView.html +++ /dev/null @@ -1,612 +0,0 @@ - - - - - - - - Class FrameView - - - - - - - - - - - - - - - - -
                                    -
                                    - - - - -
                                    -
                                    - -
                                    -
                                    -
                                    -

                                    -
                                    -
                                      -
                                      -
                                      - - - -
                                      - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.HexView.html b/docs/api/Terminal.Gui/Terminal.Gui.HexView.html deleted file mode 100644 index bb6cf04d9..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.HexView.html +++ /dev/null @@ -1,654 +0,0 @@ - - - - - - - - Class HexView - - - - - - - - - - - - - - - - -
                                      -
                                      - - - - -
                                      -
                                      - -
                                      -
                                      -
                                      -

                                      -
                                      -
                                        -
                                        -
                                        - - - -
                                        - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.IListDataSource.html b/docs/api/Terminal.Gui/Terminal.Gui.IListDataSource.html deleted file mode 100644 index 667ca5719..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.IListDataSource.html +++ /dev/null @@ -1,330 +0,0 @@ - - - - - - - - Interface IListDataSource - - - - - - - - - - - - - - - - -
                                        -
                                        - - - - -
                                        -
                                        - -
                                        -
                                        -
                                        -

                                        -
                                        -
                                          -
                                          -
                                          - - - -
                                          - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.IMainLoopDriver.html b/docs/api/Terminal.Gui/Terminal.Gui.IMainLoopDriver.html deleted file mode 100644 index 0b5b23d55..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.IMainLoopDriver.html +++ /dev/null @@ -1,230 +0,0 @@ - - - - - - - - Interface IMainLoopDriver - - - - - - - - - - - - - - - - -
                                          -
                                          - - - - -
                                          -
                                          - -
                                          -
                                          -
                                          -

                                          -
                                          -
                                            -
                                            -
                                            - - - -
                                            - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.Key.html b/docs/api/Terminal.Gui/Terminal.Gui.Key.html deleted file mode 100644 index 975c09123..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.Key.html +++ /dev/null @@ -1,535 +0,0 @@ - - - - - - - - Enum Key - - - - - - - - - - - - - - - - -
                                            -
                                            - - - - -
                                            -
                                            - -
                                            -
                                            -
                                            -

                                            -
                                            -
                                              -
                                              -
                                              - - - -
                                              - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.KeyEvent.html b/docs/api/Terminal.Gui/Terminal.Gui.KeyEvent.html deleted file mode 100644 index df43f98b6..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.KeyEvent.html +++ /dev/null @@ -1,369 +0,0 @@ - - - - - - - - Class KeyEvent - - - - - - - - - - - - - - - - -
                                              -
                                              - - - - -
                                              -
                                              - -
                                              -
                                              -
                                              -

                                              -
                                              -
                                                -
                                                -
                                                - - - -
                                                - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.Label.html b/docs/api/Terminal.Gui/Terminal.Gui.Label.html deleted file mode 100644 index 7d0de2b8f..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.Label.html +++ /dev/null @@ -1,692 +0,0 @@ - - - - - - - - Class Label - - - - - - - - - - - - - - - - -
                                                -
                                                - - - - -
                                                -
                                                - -
                                                -
                                                -
                                                -

                                                -
                                                -
                                                  -
                                                  -
                                                  - - - -
                                                  - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.LayoutStyle.html b/docs/api/Terminal.Gui/Terminal.Gui.LayoutStyle.html deleted file mode 100644 index 9b6275ef0..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.LayoutStyle.html +++ /dev/null @@ -1,158 +0,0 @@ - - - - - - - - Enum LayoutStyle - - - - - - - - - - - - - - - - -
                                                  -
                                                  - - - - -
                                                  -
                                                  - -
                                                  -
                                                  -
                                                  -

                                                  -
                                                  -
                                                    -
                                                    -
                                                    - - - -
                                                    - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.ListView.html b/docs/api/Terminal.Gui/Terminal.Gui.ListView.html deleted file mode 100644 index 2c28a6830..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.ListView.html +++ /dev/null @@ -1,1163 +0,0 @@ - - - - - - - - Class ListView - - - - - - - - - - - - - - - - -
                                                    -
                                                    - - - - -
                                                    -
                                                    - -
                                                    -
                                                    -
                                                    -

                                                    -
                                                    -
                                                      -
                                                      -
                                                      - - - -
                                                      - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.ListViewItemEventArgs.html b/docs/api/Terminal.Gui/Terminal.Gui.ListViewItemEventArgs.html deleted file mode 100644 index 0de2b30c2..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.ListViewItemEventArgs.html +++ /dev/null @@ -1,256 +0,0 @@ - - - - - - - - Class ListViewItemEventArgs - - - - - - - - - - - - - - - - -
                                                      -
                                                      - - - - -
                                                      -
                                                      - -
                                                      -
                                                      -
                                                      -

                                                      -
                                                      -
                                                        -
                                                        -
                                                        - - - -
                                                        - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.ListWrapper.html b/docs/api/Terminal.Gui/Terminal.Gui.ListWrapper.html deleted file mode 100644 index 40c2dd806..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.ListWrapper.html +++ /dev/null @@ -1,396 +0,0 @@ - - - - - - - - Class ListWrapper - - - - - - - - - - - - - - - - -
                                                        -
                                                        - - - - -
                                                        -
                                                        - -
                                                        -
                                                        -
                                                        -

                                                        -
                                                        -
                                                          -
                                                          -
                                                          - - - -
                                                          - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.MainLoop.html b/docs/api/Terminal.Gui/Terminal.Gui.MainLoop.html deleted file mode 100644 index 5a58063dc..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.MainLoop.html +++ /dev/null @@ -1,515 +0,0 @@ - - - - - - - - Class MainLoop - - - - - - - - - - - - - - - - -
                                                          -
                                                          - - - - -
                                                          -
                                                          - -
                                                          -
                                                          -
                                                          -

                                                          -
                                                          -
                                                            -
                                                            -
                                                            - - - -
                                                            - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.MenuBar.html b/docs/api/Terminal.Gui/Terminal.Gui.MenuBar.html deleted file mode 100644 index e3c93399d..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.MenuBar.html +++ /dev/null @@ -1,844 +0,0 @@ - - - - - - - - Class MenuBar - - - - - - - - - - - - - - - - -
                                                            -
                                                            - - - - -
                                                            -
                                                            - -
                                                            -
                                                            -
                                                            -

                                                            -
                                                            -
                                                              -
                                                              -
                                                              - - - -
                                                              - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.MenuBarItem.html b/docs/api/Terminal.Gui/Terminal.Gui.MenuBarItem.html deleted file mode 100644 index 352a45771..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.MenuBarItem.html +++ /dev/null @@ -1,326 +0,0 @@ - - - - - - - - Class MenuBarItem - - - - - - - - - - - - - - - - -
                                                              -
                                                              - - - - -
                                                              -
                                                              - -
                                                              -
                                                              -
                                                              -

                                                              -
                                                              -
                                                                -
                                                                -
                                                                - - - -
                                                                - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.MenuItem.html b/docs/api/Terminal.Gui/Terminal.Gui.MenuItem.html deleted file mode 100644 index ed9fb04fc..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.MenuItem.html +++ /dev/null @@ -1,502 +0,0 @@ - - - - - - - - Class MenuItem - - - - - - - - - - - - - - - - -
                                                                -
                                                                - - - - -
                                                                -
                                                                - -
                                                                -
                                                                -
                                                                -

                                                                -
                                                                -
                                                                  -
                                                                  -
                                                                  - - - -
                                                                  - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.MessageBox.html b/docs/api/Terminal.Gui/Terminal.Gui.MessageBox.html deleted file mode 100644 index b00122542..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.MessageBox.html +++ /dev/null @@ -1,298 +0,0 @@ - - - - - - - - Class MessageBox - - - - - - - - - - - - - - - - -
                                                                  -
                                                                  - - - - -
                                                                  -
                                                                  - -
                                                                  -
                                                                  -
                                                                  -

                                                                  -
                                                                  -
                                                                    -
                                                                    -
                                                                    - - - -
                                                                    - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.MouseEvent.html b/docs/api/Terminal.Gui/Terminal.Gui.MouseEvent.html deleted file mode 100644 index e0b0f867e..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.MouseEvent.html +++ /dev/null @@ -1,338 +0,0 @@ - - - - - - - - Struct MouseEvent - - - - - - - - - - - - - - - - -
                                                                    -
                                                                    - - - - -
                                                                    -
                                                                    - -
                                                                    -
                                                                    -
                                                                    -

                                                                    -
                                                                    -
                                                                      -
                                                                      -
                                                                      - - - -
                                                                      - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.MouseFlags.html b/docs/api/Terminal.Gui/Terminal.Gui.MouseFlags.html deleted file mode 100644 index c88d4ec02..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.MouseFlags.html +++ /dev/null @@ -1,310 +0,0 @@ - - - - - - - - Enum MouseFlags - - - - - - - - - - - - - - - - -
                                                                      -
                                                                      - - - - -
                                                                      -
                                                                      - -
                                                                      -
                                                                      -
                                                                      -

                                                                      -
                                                                      -
                                                                        -
                                                                        -
                                                                        - - - -
                                                                        - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.OpenDialog.html b/docs/api/Terminal.Gui/Terminal.Gui.OpenDialog.html deleted file mode 100644 index d47bb8ac3..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.OpenDialog.html +++ /dev/null @@ -1,597 +0,0 @@ - - - - - - - - Class OpenDialog - - - - - - - - - - - - - - - - -
                                                                        -
                                                                        - - - - -
                                                                        -
                                                                        - -
                                                                        -
                                                                        -
                                                                        -

                                                                        -
                                                                        -
                                                                          -
                                                                          -
                                                                          - - - -
                                                                          - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.Point.html b/docs/api/Terminal.Gui/Terminal.Gui.Point.html deleted file mode 100644 index 415b1a44a..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.Point.html +++ /dev/null @@ -1,885 +0,0 @@ - - - - - - - - Struct Point - - - - - - - - - - - - - - - - -
                                                                          -
                                                                          - - - - -
                                                                          -
                                                                          - -
                                                                          -
                                                                          -
                                                                          -

                                                                          -
                                                                          -
                                                                            -
                                                                            -
                                                                            - - - -
                                                                            - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.Pos.html b/docs/api/Terminal.Gui/Terminal.Gui.Pos.html deleted file mode 100644 index ab3582a3b..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.Pos.html +++ /dev/null @@ -1,779 +0,0 @@ - - - - - - - - Class Pos - - - - - - - - - - - - - - - - -
                                                                            -
                                                                            - - - - -
                                                                            -
                                                                            - -
                                                                            -
                                                                            -
                                                                            -

                                                                            -
                                                                            -
                                                                              -
                                                                              -
                                                                              - - - -
                                                                              - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.ProgressBar.html b/docs/api/Terminal.Gui/Terminal.Gui.ProgressBar.html deleted file mode 100644 index 5c3074bde..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.ProgressBar.html +++ /dev/null @@ -1,502 +0,0 @@ - - - - - - - - Class ProgressBar - - - - - - - - - - - - - - - - -
                                                                              -
                                                                              - - - - -
                                                                              -
                                                                              - -
                                                                              -
                                                                              -
                                                                              -

                                                                              -
                                                                              -
                                                                                -
                                                                                -
                                                                                - - - -
                                                                                - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.RadioGroup.html b/docs/api/Terminal.Gui/Terminal.Gui.RadioGroup.html deleted file mode 100644 index 0565450ef..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.RadioGroup.html +++ /dev/null @@ -1,767 +0,0 @@ - - - - - - - - Class RadioGroup - - - - - - - - - - - - - - - - -
                                                                                -
                                                                                - - - - -
                                                                                -
                                                                                - -
                                                                                -
                                                                                -
                                                                                -

                                                                                -
                                                                                -
                                                                                  -
                                                                                  -
                                                                                  - - - -
                                                                                  - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.Rect.html b/docs/api/Terminal.Gui/Terminal.Gui.Rect.html deleted file mode 100644 index 27cbaa216..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.Rect.html +++ /dev/null @@ -1,1426 +0,0 @@ - - - - - - - - Struct Rect - - - - - - - - - - - - - - - - -
                                                                                  -
                                                                                  - - - - -
                                                                                  -
                                                                                  - -
                                                                                  -
                                                                                  -
                                                                                  -

                                                                                  -
                                                                                  -
                                                                                    -
                                                                                    -
                                                                                    - - - -
                                                                                    - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.Responder.html b/docs/api/Terminal.Gui/Terminal.Gui.Responder.html deleted file mode 100644 index 7d6215ee5..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.Responder.html +++ /dev/null @@ -1,683 +0,0 @@ - - - - - - - - Class Responder - - - - - - - - - - - - - - - - -
                                                                                    -
                                                                                    - - - - -
                                                                                    -
                                                                                    - -
                                                                                    -
                                                                                    -
                                                                                    -

                                                                                    -
                                                                                    -
                                                                                      -
                                                                                      -
                                                                                      - - - -
                                                                                      - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.SaveDialog.html b/docs/api/Terminal.Gui/Terminal.Gui.SaveDialog.html deleted file mode 100644 index e477920ea..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.SaveDialog.html +++ /dev/null @@ -1,511 +0,0 @@ - - - - - - - - Class SaveDialog - - - - - - - - - - - - - - - - -
                                                                                      -
                                                                                      - - - - -
                                                                                      -
                                                                                      - -
                                                                                      -
                                                                                      -
                                                                                      -

                                                                                      -
                                                                                      -
                                                                                        -
                                                                                        -
                                                                                        - - - -
                                                                                        - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.ScrollBarView.html b/docs/api/Terminal.Gui/Terminal.Gui.ScrollBarView.html deleted file mode 100644 index 96eeb8659..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.ScrollBarView.html +++ /dev/null @@ -1,586 +0,0 @@ - - - - - - - - Class ScrollBarView - - - - - - - - - - - - - - - - -
                                                                                        -
                                                                                        - - - - -
                                                                                        -
                                                                                        - -
                                                                                        -
                                                                                        -
                                                                                        -

                                                                                        -
                                                                                        -
                                                                                          -
                                                                                          -
                                                                                          - - - -
                                                                                          - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.ScrollView.html b/docs/api/Terminal.Gui/Terminal.Gui.ScrollView.html deleted file mode 100644 index a1dfec7e4..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.ScrollView.html +++ /dev/null @@ -1,865 +0,0 @@ - - - - - - - - Class ScrollView - - - - - - - - - - - - - - - - -
                                                                                          -
                                                                                          - - - - -
                                                                                          -
                                                                                          - -
                                                                                          -
                                                                                          -
                                                                                          -

                                                                                          -
                                                                                          -
                                                                                            -
                                                                                            -
                                                                                            - - - -
                                                                                            - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.Size.html b/docs/api/Terminal.Gui/Terminal.Gui.Size.html deleted file mode 100644 index a1d59e8d8..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.Size.html +++ /dev/null @@ -1,822 +0,0 @@ - - - - - - - - Struct Size - - - - - - - - - - - - - - - - -
                                                                                            -
                                                                                            - - - - -
                                                                                            -
                                                                                            - -
                                                                                            -
                                                                                            -
                                                                                            -

                                                                                            -
                                                                                            -
                                                                                              -
                                                                                              -
                                                                                              - - - -
                                                                                              - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.SpecialChar.html b/docs/api/Terminal.Gui/Terminal.Gui.SpecialChar.html deleted file mode 100644 index 4fe51fff1..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.SpecialChar.html +++ /dev/null @@ -1,215 +0,0 @@ - - - - - - - - Enum SpecialChar - - - - - - - - - - - - - - - - -
                                                                                              -
                                                                                              - - - - -
                                                                                              -
                                                                                              - -
                                                                                              -
                                                                                              -
                                                                                              -

                                                                                              -
                                                                                              -
                                                                                                -
                                                                                                -
                                                                                                - - - -
                                                                                                - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.StatusBar.html b/docs/api/Terminal.Gui/Terminal.Gui.StatusBar.html deleted file mode 100644 index 0b34ea395..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.StatusBar.html +++ /dev/null @@ -1,534 +0,0 @@ - - - - - - - - Class StatusBar - - - - - - - - - - - - - - - - -
                                                                                                -
                                                                                                - - - - -
                                                                                                -
                                                                                                - -
                                                                                                -
                                                                                                -
                                                                                                -

                                                                                                -
                                                                                                -
                                                                                                  -
                                                                                                  -
                                                                                                  - - - -
                                                                                                  - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.StatusItem.html b/docs/api/Terminal.Gui/Terminal.Gui.StatusItem.html deleted file mode 100644 index a0921b518..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.StatusItem.html +++ /dev/null @@ -1,296 +0,0 @@ - - - - - - - - Class StatusItem - - - - - - - - - - - - - - - - -
                                                                                                  -
                                                                                                  - - - - -
                                                                                                  -
                                                                                                  - -
                                                                                                  -
                                                                                                  -
                                                                                                  -

                                                                                                  -
                                                                                                  -
                                                                                                    -
                                                                                                    -
                                                                                                    - - - -
                                                                                                    - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.TextAlignment.html b/docs/api/Terminal.Gui/Terminal.Gui.TextAlignment.html deleted file mode 100644 index c7587497a..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.TextAlignment.html +++ /dev/null @@ -1,167 +0,0 @@ - - - - - - - - Enum TextAlignment - - - - - - - - - - - - - - - - -
                                                                                                    -
                                                                                                    - - - - -
                                                                                                    -
                                                                                                    - -
                                                                                                    -
                                                                                                    -
                                                                                                    -

                                                                                                    -
                                                                                                    -
                                                                                                      -
                                                                                                      -
                                                                                                      - - - -
                                                                                                      - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.TextField.html b/docs/api/Terminal.Gui/Terminal.Gui.TextField.html deleted file mode 100644 index b3760923c..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.TextField.html +++ /dev/null @@ -1,989 +0,0 @@ - - - - - - - - Class TextField - - - - - - - - - - - - - - - - -
                                                                                                      -
                                                                                                      - - - - -
                                                                                                      -
                                                                                                      - -
                                                                                                      -
                                                                                                      -
                                                                                                      -

                                                                                                      -
                                                                                                      -
                                                                                                        -
                                                                                                        -
                                                                                                        - - - -
                                                                                                        - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.TextView.html b/docs/api/Terminal.Gui/Terminal.Gui.TextView.html deleted file mode 100644 index 466f5fa68..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.TextView.html +++ /dev/null @@ -1,877 +0,0 @@ - - - - - - - - Class TextView - - - - - - - - - - - - - - - - -
                                                                                                        -
                                                                                                        - - - - -
                                                                                                        -
                                                                                                        - -
                                                                                                        -
                                                                                                        -
                                                                                                        -

                                                                                                        -
                                                                                                        -
                                                                                                          -
                                                                                                          -
                                                                                                          - - - -
                                                                                                          - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.TimeField.html b/docs/api/Terminal.Gui/Terminal.Gui.TimeField.html deleted file mode 100644 index f2ee69893..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.TimeField.html +++ /dev/null @@ -1,636 +0,0 @@ - - - - - - - - Class TimeField - - - - - - - - - - - - - - - - -
                                                                                                          -
                                                                                                          - - - - -
                                                                                                          -
                                                                                                          - -
                                                                                                          -
                                                                                                          -
                                                                                                          -

                                                                                                          -
                                                                                                          -
                                                                                                            -
                                                                                                            -
                                                                                                            - - - -
                                                                                                            - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.Toplevel.html b/docs/api/Terminal.Gui/Terminal.Gui.Toplevel.html deleted file mode 100644 index b8aba889a..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.Toplevel.html +++ /dev/null @@ -1,785 +0,0 @@ - - - - - - - - Class Toplevel - - - - - - - - - - - - - - - - -
                                                                                                            -
                                                                                                            - - - - -
                                                                                                            -
                                                                                                            - -
                                                                                                            -
                                                                                                            -
                                                                                                            -

                                                                                                            -
                                                                                                            -
                                                                                                              -
                                                                                                              -
                                                                                                              - - - -
                                                                                                              - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.UnixMainLoop.Condition.html b/docs/api/Terminal.Gui/Terminal.Gui.UnixMainLoop.Condition.html deleted file mode 100644 index 67369c35b..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.UnixMainLoop.Condition.html +++ /dev/null @@ -1,180 +0,0 @@ - - - - - - - - Enum UnixMainLoop.Condition - - - - - - - - - - - - - - - - -
                                                                                                              -
                                                                                                              - - - - -
                                                                                                              -
                                                                                                              - -
                                                                                                              -
                                                                                                              -
                                                                                                              -

                                                                                                              -
                                                                                                              -
                                                                                                                -
                                                                                                                -
                                                                                                                - - - -
                                                                                                                - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.UnixMainLoop.html b/docs/api/Terminal.Gui/Terminal.Gui.UnixMainLoop.html deleted file mode 100644 index 07eeed0e3..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.UnixMainLoop.html +++ /dev/null @@ -1,362 +0,0 @@ - - - - - - - - Class UnixMainLoop - - - - - - - - - - - - - - - - -
                                                                                                                -
                                                                                                                - - - - -
                                                                                                                -
                                                                                                                - -
                                                                                                                -
                                                                                                                -
                                                                                                                -

                                                                                                                -
                                                                                                                -
                                                                                                                  -
                                                                                                                  -
                                                                                                                  - - - -
                                                                                                                  - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.View.KeyEventEventArgs.html b/docs/api/Terminal.Gui/Terminal.Gui.View.KeyEventEventArgs.html deleted file mode 100644 index f85b64449..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.View.KeyEventEventArgs.html +++ /dev/null @@ -1,252 +0,0 @@ - - - - - - - - Class View.KeyEventEventArgs - - - - - - - - - - - - - - - - -
                                                                                                                  -
                                                                                                                  - - - - -
                                                                                                                  -
                                                                                                                  - -
                                                                                                                  -
                                                                                                                  -
                                                                                                                  -

                                                                                                                  -
                                                                                                                  -
                                                                                                                    -
                                                                                                                    -
                                                                                                                    - - - -
                                                                                                                    - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.View.html b/docs/api/Terminal.Gui/Terminal.Gui.View.html deleted file mode 100644 index 3c02537cb..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.View.html +++ /dev/null @@ -1,2249 +0,0 @@ - - - - - - - - Class View - - - - - - - - - - - - - - - - -
                                                                                                                    -
                                                                                                                    - - - - -
                                                                                                                    -
                                                                                                                    - -
                                                                                                                    -
                                                                                                                    -
                                                                                                                    -

                                                                                                                    -
                                                                                                                    -
                                                                                                                      -
                                                                                                                      -
                                                                                                                      - - - -
                                                                                                                      - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.Window.html b/docs/api/Terminal.Gui/Terminal.Gui.Window.html deleted file mode 100644 index dcc86b8f6..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.Window.html +++ /dev/null @@ -1,734 +0,0 @@ - - - - - - - - Class Window - - - - - - - - - - - - - - - - -
                                                                                                                      -
                                                                                                                      - - - - -
                                                                                                                      -
                                                                                                                      - -
                                                                                                                      -
                                                                                                                      -
                                                                                                                      -

                                                                                                                      -
                                                                                                                      -
                                                                                                                        -
                                                                                                                        -
                                                                                                                        - - - -
                                                                                                                        - - - - - - diff --git a/docs/api/Terminal.Gui/Terminal.Gui.html b/docs/api/Terminal.Gui/Terminal.Gui.html deleted file mode 100644 index 18060e504..000000000 --- a/docs/api/Terminal.Gui/Terminal.Gui.html +++ /dev/null @@ -1,390 +0,0 @@ - - - - - - - - Namespace Terminal.Gui - - - - - - - - - - - - - - - - -
                                                                                                                        -
                                                                                                                        - - - - -
                                                                                                                        -
                                                                                                                        - -
                                                                                                                        -
                                                                                                                        -
                                                                                                                        -

                                                                                                                        -
                                                                                                                        -
                                                                                                                          -
                                                                                                                          -
                                                                                                                          - - - -
                                                                                                                          - - - - - - diff --git a/docs/api/Terminal.Gui/Unix.Terminal.Curses.Event.html b/docs/api/Terminal.Gui/Unix.Terminal.Curses.Event.html deleted file mode 100644 index d043f3376..000000000 --- a/docs/api/Terminal.Gui/Unix.Terminal.Curses.Event.html +++ /dev/null @@ -1,241 +0,0 @@ - - - - - - - - Enum Curses.Event - - - - - - - - - - - - - - - - -
                                                                                                                          -
                                                                                                                          - - - - -
                                                                                                                          -
                                                                                                                          - -
                                                                                                                          -
                                                                                                                          -
                                                                                                                          -

                                                                                                                          -
                                                                                                                          -
                                                                                                                            -
                                                                                                                            -
                                                                                                                            - - - -
                                                                                                                            - - - - - - diff --git a/docs/api/Terminal.Gui/Unix.Terminal.Curses.MouseEvent.html b/docs/api/Terminal.Gui/Unix.Terminal.Curses.MouseEvent.html deleted file mode 100644 index 3fb558346..000000000 --- a/docs/api/Terminal.Gui/Unix.Terminal.Curses.MouseEvent.html +++ /dev/null @@ -1,272 +0,0 @@ - - - - - - - - Struct Curses.MouseEvent - - - - - - - - - - - - - - - - -
                                                                                                                            -
                                                                                                                            - - - - -
                                                                                                                            -
                                                                                                                            - -
                                                                                                                            -
                                                                                                                            -
                                                                                                                            -

                                                                                                                            -
                                                                                                                            -
                                                                                                                              -
                                                                                                                              -
                                                                                                                              - - - -
                                                                                                                              - - - - - - diff --git a/docs/api/Terminal.Gui/Unix.Terminal.Curses.Window.html b/docs/api/Terminal.Gui/Unix.Terminal.Curses.Window.html deleted file mode 100644 index 19093719d..000000000 --- a/docs/api/Terminal.Gui/Unix.Terminal.Curses.Window.html +++ /dev/null @@ -1,906 +0,0 @@ - - - - - - - - Class Curses.Window - - - - - - - - - - - - - - - - -
                                                                                                                              -
                                                                                                                              - - - - -
                                                                                                                              -
                                                                                                                              - -
                                                                                                                              -
                                                                                                                              -
                                                                                                                              -

                                                                                                                              -
                                                                                                                              -
                                                                                                                                -
                                                                                                                                -
                                                                                                                                - - - -
                                                                                                                                - - - - - - diff --git a/docs/api/Terminal.Gui/Unix.Terminal.Curses.html b/docs/api/Terminal.Gui/Unix.Terminal.Curses.html deleted file mode 100644 index e9ccdc94a..000000000 --- a/docs/api/Terminal.Gui/Unix.Terminal.Curses.html +++ /dev/null @@ -1,5181 +0,0 @@ - - - - - - - - Class Curses - - - - - - - - - - - - - - - - -
                                                                                                                                -
                                                                                                                                - - - - -
                                                                                                                                -
                                                                                                                                - -
                                                                                                                                -
                                                                                                                                -
                                                                                                                                -

                                                                                                                                -
                                                                                                                                -
                                                                                                                                  -
                                                                                                                                  -
                                                                                                                                  - - - -
                                                                                                                                  - - - - - - diff --git a/docs/api/Terminal.Gui/Unix.Terminal.html b/docs/api/Terminal.Gui/Unix.Terminal.html deleted file mode 100644 index ba3d42578..000000000 --- a/docs/api/Terminal.Gui/Unix.Terminal.html +++ /dev/null @@ -1,137 +0,0 @@ - - - - - - - - Namespace Unix.Terminal - - - - - - - - - - - - - - - - -
                                                                                                                                  -
                                                                                                                                  - - - - -
                                                                                                                                  -
                                                                                                                                  - -
                                                                                                                                  -
                                                                                                                                  -
                                                                                                                                  -

                                                                                                                                  -
                                                                                                                                  -
                                                                                                                                    -
                                                                                                                                    -
                                                                                                                                    - - - -
                                                                                                                                    - - - - - - diff --git a/docs/api/Terminal.Gui/toc.html b/docs/api/Terminal.Gui/toc.html deleted file mode 100644 index 1be78b2db..000000000 --- a/docs/api/Terminal.Gui/toc.html +++ /dev/null @@ -1,222 +0,0 @@ - -
                                                                                                                                    -
                                                                                                                                    -
                                                                                                                                    -
                                                                                                                                    - - - -
                                                                                                                                    -
                                                                                                                                    -
                                                                                                                                    -
                                                                                                                                    - - -
                                                                                                                                    -
                                                                                                                                    -
                                                                                                                                    -
                                                                                                                                    \ No newline at end of file diff --git a/docs/api/UICatalog/UICatalog.Scenario.ScenarioCategory.html b/docs/api/UICatalog/UICatalog.Scenario.ScenarioCategory.html deleted file mode 100644 index ac837fad4..000000000 --- a/docs/api/UICatalog/UICatalog.Scenario.ScenarioCategory.html +++ /dev/null @@ -1,413 +0,0 @@ - - - - - - - - Class Scenario.ScenarioCategory - - - - - - - - - - - - - - - - -
                                                                                                                                    -
                                                                                                                                    - - - - -
                                                                                                                                    -
                                                                                                                                    - -
                                                                                                                                    -
                                                                                                                                    -
                                                                                                                                    -

                                                                                                                                    -
                                                                                                                                    -
                                                                                                                                      -
                                                                                                                                      -
                                                                                                                                      - - - -
                                                                                                                                      - - - - - - diff --git a/docs/api/UICatalog/UICatalog.Scenario.ScenarioMetadata.html b/docs/api/UICatalog/UICatalog.Scenario.ScenarioMetadata.html deleted file mode 100644 index 9396393aa..000000000 --- a/docs/api/UICatalog/UICatalog.Scenario.ScenarioMetadata.html +++ /dev/null @@ -1,442 +0,0 @@ - - - - - - - - Class Scenario.ScenarioMetadata - - - - - - - - - - - - - - - - -
                                                                                                                                      -
                                                                                                                                      - - - - -
                                                                                                                                      -
                                                                                                                                      - -
                                                                                                                                      -
                                                                                                                                      -
                                                                                                                                      -

                                                                                                                                      -
                                                                                                                                      -
                                                                                                                                        -
                                                                                                                                        -
                                                                                                                                        - - - -
                                                                                                                                        - - - - - - diff --git a/docs/api/UICatalog/UICatalog.Scenario.html b/docs/api/UICatalog/UICatalog.Scenario.html deleted file mode 100644 index 95f729514..000000000 --- a/docs/api/UICatalog/UICatalog.Scenario.html +++ /dev/null @@ -1,469 +0,0 @@ - - - - - - - - Class Scenario - - - - - - - - - - - - - - - - -
                                                                                                                                        -
                                                                                                                                        - - - - -
                                                                                                                                        -
                                                                                                                                        - -
                                                                                                                                        -
                                                                                                                                        -
                                                                                                                                        -

                                                                                                                                        -
                                                                                                                                        -
                                                                                                                                          -
                                                                                                                                          -
                                                                                                                                          - - - -
                                                                                                                                          - - - - - - diff --git a/docs/api/UICatalog/UICatalog.UICatalogApp.html b/docs/api/UICatalog/UICatalog.UICatalogApp.html deleted file mode 100644 index 6551173cb..000000000 --- a/docs/api/UICatalog/UICatalog.UICatalogApp.html +++ /dev/null @@ -1,159 +0,0 @@ - - - - - - - - Class UICatalogApp - - - - - - - - - - - - - - - - -
                                                                                                                                          -
                                                                                                                                          - - - - -
                                                                                                                                          -
                                                                                                                                          - -
                                                                                                                                          -
                                                                                                                                          -
                                                                                                                                          -

                                                                                                                                          -
                                                                                                                                          -
                                                                                                                                            -
                                                                                                                                            -
                                                                                                                                            - - - -
                                                                                                                                            - - - - - - diff --git a/docs/api/UICatalog/UICatalog.html b/docs/api/UICatalog/UICatalog.html deleted file mode 100644 index fab978ea8..000000000 --- a/docs/api/UICatalog/UICatalog.html +++ /dev/null @@ -1,145 +0,0 @@ - - - - - - - - Namespace UICatalog - - - - - - - - - - - - - - - - -
                                                                                                                                            -
                                                                                                                                            - - - - -
                                                                                                                                            -
                                                                                                                                            - -
                                                                                                                                            -
                                                                                                                                            -
                                                                                                                                            -

                                                                                                                                            -
                                                                                                                                            -
                                                                                                                                              -
                                                                                                                                              -
                                                                                                                                              - - - -
                                                                                                                                              - - - - - - diff --git a/docs/api/UICatalog/toc.html b/docs/api/UICatalog/toc.html deleted file mode 100644 index cf822b12c..000000000 --- a/docs/api/UICatalog/toc.html +++ /dev/null @@ -1,38 +0,0 @@ - -
                                                                                                                                              -
                                                                                                                                              -
                                                                                                                                              -
                                                                                                                                              - - - -
                                                                                                                                              -
                                                                                                                                              -
                                                                                                                                              - -
                                                                                                                                              -
                                                                                                                                              -
                                                                                                                                              \ No newline at end of file diff --git a/docs/articles/index.html b/docs/articles/index.html deleted file mode 100644 index 6f59d046b..000000000 --- a/docs/articles/index.html +++ /dev/null @@ -1,115 +0,0 @@ - - - - - - - - Conceptual Documentation - - - - - - - - - - - - - - - -
                                                                                                                                              -
                                                                                                                                              - - - - -
                                                                                                                                              -
                                                                                                                                              - -
                                                                                                                                              -
                                                                                                                                              -
                                                                                                                                              -

                                                                                                                                              -
                                                                                                                                              -
                                                                                                                                                -
                                                                                                                                                -
                                                                                                                                                - - - -
                                                                                                                                                - - - - - - diff --git a/docs/articles/keyboard.html b/docs/articles/keyboard.html deleted file mode 100644 index b41658778..000000000 --- a/docs/articles/keyboard.html +++ /dev/null @@ -1,137 +0,0 @@ - - - - - - - - Keyboard Event Processing - - - - - - - - - - - - - - - -
                                                                                                                                                -
                                                                                                                                                - - - - -
                                                                                                                                                -
                                                                                                                                                - -
                                                                                                                                                -
                                                                                                                                                -
                                                                                                                                                -

                                                                                                                                                -
                                                                                                                                                -
                                                                                                                                                  -
                                                                                                                                                  -
                                                                                                                                                  - - - -
                                                                                                                                                  - - - - - - diff --git a/docs/articles/mainloop.html b/docs/articles/mainloop.html deleted file mode 100644 index df9b9861d..000000000 --- a/docs/articles/mainloop.html +++ /dev/null @@ -1,220 +0,0 @@ - - - - - - - - Event Processing and the Application Main Loop - - - - - - - - - - - - - - - -
                                                                                                                                                  -
                                                                                                                                                  - - - - -
                                                                                                                                                  -
                                                                                                                                                  - -
                                                                                                                                                  -
                                                                                                                                                  -
                                                                                                                                                  -

                                                                                                                                                  -
                                                                                                                                                  -
                                                                                                                                                    -
                                                                                                                                                    -
                                                                                                                                                    - - - -
                                                                                                                                                    - - - - - - diff --git a/docs/articles/overview.html b/docs/articles/overview.html deleted file mode 100644 index 664edecc8..000000000 --- a/docs/articles/overview.html +++ /dev/null @@ -1,436 +0,0 @@ - - - - - - - - Terminal.Gui API Overview - - - - - - - - - - - - - - - -
                                                                                                                                                    -
                                                                                                                                                    - - - - -
                                                                                                                                                    -
                                                                                                                                                    - -
                                                                                                                                                    -
                                                                                                                                                    -
                                                                                                                                                    -

                                                                                                                                                    -
                                                                                                                                                    -
                                                                                                                                                      -
                                                                                                                                                      -
                                                                                                                                                      - - - -
                                                                                                                                                      - - - - - - diff --git a/docs/articles/views.html b/docs/articles/views.html deleted file mode 100644 index 23289d599..000000000 --- a/docs/articles/views.html +++ /dev/null @@ -1,117 +0,0 @@ - - - - - - - - Views - - - - - - - - - - - - - - - -
                                                                                                                                                      -
                                                                                                                                                      - - - - -
                                                                                                                                                      -
                                                                                                                                                      - -
                                                                                                                                                      -
                                                                                                                                                      -
                                                                                                                                                      -

                                                                                                                                                      -
                                                                                                                                                      -
                                                                                                                                                        -
                                                                                                                                                        -
                                                                                                                                                        - - - -
                                                                                                                                                        - - - - - - diff --git a/docs/favicon.ico b/docs/favicon.ico deleted file mode 100644 index 71570f61e..000000000 Binary files a/docs/favicon.ico and /dev/null differ diff --git a/docs/fonts/glyphicons-halflings-regular.eot b/docs/fonts/glyphicons-halflings-regular.eot deleted file mode 100644 index b93a4953f..000000000 Binary files a/docs/fonts/glyphicons-halflings-regular.eot and /dev/null differ diff --git a/docs/fonts/glyphicons-halflings-regular.svg b/docs/fonts/glyphicons-halflings-regular.svg deleted file mode 100644 index 94fb5490a..000000000 --- a/docs/fonts/glyphicons-halflings-regular.svg +++ /dev/null @@ -1,288 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - \ No newline at end of file diff --git a/docs/fonts/glyphicons-halflings-regular.ttf b/docs/fonts/glyphicons-halflings-regular.ttf deleted file mode 100644 index 1413fc609..000000000 Binary files a/docs/fonts/glyphicons-halflings-regular.ttf and /dev/null differ diff --git a/docs/fonts/glyphicons-halflings-regular.woff b/docs/fonts/glyphicons-halflings-regular.woff deleted file mode 100644 index 9e612858f..000000000 Binary files a/docs/fonts/glyphicons-halflings-regular.woff and /dev/null differ diff --git a/docs/fonts/glyphicons-halflings-regular.woff2 b/docs/fonts/glyphicons-halflings-regular.woff2 deleted file mode 100644 index 64539b54c..000000000 Binary files a/docs/fonts/glyphicons-halflings-regular.woff2 and /dev/null differ diff --git a/docs/images/logo.png b/docs/images/logo.png deleted file mode 100644 index f09ef1374..000000000 Binary files a/docs/images/logo.png and /dev/null differ diff --git a/docs/images/logo48.png b/docs/images/logo48.png deleted file mode 100644 index 54e693bc0..000000000 Binary files a/docs/images/logo48.png and /dev/null differ diff --git a/docs/index.html b/docs/index.html deleted file mode 100644 index 395ecbef4..000000000 --- a/docs/index.html +++ /dev/null @@ -1,127 +0,0 @@ - - - - - - - - Terminal.Gui - Terminal UI toolkit for .NET - - - - - - - - - - - - - - - -
                                                                                                                                                        -
                                                                                                                                                        - - - - -
                                                                                                                                                        -
                                                                                                                                                        - -
                                                                                                                                                        -
                                                                                                                                                        -
                                                                                                                                                        -

                                                                                                                                                        -
                                                                                                                                                        -
                                                                                                                                                          -
                                                                                                                                                          -
                                                                                                                                                          - - - -
                                                                                                                                                          - - - - - - diff --git a/docs/index.json b/docs/index.json deleted file mode 100644 index 30021b34c..000000000 --- a/docs/index.json +++ /dev/null @@ -1,382 +0,0 @@ -{ - "api/Terminal.Gui/Terminal.Gui.Application.html": { - "href": "api/Terminal.Gui/Terminal.Gui.Application.html", - "title": "Class Application", - "keywords": "Class Application The application driver for Terminal.Gui. Inheritance System.Object Application Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public static class Application Remarks You can hook up to the Iteration event to have your method invoked on each iteration of the mainloop. Creates a mainloop to process input events, handle timers and other sources of data. It is accessible via the MainLoop property. When invoked sets the SynchronizationContext to one that is tied to the mainloop, allowing user code to use async/await. Fields Driver The current ConsoleDriver in use. Declaration public static ConsoleDriver Driver Field Value Type Description ConsoleDriver RootMouseEvent Merely a debugging aid to see the raw mouse events Declaration public static Action RootMouseEvent Field Value Type Description System.Action < MouseEvent > UseSystemConsole If set, it forces the use of the System.Console-based driver. Declaration public static bool UseSystemConsole Field Value Type Description System.Boolean Properties Current The current Toplevel object. This is updated when Run() enters and leaves to point to the current Toplevel . Declaration public static Toplevel Current { get; } Property Value Type Description Toplevel The current. CurrentView TThe current View object being redrawn. Declaration public static View CurrentView { get; set; } Property Value Type Description View The current. MainLoop The MainLoop driver for the applicaiton Declaration public static MainLoop MainLoop { get; } Property Value Type Description MainLoop The main loop. Top The Toplevel object used for the application on startup ( Top ) Declaration public static Toplevel Top { get; } Property Value Type Description Toplevel The top. Methods Begin(Toplevel) Building block API: Prepares the provided Toplevel for execution. Declaration public static Application.RunState Begin(Toplevel toplevel) Parameters Type Name Description Toplevel toplevel Toplevel to prepare execution for. Returns Type Description Application.RunState The runstate handle that needs to be passed to the End(Application.RunState, Boolean) method upon completion. Remarks This method prepares the provided toplevel for running with the focus, it adds this to the list of toplevels, sets up the mainloop to process the event, lays out the subviews, focuses the first element, and draws the toplevel in the screen. This is usually followed by executing the RunLoop(Application.RunState, Boolean) method, and then the End(Application.RunState, Boolean) method upon termination which will undo these changes. End(Application.RunState, Boolean) Building block API: completes the execution of a Toplevel that was started with Begin(Toplevel) . Declaration public static void End(Application.RunState runState, bool closeDriver = true) Parameters Type Name Description Application.RunState runState The runstate returned by the Begin(Toplevel) method. System.Boolean closeDriver true Closes the application. false Closes the toplevels only. GrabMouse(View) Grabs the mouse, forcing all mouse events to be routed to the specified view until UngrabMouse is called. Declaration public static void GrabMouse(View view) Parameters Type Name Description View view View that will receive all mouse events until UngrabMouse is invoked. Init() Initializes a new instance of Terminal.Gui Application. Declaration public static void Init() Remarks Call this method once per instance (or after Shutdown(Boolean) has been called). Loads the right ConsoleDriver for the platform. Creates a Toplevel and assigns it to Top and CurrentView MakeCenteredRect(Size) Returns a rectangle that is centered in the screen for the provided size. Declaration public static Rect MakeCenteredRect(Size size) Parameters Type Name Description Size size Size for the rectangle. Returns Type Description Rect The centered rect. Refresh() Triggers a refresh of the entire display. Declaration public static void Refresh() RequestStop() Stops running the most recent Toplevel . Declaration public static void RequestStop() Remarks This will cause Run() to return. Calling RequestStop() is equivalent to setting the Running property on the curently running Toplevel to false. Run() Runs the application by calling Run(Toplevel, Boolean) with the value of Top Declaration public static void Run() Run(Toplevel, Boolean) Runs the main loop on the given Toplevel container. Declaration public static void Run(Toplevel view, bool closeDriver = true) Parameters Type Name Description Toplevel view System.Boolean closeDriver Remarks This method is used to start processing events for the main application, but it is also used to run other modal View s such as Dialog boxes. To make a Run(Toplevel, Boolean) stop execution, call RequestStop() . Calling Run(Toplevel, Boolean) is equivalent to calling Begin(Toplevel) , followed by RunLoop(Application.RunState, Boolean) , and then calling End(Application.RunState, Boolean) . Alternatively, to have a program control the main loop and process events manually, call Begin(Toplevel) to set things up manually and then repeatedly call RunLoop(Application.RunState, Boolean) with the wait parameter set to false. By doing this the RunLoop(Application.RunState, Boolean) method will only process any pending events, timers, idle handlers and then return control immediately. Run() Runs the application by calling Run(Toplevel, Boolean) with a new instance of the specified Toplevel -derived class Declaration public static void Run() where T : Toplevel, new() Type Parameters Name Description T RunLoop(Application.RunState, Boolean) Building block API: Runs the main loop for the created dialog Declaration public static void RunLoop(Application.RunState state, bool wait = true) Parameters Type Name Description Application.RunState state The state returned by the Begin method. System.Boolean wait By default this is true which will execute the runloop waiting for events, if you pass false, you can use this method to run a single iteration of the events. Remarks Use the wait parameter to control whether this is a blocking or non-blocking call. Shutdown(Boolean) Shutdown an application initialized with Init() Declaration public static void Shutdown(bool closeDriver = true) Parameters Type Name Description System.Boolean closeDriver true Closes the application. false Closes toplevels only. UngrabMouse() Releases the mouse grab, so mouse events will be routed to the view on which the mouse is. Declaration public static void UngrabMouse() Events Iteration This event is raised on each iteration of the MainLoop Declaration public static event EventHandler Iteration Event Type Type Description System.EventHandler Remarks See also System.Threading.Timeout Loaded This event is fired once when the application is first loaded. The dimensions of the terminal are provided. Declaration public static event EventHandler Loaded Event Type Type Description System.EventHandler < Application.ResizedEventArgs > Resized Invoked when the terminal was resized. The new size of the terminal is provided. Declaration public static event EventHandler Resized Event Type Type Description System.EventHandler < Application.ResizedEventArgs >" - }, - "api/Terminal.Gui/Terminal.Gui.Application.ResizedEventArgs.html": { - "href": "api/Terminal.Gui/Terminal.Gui.Application.ResizedEventArgs.html", - "title": "Class Application.ResizedEventArgs", - "keywords": "Class Application.ResizedEventArgs Event arguments for the Resized event. Inheritance System.Object System.EventArgs Application.ResizedEventArgs Inherited Members System.EventArgs.Empty System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class ResizedEventArgs : EventArgs Properties Cols The number of columns in the resized terminal. Declaration public int Cols { get; set; } Property Value Type Description System.Int32 Rows The number of rows in the resized terminal. Declaration public int Rows { get; set; } Property Value Type Description System.Int32" - }, - "api/Terminal.Gui/Terminal.Gui.Application.RunState.html": { - "href": "api/Terminal.Gui/Terminal.Gui.Application.RunState.html", - "title": "Class Application.RunState", - "keywords": "Class Application.RunState Captures the execution state for the provided Terminal.Gui.Application.RunState.Toplevel view. Inheritance System.Object Application.RunState Implements System.IDisposable Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class RunState : IDisposable Methods Dispose() Releases alTop = l resource used by the Application.RunState object. Declaration public void Dispose() Remarks Call Dispose() when you are finished using the Application.RunState . The Dispose() method leaves the Application.RunState in an unusable state. After calling Dispose() , you must release all references to the Application.RunState so the garbage collector can reclaim the memory that the Application.RunState was occupying. Dispose(Boolean) Dispose the specified disposing. Declaration protected virtual void Dispose(bool disposing) Parameters Type Name Description System.Boolean disposing If set to true disposing. Implements System.IDisposable" - }, - "api/Terminal.Gui/Terminal.Gui.Attribute.html": { - "href": "api/Terminal.Gui/Terminal.Gui.Attribute.html", - "title": "Struct Attribute", - "keywords": "Struct Attribute Attributes are used as elements that contain both a foreground and a background or platform specific features Inherited Members System.ValueType.Equals(System.Object) System.ValueType.GetHashCode() System.ValueType.ToString() System.Object.Equals(System.Object, System.Object) System.Object.GetType() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public struct Attribute Remarks Attributes are needed to map colors to terminal capabilities that might lack colors, on color scenarios, they encode both the foreground and the background color and are used in the ColorScheme class to define color schemes that can be used in your application. Constructors Attribute(Int32, Color, Color) Initializes a new instance of the Attribute struct. Declaration public Attribute(int value, Color foreground = Color.Black, Color background = Color.Black) Parameters Type Name Description System.Int32 value Value. Color foreground Foreground Color background Background Attribute(Color, Color) Initializes a new instance of the Attribute struct. Declaration public Attribute(Color foreground = Color.Black, Color background = Color.Black) Parameters Type Name Description Color foreground Foreground Color background Background Methods Make(Color, Color) Creates an attribute from the specified foreground and background. Declaration public static Attribute Make(Color foreground, Color background) Parameters Type Name Description Color foreground Foreground color to use. Color background Background color to use. Returns Type Description Attribute The make. Operators Implicit(Int32 to Attribute) Implicitly convert an integer value into an attribute Declaration public static implicit operator Attribute(int v) Parameters Type Name Description System.Int32 v value Returns Type Description Attribute An attribute with the specified integer value. Implicit(Attribute to Int32) Implicit conversion from an attribute to the underlying Int32 representation Declaration public static implicit operator int (Attribute c) Parameters Type Name Description Attribute c The attribute to convert Returns Type Description System.Int32 The integer value stored in the attribute." - }, - "api/Terminal.Gui/Terminal.Gui.Button.html": { - "href": "api/Terminal.Gui/Terminal.Gui.Button.html", - "title": "Class Button", - "keywords": "Class Button Button is a View that provides an item that invokes an System.Action when activated by the user. Inheritance System.Object Responder View Button Implements System.Collections.IEnumerable Inherited Members View.Enter View.Leave View.MouseEnter View.MouseLeave View.Driver View.Subviews View.Id View.IsCurrentTop View.WantMousePositionReports View.WantContinuousButtonPressed View.Frame View.GetEnumerator() View.LayoutStyle View.Bounds View.X View.Y View.Width View.Height View.SuperView View.SetNeedsDisplay() View.SetNeedsDisplay(Rect) View.ChildNeedsDisplay() View.Add(View) View.Add(View[]) View.RemoveAll() View.Remove(View) View.BringSubviewToFront(View) View.SendSubviewToBack(View) View.SendSubviewBackwards(View) View.BringSubviewForward(View) View.Clear() View.Clear(Rect) View.ScreenToView(Int32, Int32) View.ClipToBounds() View.SetClip(Rect) View.DrawFrame(Rect, Int32, Boolean) View.DrawHotString(ustring, Attribute, Attribute) View.DrawHotString(ustring, Boolean, ColorScheme) View.Move(Int32, Int32) View.HasFocus View.OnEnter() View.OnLeave() View.Focused View.MostFocused View.ColorScheme View.AddRune(Int32, Int32, Rune) View.ClearNeedsDisplay() View.SetFocus(View) View.KeyPress View.KeyDown View.OnKeyDown(KeyEvent) View.KeyUp View.OnKeyUp(KeyEvent) View.EnsureFocus() View.FocusFirst() View.FocusLast() View.FocusPrev() View.FocusNext() View.LayoutSubviews() View.ToString() View.OnMouseEnter(MouseEvent) View.OnMouseLeave(MouseEvent) Responder.CanFocus System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class Button : View, IEnumerable Remarks Provides a button showing text invokes an System.Action when clicked on with a mouse or when the user presses SPACE, ENTER, or hotkey. The hotkey is specified by the first uppercase letter in the button. When the button is configured as the default ( IsDefault ) and the user presses the ENTER key, if no other View processes the KeyEvent , the Button 's System.Action will be invoked. Constructors Button(ustring, Boolean) Initializes a new instance of Button based on the given text at position 0,0 Declaration public Button(ustring text, bool is_default = false) Parameters Type Name Description NStack.ustring text The button's text System.Boolean is_default If set, this makes the button the default button in the current view. IsDefault Remarks The size of the Button is computed based on the text length. Button(Int32, Int32, ustring) Initializes a new instance of Button at the given coordinates, based on the given text Declaration public Button(int x, int y, ustring text) Parameters Type Name Description System.Int32 x X position where the button will be shown. System.Int32 y Y position where the button will be shown. NStack.ustring text The button's text Remarks The size of the Button is computed based on the text length. Button(Int32, Int32, ustring, Boolean) Initializes a new instance of Button at the given coordinates, based on the given text, and with the specified IsDefault value Declaration public Button(int x, int y, ustring text, bool is_default) Parameters Type Name Description System.Int32 x X position where the button will be shown. System.Int32 y Y position where the button will be shown. NStack.ustring text The button's text System.Boolean is_default If set, this makes the button the default button in the current view, which means that if the user presses return on a view that does not handle return, it will be treated as if he had clicked on the button Remarks If the value for is_default is true, a special decoration is used, and the enter key on a dialog would implicitly activate this button. Fields Clicked Clicked System.Action , raised when the button is clicked. Declaration public Action Clicked Field Value Type Description System.Action Remarks Client code can hook up to this event, it is raised when the button is activated either with the mouse or the keyboard. Properties IsDefault Gets or sets whether the Button is the default action to activate in a dialog. Declaration public bool IsDefault { get; set; } Property Value Type Description System.Boolean true if is default; otherwise, false . Text The text displayed by this Button . Declaration public ustring Text { get; set; } Property Value Type Description NStack.ustring Methods MouseEvent(MouseEvent) Declaration public override bool MouseEvent(MouseEvent me) Parameters Type Name Description MouseEvent me Returns Type Description System.Boolean Overrides Responder.MouseEvent(MouseEvent) PositionCursor() Declaration public override void PositionCursor() Overrides View.PositionCursor() ProcessColdKey(KeyEvent) Declaration public override bool ProcessColdKey(KeyEvent kb) Parameters Type Name Description KeyEvent kb Returns Type Description System.Boolean Overrides View.ProcessColdKey(KeyEvent) ProcessHotKey(KeyEvent) Declaration public override bool ProcessHotKey(KeyEvent kb) Parameters Type Name Description KeyEvent kb Returns Type Description System.Boolean Overrides View.ProcessHotKey(KeyEvent) ProcessKey(KeyEvent) Declaration public override bool ProcessKey(KeyEvent kb) Parameters Type Name Description KeyEvent kb Returns Type Description System.Boolean Overrides View.ProcessKey(KeyEvent) Redraw(Rect) Declaration public override void Redraw(Rect region) Parameters Type Name Description Rect region Overrides View.Redraw(Rect) Implements System.Collections.IEnumerable" - }, - "api/Terminal.Gui/Terminal.Gui.CheckBox.html": { - "href": "api/Terminal.Gui/Terminal.Gui.CheckBox.html", - "title": "Class CheckBox", - "keywords": "Class CheckBox The CheckBox View shows an on/off toggle that the user can set Inheritance System.Object Responder View CheckBox Implements System.Collections.IEnumerable Inherited Members View.Enter View.Leave View.MouseEnter View.MouseLeave View.Driver View.Subviews View.Id View.IsCurrentTop View.WantMousePositionReports View.WantContinuousButtonPressed View.Frame View.GetEnumerator() View.LayoutStyle View.Bounds View.X View.Y View.Width View.Height View.SuperView View.SetNeedsDisplay() View.SetNeedsDisplay(Rect) View.ChildNeedsDisplay() View.Add(View) View.Add(View[]) View.RemoveAll() View.Remove(View) View.BringSubviewToFront(View) View.SendSubviewToBack(View) View.SendSubviewBackwards(View) View.BringSubviewForward(View) View.Clear() View.Clear(Rect) View.ScreenToView(Int32, Int32) View.ClipToBounds() View.SetClip(Rect) View.DrawFrame(Rect, Int32, Boolean) View.DrawHotString(ustring, Attribute, Attribute) View.DrawHotString(ustring, Boolean, ColorScheme) View.Move(Int32, Int32) View.HasFocus View.OnEnter() View.OnLeave() View.Focused View.MostFocused View.ColorScheme View.AddRune(Int32, Int32, Rune) View.ClearNeedsDisplay() View.SetFocus(View) View.KeyPress View.ProcessHotKey(KeyEvent) View.ProcessColdKey(KeyEvent) View.KeyDown View.OnKeyDown(KeyEvent) View.KeyUp View.OnKeyUp(KeyEvent) View.EnsureFocus() View.FocusFirst() View.FocusLast() View.FocusPrev() View.FocusNext() View.LayoutSubviews() View.ToString() View.OnMouseEnter(MouseEvent) View.OnMouseLeave(MouseEvent) Responder.CanFocus System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class CheckBox : View, IEnumerable Constructors CheckBox(ustring, Boolean) Initializes a new instance of CheckBox based on the given text, uses Computed layout and sets the height and width. Declaration public CheckBox(ustring s, bool is_checked = false) Parameters Type Name Description NStack.ustring s S. System.Boolean is_checked If set to true is checked. CheckBox(Int32, Int32, ustring) Initializes a new instance of CheckBox based on the given text at the given position and a state. Declaration public CheckBox(int x, int y, ustring s) Parameters Type Name Description System.Int32 x System.Int32 y NStack.ustring s Remarks The size of CheckBox is computed based on the text length. This CheckBox is not toggled. CheckBox(Int32, Int32, ustring, Boolean) Initializes a new instance of CheckBox based on the given text at the given position and a state. Declaration public CheckBox(int x, int y, ustring s, bool is_checked) Parameters Type Name Description System.Int32 x System.Int32 y NStack.ustring s System.Boolean is_checked Remarks The size of CheckBox is computed based on the text length. Properties Checked The state of the CheckBox Declaration public bool Checked { get; set; } Property Value Type Description System.Boolean Text The text displayed by this CheckBox Declaration public ustring Text { get; set; } Property Value Type Description NStack.ustring Methods MouseEvent(MouseEvent) Declaration public override bool MouseEvent(MouseEvent me) Parameters Type Name Description MouseEvent me Returns Type Description System.Boolean Overrides Responder.MouseEvent(MouseEvent) PositionCursor() Declaration public override void PositionCursor() Overrides View.PositionCursor() ProcessKey(KeyEvent) Declaration public override bool ProcessKey(KeyEvent kb) Parameters Type Name Description KeyEvent kb Returns Type Description System.Boolean Overrides View.ProcessKey(KeyEvent) Redraw(Rect) Declaration public override void Redraw(Rect region) Parameters Type Name Description Rect region Overrides View.Redraw(Rect) Events Toggled Toggled event, raised when the CheckBox is toggled. Declaration public event EventHandler Toggled Event Type Type Description System.EventHandler Remarks Client code can hook up to this event, it is raised when the CheckBox is activated either with the mouse or the keyboard. Implements System.Collections.IEnumerable" - }, - "api/Terminal.Gui/Terminal.Gui.Clipboard.html": { - "href": "api/Terminal.Gui/Terminal.Gui.Clipboard.html", - "title": "Class Clipboard", - "keywords": "Class Clipboard Provides cut, copy, and paste support for the clipboard. NOTE: Currently not implemented. Inheritance System.Object Clipboard Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public static class Clipboard Properties Contents Declaration public static ustring Contents { get; set; } Property Value Type Description NStack.ustring" - }, - "api/Terminal.Gui/Terminal.Gui.Color.html": { - "href": "api/Terminal.Gui/Terminal.Gui.Color.html", - "title": "Enum Color", - "keywords": "Enum Color Basic colors that can be used to set the foreground and background colors in console applications. These can only be Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public enum Color Fields Name Description Black The black color. Blue The blue color. BrighCyan The brigh cyan color. BrightBlue The bright bBlue color. BrightGreen The bright green color. BrightMagenta The bright magenta color. BrightRed The bright red color. BrightYellow The bright yellow color. Brown The brown color. Cyan The cyan color. DarkGray The dark gray color. Gray The gray color. Green The green color. Magenta The magenta color. Red The red color. White The White color." - }, - "api/Terminal.Gui/Terminal.Gui.Colors.html": { - "href": "api/Terminal.Gui/Terminal.Gui.Colors.html", - "title": "Class Colors", - "keywords": "Class Colors The default ColorSchemes for the application. Inheritance System.Object Colors Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public static class Colors Properties Base The base color scheme, for the default toplevel views. Declaration public static ColorScheme Base { get; set; } Property Value Type Description ColorScheme Dialog The dialog color scheme, for standard popup dialog boxes Declaration public static ColorScheme Dialog { get; set; } Property Value Type Description ColorScheme Error The color scheme for showing errors. Declaration public static ColorScheme Error { get; set; } Property Value Type Description ColorScheme Menu The menu bar color Declaration public static ColorScheme Menu { get; set; } Property Value Type Description ColorScheme TopLevel The application toplevel color scheme, for the default toplevel views. Declaration public static ColorScheme TopLevel { get; set; } Property Value Type Description ColorScheme" - }, - "api/Terminal.Gui/Terminal.Gui.ColorScheme.html": { - "href": "api/Terminal.Gui/Terminal.Gui.ColorScheme.html", - "title": "Class ColorScheme", - "keywords": "Class ColorScheme Color scheme definitions, they cover some common scenarios and are used typically in toplevel containers to set the scheme that is used by all the views contained inside. Inheritance System.Object ColorScheme Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class ColorScheme Properties Disabled The default color for text, when the view is disabled. Declaration public Attribute Disabled { get; set; } Property Value Type Description Attribute Focus The color for text when the view has the focus. Declaration public Attribute Focus { get; set; } Property Value Type Description Attribute HotFocus The color for the hotkey when the view is focused. Declaration public Attribute HotFocus { get; set; } Property Value Type Description Attribute HotNormal The color for the hotkey when a view is not focused Declaration public Attribute HotNormal { get; set; } Property Value Type Description Attribute Normal The default color for text, when the view is not focused. Declaration public Attribute Normal { get; set; } Property Value Type Description Attribute" - }, - "api/Terminal.Gui/Terminal.Gui.ComboBox.html": { - "href": "api/Terminal.Gui/Terminal.Gui.ComboBox.html", - "title": "Class ComboBox", - "keywords": "Class ComboBox ComboBox control Inheritance System.Object Responder View ComboBox Implements System.Collections.IEnumerable Inherited Members View.Enter View.Leave View.MouseEnter View.MouseLeave View.Driver View.Subviews View.Id View.IsCurrentTop View.WantMousePositionReports View.WantContinuousButtonPressed View.Frame View.GetEnumerator() View.LayoutStyle View.Bounds View.X View.Y View.Width View.Height View.SuperView View.SetNeedsDisplay() View.SetNeedsDisplay(Rect) View.ChildNeedsDisplay() View.Add(View) View.Add(View[]) View.RemoveAll() View.Remove(View) View.BringSubviewToFront(View) View.SendSubviewToBack(View) View.SendSubviewBackwards(View) View.BringSubviewForward(View) View.Clear() View.Clear(Rect) View.ScreenToView(Int32, Int32) View.ClipToBounds() View.SetClip(Rect) View.DrawFrame(Rect, Int32, Boolean) View.DrawHotString(ustring, Attribute, Attribute) View.DrawHotString(ustring, Boolean, ColorScheme) View.Move(Int32, Int32) View.PositionCursor() View.HasFocus View.OnLeave() View.Focused View.MostFocused View.ColorScheme View.AddRune(Int32, Int32, Rune) View.ClearNeedsDisplay() View.Redraw(Rect) View.SetFocus(View) View.KeyPress View.ProcessHotKey(KeyEvent) View.ProcessColdKey(KeyEvent) View.KeyDown View.OnKeyDown(KeyEvent) View.KeyUp View.OnKeyUp(KeyEvent) View.EnsureFocus() View.FocusFirst() View.FocusLast() View.FocusPrev() View.FocusNext() View.LayoutSubviews() View.ToString() View.OnMouseEnter(MouseEvent) View.OnMouseLeave(MouseEvent) Responder.CanFocus Responder.MouseEvent(MouseEvent) System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class ComboBox : View, IEnumerable Constructors ComboBox(Int32, Int32, Int32, Int32, IList) Public constructor Declaration public ComboBox(int x, int y, int w, int h, IList source) Parameters Type Name Description System.Int32 x The x coordinate System.Int32 y The y coordinate System.Int32 w The width System.Int32 h The height System.Collections.Generic.IList < System.String > source Auto completetion source Properties Text The currenlty selected list item Declaration public ustring Text { get; set; } Property Value Type Description NStack.ustring Methods OnEnter() Declaration public override bool OnEnter() Returns Type Description System.Boolean Overrides View.OnEnter() ProcessKey(KeyEvent) Declaration public override bool ProcessKey(KeyEvent e) Parameters Type Name Description KeyEvent e Returns Type Description System.Boolean Overrides View.ProcessKey(KeyEvent) Events Changed Changed event, raised when the selection has been confirmed. Declaration public event EventHandler Changed Event Type Type Description System.EventHandler < NStack.ustring > Remarks Client code can hook up to this event, it is raised when the selection has been confirmed. Implements System.Collections.IEnumerable" - }, - "api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html": { - "href": "api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html", - "title": "Class ConsoleDriver", - "keywords": "Class ConsoleDriver ConsoleDriver is an abstract class that defines the requirements for a console driver. One implementation if the CursesDriver, and another one uses the .NET Console one. Inheritance System.Object ConsoleDriver CursesDriver Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public abstract class ConsoleDriver Fields BottomTee The bottom tee. Declaration public Rune BottomTee Field Value Type Description System.Rune Diamond Diamond character Declaration public Rune Diamond Field Value Type Description System.Rune HLine Horizontal line character. Declaration public Rune HLine Field Value Type Description System.Rune LeftTee Left tee Declaration public Rune LeftTee Field Value Type Description System.Rune LLCorner Lower left corner Declaration public Rune LLCorner Field Value Type Description System.Rune LRCorner Lower right corner Declaration public Rune LRCorner Field Value Type Description System.Rune RightTee Right tee Declaration public Rune RightTee Field Value Type Description System.Rune Stipple Stipple pattern Declaration public Rune Stipple Field Value Type Description System.Rune TerminalResized The handler fired when the terminal is resized. Declaration protected Action TerminalResized Field Value Type Description System.Action TopTee Top tee Declaration public Rune TopTee Field Value Type Description System.Rune ULCorner Upper left corner Declaration public Rune ULCorner Field Value Type Description System.Rune URCorner Upper right corner Declaration public Rune URCorner Field Value Type Description System.Rune VLine Vertical line character. Declaration public Rune VLine Field Value Type Description System.Rune Properties Clip Controls the current clipping region that AddRune/AddStr is subject to. Declaration public Rect Clip { get; set; } Property Value Type Description Rect The clip. Cols The current number of columns in the terminal. Declaration public abstract int Cols { get; } Property Value Type Description System.Int32 Rows The current number of rows in the terminal. Declaration public abstract int Rows { get; } Property Value Type Description System.Int32 Methods AddRune(Rune) Adds the specified rune to the display at the current cursor position Declaration public abstract void AddRune(Rune rune) Parameters Type Name Description System.Rune rune Rune to add. AddStr(ustring) Adds the specified Declaration public abstract void AddStr(ustring str) Parameters Type Name Description NStack.ustring str String. CookMouse() Enables the cooked event processing from the mouse driver Declaration public abstract void CookMouse() DrawFrame(Rect, Int32, Boolean) Draws a frame on the specified region with the specified padding around the frame. Declaration public virtual void DrawFrame(Rect region, int padding, bool fill) Parameters Type Name Description Rect region Region where the frame will be drawn.. System.Int32 padding Padding to add on the sides. System.Boolean fill If set to true it will clear the contents with the current color, otherwise the contents will be left untouched. Remarks This is a legacy/depcrecated API. Use DrawWindowFrame(Rect, Int32, Int32, Int32, Int32, Boolean, Boolean) . DrawWindowFrame(Rect, Int32, Int32, Int32, Int32, Boolean, Boolean) Draws a frame for a window with padding aand n optional visible border inside the padding. Declaration public virtual void DrawWindowFrame(Rect region, int paddingLeft = 0, int paddingTop = 0, int paddingRight = 0, int paddingBottom = 0, bool border = true, bool fill = false) Parameters Type Name Description Rect region Screen relative region where the frame will be drawn. System.Int32 paddingLeft Number of columns to pad on the left (if 0 the border will not appear on the left). System.Int32 paddingTop Number of rows to pad on the top (if 0 the border and title will not appear on the top). System.Int32 paddingRight Number of columns to pad on the right (if 0 the border will not appear on the right). System.Int32 paddingBottom Number of rows to pad on the bottom (if 0 the border will not appear on the bottom). System.Boolean border If set to true and any padding dimension is > 0 the border will be drawn. System.Boolean fill If set to true it will clear the content area (the area inside the padding) with the current color, otherwise the content area will be left untouched. DrawWindowTitle(Rect, ustring, Int32, Int32, Int32, Int32, TextAlignment) Draws the title for a Window-style view incorporating padding. Declaration public virtual void DrawWindowTitle(Rect region, ustring title, int paddingLeft, int paddingTop, int paddingRight, int paddingBottom, TextAlignment textAlignment = TextAlignment.Left) Parameters Type Name Description Rect region Screen relative region where the frame will be drawn. NStack.ustring title The title for the window. The title will only be drawn if title is not null or empty and paddingTop is greater than 0. System.Int32 paddingLeft Number of columns to pad on the left (if 0 the border will not appear on the left). System.Int32 paddingTop Number of rows to pad on the top (if 0 the border and title will not appear on the top). System.Int32 paddingRight Number of columns to pad on the right (if 0 the border will not appear on the right). System.Int32 paddingBottom Number of rows to pad on the bottom (if 0 the border will not appear on the bottom). TextAlignment textAlignment Not yet immplemented. End() Ends the execution of the console driver. Declaration public abstract void End() Init(Action) Initializes the driver Declaration public abstract void Init(Action terminalResized) Parameters Type Name Description System.Action terminalResized Method to invoke when the terminal is resized. MakeAttribute(Color, Color) Make the attribute for the foreground and background colors. Declaration public abstract Attribute MakeAttribute(Color fore, Color back) Parameters Type Name Description Color fore Foreground. Color back Background. Returns Type Description Attribute Move(Int32, Int32) Moves the cursor to the specified column and row. Declaration public abstract void Move(int col, int row) Parameters Type Name Description System.Int32 col Column to move the cursor to. System.Int32 row Row to move the cursor to. PrepareToRun(MainLoop, Action, Action, Action, Action) Prepare the driver and set the key and mouse events handlers. Declaration public abstract void PrepareToRun(MainLoop mainLoop, Action keyHandler, Action keyDownHandler, Action keyUpHandler, Action mouseHandler) Parameters Type Name Description MainLoop mainLoop The main loop. System.Action < KeyEvent > keyHandler The handler for ProcessKey System.Action < KeyEvent > keyDownHandler The handler for key down events System.Action < KeyEvent > keyUpHandler The handler for key up events System.Action < MouseEvent > mouseHandler The handler for mouse events Refresh() Updates the screen to reflect all the changes that have been done to the display buffer Declaration public abstract void Refresh() SetAttribute(Attribute) Selects the specified attribute as the attribute to use for future calls to AddRune, AddString. Declaration public abstract void SetAttribute(Attribute c) Parameters Type Name Description Attribute c C. SetColors(ConsoleColor, ConsoleColor) Set Colors from limit sets of colors. Declaration public abstract void SetColors(ConsoleColor foreground, ConsoleColor background) Parameters Type Name Description System.ConsoleColor foreground Foreground. System.ConsoleColor background Background. SetColors(Int16, Int16) Advanced uses - set colors to any pre-set pairs, you would need to init_color that independently with the R, G, B values. Declaration public abstract void SetColors(short foregroundColorId, short backgroundColorId) Parameters Type Name Description System.Int16 foregroundColorId Foreground color identifier. System.Int16 backgroundColorId Background color identifier. SetTerminalResized(Action) Set the handler when the terminal is resized. Declaration public void SetTerminalResized(Action terminalResized) Parameters Type Name Description System.Action terminalResized StartReportingMouseMoves() Start of mouse moves. Declaration public abstract void StartReportingMouseMoves() StopReportingMouseMoves() Stop reporting mouses moves. Declaration public abstract void StopReportingMouseMoves() Suspend() Suspend the application, typically needs to save the state, suspend the app and upon return, reset the console driver. Declaration public abstract void Suspend() UncookMouse() Disables the cooked event processing from the mouse driver. At startup, it is assumed mouse events are cooked. Declaration public abstract void UncookMouse() UpdateCursor() Updates the location of the cursor position Declaration public abstract void UpdateCursor() UpdateScreen() Redraws the physical screen with the contents that have been queued up via any of the printing commands. Declaration public abstract void UpdateScreen()" - }, - "api/Terminal.Gui/Terminal.Gui.CursesDriver.html": { - "href": "api/Terminal.Gui/Terminal.Gui.CursesDriver.html", - "title": "Class CursesDriver", - "keywords": "Class CursesDriver This is the Curses driver for the gui.cs/Terminal framework. Inheritance System.Object ConsoleDriver CursesDriver Inherited Members ConsoleDriver.TerminalResized ConsoleDriver.SetTerminalResized(Action) ConsoleDriver.DrawWindowTitle(Rect, ustring, Int32, Int32, Int32, Int32, TextAlignment) ConsoleDriver.DrawWindowFrame(Rect, Int32, Int32, Int32, Int32, Boolean, Boolean) ConsoleDriver.DrawFrame(Rect, Int32, Boolean) ConsoleDriver.Clip ConsoleDriver.HLine ConsoleDriver.VLine ConsoleDriver.Stipple ConsoleDriver.Diamond ConsoleDriver.ULCorner ConsoleDriver.LLCorner ConsoleDriver.URCorner ConsoleDriver.LRCorner ConsoleDriver.LeftTee ConsoleDriver.RightTee ConsoleDriver.TopTee ConsoleDriver.BottomTee System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class CursesDriver : ConsoleDriver Fields window Declaration public Curses.Window window Field Value Type Description Curses.Window Properties Cols Declaration public override int Cols { get; } Property Value Type Description System.Int32 Overrides ConsoleDriver.Cols Rows Declaration public override int Rows { get; } Property Value Type Description System.Int32 Overrides ConsoleDriver.Rows Methods AddRune(Rune) Declaration public override void AddRune(Rune rune) Parameters Type Name Description System.Rune rune Overrides ConsoleDriver.AddRune(Rune) AddStr(ustring) Declaration public override void AddStr(ustring str) Parameters Type Name Description NStack.ustring str Overrides ConsoleDriver.AddStr(ustring) CookMouse() Declaration public override void CookMouse() Overrides ConsoleDriver.CookMouse() End() Declaration public override void End() Overrides ConsoleDriver.End() Init(Action) Declaration public override void Init(Action terminalResized) Parameters Type Name Description System.Action terminalResized Overrides ConsoleDriver.Init(Action) MakeAttribute(Color, Color) Declaration public override Attribute MakeAttribute(Color fore, Color back) Parameters Type Name Description Color fore Color back Returns Type Description Attribute Overrides ConsoleDriver.MakeAttribute(Color, Color) MakeColor(Int16, Int16) Creates a curses color from the provided foreground and background colors Declaration public static Attribute MakeColor(short foreground, short background) Parameters Type Name Description System.Int16 foreground Contains the curses attributes for the foreground (color, plus any attributes) System.Int16 background Contains the curses attributes for the background (color, plus any attributes) Returns Type Description Attribute Move(Int32, Int32) Declaration public override void Move(int col, int row) Parameters Type Name Description System.Int32 col System.Int32 row Overrides ConsoleDriver.Move(Int32, Int32) PrepareToRun(MainLoop, Action, Action, Action, Action) Declaration public override void PrepareToRun(MainLoop mainLoop, Action keyHandler, Action keyDownHandler, Action keyUpHandler, Action mouseHandler) Parameters Type Name Description MainLoop mainLoop System.Action < KeyEvent > keyHandler System.Action < KeyEvent > keyDownHandler System.Action < KeyEvent > keyUpHandler System.Action < MouseEvent > mouseHandler Overrides ConsoleDriver.PrepareToRun(MainLoop, Action, Action, Action, Action) Refresh() Declaration public override void Refresh() Overrides ConsoleDriver.Refresh() SetAttribute(Attribute) Declaration public override void SetAttribute(Attribute c) Parameters Type Name Description Attribute c Overrides ConsoleDriver.SetAttribute(Attribute) SetColors(ConsoleColor, ConsoleColor) Declaration public override void SetColors(ConsoleColor foreground, ConsoleColor background) Parameters Type Name Description System.ConsoleColor foreground System.ConsoleColor background Overrides ConsoleDriver.SetColors(ConsoleColor, ConsoleColor) SetColors(Int16, Int16) Declaration public override void SetColors(short foreColorId, short backgroundColorId) Parameters Type Name Description System.Int16 foreColorId System.Int16 backgroundColorId Overrides ConsoleDriver.SetColors(Int16, Int16) StartReportingMouseMoves() Declaration public override void StartReportingMouseMoves() Overrides ConsoleDriver.StartReportingMouseMoves() StopReportingMouseMoves() Declaration public override void StopReportingMouseMoves() Overrides ConsoleDriver.StopReportingMouseMoves() Suspend() Declaration public override void Suspend() Overrides ConsoleDriver.Suspend() UncookMouse() Declaration public override void UncookMouse() Overrides ConsoleDriver.UncookMouse() UpdateCursor() Declaration public override void UpdateCursor() Overrides ConsoleDriver.UpdateCursor() UpdateScreen() Declaration public override void UpdateScreen() Overrides ConsoleDriver.UpdateScreen()" - }, - "api/Terminal.Gui/Terminal.Gui.DateField.html": { - "href": "api/Terminal.Gui/Terminal.Gui.DateField.html", - "title": "Class DateField", - "keywords": "Class DateField Date editing View Inheritance System.Object Responder View TextField DateField Implements System.Collections.IEnumerable Inherited Members TextField.Used TextField.ReadOnly TextField.Changed TextField.OnLeave() TextField.Frame TextField.Text TextField.Secret TextField.CursorPosition TextField.PositionCursor() TextField.Redraw(Rect) TextField.CanFocus TextField.SelectedStart TextField.SelectedLength TextField.SelectedText TextField.ClearAllSelection() TextField.Copy() TextField.Cut() TextField.Paste() View.Enter View.Leave View.MouseEnter View.MouseLeave View.Driver View.Subviews View.Id View.IsCurrentTop View.WantMousePositionReports View.WantContinuousButtonPressed View.GetEnumerator() View.LayoutStyle View.Bounds View.X View.Y View.Width View.Height View.SuperView View.SetNeedsDisplay() View.SetNeedsDisplay(Rect) View.ChildNeedsDisplay() View.Add(View) View.Add(View[]) View.RemoveAll() View.Remove(View) View.BringSubviewToFront(View) View.SendSubviewToBack(View) View.SendSubviewBackwards(View) View.BringSubviewForward(View) View.Clear() View.Clear(Rect) View.ScreenToView(Int32, Int32) View.ClipToBounds() View.SetClip(Rect) View.DrawFrame(Rect, Int32, Boolean) View.DrawHotString(ustring, Attribute, Attribute) View.DrawHotString(ustring, Boolean, ColorScheme) View.Move(Int32, Int32) View.HasFocus View.OnEnter() View.Focused View.MostFocused View.ColorScheme View.AddRune(Int32, Int32, Rune) View.ClearNeedsDisplay() View.SetFocus(View) View.KeyPress View.ProcessHotKey(KeyEvent) View.ProcessColdKey(KeyEvent) View.KeyDown View.OnKeyDown(KeyEvent) View.KeyUp View.OnKeyUp(KeyEvent) View.EnsureFocus() View.FocusFirst() View.FocusLast() View.FocusPrev() View.FocusNext() View.LayoutSubviews() View.ToString() View.OnMouseEnter(MouseEvent) View.OnMouseLeave(MouseEvent) System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class DateField : TextField, IEnumerable Remarks The DateField View provides date editing functionality with mouse support. Constructors DateField(DateTime) Initializes a new instance of DateField Declaration public DateField(DateTime date) Parameters Type Name Description System.DateTime date DateField(Int32, Int32, DateTime, Boolean) Initializes a new instance of DateField at an absolute position and fixed size. Declaration public DateField(int x, int y, DateTime date, bool isShort = false) Parameters Type Name Description System.Int32 x The x coordinate. System.Int32 y The y coordinate. System.DateTime date Initial date contents. System.Boolean isShort If true, shows only two digits for the year. Properties Date Gets or sets the date of the DateField . Declaration public DateTime Date { get; set; } Property Value Type Description System.DateTime Remarks IsShortFormat Get or set the data format for the widget. Declaration public bool IsShortFormat { get; set; } Property Value Type Description System.Boolean Methods MouseEvent(MouseEvent) Declaration public override bool MouseEvent(MouseEvent ev) Parameters Type Name Description MouseEvent ev Returns Type Description System.Boolean Overrides TextField.MouseEvent(MouseEvent) ProcessKey(KeyEvent) Declaration public override bool ProcessKey(KeyEvent kb) Parameters Type Name Description KeyEvent kb Returns Type Description System.Boolean Overrides TextField.ProcessKey(KeyEvent) Implements System.Collections.IEnumerable" - }, - "api/Terminal.Gui/Terminal.Gui.Dialog.html": { - "href": "api/Terminal.Gui/Terminal.Gui.Dialog.html", - "title": "Class Dialog", - "keywords": "Class Dialog The Dialog View is a Window that by default is centered and contains one or more Button . It defaults to the Dialog color scheme and has a 1 cell padding around the edges. Inheritance System.Object Responder View Toplevel Window Dialog FileDialog Implements System.Collections.IEnumerable Inherited Members Window.Title Window.GetEnumerator() Window.Add(View) Window.Remove(View) Window.RemoveAll() Window.Redraw(Rect) Window.MouseEvent(MouseEvent) Toplevel.Running Toplevel.Ready Toplevel.Create() Toplevel.CanFocus Toplevel.Modal Toplevel.MenuBar Toplevel.StatusBar Toplevel.WillPresent() View.Enter View.Leave View.MouseEnter View.MouseLeave View.Driver View.Subviews View.Id View.IsCurrentTop View.WantMousePositionReports View.WantContinuousButtonPressed View.Frame View.LayoutStyle View.Bounds View.X View.Y View.Width View.Height View.SuperView View.SetNeedsDisplay() View.SetNeedsDisplay(Rect) View.ChildNeedsDisplay() View.Add(View[]) View.BringSubviewToFront(View) View.SendSubviewToBack(View) View.SendSubviewBackwards(View) View.BringSubviewForward(View) View.Clear() View.Clear(Rect) View.ScreenToView(Int32, Int32) View.ClipToBounds() View.SetClip(Rect) View.DrawFrame(Rect, Int32, Boolean) View.DrawHotString(ustring, Attribute, Attribute) View.DrawHotString(ustring, Boolean, ColorScheme) View.Move(Int32, Int32) View.PositionCursor() View.HasFocus View.OnEnter() View.OnLeave() View.Focused View.MostFocused View.ColorScheme View.AddRune(Int32, Int32, Rune) View.ClearNeedsDisplay() View.SetFocus(View) View.KeyPress View.ProcessHotKey(KeyEvent) View.ProcessColdKey(KeyEvent) View.KeyDown View.OnKeyDown(KeyEvent) View.KeyUp View.OnKeyUp(KeyEvent) View.EnsureFocus() View.FocusFirst() View.FocusLast() View.FocusPrev() View.FocusNext() View.ToString() View.OnMouseEnter(MouseEvent) View.OnMouseLeave(MouseEvent) System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class Dialog : Window, IEnumerable Remarks To run the Dialog modally, create the Dialog , and pass it to Run() . This will execute the dialog until it terminates via the [ESC] or [CTRL-Q] key, or when one of the views or buttons added to the dialog calls RequestStop() . Constructors Dialog(ustring, Int32, Int32, Button[]) Initializes a new instance of the Dialog class with an optional set of Button s to display Declaration public Dialog(ustring title, int width, int height, params Button[] buttons) Parameters Type Name Description NStack.ustring title Title for the dialog. System.Int32 width Width for the dialog. System.Int32 height Height for the dialog. Button [] buttons Optional buttons to lay out at the bottom of the dialog. Methods AddButton(Button) Adds a Button to the Dialog , its layout will be controled by the Dialog Declaration public void AddButton(Button button) Parameters Type Name Description Button button Button to add. LayoutSubviews() Declaration public override void LayoutSubviews() Overrides View.LayoutSubviews() ProcessKey(KeyEvent) Declaration public override bool ProcessKey(KeyEvent kb) Parameters Type Name Description KeyEvent kb Returns Type Description System.Boolean Overrides Toplevel.ProcessKey(KeyEvent) Implements System.Collections.IEnumerable" - }, - "api/Terminal.Gui/Terminal.Gui.Dim.html": { - "href": "api/Terminal.Gui/Terminal.Gui.Dim.html", - "title": "Class Dim", - "keywords": "Class Dim Dim properties of a View to control the position. Inheritance System.Object Dim Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class Dim Remarks Use the Dim objects on the Width or Height properties of a View to control the position. These can be used to set the absolute position, when merely assigning an integer value (via the implicit integer to Pos conversion), and they can be combined to produce more useful layouts, like: Pos.Center - 3, which would shift the postion of the View 3 characters to the left after centering for example. Methods Fill(Int32) Initializes a new instance of the Dim class that fills the dimension, but leaves the specified number of colums for a margin. Declaration public static Dim Fill(int margin = 0) Parameters Type Name Description System.Int32 margin Margin to use. Returns Type Description Dim The Fill dimension. Height(View) Returns a Dim object tracks the Height of the specified View . Declaration public static Dim Height(View view) Parameters Type Name Description View view The view that will be tracked. Returns Type Description Dim The Dim of the other View . Percent(Single) Creates a percentage Dim object Declaration public static Dim Percent(float n) Parameters Type Name Description System.Single n A value between 0 and 100 representing the percentage. Returns Type Description Dim The percent Dim object. Examples This initializes a TextField that is centered horizontally, is 50% of the way down, is 30% the height, and is 80% the width of the View it added to. var textView = new TextView () { X = Pos.Center (), Y = Pos.Percent (50), Width = Dim.Percent (80), Height = Dim.Percent (30), }; Sized(Int32) Creates an Absolute Dim from the specified integer value. Declaration public static Dim Sized(int n) Parameters Type Name Description System.Int32 n The value to convert to the Dim . Returns Type Description Dim The Absolute Dim . Width(View) Returns a Dim object tracks the Width of the specified View . Declaration public static Dim Width(View view) Parameters Type Name Description View view The view that will be tracked. Returns Type Description Dim The Dim of the other View . Operators Addition(Dim, Dim) Adds a Dim to a Dim , yielding a new Dim . Declaration public static Dim operator +(Dim left, Dim right) Parameters Type Name Description Dim left The first Dim to add. Dim right The second Dim to add. Returns Type Description Dim The Dim that is the sum of the values of left and right . Implicit(Int32 to Dim) Creates an Absolute Dim from the specified integer value. Declaration public static implicit operator Dim(int n) Parameters Type Name Description System.Int32 n The value to convert to the pos. Returns Type Description Dim The Absolute Dim . Subtraction(Dim, Dim) Subtracts a Dim from a Dim , yielding a new Dim . Declaration public static Dim operator -(Dim left, Dim right) Parameters Type Name Description Dim left The Dim to subtract from (the minuend). Dim right The Dim to subtract (the subtrahend). Returns Type Description Dim The Dim that is the left minus right ." - }, - "api/Terminal.Gui/Terminal.Gui.FileDialog.html": { - "href": "api/Terminal.Gui/Terminal.Gui.FileDialog.html", - "title": "Class FileDialog", - "keywords": "Class FileDialog Base class for the OpenDialog and the SaveDialog Inheritance System.Object Responder View Toplevel Window Dialog FileDialog OpenDialog SaveDialog Implements System.Collections.IEnumerable Inherited Members Dialog.AddButton(Button) Dialog.LayoutSubviews() Dialog.ProcessKey(KeyEvent) Window.Title Window.GetEnumerator() Window.Add(View) Window.Remove(View) Window.RemoveAll() Window.Redraw(Rect) Window.MouseEvent(MouseEvent) Toplevel.Running Toplevel.Ready Toplevel.Create() Toplevel.CanFocus Toplevel.Modal Toplevel.MenuBar Toplevel.StatusBar View.Enter View.Leave View.MouseEnter View.MouseLeave View.Driver View.Subviews View.Id View.IsCurrentTop View.WantMousePositionReports View.WantContinuousButtonPressed View.Frame View.LayoutStyle View.Bounds View.X View.Y View.Width View.Height View.SuperView View.SetNeedsDisplay() View.SetNeedsDisplay(Rect) View.ChildNeedsDisplay() View.Add(View[]) View.BringSubviewToFront(View) View.SendSubviewToBack(View) View.SendSubviewBackwards(View) View.BringSubviewForward(View) View.Clear() View.Clear(Rect) View.ScreenToView(Int32, Int32) View.ClipToBounds() View.SetClip(Rect) View.DrawFrame(Rect, Int32, Boolean) View.DrawHotString(ustring, Attribute, Attribute) View.DrawHotString(ustring, Boolean, ColorScheme) View.Move(Int32, Int32) View.PositionCursor() View.HasFocus View.OnEnter() View.OnLeave() View.Focused View.MostFocused View.ColorScheme View.AddRune(Int32, Int32, Rune) View.ClearNeedsDisplay() View.SetFocus(View) View.KeyPress View.ProcessHotKey(KeyEvent) View.ProcessColdKey(KeyEvent) View.KeyDown View.OnKeyDown(KeyEvent) View.KeyUp View.OnKeyUp(KeyEvent) View.EnsureFocus() View.FocusFirst() View.FocusLast() View.FocusPrev() View.FocusNext() View.ToString() View.OnMouseEnter(MouseEvent) View.OnMouseLeave(MouseEvent) System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class FileDialog : Dialog, IEnumerable Constructors FileDialog(ustring, ustring, ustring, ustring) Initializes a new instance of FileDialog Declaration public FileDialog(ustring title, ustring prompt, ustring nameFieldLabel, ustring message) Parameters Type Name Description NStack.ustring title The title. NStack.ustring prompt The prompt. NStack.ustring nameFieldLabel The name field label. NStack.ustring message The message. Properties AllowedFileTypes The array of filename extensions allowed, or null if all file extensions are allowed. Declaration public string[] AllowedFileTypes { get; set; } Property Value Type Description System.String [] The allowed file types. AllowsOtherFileTypes Gets or sets a value indicating whether this FileDialog allows the file to be saved with a different extension Declaration public bool AllowsOtherFileTypes { get; set; } Property Value Type Description System.Boolean true if allows other file types; otherwise, false . Canceled Check if the dialog was or not canceled. Declaration public bool Canceled { get; } Property Value Type Description System.Boolean CanCreateDirectories Gets or sets a value indicating whether this FileDialog can create directories. Declaration public bool CanCreateDirectories { get; set; } Property Value Type Description System.Boolean true if can create directories; otherwise, false . DirectoryPath Gets or sets the directory path for this panel Declaration public ustring DirectoryPath { get; set; } Property Value Type Description NStack.ustring The directory path. FilePath The File path that is currently shown on the panel Declaration public ustring FilePath { get; set; } Property Value Type Description NStack.ustring The absolute file path for the file path entered. IsExtensionHidden Gets or sets a value indicating whether this FileDialog is extension hidden. Declaration public bool IsExtensionHidden { get; set; } Property Value Type Description System.Boolean true if is extension hidden; otherwise, false . Message Gets or sets the message displayed to the user, defaults to nothing Declaration public ustring Message { get; set; } Property Value Type Description NStack.ustring The message. NameFieldLabel Gets or sets the name field label. Declaration public ustring NameFieldLabel { get; set; } Property Value Type Description NStack.ustring The name field label. Prompt Gets or sets the prompt label for the Button displayed to the user Declaration public ustring Prompt { get; set; } Property Value Type Description NStack.ustring The prompt. Methods WillPresent() Declaration public override void WillPresent() Overrides Toplevel.WillPresent() Implements System.Collections.IEnumerable" - }, - "api/Terminal.Gui/Terminal.Gui.FrameView.html": { - "href": "api/Terminal.Gui/Terminal.Gui.FrameView.html", - "title": "Class FrameView", - "keywords": "Class FrameView The FrameView is a container frame that draws a frame around the contents. It is similar to a GroupBox in Windows. Inheritance System.Object Responder View FrameView Implements System.Collections.IEnumerable Inherited Members View.Enter View.Leave View.MouseEnter View.MouseLeave View.Driver View.Subviews View.Id View.IsCurrentTop View.WantMousePositionReports View.WantContinuousButtonPressed View.Frame View.GetEnumerator() View.LayoutStyle View.Bounds View.X View.Y View.Width View.Height View.SuperView View.SetNeedsDisplay() View.SetNeedsDisplay(Rect) View.ChildNeedsDisplay() View.Add(View[]) View.BringSubviewToFront(View) View.SendSubviewToBack(View) View.SendSubviewBackwards(View) View.BringSubviewForward(View) View.Clear() View.Clear(Rect) View.ScreenToView(Int32, Int32) View.ClipToBounds() View.SetClip(Rect) View.DrawFrame(Rect, Int32, Boolean) View.DrawHotString(ustring, Attribute, Attribute) View.DrawHotString(ustring, Boolean, ColorScheme) View.Move(Int32, Int32) View.PositionCursor() View.HasFocus View.OnEnter() View.OnLeave() View.Focused View.MostFocused View.ColorScheme View.AddRune(Int32, Int32, Rune) View.ClearNeedsDisplay() View.SetFocus(View) View.KeyPress View.ProcessKey(KeyEvent) View.ProcessHotKey(KeyEvent) View.ProcessColdKey(KeyEvent) View.KeyDown View.OnKeyDown(KeyEvent) View.KeyUp View.OnKeyUp(KeyEvent) View.EnsureFocus() View.FocusFirst() View.FocusLast() View.FocusPrev() View.FocusNext() View.LayoutSubviews() View.ToString() View.OnMouseEnter(MouseEvent) View.OnMouseLeave(MouseEvent) Responder.CanFocus Responder.MouseEvent(MouseEvent) System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class FrameView : View, IEnumerable Constructors FrameView(ustring) Initializes a new instance of the FrameView class with a title and the result is suitable to have its X, Y, Width and Height properties computed. Declaration public FrameView(ustring title) Parameters Type Name Description NStack.ustring title Title. FrameView(Rect, ustring) Initializes a new instance of the FrameView class with an absolute position and a title. Declaration public FrameView(Rect frame, ustring title) Parameters Type Name Description Rect frame Frame. NStack.ustring title Title. FrameView(Rect, ustring, View[]) Initializes a new instance of the FrameView class with an absolute position, a title and View s. Declaration public FrameView(Rect frame, ustring title, View[] views) Parameters Type Name Description Rect frame Frame. NStack.ustring title Title. View [] views Views. Properties Title The title to be displayed for this FrameView . Declaration public ustring Title { get; set; } Property Value Type Description NStack.ustring The title. Methods Add(View) Add the specified View to this container. Declaration public override void Add(View view) Parameters Type Name Description View view View to add to this container Overrides View.Add(View) Redraw(Rect) Declaration public override void Redraw(Rect bounds) Parameters Type Name Description Rect bounds Overrides View.Redraw(Rect) Remove(View) Removes a View from this container. Declaration public override void Remove(View view) Parameters Type Name Description View view Overrides View.Remove(View) Remarks RemoveAll() Removes all View s from this container. Declaration public override void RemoveAll() Overrides View.RemoveAll() Remarks Implements System.Collections.IEnumerable" - }, - "api/Terminal.Gui/Terminal.Gui.HexView.html": { - "href": "api/Terminal.Gui/Terminal.Gui.HexView.html", - "title": "Class HexView", - "keywords": "Class HexView An hex viewer and editor View over a System.IO.Stream Inheritance System.Object Responder View HexView Implements System.Collections.IEnumerable Inherited Members View.Enter View.Leave View.MouseEnter View.MouseLeave View.Driver View.Subviews View.Id View.IsCurrentTop View.WantMousePositionReports View.WantContinuousButtonPressed View.GetEnumerator() View.LayoutStyle View.Bounds View.X View.Y View.Width View.Height View.SuperView View.SetNeedsDisplay() View.SetNeedsDisplay(Rect) View.ChildNeedsDisplay() View.Add(View) View.Add(View[]) View.RemoveAll() View.Remove(View) View.BringSubviewToFront(View) View.SendSubviewToBack(View) View.SendSubviewBackwards(View) View.BringSubviewForward(View) View.Clear() View.Clear(Rect) View.ScreenToView(Int32, Int32) View.ClipToBounds() View.SetClip(Rect) View.DrawFrame(Rect, Int32, Boolean) View.DrawHotString(ustring, Attribute, Attribute) View.DrawHotString(ustring, Boolean, ColorScheme) View.Move(Int32, Int32) View.HasFocus View.OnEnter() View.OnLeave() View.Focused View.MostFocused View.ColorScheme View.AddRune(Int32, Int32, Rune) View.ClearNeedsDisplay() View.SetFocus(View) View.KeyPress View.ProcessHotKey(KeyEvent) View.ProcessColdKey(KeyEvent) View.KeyDown View.OnKeyDown(KeyEvent) View.KeyUp View.OnKeyUp(KeyEvent) View.EnsureFocus() View.FocusFirst() View.FocusLast() View.FocusPrev() View.FocusNext() View.LayoutSubviews() View.ToString() View.OnMouseEnter(MouseEvent) View.OnMouseLeave(MouseEvent) Responder.CanFocus Responder.MouseEvent(MouseEvent) System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class HexView : View, IEnumerable Remarks HexView provides a hex editor on top of a seekable System.IO.Stream with the left side showing an hex dump of the values in the System.IO.Stream and the right side showing the contents (filterd to non-control sequence ASCII characters). Users can switch from one side to the other by using the tab key. To enable editing, set AllowEdits to true. When AllowEdits is true the user can make changes to the hexadecimal values of the System.IO.Stream . Any changes are tracked in the Edits property (a System.Collections.Generic.SortedDictionary`2 ) indicating the position where the changes were made and the new values. A convenience method, ApplyEdits() will apply the edits to the System.IO.Stream . Control the first byte shown by setting the DisplayStart property to an offset in the stream. Constructors HexView(Stream) Initialzies a HexView Declaration public HexView(Stream source) Parameters Type Name Description System.IO.Stream source The System.IO.Stream to view and edit as hex, this System.IO.Stream must support seeking, or an exception will be thrown. Properties AllowEdits Gets or sets whether this HexView allow editing of the System.IO.Stream of the underlying System.IO.Stream . Declaration public bool AllowEdits { get; set; } Property Value Type Description System.Boolean true if allow edits; otherwise, false . DisplayStart Sets or gets the offset into the System.IO.Stream that will displayed at the top of the HexView Declaration public long DisplayStart { get; set; } Property Value Type Description System.Int64 The display start. Edits Gets a System.Collections.Generic.SortedDictionary`2 describing the edits done to the HexView . Each Key indicates an offset where an edit was made and the Value is the changed byte. Declaration public IReadOnlyDictionary Edits { get; } Property Value Type Description System.Collections.Generic.IReadOnlyDictionary < System.Int64 , System.Byte > The edits. Frame Declaration public override Rect Frame { get; set; } Property Value Type Description Rect Overrides View.Frame Source Sets or gets the System.IO.Stream the HexView is operating on; the stream must support seeking ( System.IO.Stream.CanSeek == true). Declaration public Stream Source { get; set; } Property Value Type Description System.IO.Stream The source. Methods ApplyEdits() This method applies andy edits made to the System.IO.Stream and resets the contents of the Edits property Declaration public void ApplyEdits() PositionCursor() Declaration public override void PositionCursor() Overrides View.PositionCursor() ProcessKey(KeyEvent) Declaration public override bool ProcessKey(KeyEvent keyEvent) Parameters Type Name Description KeyEvent keyEvent Returns Type Description System.Boolean Overrides View.ProcessKey(KeyEvent) Redraw(Rect) Declaration public override void Redraw(Rect region) Parameters Type Name Description Rect region Overrides View.Redraw(Rect) Implements System.Collections.IEnumerable" - }, - "api/Terminal.Gui/Terminal.Gui.html": { - "href": "api/Terminal.Gui/Terminal.Gui.html", - "title": "Namespace Terminal.Gui", - "keywords": "Namespace Terminal.Gui Classes Application The application driver for Terminal.Gui. Application.ResizedEventArgs Event arguments for the Resized event. Application.RunState Captures the execution state for the provided Terminal.Gui.Application.RunState.Toplevel view. Button Button is a View that provides an item that invokes an System.Action when activated by the user. CheckBox The CheckBox View shows an on/off toggle that the user can set Clipboard Provides cut, copy, and paste support for the clipboard. NOTE: Currently not implemented. Colors The default ColorSchemes for the application. ColorScheme Color scheme definitions, they cover some common scenarios and are used typically in toplevel containers to set the scheme that is used by all the views contained inside. ComboBox ComboBox control ConsoleDriver ConsoleDriver is an abstract class that defines the requirements for a console driver. One implementation if the CursesDriver, and another one uses the .NET Console one. CursesDriver This is the Curses driver for the gui.cs/Terminal framework. DateField Date editing View Dialog The Dialog View is a Window that by default is centered and contains one or more Button . It defaults to the Dialog color scheme and has a 1 cell padding around the edges. Dim Dim properties of a View to control the position. FileDialog Base class for the OpenDialog and the SaveDialog FrameView The FrameView is a container frame that draws a frame around the contents. It is similar to a GroupBox in Windows. HexView An hex viewer and editor View over a System.IO.Stream KeyEvent Describes a keyboard event. Label The Label View displays a string at a given position and supports multiple lines separted by newline characters. ListView ListView View renders a scrollable list of data where each item can be activated to perform an action. ListViewItemEventArgs System.EventArgs for ListView events. ListWrapper Implements an IListDataSource that renders arbitrary System.Collections.IList instances for ListView . MainLoop Simple main loop implementation that can be used to monitor file descriptor, run timers and idle handlers. MenuBar The MenuBar provides a menu for Terminal.Gui applications. MenuBarItem A MenuBarItem contains MenuBarItem s or MenuItem s. MenuItem A MenuItem has a title, an associated help text, and an action to execute on activation. MessageBox MessageBox displays a modal message to the user, with a title, a message and a series of options that the user can choose from. OpenDialog The OpenDialog provides an interactive dialog box for users to select files or directories. Pos Describes the position of a View which can be an absolute value, a percentage, centered, or relative to the ending dimension. Integer values are implicitly convertible to an absolute Pos . These objects are created using the static methods Percent, AnchorEnd, and Center. The Pos objects can be combined with the addition and subtraction operators. ProgressBar A Progress Bar view that can indicate progress of an activity visually. RadioGroup RadioGroup shows a group of radio labels, only one of those can be selected at a given time Responder Responder base class implemented by objects that want to participate on keyboard and mouse input. SaveDialog The SaveDialog provides an interactive dialog box for users to pick a file to save. ScrollBarView ScrollBarViews are views that display a 1-character scrollbar, either horizontal or vertical ScrollView Scrollviews are views that present a window into a virtual space where children views are added. Similar to the iOS UIScrollView. StatusBar A status bar is a View that snaps to the bottom of a Toplevel displaying set of StatusItem s. The StatusBar should be context sensitive. This means, if the main menu and an open text editor are visible, the items probably shown will be ~F1~ Help ~F2~ Save ~F3~ Load. While a dialog to ask a file to load is executed, the remaining commands will probably be ~F1~ Help. So for each context must be a new instance of a statusbar. StatusItem StatusItem objects are contained by StatusBar View s. Each StatusItem has a title, a shortcut (hotkey), and an Action that will be invoked when the Shortcut is pressed. The Shortcut will be a global hotkey for the application in the current context of the screen. The colour of the Title will be changed after each ~. A Title set to `~F1~ Help` will render as *F1* using HotNormal and *Help* as HotNormal . TextField Single-line text entry View TextView Multi-line text editing View TimeField Time editing View Toplevel Toplevel views can be modally executed. UnixMainLoop Unix main loop, suitable for using on Posix systems View View is the base class for all views on the screen and represents a visible element that can render itself and contains zero or more nested views. View.KeyEventEventArgs Specifies the event arguments for KeyEvent Window A Toplevel View that draws a frame around its region and has a \"ContentView\" subview where the contents are added. Structs Attribute Attributes are used as elements that contain both a foreground and a background or platform specific features MouseEvent Describes a mouse event Point Represents an ordered pair of integer x- and y-coordinates that defines a point in a two-dimensional plane. Rect Stores a set of four integers that represent the location and size of a rectangle Size Stores an ordered pair of integers, which specify a Height and Width. Interfaces IListDataSource Implement IListDataSource to provide custom rendering for a ListView . IMainLoopDriver Public interface to create your own platform specific main loop driver. Enums Color Basic colors that can be used to set the foreground and background colors in console applications. These can only be Key The Key enumeration contains special encoding for some keys, but can also encode all the unicode values that can be passed. LayoutStyle Determines the LayoutStyle for a view, if Absolute, during LayoutSubviews, the value from the Frame will be used, if the value is Computer, then the Frame will be updated from the X, Y Pos objects and the Width and Height Dim objects. MouseFlags Mouse flags reported in MouseEvent. SpecialChar Special characters that can be drawn with Driver.AddSpecial. TextAlignment Text alignment enumeration, controls how text is displayed. UnixMainLoop.Condition Condition on which to wake up from file descriptor activity. These match the Linux/BSD poll definitions." - }, - "api/Terminal.Gui/Terminal.Gui.IListDataSource.html": { - "href": "api/Terminal.Gui/Terminal.Gui.IListDataSource.html", - "title": "Interface IListDataSource", - "keywords": "Interface IListDataSource Implement IListDataSource to provide custom rendering for a ListView . Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public interface IListDataSource Properties Count Returns the number of elements to display Declaration int Count { get; } Property Value Type Description System.Int32 Methods IsMarked(Int32) Should return whether the specified item is currently marked. Declaration bool IsMarked(int item) Parameters Type Name Description System.Int32 item Item index. Returns Type Description System.Boolean true , if marked, false otherwise. Render(ListView, ConsoleDriver, Boolean, Int32, Int32, Int32, Int32) This method is invoked to render a specified item, the method should cover the entire provided width. Declaration void Render(ListView container, ConsoleDriver driver, bool selected, int item, int col, int line, int width) Parameters Type Name Description ListView container The list view to render. ConsoleDriver driver The console driver to render. System.Boolean selected Describes whether the item being rendered is currently selected by the user. System.Int32 item The index of the item to render, zero for the first item and so on. System.Int32 col The column where the rendering will start System.Int32 line The line where the rendering will be done. System.Int32 width The width that must be filled out. Remarks The default color will be set before this method is invoked, and will be based on whether the item is selected or not. SetMark(Int32, Boolean) Flags the item as marked. Declaration void SetMark(int item, bool value) Parameters Type Name Description System.Int32 item Item index. System.Boolean value If set to true value. ToList() Return the source as IList. Declaration IList ToList() Returns Type Description System.Collections.IList" - }, - "api/Terminal.Gui/Terminal.Gui.IMainLoopDriver.html": { - "href": "api/Terminal.Gui/Terminal.Gui.IMainLoopDriver.html", - "title": "Interface IMainLoopDriver", - "keywords": "Interface IMainLoopDriver Public interface to create your own platform specific main loop driver. Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public interface IMainLoopDriver Methods EventsPending(Boolean) Must report whether there are any events pending, or even block waiting for events. Declaration bool EventsPending(bool wait) Parameters Type Name Description System.Boolean wait If set to true wait until an event is available, otherwise return immediately. Returns Type Description System.Boolean true , if there were pending events, false otherwise. MainIteration() The interation function. Declaration void MainIteration() Setup(MainLoop) Initializes the main loop driver, gets the calling main loop for the initialization. Declaration void Setup(MainLoop mainLoop) Parameters Type Name Description MainLoop mainLoop Main loop. Wakeup() Wakes up the mainloop that might be waiting on input, must be thread safe. Declaration void Wakeup()" - }, - "api/Terminal.Gui/Terminal.Gui.Key.html": { - "href": "api/Terminal.Gui/Terminal.Gui.Key.html", - "title": "Enum Key", - "keywords": "Enum Key The Key enumeration contains special encoding for some keys, but can also encode all the unicode values that can be passed. Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax [Flags] public enum Key : uint Remarks If the SpecialMask is set, then the value is that of the special mask, otherwise, the value is the one of the lower bits (as extracted by CharMask) Control keys are the values between 1 and 26 corresponding to Control-A to Control-Z Unicode runes are also stored here, the letter 'A\" for example is encoded as a value 65 (not surfaced in the enum). Fields Name Description AltMask When this value is set, the Key encodes the sequence Alt-KeyValue. And the actual value must be extracted by removing the AltMask. Backspace Backspace key. BackTab Shift-tab key (backwards tab key). CharMask Mask that indicates that this is a character value, values outside this range indicate special characters like Alt-key combinations or special keys on the keyboard like function keys, arrows keys and so on. ControlA The key code for the user pressing Control-A ControlB The key code for the user pressing Control-B ControlC The key code for the user pressing Control-C ControlD The key code for the user pressing Control-D ControlE The key code for the user pressing Control-E ControlF The key code for the user pressing Control-F ControlG The key code for the user pressing Control-G ControlH The key code for the user pressing Control-H ControlI The key code for the user pressing Control-I (same as the tab key). ControlJ The key code for the user pressing Control-J ControlK The key code for the user pressing Control-K ControlL The key code for the user pressing Control-L ControlM The key code for the user pressing Control-M ControlN The key code for the user pressing Control-N (same as the return key). ControlO The key code for the user pressing Control-O ControlP The key code for the user pressing Control-P ControlQ The key code for the user pressing Control-Q ControlR The key code for the user pressing Control-R ControlS The key code for the user pressing Control-S ControlSpace The key code for the user pressing Control-spacebar ControlT The key code for the user pressing Control-T ControlU The key code for the user pressing Control-U ControlV The key code for the user pressing Control-V ControlW The key code for the user pressing Control-W ControlX The key code for the user pressing Control-X ControlY The key code for the user pressing Control-Y ControlZ The key code for the user pressing Control-Z CtrlMask When this value is set, the Key encodes the sequence Ctrl-KeyValue. And the actual value must be extracted by removing the CtrlMask. CursorDown Cursor down key. CursorLeft Cursor left key. CursorRight Cursor right key. CursorUp Cursor up key Delete The key code for the user pressing the delete key. DeleteChar Delete character key End End key Enter The key code for the user pressing the return key. Esc The key code for the user pressing the escape key F1 F1 key. F10 F10 key. F11 F11 key. F12 F12 key. F2 F2 key. F3 F3 key. F4 F4 key. F5 F5 key. F6 F6 key. F7 F7 key. F8 F8 key. F9 F9 key. Home Home key InsertChar Insert character key PageDown Page Down key. PageUp Page Up key. ShiftMask When this value is set, the Key encodes the sequence Shift-KeyValue. Space The key code for the user pressing the space bar SpecialMask If the SpecialMask is set, then the value is that of the special mask, otherwise, the value is the one of the lower bits (as extracted by CharMask). Tab The key code for the user pressing the tab key (forwards tab key). Unknown A key with an unknown mapping was raised." - }, - "api/Terminal.Gui/Terminal.Gui.KeyEvent.html": { - "href": "api/Terminal.Gui/Terminal.Gui.KeyEvent.html", - "title": "Class KeyEvent", - "keywords": "Class KeyEvent Describes a keyboard event. Inheritance System.Object KeyEvent Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class KeyEvent Constructors KeyEvent() Constructs a new KeyEvent Declaration public KeyEvent() KeyEvent(Key) Constructs a new KeyEvent from the provided Key value - can be a rune cast into a Key value Declaration public KeyEvent(Key k) Parameters Type Name Description Key k Fields Key Symb olid definition for the key. Declaration public Key Key Field Value Type Description Key Properties IsAlt Gets a value indicating whether the Alt key was pressed (real or synthesized) Declaration public bool IsAlt { get; } Property Value Type Description System.Boolean true if is alternate; otherwise, false . IsCtrl Determines whether the value is a control key (and NOT just the ctrl key) Declaration public bool IsCtrl { get; } Property Value Type Description System.Boolean true if is ctrl; otherwise, false . IsShift Gets a value indicating whether the Shift key was pressed. Declaration public bool IsShift { get; } Property Value Type Description System.Boolean true if is shift; otherwise, false . KeyValue The key value cast to an integer, you will typical use this for extracting the Unicode rune value out of a key, when none of the symbolic options are in use. Declaration public int KeyValue { get; } Property Value Type Description System.Int32 Methods ToString() Declaration public override string ToString() Returns Type Description System.String Overrides System.Object.ToString()" - }, - "api/Terminal.Gui/Terminal.Gui.Label.html": { - "href": "api/Terminal.Gui/Terminal.Gui.Label.html", - "title": "Class Label", - "keywords": "Class Label The Label View displays a string at a given position and supports multiple lines separted by newline characters. Inheritance System.Object Responder View Label Implements System.Collections.IEnumerable Inherited Members View.Enter View.Leave View.MouseEnter View.MouseLeave View.Driver View.Subviews View.Id View.IsCurrentTop View.WantMousePositionReports View.WantContinuousButtonPressed View.Frame View.GetEnumerator() View.LayoutStyle View.Bounds View.X View.Y View.Width View.Height View.SuperView View.SetNeedsDisplay() View.SetNeedsDisplay(Rect) View.ChildNeedsDisplay() View.Add(View) View.Add(View[]) View.RemoveAll() View.Remove(View) View.BringSubviewToFront(View) View.SendSubviewToBack(View) View.SendSubviewBackwards(View) View.BringSubviewForward(View) View.Clear() View.Clear(Rect) View.ScreenToView(Int32, Int32) View.ClipToBounds() View.SetClip(Rect) View.DrawFrame(Rect, Int32, Boolean) View.DrawHotString(ustring, Attribute, Attribute) View.DrawHotString(ustring, Boolean, ColorScheme) View.Move(Int32, Int32) View.PositionCursor() View.HasFocus View.OnEnter() View.OnLeave() View.Focused View.MostFocused View.ColorScheme View.AddRune(Int32, Int32, Rune) View.ClearNeedsDisplay() View.SetFocus(View) View.KeyPress View.ProcessKey(KeyEvent) View.ProcessHotKey(KeyEvent) View.ProcessColdKey(KeyEvent) View.KeyDown View.OnKeyDown(KeyEvent) View.KeyUp View.OnKeyUp(KeyEvent) View.EnsureFocus() View.FocusFirst() View.FocusLast() View.FocusPrev() View.FocusNext() View.LayoutSubviews() View.ToString() View.OnMouseEnter(MouseEvent) View.OnMouseLeave(MouseEvent) Responder.CanFocus Responder.MouseEvent(MouseEvent) System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class Label : View, IEnumerable Constructors Label(ustring) Initializes a new instance of Label and configures the default Width and Height based on the text, the result is suitable for Computed layout. Declaration public Label(ustring text) Parameters Type Name Description NStack.ustring text Text. Label(Int32, Int32, ustring) Initializes a new instance of Label at the given coordinate with the given string, computes the bounding box based on the size of the string, assumes that the string contains newlines for multiple lines, no special breaking rules are used. Declaration public Label(int x, int y, ustring text) Parameters Type Name Description System.Int32 x System.Int32 y NStack.ustring text Label(Rect, ustring) Initializes a new instance of Label at the given coordinate with the given string and uses the specified frame for the string. Declaration public Label(Rect rect, ustring text) Parameters Type Name Description Rect rect NStack.ustring text Properties Text The text displayed by the Label . Declaration public virtual ustring Text { get; set; } Property Value Type Description NStack.ustring TextAlignment Controls the text-alignemtn property of the label, changing it will redisplay the Label . Declaration public TextAlignment TextAlignment { get; set; } Property Value Type Description TextAlignment The text alignment. TextColor The color used for the Label . Declaration public Attribute TextColor { get; set; } Property Value Type Description Attribute Methods MaxWidth(ustring, Int32) Computes the the max width of a line or multilines needed to render by the Label control Declaration public static int MaxWidth(ustring text, int width) Parameters Type Name Description NStack.ustring text Text, may contain newlines. System.Int32 width The width for the text. Returns Type Description System.Int32 Max width of lines. MeasureLines(ustring, Int32) Computes the number of lines needed to render the specified text by the Label view Declaration public static int MeasureLines(ustring text, int width) Parameters Type Name Description NStack.ustring text Text, may contain newlines. System.Int32 width The width for the text. Returns Type Description System.Int32 Number of lines. Redraw(Rect) Declaration public override void Redraw(Rect region) Parameters Type Name Description Rect region Overrides View.Redraw(Rect) Implements System.Collections.IEnumerable" - }, - "api/Terminal.Gui/Terminal.Gui.LayoutStyle.html": { - "href": "api/Terminal.Gui/Terminal.Gui.LayoutStyle.html", - "title": "Enum LayoutStyle", - "keywords": "Enum LayoutStyle Determines the LayoutStyle for a view, if Absolute, during LayoutSubviews, the value from the Frame will be used, if the value is Computer, then the Frame will be updated from the X, Y Pos objects and the Width and Height Dim objects. Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public enum LayoutStyle Fields Name Description Absolute The position and size of the view are based on the Frame value. Computed The position and size of the view will be computed based on the X, Y, Width and Height properties and set on the Frame." - }, - "api/Terminal.Gui/Terminal.Gui.ListView.html": { - "href": "api/Terminal.Gui/Terminal.Gui.ListView.html", - "title": "Class ListView", - "keywords": "Class ListView ListView View renders a scrollable list of data where each item can be activated to perform an action. Inheritance System.Object Responder View ListView Implements System.Collections.IEnumerable Inherited Members View.Enter View.Leave View.MouseEnter View.MouseLeave View.Driver View.Subviews View.Id View.IsCurrentTop View.WantMousePositionReports View.WantContinuousButtonPressed View.Frame View.GetEnumerator() View.LayoutStyle View.Bounds View.X View.Y View.Width View.Height View.SuperView View.SetNeedsDisplay() View.SetNeedsDisplay(Rect) View.ChildNeedsDisplay() View.Add(View) View.Add(View[]) View.RemoveAll() View.Remove(View) View.BringSubviewToFront(View) View.SendSubviewToBack(View) View.SendSubviewBackwards(View) View.BringSubviewForward(View) View.Clear() View.Clear(Rect) View.ScreenToView(Int32, Int32) View.ClipToBounds() View.SetClip(Rect) View.DrawFrame(Rect, Int32, Boolean) View.DrawHotString(ustring, Attribute, Attribute) View.DrawHotString(ustring, Boolean, ColorScheme) View.Move(Int32, Int32) View.HasFocus View.OnEnter() View.OnLeave() View.Focused View.MostFocused View.ColorScheme View.AddRune(Int32, Int32, Rune) View.ClearNeedsDisplay() View.SetFocus(View) View.KeyPress View.ProcessHotKey(KeyEvent) View.ProcessColdKey(KeyEvent) View.KeyDown View.OnKeyDown(KeyEvent) View.KeyUp View.OnKeyUp(KeyEvent) View.EnsureFocus() View.FocusFirst() View.FocusLast() View.FocusPrev() View.FocusNext() View.LayoutSubviews() View.ToString() View.OnMouseEnter(MouseEvent) View.OnMouseLeave(MouseEvent) Responder.CanFocus System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class ListView : View, IEnumerable Remarks The ListView displays lists of data and allows the user to scroll through the data. Items in the can be activated firing an event (with the ENTER key or a mouse double-click). If the AllowsMarking property is true, elements of the list can be marked by the user. By default ListView uses System.Object.ToString() to render the items of any System.Collections.IList object (e.g. arrays, System.Collections.Generic.List , and other collections). Alternatively, an object that implements the IListDataSource interface can be provided giving full control of what is rendered. ListView can display any object that implements the System.Collections.IList interface. System.String values are converted into NStack.ustring values before rendering, and other values are converted into System.String by calling System.Object.ToString() and then converting to NStack.ustring . To change the contents of the ListView, set the Source property (when providing custom rendering via IListDataSource ) or call SetSource(IList) an System.Collections.IList is being used. When AllowsMarking is set to true the rendering will prefix the rendered items with [x] or [ ] and bind the SPACE key to toggle the selection. To implement a different marking style set AllowsMarking to false and implement custom rendering. Constructors ListView() Initializes a new instance of ListView . Set the Source property to display something. Declaration public ListView() ListView(IList) Initializes a new instance of ListView that will display the contents of the object implementing the System.Collections.IList interface, with relative positioning. Declaration public ListView(IList source) Parameters Type Name Description System.Collections.IList source An System.Collections.IList data source, if the elements are strings or ustrings, the string is rendered, otherwise the ToString() method is invoked on the result. ListView(IListDataSource) Initializes a new instance of ListView that will display the provided data source, using relative positioning. Declaration public ListView(IListDataSource source) Parameters Type Name Description IListDataSource source IListDataSource object that provides a mechanism to render the data. The number of elements on the collection should not change, if you must change, set the \"Source\" property to reset the internal settings of the ListView. ListView(Rect, IList) Initializes a new instance of ListView that will display the contents of the object implementing the System.Collections.IList interface with an absolute position. Declaration public ListView(Rect rect, IList source) Parameters Type Name Description Rect rect Frame for the listview. System.Collections.IList source An IList data source, if the elements of the IList are strings or ustrings, the string is rendered, otherwise the ToString() method is invoked on the result. ListView(Rect, IListDataSource) Initializes a new instance of ListView with the provided data source and an absolute position Declaration public ListView(Rect rect, IListDataSource source) Parameters Type Name Description Rect rect Frame for the listview. IListDataSource source IListDataSource object that provides a mechanism to render the data. The number of elements on the collection should not change, if you must change, set the \"Source\" property to reset the internal settings of the ListView. Properties AllowsMarking Gets or sets whether this ListView allows items to be marked. Declaration public bool AllowsMarking { get; set; } Property Value Type Description System.Boolean true if allows marking elements of the list; otherwise, false . Remarks If set to true, ListView will render items marked items with \"[x]\", and unmarked items with \"[ ]\" spaces. SPACE key will toggle marking. AllowsMultipleSelection If set to true allows more than one item to be selected. If false only allow one item selected. Declaration public bool AllowsMultipleSelection { get; set; } Property Value Type Description System.Boolean SelectedItem Gets or sets the index of the currently selected item. Declaration public int SelectedItem { get; set; } Property Value Type Description System.Int32 The selected item. Source Gets or sets the IListDataSource backing this ListView , enabling custom rendering. Declaration public IListDataSource Source { get; set; } Property Value Type Description IListDataSource The source. Remarks Use SetSource(IList) to set a new System.Collections.IList source. TopItem Gets or sets the item that is displayed at the top of the ListView . Declaration public int TopItem { get; set; } Property Value Type Description System.Int32 The top item. Methods AllowsAll() Prevents marking if it's not allowed mark and if it's not allows multiple selection. Declaration public virtual bool AllowsAll() Returns Type Description System.Boolean MarkUnmarkRow() Marks an unmarked row. Declaration public virtual bool MarkUnmarkRow() Returns Type Description System.Boolean MouseEvent(MouseEvent) Declaration public override bool MouseEvent(MouseEvent me) Parameters Type Name Description MouseEvent me Returns Type Description System.Boolean Overrides Responder.MouseEvent(MouseEvent) MoveDown() Moves the selected item index to the next row. Declaration public virtual bool MoveDown() Returns Type Description System.Boolean MovePageDown() Moves the selected item index to the previous page. Declaration public virtual bool MovePageDown() Returns Type Description System.Boolean MovePageUp() Moves the selected item index to the next page. Declaration public virtual bool MovePageUp() Returns Type Description System.Boolean MoveUp() Moves the selected item index to the previous row. Declaration public virtual bool MoveUp() Returns Type Description System.Boolean OnOpenSelectedItem() Invokes the OnOpenSelectedItem event if it is defined. Declaration public virtual bool OnOpenSelectedItem() Returns Type Description System.Boolean OnSelectedChanged() Invokes the SelectedChanged event if it is defined. Declaration public virtual bool OnSelectedChanged() Returns Type Description System.Boolean PositionCursor() Declaration public override void PositionCursor() Overrides View.PositionCursor() ProcessKey(KeyEvent) Declaration public override bool ProcessKey(KeyEvent kb) Parameters Type Name Description KeyEvent kb Returns Type Description System.Boolean Overrides View.ProcessKey(KeyEvent) Redraw(Rect) Declaration public override void Redraw(Rect region) Parameters Type Name Description Rect region Overrides View.Redraw(Rect) SetSource(IList) Sets the source of the ListView to an System.Collections.IList . Declaration public void SetSource(IList source) Parameters Type Name Description System.Collections.IList source Remarks Use the Source property to set a new IListDataSource source and use custome rendering. SetSourceAsync(IList) Sets the source to an System.Collections.IList value asynchronously. Declaration public Task SetSourceAsync(IList source) Parameters Type Name Description System.Collections.IList source Returns Type Description System.Threading.Tasks.Task An item implementing the IList interface. Remarks Use the Source property to set a new IListDataSource source and use custome rendering. Events OpenSelectedItem This event is raised when the user Double Clicks on an item or presses ENTER to open the selected item. Declaration public event EventHandler OpenSelectedItem Event Type Type Description System.EventHandler < ListViewItemEventArgs > SelectedChanged This event is raised when the selected item in the ListView has changed. Declaration public event EventHandler SelectedChanged Event Type Type Description System.EventHandler < ListViewItemEventArgs > Implements System.Collections.IEnumerable" - }, - "api/Terminal.Gui/Terminal.Gui.ListViewItemEventArgs.html": { - "href": "api/Terminal.Gui/Terminal.Gui.ListViewItemEventArgs.html", - "title": "Class ListViewItemEventArgs", - "keywords": "Class ListViewItemEventArgs System.EventArgs for ListView events. Inheritance System.Object System.EventArgs ListViewItemEventArgs Inherited Members System.EventArgs.Empty System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class ListViewItemEventArgs : EventArgs Constructors ListViewItemEventArgs(Int32, Object) Initializes a new instance of ListViewItemEventArgs Declaration public ListViewItemEventArgs(int item, object value) Parameters Type Name Description System.Int32 item The index of the the ListView item. System.Object value The ListView item Properties Item The index of the ListView item. Declaration public int Item { get; } Property Value Type Description System.Int32 Value The the ListView item. Declaration public object Value { get; } Property Value Type Description System.Object" - }, - "api/Terminal.Gui/Terminal.Gui.ListWrapper.html": { - "href": "api/Terminal.Gui/Terminal.Gui.ListWrapper.html", - "title": "Class ListWrapper", - "keywords": "Class ListWrapper Implements an IListDataSource that renders arbitrary System.Collections.IList instances for ListView . Inheritance System.Object ListWrapper Implements IListDataSource Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class ListWrapper : IListDataSource Remarks Implements support for rendering marked items. Constructors ListWrapper(IList) Initializes a new instance of ListWrapper given an System.Collections.IList Declaration public ListWrapper(IList source) Parameters Type Name Description System.Collections.IList source Properties Count Gets the number of items in the System.Collections.IList . Declaration public int Count { get; } Property Value Type Description System.Int32 Methods IsMarked(Int32) Returns true if the item is marked, false otherwise. Declaration public bool IsMarked(int item) Parameters Type Name Description System.Int32 item The item. Returns Type Description System.Boolean true If is marked. false otherwise. Render(ListView, ConsoleDriver, Boolean, Int32, Int32, Int32, Int32) Renders a ListView item to the appropriate type. Declaration public void Render(ListView container, ConsoleDriver driver, bool marked, int item, int col, int line, int width) Parameters Type Name Description ListView container The ListView. ConsoleDriver driver The driver used by the caller. System.Boolean marked Informs if it's marked or not. System.Int32 item The item. System.Int32 col The col where to move. System.Int32 line The line where to move. System.Int32 width The item width. SetMark(Int32, Boolean) Sets the item as marked or unmarked based on the value is true or false, respectively. Declaration public void SetMark(int item, bool value) Parameters Type Name Description System.Int32 item The item System.Boolean value Marks the item. Unmarked the item. The value. ToList() Returns the source as IList. Declaration public IList ToList() Returns Type Description System.Collections.IList Implements IListDataSource" - }, - "api/Terminal.Gui/Terminal.Gui.MainLoop.html": { - "href": "api/Terminal.Gui/Terminal.Gui.MainLoop.html", - "title": "Class MainLoop", - "keywords": "Class MainLoop Simple main loop implementation that can be used to monitor file descriptor, run timers and idle handlers. Inheritance System.Object MainLoop Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class MainLoop Remarks Monitoring of file descriptors is only available on Unix, there does not seem to be a way of supporting this on Windows. Constructors MainLoop(IMainLoopDriver) Creates a new Mainloop, to run it you must provide a driver, and choose one of the implementations UnixMainLoop, NetMainLoop or WindowsMainLoop. Declaration public MainLoop(IMainLoopDriver driver) Parameters Type Name Description IMainLoopDriver driver Properties Driver The current IMainLoopDriver in use. Declaration public IMainLoopDriver Driver { get; } Property Value Type Description IMainLoopDriver The driver. Methods AddIdle(Func) Executes the specified @idleHandler on the idle loop. The return value is a token to remove it. Declaration public Func AddIdle(Func idleHandler) Parameters Type Name Description System.Func < System.Boolean > idleHandler Returns Type Description System.Func < System.Boolean > AddTimeout(TimeSpan, Func) Adds a timeout to the mainloop. Declaration public object AddTimeout(TimeSpan time, Func callback) Parameters Type Name Description System.TimeSpan time System.Func < MainLoop , System.Boolean > callback Returns Type Description System.Object Remarks When time time specified passes, the callback will be invoked. If the callback returns true, the timeout will be reset, repeating the invocation. If it returns false, the timeout will stop. The returned value is a token that can be used to stop the timeout by calling RemoveTimeout. EventsPending(Boolean) Determines whether there are pending events to be processed. Declaration public bool EventsPending(bool wait = false) Parameters Type Name Description System.Boolean wait Returns Type Description System.Boolean Remarks You can use this method if you want to probe if events are pending. Typically used if you need to flush the input queue while still running some of your own code in your main thread. Invoke(Action) Runs @action on the thread that is processing events Declaration public void Invoke(Action action) Parameters Type Name Description System.Action action MainIteration() Runs one iteration of timers and file watches Declaration public void MainIteration() Remarks You use this to process all pending events (timers, idle handlers and file watches). You can use it like this: while (main.EvensPending ()) MainIteration (); RemoveIdle(Func) Removes the specified idleHandler from processing. Declaration public void RemoveIdle(Func idleHandler) Parameters Type Name Description System.Func < System.Boolean > idleHandler RemoveTimeout(Object) Removes a previously scheduled timeout Declaration public void RemoveTimeout(object token) Parameters Type Name Description System.Object token Remarks The token parameter is the value returned by AddTimeout. Run() Runs the mainloop. Declaration public void Run() Stop() Stops the mainloop. Declaration public void Stop()" - }, - "api/Terminal.Gui/Terminal.Gui.MenuBar.html": { - "href": "api/Terminal.Gui/Terminal.Gui.MenuBar.html", - "title": "Class MenuBar", - "keywords": "Class MenuBar The MenuBar provides a menu for Terminal.Gui applications. Inheritance System.Object Responder View MenuBar Implements System.Collections.IEnumerable Inherited Members View.Enter View.Leave View.MouseEnter View.MouseLeave View.Driver View.Subviews View.Id View.IsCurrentTop View.WantMousePositionReports View.WantContinuousButtonPressed View.Frame View.GetEnumerator() View.LayoutStyle View.Bounds View.X View.Y View.Width View.Height View.SuperView View.SetNeedsDisplay() View.SetNeedsDisplay(Rect) View.ChildNeedsDisplay() View.Add(View) View.Add(View[]) View.RemoveAll() View.Remove(View) View.BringSubviewToFront(View) View.SendSubviewToBack(View) View.SendSubviewBackwards(View) View.BringSubviewForward(View) View.Clear() View.Clear(Rect) View.ScreenToView(Int32, Int32) View.ClipToBounds() View.SetClip(Rect) View.DrawFrame(Rect, Int32, Boolean) View.DrawHotString(ustring, Attribute, Attribute) View.DrawHotString(ustring, Boolean, ColorScheme) View.Move(Int32, Int32) View.HasFocus View.OnEnter() View.OnLeave() View.Focused View.MostFocused View.ColorScheme View.AddRune(Int32, Int32, Rune) View.ClearNeedsDisplay() View.SetFocus(View) View.KeyPress View.ProcessColdKey(KeyEvent) View.KeyDown View.KeyUp View.EnsureFocus() View.FocusFirst() View.FocusLast() View.FocusPrev() View.FocusNext() View.LayoutSubviews() View.ToString() View.OnMouseEnter(MouseEvent) View.OnMouseLeave(MouseEvent) Responder.CanFocus System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class MenuBar : View, IEnumerable Remarks The MenuBar appears on the first row of the terminal. The MenuBar provides global hotkeys for the application. Constructors MenuBar(MenuBarItem[]) Initializes a new instance of the MenuBar class with the specified set of toplevel menu items. Declaration public MenuBar(MenuBarItem[] menus) Parameters Type Name Description MenuBarItem [] menus Individual menu items; a null item will result in a separator being drawn. Properties IsMenuOpen True if the menu is open; otherwise false. Declaration public bool IsMenuOpen { get; protected set; } Property Value Type Description System.Boolean LastFocused Get the lasted focused view before open the menu. Declaration public View LastFocused { get; } Property Value Type Description View Menus Gets or sets the array of MenuBarItem s for the menu. Only set this when the MenuBar is vislble. Declaration public MenuBarItem[] Menus { get; set; } Property Value Type Description MenuBarItem [] The menu array. UseKeysUpDownAsKeysLeftRight Used for change the navigation key style. Declaration public bool UseKeysUpDownAsKeysLeftRight { get; set; } Property Value Type Description System.Boolean Methods CloseMenu() Closes the current Menu programatically, if open. Declaration public void CloseMenu() MouseEvent(MouseEvent) Declaration public override bool MouseEvent(MouseEvent me) Parameters Type Name Description MouseEvent me Returns Type Description System.Boolean Overrides Responder.MouseEvent(MouseEvent) OnKeyDown(KeyEvent) Declaration public override bool OnKeyDown(KeyEvent keyEvent) Parameters Type Name Description KeyEvent keyEvent Returns Type Description System.Boolean Overrides View.OnKeyDown(KeyEvent) OnKeyUp(KeyEvent) Declaration public override bool OnKeyUp(KeyEvent keyEvent) Parameters Type Name Description KeyEvent keyEvent Returns Type Description System.Boolean Overrides View.OnKeyUp(KeyEvent) OpenMenu() Opens the current Menu programatically. Declaration public void OpenMenu() PositionCursor() Declaration public override void PositionCursor() Overrides View.PositionCursor() ProcessHotKey(KeyEvent) Declaration public override bool ProcessHotKey(KeyEvent kb) Parameters Type Name Description KeyEvent kb Returns Type Description System.Boolean Overrides View.ProcessHotKey(KeyEvent) ProcessKey(KeyEvent) Declaration public override bool ProcessKey(KeyEvent kb) Parameters Type Name Description KeyEvent kb Returns Type Description System.Boolean Overrides View.ProcessKey(KeyEvent) Redraw(Rect) Declaration public override void Redraw(Rect region) Parameters Type Name Description Rect region Overrides View.Redraw(Rect) Events OnCloseMenu Raised when a menu is closing. Declaration public event EventHandler OnCloseMenu Event Type Type Description System.EventHandler OnOpenMenu Raised as a menu is opened. Declaration public event EventHandler OnOpenMenu Event Type Type Description System.EventHandler Implements System.Collections.IEnumerable" - }, - "api/Terminal.Gui/Terminal.Gui.MenuBarItem.html": { - "href": "api/Terminal.Gui/Terminal.Gui.MenuBarItem.html", - "title": "Class MenuBarItem", - "keywords": "Class MenuBarItem A MenuBarItem contains MenuBarItem s or MenuItem s. Inheritance System.Object MenuItem MenuBarItem Inherited Members MenuItem.HotKey MenuItem.ShortCut MenuItem.Title MenuItem.Help MenuItem.Action MenuItem.CanExecute MenuItem.IsEnabled() MenuItem.GetMenuItem() MenuItem.GetMenuBarItem() System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class MenuBarItem : MenuItem Constructors MenuBarItem(ustring, String, Action, Func) Initializes a new MenuBarItem as a MenuItem . Declaration public MenuBarItem(ustring title, string help, Action action, Func canExecute = null) Parameters Type Name Description NStack.ustring title Title for the menu item. System.String help Help text to display. System.Action action Action to invoke when the menu item is activated. System.Func < System.Boolean > canExecute Function to determine if the action can currently be executred. MenuBarItem(ustring, MenuItem[]) Initializes a new MenuBarItem . Declaration public MenuBarItem(ustring title, MenuItem[] children) Parameters Type Name Description NStack.ustring title Title for the menu item. MenuItem [] children The items in the current menu. MenuBarItem(MenuItem[]) Initializes a new MenuBarItem . Declaration public MenuBarItem(MenuItem[] children) Parameters Type Name Description MenuItem [] children The items in the current menu. Properties Children Gets or sets an array of MenuItem objects that are the children of this MenuBarItem Declaration public MenuItem[] Children { get; set; } Property Value Type Description MenuItem [] The children." - }, - "api/Terminal.Gui/Terminal.Gui.MenuItem.html": { - "href": "api/Terminal.Gui/Terminal.Gui.MenuItem.html", - "title": "Class MenuItem", - "keywords": "Class MenuItem A MenuItem has a title, an associated help text, and an action to execute on activation. Inheritance System.Object MenuItem MenuBarItem Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class MenuItem Constructors MenuItem() Initializes a new instance of MenuItem Declaration public MenuItem() MenuItem(ustring, String, Action, Func) Initializes a new instance of MenuItem . Declaration public MenuItem(ustring title, string help, Action action, Func canExecute = null) Parameters Type Name Description NStack.ustring title Title for the menu item. System.String help Help text to display. System.Action action Action to invoke when the menu item is activated. System.Func < System.Boolean > canExecute Function to determine if the action can currently be executred. MenuItem(ustring, MenuBarItem) Initializes a new instance of MenuItem Declaration public MenuItem(ustring title, MenuBarItem subMenu) Parameters Type Name Description NStack.ustring title Title for the menu item. MenuBarItem subMenu The menu sub-menu. Fields HotKey The HotKey is used when the menu is active, the shortcut can be triggered when the menu is not active. For example HotKey would be \"N\" when the File Menu is open (assuming there is a \"_New\" entry if the ShortCut is set to \"Control-N\", this would be a global hotkey that would trigger as well Declaration public Rune HotKey Field Value Type Description System.Rune ShortCut This is the global setting that can be used as a global shortcut to invoke the action on the menu. Declaration public Key ShortCut Field Value Type Description Key Properties Action Gets or sets the action to be invoked when the menu is triggered Declaration public Action Action { get; set; } Property Value Type Description System.Action Method to invoke. CanExecute Gets or sets the action to be invoked if the menu can be triggered Declaration public Func CanExecute { get; set; } Property Value Type Description System.Func < System.Boolean > Function to determine if action is ready to be executed. Help Gets or sets the help text for the menu item. Declaration public ustring Help { get; set; } Property Value Type Description NStack.ustring The help text. Title Gets or sets the title. Declaration public ustring Title { get; set; } Property Value Type Description NStack.ustring The title. Methods GetMenuBarItem() Merely a debugging aid to see the interaction with main Declaration public bool GetMenuBarItem() Returns Type Description System.Boolean GetMenuItem() Merely a debugging aid to see the interaction with main Declaration public MenuItem GetMenuItem() Returns Type Description MenuItem IsEnabled() Shortcut to check if the menu item is enabled Declaration public bool IsEnabled() Returns Type Description System.Boolean" - }, - "api/Terminal.Gui/Terminal.Gui.MessageBox.html": { - "href": "api/Terminal.Gui/Terminal.Gui.MessageBox.html", - "title": "Class MessageBox", - "keywords": "Class MessageBox MessageBox displays a modal message to the user, with a title, a message and a series of options that the user can choose from. Inheritance System.Object MessageBox Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public static class MessageBox Examples var n = MessageBox.Query (50, 7, \"Quit Demo\", \"Are you sure you want to quit this demo?\", \"Yes\", \"No\"); if (n == 0) quit = true; else quit = false; Methods ErrorQuery(Int32, Int32, String, String, String[]) Presents an error MessageBox with the specified title and message and a list of buttons to show to the user. Declaration public static int ErrorQuery(int width, int height, string title, string message, params string[] buttons) Parameters Type Name Description System.Int32 width Width for the window. System.Int32 height Height for the window. System.String title Title for the query. System.String message Message to display, might contain multiple lines. System.String [] buttons Array of buttons to add. Returns Type Description System.Int32 The index of the selected button, or -1 if the user pressed ESC to close the dialog. Query(Int32, Int32, String, String, String[]) Presents a normal MessageBox with the specified title and message and a list of buttons to show to the user. Declaration public static int Query(int width, int height, string title, string message, params string[] buttons) Parameters Type Name Description System.Int32 width Width for the window. System.Int32 height Height for the window. System.String title Title for the query. System.String message Message to display, might contain multiple lines.. System.String [] buttons Array of buttons to add. Returns Type Description System.Int32 The index of the selected button, or -1 if the user pressed ESC to close the dialog." - }, - "api/Terminal.Gui/Terminal.Gui.MouseEvent.html": { - "href": "api/Terminal.Gui/Terminal.Gui.MouseEvent.html", - "title": "Struct MouseEvent", - "keywords": "Struct MouseEvent Describes a mouse event Inherited Members System.ValueType.Equals(System.Object) System.ValueType.GetHashCode() System.Object.Equals(System.Object, System.Object) System.Object.GetType() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public struct MouseEvent Fields Flags Flags indicating the kind of mouse event that is being posted. Declaration public MouseFlags Flags Field Value Type Description MouseFlags OfX The offset X (column) location for the mouse event. Declaration public int OfX Field Value Type Description System.Int32 OfY The offset Y (column) location for the mouse event. Declaration public int OfY Field Value Type Description System.Int32 View The current view at the location for the mouse event. Declaration public View View Field Value Type Description View X The X (column) location for the mouse event. Declaration public int X Field Value Type Description System.Int32 Y The Y (column) location for the mouse event. Declaration public int Y Field Value Type Description System.Int32 Methods ToString() Returns a System.String that represents the current MouseEvent . Declaration public override string ToString() Returns Type Description System.String A System.String that represents the current MouseEvent . Overrides System.ValueType.ToString()" - }, - "api/Terminal.Gui/Terminal.Gui.MouseFlags.html": { - "href": "api/Terminal.Gui/Terminal.Gui.MouseFlags.html", - "title": "Enum MouseFlags", - "keywords": "Enum MouseFlags Mouse flags reported in MouseEvent. Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax [Flags] public enum MouseFlags Remarks They just happen to map to the ncurses ones. Fields Name Description AllEvents Mask that captures all the events. Button1Clicked The first mouse button was clicked (press+release). Button1DoubleClicked The first mouse button was double-clicked. Button1Pressed The first mouse button was pressed. Button1Released The first mouse button was released. Button1TripleClicked The first mouse button was triple-clicked. Button2Clicked The second mouse button was clicked (press+release). Button2DoubleClicked The second mouse button was double-clicked. Button2Pressed The second mouse button was pressed. Button2Released The second mouse button was released. Button2TripleClicked The second mouse button was triple-clicked. Button3Clicked The third mouse button was clicked (press+release). Button3DoubleClicked The third mouse button was double-clicked. Button3Pressed The third mouse button was pressed. Button3Released The third mouse button was released. Button3TripleClicked The third mouse button was triple-clicked. Button4Clicked The fourth button was clicked (press+release). Button4DoubleClicked The fourth button was double-clicked. Button4Pressed The fourth mouse button was pressed. Button4Released The fourth mouse button was released. Button4TripleClicked The fourth button was triple-clicked. ButtonAlt Flag: the alt key was pressed when the mouse button took place. ButtonCtrl Flag: the ctrl key was pressed when the mouse button took place. ButtonShift Flag: the shift key was pressed when the mouse button took place. ReportMousePosition The mouse position is being reported in this event. WheeledDown Vertical button wheeled up. WheeledUp Vertical button wheeled up." - }, - "api/Terminal.Gui/Terminal.Gui.OpenDialog.html": { - "href": "api/Terminal.Gui/Terminal.Gui.OpenDialog.html", - "title": "Class OpenDialog", - "keywords": "Class OpenDialog The OpenDialog provides an interactive dialog box for users to select files or directories. Inheritance System.Object Responder View Toplevel Window Dialog FileDialog OpenDialog Implements System.Collections.IEnumerable Inherited Members FileDialog.WillPresent() FileDialog.Prompt FileDialog.NameFieldLabel FileDialog.Message FileDialog.CanCreateDirectories FileDialog.IsExtensionHidden FileDialog.DirectoryPath FileDialog.AllowedFileTypes FileDialog.AllowsOtherFileTypes FileDialog.FilePath FileDialog.Canceled Dialog.AddButton(Button) Dialog.LayoutSubviews() Dialog.ProcessKey(KeyEvent) Window.Title Window.GetEnumerator() Window.Add(View) Window.Remove(View) Window.RemoveAll() Window.Redraw(Rect) Window.MouseEvent(MouseEvent) Toplevel.Running Toplevel.Ready Toplevel.Create() Toplevel.CanFocus Toplevel.Modal Toplevel.MenuBar Toplevel.StatusBar View.Enter View.Leave View.MouseEnter View.MouseLeave View.Driver View.Subviews View.Id View.IsCurrentTop View.WantMousePositionReports View.WantContinuousButtonPressed View.Frame View.LayoutStyle View.Bounds View.X View.Y View.Width View.Height View.SuperView View.SetNeedsDisplay() View.SetNeedsDisplay(Rect) View.ChildNeedsDisplay() View.Add(View[]) View.BringSubviewToFront(View) View.SendSubviewToBack(View) View.SendSubviewBackwards(View) View.BringSubviewForward(View) View.Clear() View.Clear(Rect) View.ScreenToView(Int32, Int32) View.ClipToBounds() View.SetClip(Rect) View.DrawFrame(Rect, Int32, Boolean) View.DrawHotString(ustring, Attribute, Attribute) View.DrawHotString(ustring, Boolean, ColorScheme) View.Move(Int32, Int32) View.PositionCursor() View.HasFocus View.OnEnter() View.OnLeave() View.Focused View.MostFocused View.ColorScheme View.AddRune(Int32, Int32, Rune) View.ClearNeedsDisplay() View.SetFocus(View) View.KeyPress View.ProcessHotKey(KeyEvent) View.ProcessColdKey(KeyEvent) View.KeyDown View.OnKeyDown(KeyEvent) View.KeyUp View.OnKeyUp(KeyEvent) View.EnsureFocus() View.FocusFirst() View.FocusLast() View.FocusPrev() View.FocusNext() View.ToString() View.OnMouseEnter(MouseEvent) View.OnMouseLeave(MouseEvent) System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class OpenDialog : FileDialog, IEnumerable Remarks The open dialog can be used to select files for opening, it can be configured to allow multiple items to be selected (based on the AllowsMultipleSelection) variable and you can control whether this should allow files or directories to be selected. To use, create an instance of OpenDialog , and pass it to Run() . This will run the dialog modally, and when this returns, the list of filds will be available on the FilePaths property. To select more than one file, users can use the spacebar, or control-t. Constructors OpenDialog(ustring, ustring) Initializes a new OpenDialog Declaration public OpenDialog(ustring title, ustring message) Parameters Type Name Description NStack.ustring title NStack.ustring message Properties AllowsMultipleSelection Gets or sets a value indicating whether this OpenDialog allows multiple selection. Declaration public bool AllowsMultipleSelection { get; set; } Property Value Type Description System.Boolean true if allows multiple selection; otherwise, false , defaults to false. CanChooseDirectories Gets or sets a value indicating whether this OpenDialog can choose directories. Declaration public bool CanChooseDirectories { get; set; } Property Value Type Description System.Boolean true if can choose directories; otherwise, false defaults to false . CanChooseFiles Gets or sets a value indicating whether this OpenDialog can choose files. Declaration public bool CanChooseFiles { get; set; } Property Value Type Description System.Boolean true if can choose files; otherwise, false . Defaults to true FilePaths Returns the selected files, or an empty list if nothing has been selected Declaration public IReadOnlyList FilePaths { get; } Property Value Type Description System.Collections.Generic.IReadOnlyList < System.String > The file paths. Implements System.Collections.IEnumerable" - }, - "api/Terminal.Gui/Terminal.Gui.Point.html": { - "href": "api/Terminal.Gui/Terminal.Gui.Point.html", - "title": "Struct Point", - "keywords": "Struct Point Represents an ordered pair of integer x- and y-coordinates that defines a point in a two-dimensional plane. Inherited Members System.Object.Equals(System.Object, System.Object) System.Object.GetType() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public struct Point Constructors Point(Int32, Int32) Point Constructor Declaration public Point(int x, int y) Parameters Type Name Description System.Int32 x System.Int32 y Remarks Creates a Point from a specified x,y coordinate pair. Point(Size) Point Constructor Declaration public Point(Size sz) Parameters Type Name Description Size sz Remarks Creates a Point from a Size value. Fields Empty Empty Shared Field Declaration public static readonly Point Empty Field Value Type Description Point Remarks An uninitialized Point Structure. X Gets or sets the x-coordinate of this Point. Declaration public int X Field Value Type Description System.Int32 Y Gets or sets the y-coordinate of this Point. Declaration public int Y Field Value Type Description System.Int32 Properties IsEmpty IsEmpty Property Declaration public bool IsEmpty { get; } Property Value Type Description System.Boolean Remarks Indicates if both X and Y are zero. Methods Add(Point, Size) Adds the specified Size to the specified Point. Declaration public static Point Add(Point pt, Size sz) Parameters Type Name Description Point pt The Point to add. Size sz The Size to add. Returns Type Description Point The Point that is the result of the addition operation. Equals(Object) Equals Method Declaration public override bool Equals(object obj) Parameters Type Name Description System.Object obj Returns Type Description System.Boolean Overrides System.ValueType.Equals(System.Object) Remarks Checks equivalence of this Point and another object. GetHashCode() GetHashCode Method Declaration public override int GetHashCode() Returns Type Description System.Int32 Overrides System.ValueType.GetHashCode() Remarks Calculates a hashing value. Offset(Int32, Int32) Offset Method Declaration public void Offset(int dx, int dy) Parameters Type Name Description System.Int32 dx System.Int32 dy Remarks Moves the Point a specified distance. Offset(Point) Translates this Point by the specified Point. Declaration public void Offset(Point p) Parameters Type Name Description Point p The Point used offset this Point. Subtract(Point, Size) Returns the result of subtracting specified Size from the specified Point. Declaration public static Point Subtract(Point pt, Size sz) Parameters Type Name Description Point pt The Point to be subtracted from. Size sz The Size to subtract from the Point. Returns Type Description Point The Point that is the result of the subtraction operation. ToString() ToString Method Declaration public override string ToString() Returns Type Description System.String Overrides System.ValueType.ToString() Remarks Formats the Point as a string in coordinate notation. Operators Addition(Point, Size) Addition Operator Declaration public static Point operator +(Point pt, Size sz) Parameters Type Name Description Point pt Size sz Returns Type Description Point Remarks Translates a Point using the Width and Height properties of the given Size . Equality(Point, Point) Equality Operator Declaration public static bool operator ==(Point left, Point right) Parameters Type Name Description Point left Point right Returns Type Description System.Boolean Remarks Compares two Point objects. The return value is based on the equivalence of the X and Y properties of the two points. Explicit(Point to Size) Point to Size Conversion Declaration public static explicit operator Size(Point p) Parameters Type Name Description Point p Returns Type Description Size Remarks Returns a Size based on the Coordinates of a given Point. Requires explicit cast. Inequality(Point, Point) Inequality Operator Declaration public static bool operator !=(Point left, Point right) Parameters Type Name Description Point left Point right Returns Type Description System.Boolean Remarks Compares two Point objects. The return value is based on the equivalence of the X and Y properties of the two points. Subtraction(Point, Size) Subtraction Operator Declaration public static Point operator -(Point pt, Size sz) Parameters Type Name Description Point pt Size sz Returns Type Description Point Remarks Translates a Point using the negation of the Width and Height properties of the given Size." - }, - "api/Terminal.Gui/Terminal.Gui.Pos.html": { - "href": "api/Terminal.Gui/Terminal.Gui.Pos.html", - "title": "Class Pos", - "keywords": "Class Pos Describes the position of a View which can be an absolute value, a percentage, centered, or relative to the ending dimension. Integer values are implicitly convertible to an absolute Pos . These objects are created using the static methods Percent, AnchorEnd, and Center. The Pos objects can be combined with the addition and subtraction operators. Inheritance System.Object Pos Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class Pos Remarks Use the Pos objects on the X or Y properties of a view to control the position. These can be used to set the absolute position, when merely assigning an integer value (via the implicit integer to Pos conversion), and they can be combined to produce more useful layouts, like: Pos.Center - 3, which would shift the postion of the View 3 characters to the left after centering for example. It is possible to reference coordinates of another view by using the methods Left(View), Right(View), Bottom(View), Top(View). The X(View) and Y(View) are aliases to Left(View) and Top(View) respectively. Methods AnchorEnd(Int32) Creates a Pos object that is anchored to the end (right side or bottom) of the dimension, useful to flush the layout from the right or bottom. Declaration public static Pos AnchorEnd(int margin = 0) Parameters Type Name Description System.Int32 margin Optional margin to place to the right or below. Returns Type Description Pos The Pos object anchored to the end (the bottom or the right side). Examples This sample shows how align a Button to the bottom-right of a View . anchorButton.X = Pos.AnchorEnd () - (Pos.Right (anchorButton) - Pos.Left (anchorButton)); anchorButton.Y = Pos.AnchorEnd () - 1; At(Int32) Creates an Absolute Pos from the specified integer value. Declaration public static Pos At(int n) Parameters Type Name Description System.Int32 n The value to convert to the Pos . Returns Type Description Pos The Absolute Pos . Bottom(View) Returns a Pos object tracks the Bottom (Y+Height) coordinate of the specified View Declaration public static Pos Bottom(View view) Parameters Type Name Description View view The View that will be tracked. Returns Type Description Pos The Pos that depends on the other view. Center() Returns a Pos object that can be used to center the View Declaration public static Pos Center() Returns Type Description Pos The center Pos. Examples This creates a TextField that is centered horizontally, is 50% of the way down, is 30% the height, and is 80% the width of the View it added to. var textView = new TextView () { X = Pos.Center (), Y = Pos.Percent (50), Width = Dim.Percent (80), Height = Dim.Percent (30), }; Left(View) Returns a Pos object tracks the Left (X) position of the specified View . Declaration public static Pos Left(View view) Parameters Type Name Description View view The View that will be tracked. Returns Type Description Pos The Pos that depends on the other view. Percent(Single) Creates a percentage Pos object Declaration public static Pos Percent(float n) Parameters Type Name Description System.Single n A value between 0 and 100 representing the percentage. Returns Type Description Pos The percent Pos object. Examples This creates a TextField that is centered horizontally, is 50% of the way down, is 30% the height, and is 80% the width of the View it added to. var textView = new TextView () { X = Pos.Center (), Y = Pos.Percent (50), Width = Dim.Percent (80), Height = Dim.Percent (30), }; Right(View) Returns a Pos object tracks the Right (X+Width) coordinate of the specified View . Declaration public static Pos Right(View view) Parameters Type Name Description View view The View that will be tracked. Returns Type Description Pos The Pos that depends on the other view. Top(View) Returns a Pos object tracks the Top (Y) position of the specified View . Declaration public static Pos Top(View view) Parameters Type Name Description View view The View that will be tracked. Returns Type Description Pos The Pos that depends on the other view. X(View) Returns a Pos object tracks the Left (X) position of the specified View . Declaration public static Pos X(View view) Parameters Type Name Description View view The View that will be tracked. Returns Type Description Pos The Pos that depends on the other view. Y(View) Returns a Pos object tracks the Top (Y) position of the specified View . Declaration public static Pos Y(View view) Parameters Type Name Description View view The View that will be tracked. Returns Type Description Pos The Pos that depends on the other view. Operators Addition(Pos, Pos) Adds a Pos to a Pos , yielding a new Pos . Declaration public static Pos operator +(Pos left, Pos right) Parameters Type Name Description Pos left The first Pos to add. Pos right The second Pos to add. Returns Type Description Pos The Pos that is the sum of the values of left and right . Implicit(Int32 to Pos) Creates an Absolute Pos from the specified integer value. Declaration public static implicit operator Pos(int n) Parameters Type Name Description System.Int32 n The value to convert to the Pos . Returns Type Description Pos The Absolute Pos . Subtraction(Pos, Pos) Subtracts a Pos from a Pos , yielding a new Pos . Declaration public static Pos operator -(Pos left, Pos right) Parameters Type Name Description Pos left The Pos to subtract from (the minuend). Pos right The Pos to subtract (the subtrahend). Returns Type Description Pos The Pos that is the left minus right ." - }, - "api/Terminal.Gui/Terminal.Gui.ProgressBar.html": { - "href": "api/Terminal.Gui/Terminal.Gui.ProgressBar.html", - "title": "Class ProgressBar", - "keywords": "Class ProgressBar A Progress Bar view that can indicate progress of an activity visually. Inheritance System.Object Responder View ProgressBar Implements System.Collections.IEnumerable Inherited Members View.Enter View.Leave View.MouseEnter View.MouseLeave View.Driver View.Subviews View.Id View.IsCurrentTop View.WantMousePositionReports View.WantContinuousButtonPressed View.Frame View.GetEnumerator() View.LayoutStyle View.Bounds View.X View.Y View.Width View.Height View.SuperView View.SetNeedsDisplay() View.SetNeedsDisplay(Rect) View.ChildNeedsDisplay() View.Add(View) View.Add(View[]) View.RemoveAll() View.Remove(View) View.BringSubviewToFront(View) View.SendSubviewToBack(View) View.SendSubviewBackwards(View) View.BringSubviewForward(View) View.Clear() View.Clear(Rect) View.ScreenToView(Int32, Int32) View.ClipToBounds() View.SetClip(Rect) View.DrawFrame(Rect, Int32, Boolean) View.DrawHotString(ustring, Attribute, Attribute) View.DrawHotString(ustring, Boolean, ColorScheme) View.Move(Int32, Int32) View.PositionCursor() View.HasFocus View.OnEnter() View.OnLeave() View.Focused View.MostFocused View.ColorScheme View.AddRune(Int32, Int32, Rune) View.ClearNeedsDisplay() View.SetFocus(View) View.KeyPress View.ProcessKey(KeyEvent) View.ProcessHotKey(KeyEvent) View.ProcessColdKey(KeyEvent) View.KeyDown View.OnKeyDown(KeyEvent) View.KeyUp View.OnKeyUp(KeyEvent) View.EnsureFocus() View.FocusFirst() View.FocusLast() View.FocusPrev() View.FocusNext() View.LayoutSubviews() View.ToString() View.OnMouseEnter(MouseEvent) View.OnMouseLeave(MouseEvent) Responder.CanFocus Responder.MouseEvent(MouseEvent) System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class ProgressBar : View, IEnumerable Remarks ProgressBar can operate in two modes, percentage mode, or activity mode. The progress bar starts in percentage mode and setting the Fraction property will reflect on the UI the progress made so far. Activity mode is used when the application has no way of knowing how much time is left, and is started when the Pulse() method is called. Call Pulse() repeatedly as progress is made. Constructors ProgressBar() Initializes a new instance of the ProgressBar class, starts in percentage mode and uses relative layout. Declaration public ProgressBar() ProgressBar(Rect) Initializes a new instance of the ProgressBar class, starts in percentage mode with an absolute position and size. Declaration public ProgressBar(Rect rect) Parameters Type Name Description Rect rect Rect. Properties Fraction Gets or sets the ProgressBar fraction to display, must be a value between 0 and 1. Declaration public float Fraction { get; set; } Property Value Type Description System.Single The fraction representing the progress. Methods Pulse() Notifies the ProgressBar that some progress has taken place. Declaration public void Pulse() Remarks If the ProgressBar is is percentage mode, it switches to activity mode. If is in activity mode, the marker is moved. Redraw(Rect) Declaration public override void Redraw(Rect region) Parameters Type Name Description Rect region Overrides View.Redraw(Rect) Implements System.Collections.IEnumerable" - }, - "api/Terminal.Gui/Terminal.Gui.RadioGroup.html": { - "href": "api/Terminal.Gui/Terminal.Gui.RadioGroup.html", - "title": "Class RadioGroup", - "keywords": "Class RadioGroup RadioGroup shows a group of radio labels, only one of those can be selected at a given time Inheritance System.Object Responder View RadioGroup Implements System.Collections.IEnumerable Inherited Members View.Enter View.Leave View.MouseEnter View.MouseLeave View.Driver View.Subviews View.Id View.IsCurrentTop View.WantMousePositionReports View.WantContinuousButtonPressed View.Frame View.GetEnumerator() View.LayoutStyle View.Bounds View.X View.Y View.Width View.Height View.SuperView View.SetNeedsDisplay() View.SetNeedsDisplay(Rect) View.ChildNeedsDisplay() View.Add(View) View.Add(View[]) View.RemoveAll() View.Remove(View) View.BringSubviewToFront(View) View.SendSubviewToBack(View) View.SendSubviewBackwards(View) View.BringSubviewForward(View) View.Clear() View.Clear(Rect) View.ScreenToView(Int32, Int32) View.ClipToBounds() View.SetClip(Rect) View.DrawFrame(Rect, Int32, Boolean) View.DrawHotString(ustring, Attribute, Attribute) View.DrawHotString(ustring, Boolean, ColorScheme) View.Move(Int32, Int32) View.HasFocus View.OnEnter() View.OnLeave() View.Focused View.MostFocused View.ColorScheme View.AddRune(Int32, Int32, Rune) View.ClearNeedsDisplay() View.SetFocus(View) View.KeyPress View.ProcessHotKey(KeyEvent) View.KeyDown View.OnKeyDown(KeyEvent) View.KeyUp View.OnKeyUp(KeyEvent) View.EnsureFocus() View.FocusFirst() View.FocusLast() View.FocusPrev() View.FocusNext() View.LayoutSubviews() View.ToString() View.OnMouseEnter(MouseEvent) View.OnMouseLeave(MouseEvent) Responder.CanFocus System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class RadioGroup : View, IEnumerable Constructors RadioGroup(Int32, Int32, String[], Int32) Initializes a new instance of the RadioGroup class setting up the initial set of radio labels and the item that should be selected. The View frame is computed from the provided radio labels. Declaration public RadioGroup(int x, int y, string[] radioLabels, int selected = 0) Parameters Type Name Description System.Int32 x The x coordinate. System.Int32 y The y coordinate. System.String [] radioLabels The radio labels; an array of strings that can contain hotkeys using an underscore before the letter. System.Int32 selected The item to be selected, the value is clamped to the number of items. RadioGroup(String[], Int32) Initializes a new instance of the RadioGroup class setting up the initial set of radio labels and the item that should be selected. Declaration public RadioGroup(string[] radioLabels, int selected = 0) Parameters Type Name Description System.String [] radioLabels The radio labels; an array of strings that can contain hotkeys using an underscore before the letter. System.Int32 selected The index of the item to be selected, the value is clamped to the number of items. RadioGroup(Rect, String[], Int32) Initializes a new instance of the RadioGroup class setting up the initial set of radio labels and the item that should be selected and uses an absolute layout for the result. Declaration public RadioGroup(Rect rect, string[] radioLabels, int selected = 0) Parameters Type Name Description Rect rect Boundaries for the radio group. System.String [] radioLabels The radio labels; an array of strings that can contain hotkeys using an underscore before the letter. System.Int32 selected The index of item to be selected, the value is clamped to the number of items. Fields SelectionChanged Declaration public Action SelectionChanged Field Value Type Description System.Action < System.Int32 > Properties Cursor The location of the cursor in the RadioGroup Declaration public int Cursor { get; set; } Property Value Type Description System.Int32 RadioLabels The radio labels to display Declaration public string[] RadioLabels { get; set; } Property Value Type Description System.String [] The radio labels. Selected The currently selected item from the list of radio labels Declaration public int Selected { get; set; } Property Value Type Description System.Int32 The selected. Methods MouseEvent(MouseEvent) Declaration public override bool MouseEvent(MouseEvent me) Parameters Type Name Description MouseEvent me Returns Type Description System.Boolean Overrides Responder.MouseEvent(MouseEvent) PositionCursor() Declaration public override void PositionCursor() Overrides View.PositionCursor() ProcessColdKey(KeyEvent) Declaration public override bool ProcessColdKey(KeyEvent kb) Parameters Type Name Description KeyEvent kb Returns Type Description System.Boolean Overrides View.ProcessColdKey(KeyEvent) ProcessKey(KeyEvent) Declaration public override bool ProcessKey(KeyEvent kb) Parameters Type Name Description KeyEvent kb Returns Type Description System.Boolean Overrides View.ProcessKey(KeyEvent) Redraw(Rect) Declaration public override void Redraw(Rect region) Parameters Type Name Description Rect region Overrides View.Redraw(Rect) Implements System.Collections.IEnumerable" - }, - "api/Terminal.Gui/Terminal.Gui.Rect.html": { - "href": "api/Terminal.Gui/Terminal.Gui.Rect.html", - "title": "Struct Rect", - "keywords": "Struct Rect Stores a set of four integers that represent the location and size of a rectangle Inherited Members System.Object.Equals(System.Object, System.Object) System.Object.GetType() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public struct Rect Constructors Rect(Int32, Int32, Int32, Int32) Rectangle Constructor Declaration public Rect(int x, int y, int width, int height) Parameters Type Name Description System.Int32 x System.Int32 y System.Int32 width System.Int32 height Remarks Creates a Rectangle from a specified x,y location and width and height values. Rect(Point, Size) Rectangle Constructor Declaration public Rect(Point location, Size size) Parameters Type Name Description Point location Size size Remarks Creates a Rectangle from Point and Size values. Fields Empty Empty Shared Field Declaration public static readonly Rect Empty Field Value Type Description Rect Remarks An uninitialized Rectangle Structure. Height Gets or sets the height of this Rectangle structure. Declaration public int Height Field Value Type Description System.Int32 Width Gets or sets the width of this Rect structure. Declaration public int Width Field Value Type Description System.Int32 X Gets or sets the x-coordinate of the upper-left corner of this Rectangle structure. Declaration public int X Field Value Type Description System.Int32 Y Gets or sets the y-coordinate of the upper-left corner of this Rectangle structure. Declaration public int Y Field Value Type Description System.Int32 Properties Bottom Bottom Property Declaration public int Bottom { get; } Property Value Type Description System.Int32 Remarks The Y coordinate of the bottom edge of the Rectangle. Read only. IsEmpty IsEmpty Property Declaration public bool IsEmpty { get; } Property Value Type Description System.Boolean Remarks Indicates if the width or height are zero. Read only. Left Left Property Declaration public int Left { get; } Property Value Type Description System.Int32 Remarks The X coordinate of the left edge of the Rectangle. Read only. Location Location Property Declaration public Point Location { get; set; } Property Value Type Description Point Remarks The Location of the top-left corner of the Rectangle. Right Right Property Declaration public int Right { get; } Property Value Type Description System.Int32 Remarks The X coordinate of the right edge of the Rectangle. Read only. Size Size Property Declaration public Size Size { get; set; } Property Value Type Description Size Remarks The Size of the Rectangle. Top Top Property Declaration public int Top { get; } Property Value Type Description System.Int32 Remarks The Y coordinate of the top edge of the Rectangle. Read only. Methods Contains(Int32, Int32) Contains Method Declaration public bool Contains(int x, int y) Parameters Type Name Description System.Int32 x System.Int32 y Returns Type Description System.Boolean Remarks Checks if an x,y coordinate lies within this Rectangle. Contains(Point) Contains Method Declaration public bool Contains(Point pt) Parameters Type Name Description Point pt Returns Type Description System.Boolean Remarks Checks if a Point lies within this Rectangle. Contains(Rect) Contains Method Declaration public bool Contains(Rect rect) Parameters Type Name Description Rect rect Returns Type Description System.Boolean Remarks Checks if a Rectangle lies entirely within this Rectangle. Equals(Object) Equals Method Declaration public override bool Equals(object obj) Parameters Type Name Description System.Object obj Returns Type Description System.Boolean Overrides System.ValueType.Equals(System.Object) Remarks Checks equivalence of this Rectangle and another object. FromLTRB(Int32, Int32, Int32, Int32) FromLTRB Shared Method Declaration public static Rect FromLTRB(int left, int top, int right, int bottom) Parameters Type Name Description System.Int32 left System.Int32 top System.Int32 right System.Int32 bottom Returns Type Description Rect Remarks Produces a Rectangle structure from left, top, right and bottom coordinates. GetHashCode() GetHashCode Method Declaration public override int GetHashCode() Returns Type Description System.Int32 Overrides System.ValueType.GetHashCode() Remarks Calculates a hashing value. Inflate(Int32, Int32) Inflate Method Declaration public void Inflate(int width, int height) Parameters Type Name Description System.Int32 width System.Int32 height Remarks Inflates the Rectangle by a specified width and height. Inflate(Rect, Int32, Int32) Inflate Shared Method Declaration public static Rect Inflate(Rect rect, int x, int y) Parameters Type Name Description Rect rect System.Int32 x System.Int32 y Returns Type Description Rect Remarks Produces a new Rectangle by inflating an existing Rectangle by the specified coordinate values. Inflate(Size) Inflate Method Declaration public void Inflate(Size size) Parameters Type Name Description Size size Remarks Inflates the Rectangle by a specified Size. Intersect(Rect) Intersect Method Declaration public void Intersect(Rect rect) Parameters Type Name Description Rect rect Remarks Replaces the Rectangle with the intersection of itself and another Rectangle. Intersect(Rect, Rect) Intersect Shared Method Declaration public static Rect Intersect(Rect a, Rect b) Parameters Type Name Description Rect a Rect b Returns Type Description Rect Remarks Produces a new Rectangle by intersecting 2 existing Rectangles. Returns null if there is no intersection. IntersectsWith(Rect) IntersectsWith Method Declaration public bool IntersectsWith(Rect rect) Parameters Type Name Description Rect rect Returns Type Description System.Boolean Remarks Checks if a Rectangle intersects with this one. Offset(Int32, Int32) Offset Method Declaration public void Offset(int x, int y) Parameters Type Name Description System.Int32 x System.Int32 y Remarks Moves the Rectangle a specified distance. Offset(Point) Offset Method Declaration public void Offset(Point pos) Parameters Type Name Description Point pos Remarks Moves the Rectangle a specified distance. ToString() ToString Method Declaration public override string ToString() Returns Type Description System.String Overrides System.ValueType.ToString() Remarks Formats the Rectangle as a string in (x,y,w,h) notation. Union(Rect, Rect) Union Shared Method Declaration public static Rect Union(Rect a, Rect b) Parameters Type Name Description Rect a Rect b Returns Type Description Rect Remarks Produces a new Rectangle from the union of 2 existing Rectangles. Operators Equality(Rect, Rect) Equality Operator Declaration public static bool operator ==(Rect left, Rect right) Parameters Type Name Description Rect left Rect right Returns Type Description System.Boolean Remarks Compares two Rectangle objects. The return value is based on the equivalence of the Location and Size properties of the two Rectangles. Inequality(Rect, Rect) Inequality Operator Declaration public static bool operator !=(Rect left, Rect right) Parameters Type Name Description Rect left Rect right Returns Type Description System.Boolean Remarks Compares two Rectangle objects. The return value is based on the equivalence of the Location and Size properties of the two Rectangles." - }, - "api/Terminal.Gui/Terminal.Gui.Responder.html": { - "href": "api/Terminal.Gui/Terminal.Gui.Responder.html", - "title": "Class Responder", - "keywords": "Class Responder Responder base class implemented by objects that want to participate on keyboard and mouse input. Inheritance System.Object Responder View Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class Responder Properties CanFocus Gets or sets a value indicating whether this Responder can focus. Declaration public virtual bool CanFocus { get; set; } Property Value Type Description System.Boolean true if can focus; otherwise, false . HasFocus Gets or sets a value indicating whether this Responder has focus. Declaration public virtual bool HasFocus { get; } Property Value Type Description System.Boolean true if has focus; otherwise, false . Methods MouseEvent(MouseEvent) Method invoked when a mouse event is generated Declaration public virtual bool MouseEvent(MouseEvent mouseEvent) Parameters Type Name Description MouseEvent mouseEvent Contains the details about the mouse event. Returns Type Description System.Boolean true , if the event was handled, false otherwise. OnEnter() Method invoked when a view gets focus. Declaration public virtual bool OnEnter() Returns Type Description System.Boolean true , if the event was handled, false otherwise. OnKeyDown(KeyEvent) Method invoked when a key is pressed. Declaration public virtual bool OnKeyDown(KeyEvent keyEvent) Parameters Type Name Description KeyEvent keyEvent Contains the details about the key that produced the event. Returns Type Description System.Boolean true if the event was handled OnKeyUp(KeyEvent) Method invoked when a key is released. Declaration public virtual bool OnKeyUp(KeyEvent keyEvent) Parameters Type Name Description KeyEvent keyEvent Contains the details about the key that produced the event. Returns Type Description System.Boolean true if the event was handled OnLeave() Method invoked when a view loses focus. Declaration public virtual bool OnLeave() Returns Type Description System.Boolean true , if the event was handled, false otherwise. OnMouseEnter(MouseEvent) Method invoked when a mouse event is generated for the first time. Declaration public virtual bool OnMouseEnter(MouseEvent mouseEvent) Parameters Type Name Description MouseEvent mouseEvent Returns Type Description System.Boolean true , if the event was handled, false otherwise. OnMouseLeave(MouseEvent) Method invoked when a mouse event is generated for the last time. Declaration public virtual bool OnMouseLeave(MouseEvent mouseEvent) Parameters Type Name Description MouseEvent mouseEvent Returns Type Description System.Boolean true , if the event was handled, false otherwise. ProcessColdKey(KeyEvent) This method can be overwritten by views that want to provide accelerator functionality (Alt-key for example), but without interefering with normal ProcessKey behavior. Declaration public virtual bool ProcessColdKey(KeyEvent keyEvent) Parameters Type Name Description KeyEvent keyEvent Contains the details about the key that produced the event. Returns Type Description System.Boolean Remarks After keys are sent to the subviews on the current view, all the view are processed and the key is passed to the views to allow some of them to process the keystroke as a cold-key. This functionality is used, for example, by default buttons to act on the enter key. Processing this as a hot-key would prevent non-default buttons from consuming the enter keypress when they have the focus. ProcessHotKey(KeyEvent) This method can be overwritten by view that want to provide accelerator functionality (Alt-key for example). Declaration public virtual bool ProcessHotKey(KeyEvent kb) Parameters Type Name Description KeyEvent kb Returns Type Description System.Boolean Remarks Before keys are sent to the subview on the current view, all the views are processed and the key is passed to the widgets to allow some of them to process the keystroke as a hot-key. For example, if you implement a button that has a hotkey ok \"o\", you would catch the combination Alt-o here. If the event is caught, you must return true to stop the keystroke from being dispatched to other views. ProcessKey(KeyEvent) If the view is focused, gives the view a chance to process the keystroke. Declaration public virtual bool ProcessKey(KeyEvent keyEvent) Parameters Type Name Description KeyEvent keyEvent Contains the details about the key that produced the event. Returns Type Description System.Boolean Remarks Views can override this method if they are interested in processing the given keystroke. If they consume the keystroke, they must return true to stop the keystroke from being processed by other widgets or consumed by the widget engine. If they return false, the keystroke will be passed using the ProcessColdKey method to other views to process. The View implementation does nothing but return false, so it is not necessary to call base.ProcessKey if you derive directly from View, but you should if you derive other View subclasses." - }, - "api/Terminal.Gui/Terminal.Gui.SaveDialog.html": { - "href": "api/Terminal.Gui/Terminal.Gui.SaveDialog.html", - "title": "Class SaveDialog", - "keywords": "Class SaveDialog The SaveDialog provides an interactive dialog box for users to pick a file to save. Inheritance System.Object Responder View Toplevel Window Dialog FileDialog SaveDialog Implements System.Collections.IEnumerable Inherited Members FileDialog.WillPresent() FileDialog.Prompt FileDialog.NameFieldLabel FileDialog.Message FileDialog.CanCreateDirectories FileDialog.IsExtensionHidden FileDialog.DirectoryPath FileDialog.AllowedFileTypes FileDialog.AllowsOtherFileTypes FileDialog.FilePath FileDialog.Canceled Dialog.AddButton(Button) Dialog.LayoutSubviews() Dialog.ProcessKey(KeyEvent) Window.Title Window.GetEnumerator() Window.Add(View) Window.Remove(View) Window.RemoveAll() Window.Redraw(Rect) Window.MouseEvent(MouseEvent) Toplevel.Running Toplevel.Ready Toplevel.Create() Toplevel.CanFocus Toplevel.Modal Toplevel.MenuBar Toplevel.StatusBar View.Enter View.Leave View.MouseEnter View.MouseLeave View.Driver View.Subviews View.Id View.IsCurrentTop View.WantMousePositionReports View.WantContinuousButtonPressed View.Frame View.LayoutStyle View.Bounds View.X View.Y View.Width View.Height View.SuperView View.SetNeedsDisplay() View.SetNeedsDisplay(Rect) View.ChildNeedsDisplay() View.Add(View[]) View.BringSubviewToFront(View) View.SendSubviewToBack(View) View.SendSubviewBackwards(View) View.BringSubviewForward(View) View.Clear() View.Clear(Rect) View.ScreenToView(Int32, Int32) View.ClipToBounds() View.SetClip(Rect) View.DrawFrame(Rect, Int32, Boolean) View.DrawHotString(ustring, Attribute, Attribute) View.DrawHotString(ustring, Boolean, ColorScheme) View.Move(Int32, Int32) View.PositionCursor() View.HasFocus View.OnEnter() View.OnLeave() View.Focused View.MostFocused View.ColorScheme View.AddRune(Int32, Int32, Rune) View.ClearNeedsDisplay() View.SetFocus(View) View.KeyPress View.ProcessHotKey(KeyEvent) View.ProcessColdKey(KeyEvent) View.KeyDown View.OnKeyDown(KeyEvent) View.KeyUp View.OnKeyUp(KeyEvent) View.EnsureFocus() View.FocusFirst() View.FocusLast() View.FocusPrev() View.FocusNext() View.ToString() View.OnMouseEnter(MouseEvent) View.OnMouseLeave(MouseEvent) System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class SaveDialog : FileDialog, IEnumerable Remarks To use, create an instance of SaveDialog , and pass it to Run() . This will run the dialog modally, and when this returns, the FileName property will contain the selected file name or null if the user canceled. Constructors SaveDialog(ustring, ustring) Initializes a new SaveDialog Declaration public SaveDialog(ustring title, ustring message) Parameters Type Name Description NStack.ustring title The title. NStack.ustring message The message. Properties FileName Gets the name of the file the user selected for saving, or null if the user canceled the SaveDialog . Declaration public ustring FileName { get; } Property Value Type Description NStack.ustring The name of the file. Implements System.Collections.IEnumerable" - }, - "api/Terminal.Gui/Terminal.Gui.ScrollBarView.html": { - "href": "api/Terminal.Gui/Terminal.Gui.ScrollBarView.html", - "title": "Class ScrollBarView", - "keywords": "Class ScrollBarView ScrollBarViews are views that display a 1-character scrollbar, either horizontal or vertical Inheritance System.Object Responder View ScrollBarView Implements System.Collections.IEnumerable Inherited Members View.Enter View.Leave View.MouseEnter View.MouseLeave View.Driver View.Subviews View.Id View.IsCurrentTop View.WantMousePositionReports View.WantContinuousButtonPressed View.Frame View.GetEnumerator() View.LayoutStyle View.Bounds View.X View.Y View.Width View.Height View.SuperView View.SetNeedsDisplay() View.SetNeedsDisplay(Rect) View.ChildNeedsDisplay() View.Add(View) View.Add(View[]) View.RemoveAll() View.Remove(View) View.BringSubviewToFront(View) View.SendSubviewToBack(View) View.SendSubviewBackwards(View) View.BringSubviewForward(View) View.Clear() View.Clear(Rect) View.ScreenToView(Int32, Int32) View.ClipToBounds() View.SetClip(Rect) View.DrawFrame(Rect, Int32, Boolean) View.DrawHotString(ustring, Attribute, Attribute) View.DrawHotString(ustring, Boolean, ColorScheme) View.Move(Int32, Int32) View.PositionCursor() View.HasFocus View.OnEnter() View.OnLeave() View.Focused View.MostFocused View.ColorScheme View.AddRune(Int32, Int32, Rune) View.ClearNeedsDisplay() View.SetFocus(View) View.KeyPress View.ProcessKey(KeyEvent) View.ProcessHotKey(KeyEvent) View.ProcessColdKey(KeyEvent) View.KeyDown View.OnKeyDown(KeyEvent) View.KeyUp View.OnKeyUp(KeyEvent) View.EnsureFocus() View.FocusFirst() View.FocusLast() View.FocusPrev() View.FocusNext() View.LayoutSubviews() View.ToString() View.OnMouseEnter(MouseEvent) View.OnMouseLeave(MouseEvent) Responder.CanFocus System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class ScrollBarView : View, IEnumerable Remarks The scrollbar is drawn to be a representation of the Size, assuming that the scroll position is set at Position. If the region to display the scrollbar is larger than three characters, arrow indicators are drawn. Constructors ScrollBarView(Rect, Int32, Int32, Boolean) Initializes a new instance of the ScrollBarView class. Declaration public ScrollBarView(Rect rect, int size, int position, bool isVertical) Parameters Type Name Description Rect rect Frame for the scrollbar. System.Int32 size The size that this scrollbar represents. System.Int32 position The position within this scrollbar. System.Boolean isVertical If set to true this is a vertical scrollbar, otherwise, the scrollbar is horizontal. Properties Position The position to show the scrollbar at. Declaration public int Position { get; set; } Property Value Type Description System.Int32 The position. Size The size that this scrollbar represents Declaration public int Size { get; set; } Property Value Type Description System.Int32 The size. Methods MouseEvent(MouseEvent) Declaration public override bool MouseEvent(MouseEvent me) Parameters Type Name Description MouseEvent me Returns Type Description System.Boolean Overrides Responder.MouseEvent(MouseEvent) Redraw(Rect) Redraw the scrollbar Declaration public override void Redraw(Rect region) Parameters Type Name Description Rect region Region to be redrawn. Overrides View.Redraw(Rect) Events ChangedPosition This event is raised when the position on the scrollbar has changed. Declaration public event Action ChangedPosition Event Type Type Description System.Action Implements System.Collections.IEnumerable" - }, - "api/Terminal.Gui/Terminal.Gui.ScrollView.html": { - "href": "api/Terminal.Gui/Terminal.Gui.ScrollView.html", - "title": "Class ScrollView", - "keywords": "Class ScrollView Scrollviews are views that present a window into a virtual space where children views are added. Similar to the iOS UIScrollView. Inheritance System.Object Responder View ScrollView Implements System.Collections.IEnumerable Inherited Members View.Enter View.Leave View.MouseEnter View.MouseLeave View.Driver View.Subviews View.Id View.IsCurrentTop View.WantMousePositionReports View.WantContinuousButtonPressed View.Frame View.GetEnumerator() View.LayoutStyle View.Bounds View.X View.Y View.Width View.Height View.SuperView View.SetNeedsDisplay() View.SetNeedsDisplay(Rect) View.ChildNeedsDisplay() View.Add(View[]) View.Remove(View) View.BringSubviewToFront(View) View.SendSubviewToBack(View) View.SendSubviewBackwards(View) View.BringSubviewForward(View) View.Clear() View.Clear(Rect) View.ScreenToView(Int32, Int32) View.ClipToBounds() View.SetClip(Rect) View.DrawFrame(Rect, Int32, Boolean) View.DrawHotString(ustring, Attribute, Attribute) View.DrawHotString(ustring, Boolean, ColorScheme) View.Move(Int32, Int32) View.HasFocus View.OnEnter() View.OnLeave() View.Focused View.MostFocused View.ColorScheme View.AddRune(Int32, Int32, Rune) View.ClearNeedsDisplay() View.SetFocus(View) View.KeyPress View.ProcessHotKey(KeyEvent) View.ProcessColdKey(KeyEvent) View.KeyDown View.OnKeyDown(KeyEvent) View.KeyUp View.OnKeyUp(KeyEvent) View.EnsureFocus() View.FocusFirst() View.FocusLast() View.FocusPrev() View.FocusNext() View.LayoutSubviews() View.ToString() View.OnMouseEnter(MouseEvent) View.OnMouseLeave(MouseEvent) Responder.CanFocus System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class ScrollView : View, IEnumerable Remarks The subviews that are added to this scrollview are offset by the ContentOffset property. The view itself is a window into the space represented by the ContentSize. Constructors ScrollView(Rect) Constructs a ScrollView Declaration public ScrollView(Rect frame) Parameters Type Name Description Rect frame Properties ContentOffset Represents the top left corner coordinate that is displayed by the scrollview Declaration public Point ContentOffset { get; set; } Property Value Type Description Point The content offset. ContentSize Represents the contents of the data shown inside the scrolview Declaration public Size ContentSize { get; set; } Property Value Type Description Size The size of the content. ShowHorizontalScrollIndicator Gets or sets the visibility for the horizontal scroll indicator. Declaration public bool ShowHorizontalScrollIndicator { get; set; } Property Value Type Description System.Boolean true if show vertical scroll indicator; otherwise, false . ShowVerticalScrollIndicator /// Gets or sets the visibility for the vertical scroll indicator. Declaration public bool ShowVerticalScrollIndicator { get; set; } Property Value Type Description System.Boolean true if show vertical scroll indicator; otherwise, false . Methods Add(View) Adds the view to the scrollview. Declaration public override void Add(View view) Parameters Type Name Description View view The view to add to the scrollview. Overrides View.Add(View) MouseEvent(MouseEvent) Declaration public override bool MouseEvent(MouseEvent me) Parameters Type Name Description MouseEvent me Returns Type Description System.Boolean Overrides Responder.MouseEvent(MouseEvent) PositionCursor() Declaration public override void PositionCursor() Overrides View.PositionCursor() ProcessKey(KeyEvent) Declaration public override bool ProcessKey(KeyEvent kb) Parameters Type Name Description KeyEvent kb Returns Type Description System.Boolean Overrides View.ProcessKey(KeyEvent) Redraw(Rect) This event is raised when the contents have scrolled Declaration public override void Redraw(Rect region) Parameters Type Name Description Rect region Overrides View.Redraw(Rect) RemoveAll() Removes all widgets from this container. Declaration public override void RemoveAll() Overrides View.RemoveAll() Remarks ScrollDown(Int32) Scrolls the view down. Declaration public bool ScrollDown(int lines) Parameters Type Name Description System.Int32 lines Number of lines to scroll. Returns Type Description System.Boolean true , if left was scrolled, false otherwise. ScrollLeft(Int32) Scrolls the view to the left Declaration public bool ScrollLeft(int cols) Parameters Type Name Description System.Int32 cols Number of columns to scroll by. Returns Type Description System.Boolean true , if left was scrolled, false otherwise. ScrollRight(Int32) Scrolls the view to the right. Declaration public bool ScrollRight(int cols) Parameters Type Name Description System.Int32 cols Number of columns to scroll by. Returns Type Description System.Boolean true , if right was scrolled, false otherwise. ScrollUp(Int32) Scrolls the view up. Declaration public bool ScrollUp(int lines) Parameters Type Name Description System.Int32 lines Number of lines to scroll. Returns Type Description System.Boolean true , if left was scrolled, false otherwise. Implements System.Collections.IEnumerable" - }, - "api/Terminal.Gui/Terminal.Gui.Size.html": { - "href": "api/Terminal.Gui/Terminal.Gui.Size.html", - "title": "Struct Size", - "keywords": "Struct Size Stores an ordered pair of integers, which specify a Height and Width. Inherited Members System.Object.Equals(System.Object, System.Object) System.Object.GetType() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public struct Size Constructors Size(Int32, Int32) Size Constructor Declaration public Size(int width, int height) Parameters Type Name Description System.Int32 width System.Int32 height Remarks Creates a Size from specified dimensions. Size(Point) Size Constructor Declaration public Size(Point pt) Parameters Type Name Description Point pt Remarks Creates a Size from a Point value. Fields Empty Gets a Size structure that has a Height and Width value of 0. Declaration public static readonly Size Empty Field Value Type Description Size Properties Height Height Property Declaration public int Height { get; set; } Property Value Type Description System.Int32 Remarks The Height coordinate of the Size. IsEmpty IsEmpty Property Declaration public bool IsEmpty { get; } Property Value Type Description System.Boolean Remarks Indicates if both Width and Height are zero. Width Width Property Declaration public int Width { get; set; } Property Value Type Description System.Int32 Remarks The Width coordinate of the Size. Methods Add(Size, Size) Adds the width and height of one Size structure to the width and height of another Size structure. Declaration public static Size Add(Size sz1, Size sz2) Parameters Type Name Description Size sz1 The first Size structure to add. Size sz2 The second Size structure to add. Returns Type Description Size The add. Equals(Object) Equals Method Declaration public override bool Equals(object obj) Parameters Type Name Description System.Object obj Returns Type Description System.Boolean Overrides System.ValueType.Equals(System.Object) Remarks Checks equivalence of this Size and another object. GetHashCode() GetHashCode Method Declaration public override int GetHashCode() Returns Type Description System.Int32 Overrides System.ValueType.GetHashCode() Remarks Calculates a hashing value. Subtract(Size, Size) Subtracts the width and height of one Size structure to the width and height of another Size structure. Declaration public static Size Subtract(Size sz1, Size sz2) Parameters Type Name Description Size sz1 The first Size structure to subtract. Size sz2 The second Size structure to subtract. Returns Type Description Size The subtract. ToString() ToString Method Declaration public override string ToString() Returns Type Description System.String Overrides System.ValueType.ToString() Remarks Formats the Size as a string in coordinate notation. Operators Addition(Size, Size) Addition Operator Declaration public static Size operator +(Size sz1, Size sz2) Parameters Type Name Description Size sz1 Size sz2 Returns Type Description Size Remarks Addition of two Size structures. Equality(Size, Size) Equality Operator Declaration public static bool operator ==(Size sz1, Size sz2) Parameters Type Name Description Size sz1 Size sz2 Returns Type Description System.Boolean Remarks Compares two Size objects. The return value is based on the equivalence of the Width and Height properties of the two Sizes. Explicit(Size to Point) Size to Point Conversion Declaration public static explicit operator Point(Size size) Parameters Type Name Description Size size Returns Type Description Point Remarks Returns a Point based on the dimensions of a given Size. Requires explicit cast. Inequality(Size, Size) Inequality Operator Declaration public static bool operator !=(Size sz1, Size sz2) Parameters Type Name Description Size sz1 Size sz2 Returns Type Description System.Boolean Remarks Compares two Size objects. The return value is based on the equivalence of the Width and Height properties of the two Sizes. Subtraction(Size, Size) Subtraction Operator Declaration public static Size operator -(Size sz1, Size sz2) Parameters Type Name Description Size sz1 Size sz2 Returns Type Description Size Remarks Subtracts two Size structures." - }, - "api/Terminal.Gui/Terminal.Gui.SpecialChar.html": { - "href": "api/Terminal.Gui/Terminal.Gui.SpecialChar.html", - "title": "Enum SpecialChar", - "keywords": "Enum SpecialChar Special characters that can be drawn with Driver.AddSpecial. Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public enum SpecialChar Fields Name Description BottomTee The bottom tee. Diamond Diamond character HLine Horizontal line character. LeftTee Left tee LLCorner Lower left corner LRCorner Lower right corner RightTee Right tee Stipple Stipple pattern TopTee Top tee ULCorner Upper left corner URCorner Upper right corner VLine Vertical line character." - }, - "api/Terminal.Gui/Terminal.Gui.StatusBar.html": { - "href": "api/Terminal.Gui/Terminal.Gui.StatusBar.html", - "title": "Class StatusBar", - "keywords": "Class StatusBar A status bar is a View that snaps to the bottom of a Toplevel displaying set of StatusItem s. The StatusBar should be context sensitive. This means, if the main menu and an open text editor are visible, the items probably shown will be ~F1~ Help ~F2~ Save ~F3~ Load. While a dialog to ask a file to load is executed, the remaining commands will probably be ~F1~ Help. So for each context must be a new instance of a statusbar. Inheritance System.Object Responder View StatusBar Implements System.Collections.IEnumerable Inherited Members View.Enter View.Leave View.MouseEnter View.MouseLeave View.Driver View.Subviews View.Id View.IsCurrentTop View.WantMousePositionReports View.WantContinuousButtonPressed View.Frame View.GetEnumerator() View.LayoutStyle View.Bounds View.X View.Y View.Width View.Height View.SuperView View.SetNeedsDisplay() View.SetNeedsDisplay(Rect) View.ChildNeedsDisplay() View.Add(View) View.Add(View[]) View.RemoveAll() View.Remove(View) View.BringSubviewToFront(View) View.SendSubviewToBack(View) View.SendSubviewBackwards(View) View.BringSubviewForward(View) View.Clear() View.Clear(Rect) View.ScreenToView(Int32, Int32) View.ClipToBounds() View.SetClip(Rect) View.DrawFrame(Rect, Int32, Boolean) View.DrawHotString(ustring, Attribute, Attribute) View.DrawHotString(ustring, Boolean, ColorScheme) View.Move(Int32, Int32) View.PositionCursor() View.HasFocus View.OnEnter() View.OnLeave() View.Focused View.MostFocused View.ColorScheme View.AddRune(Int32, Int32, Rune) View.ClearNeedsDisplay() View.SetFocus(View) View.KeyPress View.ProcessKey(KeyEvent) View.ProcessColdKey(KeyEvent) View.KeyDown View.OnKeyDown(KeyEvent) View.KeyUp View.OnKeyUp(KeyEvent) View.EnsureFocus() View.FocusFirst() View.FocusLast() View.FocusPrev() View.FocusNext() View.LayoutSubviews() View.ToString() View.OnMouseEnter(MouseEvent) View.OnMouseLeave(MouseEvent) Responder.CanFocus Responder.MouseEvent(MouseEvent) System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class StatusBar : View, IEnumerable Constructors StatusBar(StatusItem[]) Initializes a new instance of the StatusBar class with the specified set of StatusItem s. The StatusBar will be drawn on the lowest line of the terminal or Parent (if not null). Declaration public StatusBar(StatusItem[] items) Parameters Type Name Description StatusItem [] items A list of statusbar items. Properties Items The items that compose the StatusBar Declaration public StatusItem[] Items { get; set; } Property Value Type Description StatusItem [] Parent The parent view of the StatusBar . Declaration public View Parent { get; set; } Property Value Type Description View Methods ProcessHotKey(KeyEvent) Declaration public override bool ProcessHotKey(KeyEvent kb) Parameters Type Name Description KeyEvent kb Returns Type Description System.Boolean Overrides View.ProcessHotKey(KeyEvent) Redraw(Rect) Declaration public override void Redraw(Rect region) Parameters Type Name Description Rect region Overrides View.Redraw(Rect) Implements System.Collections.IEnumerable" - }, - "api/Terminal.Gui/Terminal.Gui.StatusItem.html": { - "href": "api/Terminal.Gui/Terminal.Gui.StatusItem.html", - "title": "Class StatusItem", - "keywords": "Class StatusItem StatusItem objects are contained by StatusBar View s. Each StatusItem has a title, a shortcut (hotkey), and an Action that will be invoked when the Shortcut is pressed. The Shortcut will be a global hotkey for the application in the current context of the screen. The colour of the Title will be changed after each ~. A Title set to `~F1~ Help` will render as *F1* using HotNormal and *Help* as HotNormal . Inheritance System.Object StatusItem Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class StatusItem Constructors StatusItem(Key, ustring, Action) Initializes a new StatusItem . Declaration public StatusItem(Key shortcut, ustring title, Action action) Parameters Type Name Description Key shortcut Shortcut to activate the StatusItem . NStack.ustring title Title for the StatusItem . System.Action action Action to invoke when the StatusItem is activated. Properties Action Gets or sets the action to be invoked when the statusbar item is triggered Declaration public Action Action { get; } Property Value Type Description System.Action Action to invoke. Shortcut Gets the global shortcut to invoke the action on the menu. Declaration public Key Shortcut { get; } Property Value Type Description Key Title Gets or sets the title. Declaration public ustring Title { get; } Property Value Type Description NStack.ustring The title. Remarks The colour of the Title will be changed after each ~. A Title set to `~F1~ Help` will render as *F1* using HotNormal and *Help* as HotNormal ." - }, - "api/Terminal.Gui/Terminal.Gui.TextAlignment.html": { - "href": "api/Terminal.Gui/Terminal.Gui.TextAlignment.html", - "title": "Enum TextAlignment", - "keywords": "Enum TextAlignment Text alignment enumeration, controls how text is displayed. Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public enum TextAlignment Fields Name Description Centered Centers the text in the frame. Justified Shows the text as justified text in the frame. Left Aligns the text to the left of the frame. Right Aligns the text to the right side of the frame." - }, - "api/Terminal.Gui/Terminal.Gui.TextField.html": { - "href": "api/Terminal.Gui/Terminal.Gui.TextField.html", - "title": "Class TextField", - "keywords": "Class TextField Single-line text entry View Inheritance System.Object Responder View TextField DateField TimeField Implements System.Collections.IEnumerable Inherited Members View.Enter View.Leave View.MouseEnter View.MouseLeave View.Driver View.Subviews View.Id View.IsCurrentTop View.WantMousePositionReports View.WantContinuousButtonPressed View.GetEnumerator() View.LayoutStyle View.Bounds View.X View.Y View.Width View.Height View.SuperView View.SetNeedsDisplay() View.SetNeedsDisplay(Rect) View.ChildNeedsDisplay() View.Add(View) View.Add(View[]) View.RemoveAll() View.Remove(View) View.BringSubviewToFront(View) View.SendSubviewToBack(View) View.SendSubviewBackwards(View) View.BringSubviewForward(View) View.Clear() View.Clear(Rect) View.ScreenToView(Int32, Int32) View.ClipToBounds() View.SetClip(Rect) View.DrawFrame(Rect, Int32, Boolean) View.DrawHotString(ustring, Attribute, Attribute) View.DrawHotString(ustring, Boolean, ColorScheme) View.Move(Int32, Int32) View.HasFocus View.OnEnter() View.Focused View.MostFocused View.ColorScheme View.AddRune(Int32, Int32, Rune) View.ClearNeedsDisplay() View.SetFocus(View) View.KeyPress View.ProcessHotKey(KeyEvent) View.ProcessColdKey(KeyEvent) View.KeyDown View.OnKeyDown(KeyEvent) View.KeyUp View.OnKeyUp(KeyEvent) View.EnsureFocus() View.FocusFirst() View.FocusLast() View.FocusPrev() View.FocusNext() View.LayoutSubviews() View.ToString() View.OnMouseEnter(MouseEvent) View.OnMouseLeave(MouseEvent) System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class TextField : View, IEnumerable Remarks The TextField View provides editing functionality and mouse support. Constructors TextField(ustring) Public constructor that creates a text field, with layout controlled with X, Y, Width and Height. Declaration public TextField(ustring text) Parameters Type Name Description NStack.ustring text Initial text contents. TextField(Int32, Int32, Int32, ustring) Public constructor that creates a text field at an absolute position and size. Declaration public TextField(int x, int y, int w, ustring text) Parameters Type Name Description System.Int32 x The x coordinate. System.Int32 y The y coordinate. System.Int32 w The width. NStack.ustring text Initial text contents. TextField(String) Public constructor that creates a text field, with layout controlled with X, Y, Width and Height. Declaration public TextField(string text) Parameters Type Name Description System.String text Initial text contents. Properties CanFocus Declaration public override bool CanFocus { get; set; } Property Value Type Description System.Boolean Overrides Responder.CanFocus CursorPosition Sets or gets the current cursor position. Declaration public int CursorPosition { get; set; } Property Value Type Description System.Int32 Frame Declaration public override Rect Frame { get; set; } Property Value Type Description Rect Overrides View.Frame ReadOnly If set to true its not allow any changes in the text. Declaration public bool ReadOnly { get; set; } Property Value Type Description System.Boolean Secret Sets the secret property. Declaration public bool Secret { get; set; } Property Value Type Description System.Boolean Remarks This makes the text entry suitable for entering passwords. SelectedLength Length of the selected text. Declaration public int SelectedLength { get; set; } Property Value Type Description System.Int32 SelectedStart Start position of the selected text. Declaration public int SelectedStart { get; set; } Property Value Type Description System.Int32 SelectedText The selected text. Declaration public ustring SelectedText { get; set; } Property Value Type Description NStack.ustring Text Sets or gets the text held by the view. Declaration public ustring Text { get; set; } Property Value Type Description NStack.ustring Remarks Used Tracks whether the text field should be considered \"used\", that is, that the user has moved in the entry, so new input should be appended at the cursor position, rather than clearing the entry Declaration public bool Used { get; set; } Property Value Type Description System.Boolean Methods ClearAllSelection() Clear the selected text. Declaration public void ClearAllSelection() Copy() Copy the selected text to the clipboard. Declaration public virtual void Copy() Cut() Cut the selected text to the clipboard. Declaration public virtual void Cut() MouseEvent(MouseEvent) Declaration public override bool MouseEvent(MouseEvent ev) Parameters Type Name Description MouseEvent ev Returns Type Description System.Boolean Overrides Responder.MouseEvent(MouseEvent) OnLeave() Declaration public override bool OnLeave() Returns Type Description System.Boolean Overrides View.OnLeave() Paste() Paste the selected text from the clipboard. Declaration public virtual void Paste() PositionCursor() Sets the cursor position. Declaration public override void PositionCursor() Overrides View.PositionCursor() ProcessKey(KeyEvent) Processes key presses for the TextField . Declaration public override bool ProcessKey(KeyEvent kb) Parameters Type Name Description KeyEvent kb Returns Type Description System.Boolean Overrides View.ProcessKey(KeyEvent) Remarks The TextField control responds to the following keys: Keys Function Delete , Backspace Deletes the character before cursor. Redraw(Rect) Declaration public override void Redraw(Rect region) Parameters Type Name Description Rect region Overrides View.Redraw(Rect) Events Changed Changed event, raised when the text has clicked. Declaration public event EventHandler Changed Event Type Type Description System.EventHandler < NStack.ustring > Remarks This event is raised when the Text changes. Implements System.Collections.IEnumerable" - }, - "api/Terminal.Gui/Terminal.Gui.TextView.html": { - "href": "api/Terminal.Gui/Terminal.Gui.TextView.html", - "title": "Class TextView", - "keywords": "Class TextView Multi-line text editing View Inheritance System.Object Responder View TextView Implements System.Collections.IEnumerable Inherited Members View.Enter View.Leave View.MouseEnter View.MouseLeave View.Driver View.Subviews View.Id View.IsCurrentTop View.WantMousePositionReports View.WantContinuousButtonPressed View.Frame View.GetEnumerator() View.LayoutStyle View.Bounds View.X View.Y View.Width View.Height View.SuperView View.SetNeedsDisplay() View.SetNeedsDisplay(Rect) View.ChildNeedsDisplay() View.Add(View) View.Add(View[]) View.RemoveAll() View.Remove(View) View.BringSubviewToFront(View) View.SendSubviewToBack(View) View.SendSubviewBackwards(View) View.BringSubviewForward(View) View.Clear() View.Clear(Rect) View.ScreenToView(Int32, Int32) View.ClipToBounds() View.SetClip(Rect) View.DrawFrame(Rect, Int32, Boolean) View.DrawHotString(ustring, Attribute, Attribute) View.DrawHotString(ustring, Boolean, ColorScheme) View.Move(Int32, Int32) View.HasFocus View.OnEnter() View.OnLeave() View.Focused View.MostFocused View.ColorScheme View.AddRune(Int32, Int32, Rune) View.ClearNeedsDisplay() View.SetFocus(View) View.KeyPress View.ProcessHotKey(KeyEvent) View.ProcessColdKey(KeyEvent) View.KeyDown View.OnKeyDown(KeyEvent) View.KeyUp View.OnKeyUp(KeyEvent) View.EnsureFocus() View.FocusFirst() View.FocusLast() View.FocusPrev() View.FocusNext() View.LayoutSubviews() View.ToString() View.OnMouseEnter(MouseEvent) View.OnMouseLeave(MouseEvent) System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class TextView : View, IEnumerable Remarks TextView provides a multi-line text editor. Users interact with it with the standard Emacs commands for movement or the arrow keys. Shortcut Action performed Left cursor, Control-b Moves the editing point left. Right cursor, Control-f Moves the editing point right. Alt-b Moves one word back. Alt-f Moves one word forward. Up cursor, Control-p Moves the editing point one line up. Down cursor, Control-n Moves the editing point one line down Home key, Control-a Moves the cursor to the beginning of the line. End key, Control-e Moves the cursor to the end of the line. Delete, Control-d Deletes the character in front of the cursor. Backspace Deletes the character behind the cursor. Control-k Deletes the text until the end of the line and replaces the kill buffer with the deleted text. You can paste this text in a different place by using Control-y. Control-y Pastes the content of the kill ring into the current position. Alt-d Deletes the word above the cursor and adds it to the kill ring. You can paste the contents of the kill ring with Control-y. Control-q Quotes the next input character, to prevent the normal processing of key handling to take place. Constructors TextView() Initalizes a TextView on the specified area, with dimensions controlled with the X, Y, Width and Height properties. Declaration public TextView() TextView(Rect) Initalizes a TextView on the specified area, with absolute position and size. Declaration public TextView(Rect frame) Parameters Type Name Description Rect frame Remarks Properties CanFocus Declaration public override bool CanFocus { get; set; } Property Value Type Description System.Boolean Overrides Responder.CanFocus CurrentColumn Gets the cursor column. Declaration public int CurrentColumn { get; } Property Value Type Description System.Int32 The cursor column. CurrentRow Gets the current cursor row. Declaration public int CurrentRow { get; } Property Value Type Description System.Int32 ReadOnly Gets or sets whether the TextView is in read-only mode or not Declaration public bool ReadOnly { get; set; } Property Value Type Description System.Boolean Boolean value(Default false) Text Sets or gets the text in the TextView . Declaration public ustring Text { get; set; } Property Value Type Description NStack.ustring Remarks Methods CloseFile() Closes the contents of the stream into the TextView . Declaration public bool CloseFile() Returns Type Description System.Boolean true , if stream was closed, false otherwise. LoadFile(String) Loads the contents of the file into the TextView . Declaration public bool LoadFile(string path) Parameters Type Name Description System.String path Path to the file to load. Returns Type Description System.Boolean true , if file was loaded, false otherwise. LoadStream(Stream) Loads the contents of the stream into the TextView . Declaration public void LoadStream(Stream stream) Parameters Type Name Description System.IO.Stream stream Stream to load the contents from. MouseEvent(MouseEvent) Declaration public override bool MouseEvent(MouseEvent ev) Parameters Type Name Description MouseEvent ev Returns Type Description System.Boolean Overrides Responder.MouseEvent(MouseEvent) PositionCursor() Positions the cursor on the current row and column Declaration public override void PositionCursor() Overrides View.PositionCursor() ProcessKey(KeyEvent) Declaration public override bool ProcessKey(KeyEvent kb) Parameters Type Name Description KeyEvent kb Returns Type Description System.Boolean Overrides View.ProcessKey(KeyEvent) Redraw(Rect) Declaration public override void Redraw(Rect region) Parameters Type Name Description Rect region Overrides View.Redraw(Rect) ScrollTo(Int32) Will scroll the TextView to display the specified row at the top Declaration public void ScrollTo(int row) Parameters Type Name Description System.Int32 row Row that should be displayed at the top, if the value is negative it will be reset to zero Events TextChanged Raised when the Text of the TextView changes. Declaration public event EventHandler TextChanged Event Type Type Description System.EventHandler Implements System.Collections.IEnumerable" - }, - "api/Terminal.Gui/Terminal.Gui.TimeField.html": { - "href": "api/Terminal.Gui/Terminal.Gui.TimeField.html", - "title": "Class TimeField", - "keywords": "Class TimeField Time editing View Inheritance System.Object Responder View TextField TimeField Implements System.Collections.IEnumerable Inherited Members TextField.Used TextField.ReadOnly TextField.Changed TextField.OnLeave() TextField.Frame TextField.Text TextField.Secret TextField.CursorPosition TextField.PositionCursor() TextField.Redraw(Rect) TextField.CanFocus TextField.SelectedStart TextField.SelectedLength TextField.SelectedText TextField.ClearAllSelection() TextField.Copy() TextField.Cut() TextField.Paste() View.Enter View.Leave View.MouseEnter View.MouseLeave View.Driver View.Subviews View.Id View.IsCurrentTop View.WantMousePositionReports View.WantContinuousButtonPressed View.GetEnumerator() View.LayoutStyle View.Bounds View.X View.Y View.Width View.Height View.SuperView View.SetNeedsDisplay() View.SetNeedsDisplay(Rect) View.ChildNeedsDisplay() View.Add(View) View.Add(View[]) View.RemoveAll() View.Remove(View) View.BringSubviewToFront(View) View.SendSubviewToBack(View) View.SendSubviewBackwards(View) View.BringSubviewForward(View) View.Clear() View.Clear(Rect) View.ScreenToView(Int32, Int32) View.ClipToBounds() View.SetClip(Rect) View.DrawFrame(Rect, Int32, Boolean) View.DrawHotString(ustring, Attribute, Attribute) View.DrawHotString(ustring, Boolean, ColorScheme) View.Move(Int32, Int32) View.HasFocus View.OnEnter() View.Focused View.MostFocused View.ColorScheme View.AddRune(Int32, Int32, Rune) View.ClearNeedsDisplay() View.SetFocus(View) View.KeyPress View.ProcessHotKey(KeyEvent) View.ProcessColdKey(KeyEvent) View.KeyDown View.OnKeyDown(KeyEvent) View.KeyUp View.OnKeyUp(KeyEvent) View.EnsureFocus() View.FocusFirst() View.FocusLast() View.FocusPrev() View.FocusNext() View.LayoutSubviews() View.ToString() View.OnMouseEnter(MouseEvent) View.OnMouseLeave(MouseEvent) System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class TimeField : TextField, IEnumerable Remarks The TimeField View provides time editing functionality with mouse support. Constructors TimeField(DateTime) Initializes a new instance of TimeField Declaration public TimeField(DateTime time) Parameters Type Name Description System.DateTime time TimeField(Int32, Int32, DateTime, Boolean) Initializes a new instance of TimeField at an absolute position and fixed size. Declaration public TimeField(int x, int y, DateTime time, bool isShort = false) Parameters Type Name Description System.Int32 x The x coordinate. System.Int32 y The y coordinate. System.DateTime time Initial time contents. System.Boolean isShort If true, the seconds are hidden. Properties IsShortFormat Get or set the data format for the widget. Declaration public bool IsShortFormat { get; set; } Property Value Type Description System.Boolean Time Gets or sets the time of the TimeField . Declaration public DateTime Time { get; set; } Property Value Type Description System.DateTime Remarks Methods MouseEvent(MouseEvent) Declaration public override bool MouseEvent(MouseEvent ev) Parameters Type Name Description MouseEvent ev Returns Type Description System.Boolean Overrides TextField.MouseEvent(MouseEvent) ProcessKey(KeyEvent) Declaration public override bool ProcessKey(KeyEvent kb) Parameters Type Name Description KeyEvent kb Returns Type Description System.Boolean Overrides TextField.ProcessKey(KeyEvent) Implements System.Collections.IEnumerable" - }, - "api/Terminal.Gui/Terminal.Gui.Toplevel.html": { - "href": "api/Terminal.Gui/Terminal.Gui.Toplevel.html", - "title": "Class Toplevel", - "keywords": "Class Toplevel Toplevel views can be modally executed. Inheritance System.Object Responder View Toplevel Window Implements System.Collections.IEnumerable Inherited Members View.Enter View.Leave View.MouseEnter View.MouseLeave View.Driver View.Subviews View.Id View.IsCurrentTop View.WantMousePositionReports View.WantContinuousButtonPressed View.Frame View.GetEnumerator() View.LayoutStyle View.Bounds View.X View.Y View.Width View.Height View.SuperView View.SetNeedsDisplay() View.SetNeedsDisplay(Rect) View.ChildNeedsDisplay() View.Add(View[]) View.BringSubviewToFront(View) View.SendSubviewToBack(View) View.SendSubviewBackwards(View) View.BringSubviewForward(View) View.Clear() View.Clear(Rect) View.ScreenToView(Int32, Int32) View.ClipToBounds() View.SetClip(Rect) View.DrawFrame(Rect, Int32, Boolean) View.DrawHotString(ustring, Attribute, Attribute) View.DrawHotString(ustring, Boolean, ColorScheme) View.Move(Int32, Int32) View.PositionCursor() View.HasFocus View.OnEnter() View.OnLeave() View.Focused View.MostFocused View.ColorScheme View.AddRune(Int32, Int32, Rune) View.ClearNeedsDisplay() View.SetFocus(View) View.KeyPress View.ProcessHotKey(KeyEvent) View.ProcessColdKey(KeyEvent) View.KeyDown View.OnKeyDown(KeyEvent) View.KeyUp View.OnKeyUp(KeyEvent) View.EnsureFocus() View.FocusFirst() View.FocusLast() View.FocusPrev() View.FocusNext() View.LayoutSubviews() View.ToString() View.OnMouseEnter(MouseEvent) View.OnMouseLeave(MouseEvent) Responder.MouseEvent(MouseEvent) System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class Toplevel : View, IEnumerable Remarks Toplevels can be modally executing views, and they return control to the caller when the \"Running\" property is set to false, or by calling Terminal.Gui.Application.RequestStop() There will be a toplevel created for you on the first time use and can be accessed from the property Top , but new toplevels can be created and ran on top of it. To run, create the toplevel and then invoke Run() with the new toplevel. TopLevels can also opt-in to more sophisticated initialization by implementing System.ComponentModel.ISupportInitialize . When they do so, the System.ComponentModel.ISupportInitialize.BeginInit and System.ComponentModel.ISupportInitialize.EndInit methods will be called before running the view. If first-run-only initialization is preferred, the System.ComponentModel.ISupportInitializeNotification can be implemented too, in which case the System.ComponentModel.ISupportInitialize methods will only be called if System.ComponentModel.ISupportInitializeNotification.IsInitialized is false . This allows proper View inheritance hierarchies to override base class layout code optimally by doing so only on first run, instead of on every run. Constructors Toplevel() Initializes a new instance of the Toplevel class with Computed layout, defaulting to async full screen. Declaration public Toplevel() Toplevel(Rect) Initializes a new instance of the Toplevel class with the specified absolute layout. Declaration public Toplevel(Rect frame) Parameters Type Name Description Rect frame Frame. Properties CanFocus Gets or sets a value indicating whether this Toplevel can focus. Declaration public override bool CanFocus { get; } Property Value Type Description System.Boolean true if can focus; otherwise, false . Overrides Responder.CanFocus MenuBar Check id current toplevel has menu bar Declaration public MenuBar MenuBar { get; set; } Property Value Type Description MenuBar Modal Determines whether the Toplevel is modal or not. Causes ProcessKey(KeyEvent) to propagate keys upwards by default unless set to true . Declaration public bool Modal { get; set; } Property Value Type Description System.Boolean Running Gets or sets whether the Mainloop for this Toplevel is running or not. Setting this property to false will cause the MainLoop to exit. Declaration public bool Running { get; set; } Property Value Type Description System.Boolean StatusBar Check id current toplevel has status bar Declaration public StatusBar StatusBar { get; set; } Property Value Type Description StatusBar Methods Add(View) Declaration public override void Add(View view) Parameters Type Name Description View view Overrides View.Add(View) Create() Convenience factory method that creates a new toplevel with the current terminal dimensions. Declaration public static Toplevel Create() Returns Type Description Toplevel The create. ProcessKey(KeyEvent) Declaration public override bool ProcessKey(KeyEvent keyEvent) Parameters Type Name Description KeyEvent keyEvent Returns Type Description System.Boolean Overrides View.ProcessKey(KeyEvent) Redraw(Rect) Declaration public override void Redraw(Rect region) Parameters Type Name Description Rect region Overrides View.Redraw(Rect) Remove(View) Declaration public override void Remove(View view) Parameters Type Name Description View view Overrides View.Remove(View) RemoveAll() Declaration public override void RemoveAll() Overrides View.RemoveAll() WillPresent() This method is invoked by Application.Begin as part of the Application.Run after the views have been laid out, and before the views are drawn for the first time. Declaration public virtual void WillPresent() Events Ready Fired once the Toplevel's MainLoop has started it's first iteration. Subscribe to this event to perform tasks when the Toplevel has been laid out and focus has been set. changes. A Ready event handler is a good place to finalize initialization after calling ` Run() (topLevel)`. Declaration public event EventHandler Ready Event Type Type Description System.EventHandler Implements System.Collections.IEnumerable" - }, - "api/Terminal.Gui/Terminal.Gui.UnixMainLoop.Condition.html": { - "href": "api/Terminal.Gui/Terminal.Gui.UnixMainLoop.Condition.html", - "title": "Enum UnixMainLoop.Condition", - "keywords": "Enum UnixMainLoop.Condition Condition on which to wake up from file descriptor activity. These match the Linux/BSD poll definitions. Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax [Flags] public enum Condition : short Fields Name Description PollErr Error condition on output PollHup Hang-up on output PollIn There is data to read PollNval File descriptor is not open. PollOut Writing to the specified descriptor will not block PollPri There is urgent data to read" - }, - "api/Terminal.Gui/Terminal.Gui.UnixMainLoop.html": { - "href": "api/Terminal.Gui/Terminal.Gui.UnixMainLoop.html", - "title": "Class UnixMainLoop", - "keywords": "Class UnixMainLoop Unix main loop, suitable for using on Posix systems Inheritance System.Object UnixMainLoop Implements IMainLoopDriver Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class UnixMainLoop : IMainLoopDriver Remarks In addition to the general functions of the mainloop, the Unix version can watch file descriptors using the AddWatch methods. Methods AddWatch(Int32, UnixMainLoop.Condition, Func) Watches a file descriptor for activity. Declaration public object AddWatch(int fileDescriptor, UnixMainLoop.Condition condition, Func callback) Parameters Type Name Description System.Int32 fileDescriptor UnixMainLoop.Condition condition System.Func < MainLoop , System.Boolean > callback Returns Type Description System.Object Remarks When the condition is met, the provided callback is invoked. If the callback returns false, the watch is automatically removed. The return value is a token that represents this watch, you can use this token to remove the watch by calling RemoveWatch. RemoveWatch(Object) Removes an active watch from the mainloop. Declaration public void RemoveWatch(object token) Parameters Type Name Description System.Object token Remarks The token parameter is the value returned from AddWatch Explicit Interface Implementations IMainLoopDriver.EventsPending(Boolean) Declaration bool IMainLoopDriver.EventsPending(bool wait) Parameters Type Name Description System.Boolean wait Returns Type Description System.Boolean IMainLoopDriver.MainIteration() Declaration void IMainLoopDriver.MainIteration() IMainLoopDriver.Setup(MainLoop) Declaration void IMainLoopDriver.Setup(MainLoop mainLoop) Parameters Type Name Description MainLoop mainLoop IMainLoopDriver.Wakeup() Declaration void IMainLoopDriver.Wakeup() Implements IMainLoopDriver" - }, - "api/Terminal.Gui/Terminal.Gui.View.html": { - "href": "api/Terminal.Gui/Terminal.Gui.View.html", - "title": "Class View", - "keywords": "Class View View is the base class for all views on the screen and represents a visible element that can render itself and contains zero or more nested views. Inheritance System.Object Responder View Button CheckBox ComboBox FrameView HexView Label ListView MenuBar ProgressBar RadioGroup ScrollBarView ScrollView StatusBar TextField TextView Toplevel Implements System.Collections.IEnumerable Inherited Members Responder.CanFocus Responder.MouseEvent(MouseEvent) System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class View : Responder, IEnumerable Remarks The View defines the base functionality for user interface elements in Terminal/gui.cs. Views can contain one or more subviews, can respond to user input and render themselves on the screen. Views can either be created with an absolute position, by calling the constructor that takes a Rect parameter to specify the absolute position and size (the Frame of the View) or by setting the X, Y, Width and Height properties on the view. Both approaches use coordinates that are relative to the container they are being added to. When you do not specify a Rect frame you can use the more flexible Dim and Pos objects that can dynamically update the position of a view. The X and Y properties are of type Pos and you can use either absolute positions, percentages or anchor points. The Width and Height properties are of type Dim and can use absolute position, percentages and anchors. These are useful as they will take care of repositioning your views if your view's frames are resized or if the terminal size changes. When you specify the Rect parameter to a view, you are setting the LayoutStyle to Absolute, and the view will always stay in the position that you placed it. To change the position change the Frame property to the new position. Subviews can be added to a View by calling the Add method. The container of a view is the Superview. Developers can call the SetNeedsDisplay method on the view to flag a region or the entire view as requiring to be redrawn. Views have a ColorScheme property that defines the default colors that subviews should use for rendering. This ensures that the views fit in the context where they are being used, and allows for themes to be plugged in. For example, the default colors for windows and toplevels uses a blue background, while it uses a white background for dialog boxes and a red background for errors. If a ColorScheme is not set on a view, the result of the ColorScheme is the value of the SuperView and the value might only be valid once a view has been added to a SuperView, so your subclasses should not rely on ColorScheme being set at construction time. Using ColorSchemes has the advantage that your application will work both in color as well as black and white displays. Views that are focusable should implement the PositionCursor to make sure that the cursor is placed in a location that makes sense. Unix terminals do not have a way of hiding the cursor, so it can be distracting to have the cursor left at the last focused view. So views should make sure that they place the cursor in a visually sensible place. The metnod LayoutSubviews is invoked when the size or layout of a view has changed. The default processing system will keep the size and dimensions for views that use the LayoutKind.Absolute, and will recompute the frames for the vies that use LayoutKind.Computed. Constructors View() Initializes a new instance of the View class and sets the view up for Computed layout, which will use the values in X, Y, Width and Height to compute the View's Frame. Declaration public View() View(Rect) Initializes a new instance of the View class with the absolute dimensions specified in the frame. If you want to have Views that can be positioned with Pos and Dim properties on X, Y, Width and Height, use the empty constructor. Declaration public View(Rect frame) Parameters Type Name Description Rect frame The region covered by this view. Properties Bounds The bounds represent the View-relative rectangle used for this view. Updates to the Bounds update the Frame, and has the same side effects as updating the frame. Declaration public Rect Bounds { get; set; } Property Value Type Description Rect The bounds. ColorScheme The color scheme for this view, if it is not defined, it returns the parent's color scheme. Declaration public ColorScheme ColorScheme { get; set; } Property Value Type Description ColorScheme Driver Points to the current driver in use by the view, it is a convenience property for simplifying the development of new views. Declaration public static ConsoleDriver Driver { get; } Property Value Type Description ConsoleDriver Focused Returns the currently focused view inside this view, or null if nothing is focused. Declaration public View Focused { get; } Property Value Type Description View The focused. Frame Gets or sets the frame for the view. Declaration public virtual Rect Frame { get; set; } Property Value Type Description Rect The frame. Remarks Altering the Frame of a view will trigger the redrawing of the view as well as the redrawing of the affected regions in the superview. HasFocus Declaration public override bool HasFocus { get; } Property Value Type Description System.Boolean Overrides Responder.HasFocus Height Gets or sets the height for the view. This is only used when the LayoutStyle is Computed, if the LayoutStyle is set to Absolute, this value is ignored. Declaration public Dim Height { get; set; } Property Value Type Description Dim The height. Id Gets or sets an identifier for the view; Declaration public ustring Id { get; set; } Property Value Type Description NStack.ustring The identifier. IsCurrentTop Returns a value indicating if this View is currently on Top (Active) Declaration public bool IsCurrentTop { get; } Property Value Type Description System.Boolean LayoutStyle Controls how the view's Frame is computed during the LayoutSubviews method, if Absolute, then LayoutSubviews does not change the Frame properties, otherwise the Frame is updated from the values in X, Y, Width and Height properties. Declaration public LayoutStyle LayoutStyle { get; set; } Property Value Type Description LayoutStyle The layout style. MostFocused Returns the most focused view in the chain of subviews (the leaf view that has the focus). Declaration public View MostFocused { get; } Property Value Type Description View The most focused. Subviews This returns a list of the subviews contained by this view. Declaration public IList Subviews { get; } Property Value Type Description System.Collections.Generic.IList < View > The subviews. SuperView Returns the container for this view, or null if this view has not been added to a container. Declaration public View SuperView { get; } Property Value Type Description View The super view. WantContinuousButtonPressed Gets or sets a value indicating whether this View want continuous button pressed event. Declaration public virtual bool WantContinuousButtonPressed { get; set; } Property Value Type Description System.Boolean WantMousePositionReports Gets or sets a value indicating whether this View want mouse position reports. Declaration public virtual bool WantMousePositionReports { get; set; } Property Value Type Description System.Boolean true if want mouse position reports; otherwise, false . Width Gets or sets the width for the view. This is only used when the LayoutStyle is Computed, if the LayoutStyle is set to Absolute, this value is ignored. Declaration public Dim Width { get; set; } Property Value Type Description Dim The width. X Gets or sets the X position for the view (the column). This is only used when the LayoutStyle is Computed, if the LayoutStyle is set to Absolute, this value is ignored. Declaration public Pos X { get; set; } Property Value Type Description Pos The X Position. Y Gets or sets the Y position for the view (line). This is only used when the LayoutStyle is Computed, if the LayoutStyle is set to Absolute, this value is ignored. Declaration public Pos Y { get; set; } Property Value Type Description Pos The y position (line). Methods Add(View) Adds a subview to this view. Declaration public virtual void Add(View view) Parameters Type Name Description View view Remarks Add(View[]) Adds the specified views to the view. Declaration public void Add(params View[] views) Parameters Type Name Description View [] views Array of one or more views (can be optional parameter). AddRune(Int32, Int32, Rune) Displays the specified character in the specified column and row. Declaration public void AddRune(int col, int row, Rune ch) Parameters Type Name Description System.Int32 col Col. System.Int32 row Row. System.Rune ch Ch. BringSubviewForward(View) Moves the subview backwards in the hierarchy, only one step Declaration public void BringSubviewForward(View subview) Parameters Type Name Description View subview The subview to send backwards Remarks If you want to send the view all the way to the back use SendSubviewToBack. BringSubviewToFront(View) Brings the specified subview to the front so it is drawn on top of any other views. Declaration public void BringSubviewToFront(View subview) Parameters Type Name Description View subview The subview to send to the front Remarks SendSubviewToBack(View) . ChildNeedsDisplay() Flags this view for requiring the children views to be repainted. Declaration public void ChildNeedsDisplay() Clear() Clears the view region with the current color. Declaration public void Clear() Remarks This clears the entire region used by this view. Clear(Rect) Clears the specified rectangular region with the current color Declaration public void Clear(Rect r) Parameters Type Name Description Rect r ClearNeedsDisplay() Removes the SetNeedsDisplay and the ChildNeedsDisplay setting on this view. Declaration protected void ClearNeedsDisplay() ClipToBounds() Sets the Console driver's clip region to the current View's Bounds. Declaration public Rect ClipToBounds() Returns Type Description Rect The existing driver's Clip region, which can be then set by setting the Driver.Clip property. DrawFrame(Rect, Int32, Boolean) Draws a frame in the current view, clipped by the boundary of this view Declaration public void DrawFrame(Rect rect, int padding = 0, bool fill = false) Parameters Type Name Description Rect rect Rectangular region for the frame to be drawn. System.Int32 padding The padding to add to the drawn frame. System.Boolean fill If set to true it fill will the contents. DrawHotString(ustring, Boolean, ColorScheme) Utility function to draw strings that contains a hotkey using a colorscheme and the \"focused\" state. Declaration public void DrawHotString(ustring text, bool focused, ColorScheme scheme) Parameters Type Name Description NStack.ustring text String to display, the underscoore before a letter flags the next letter as the hotkey. System.Boolean focused If set to true this uses the focused colors from the color scheme, otherwise the regular ones. ColorScheme scheme The color scheme to use. DrawHotString(ustring, Attribute, Attribute) Utility function to draw strings that contain a hotkey Declaration public void DrawHotString(ustring text, Attribute hotColor, Attribute normalColor) Parameters Type Name Description NStack.ustring text String to display, the underscoore before a letter flags the next letter as the hotkey. Attribute hotColor Hot color. Attribute normalColor Normal color. EnsureFocus() Finds the first view in the hierarchy that wants to get the focus if nothing is currently focused, otherwise, it does nothing. Declaration public void EnsureFocus() FocusFirst() Focuses the first focusable subview if one exists. Declaration public void FocusFirst() FocusLast() Focuses the last focusable subview if one exists. Declaration public void FocusLast() FocusNext() Focuses the next view. Declaration public bool FocusNext() Returns Type Description System.Boolean true , if next was focused, false otherwise. FocusPrev() Focuses the previous view. Declaration public bool FocusPrev() Returns Type Description System.Boolean true , if previous was focused, false otherwise. GetEnumerator() Gets an enumerator that enumerates the subviews in this view. Declaration public IEnumerator GetEnumerator() Returns Type Description System.Collections.IEnumerator The enumerator. LayoutSubviews() This virtual method is invoked when a view starts executing or when the dimensions of the view have changed, for example in response to the container view or terminal resizing. Declaration public virtual void LayoutSubviews() Move(Int32, Int32) This moves the cursor to the specified column and row in the view. Declaration public void Move(int col, int row) Parameters Type Name Description System.Int32 col Col. System.Int32 row Row. OnEnter() Declaration public override bool OnEnter() Returns Type Description System.Boolean Overrides Responder.OnEnter() OnKeyDown(KeyEvent) Declaration public override bool OnKeyDown(KeyEvent keyEvent) Parameters Type Name Description KeyEvent keyEvent Contains the details about the key that produced the event. Returns Type Description System.Boolean Overrides Responder.OnKeyDown(KeyEvent) OnKeyUp(KeyEvent) Declaration public override bool OnKeyUp(KeyEvent keyEvent) Parameters Type Name Description KeyEvent keyEvent Contains the details about the key that produced the event. Returns Type Description System.Boolean Overrides Responder.OnKeyUp(KeyEvent) OnLeave() Declaration public override bool OnLeave() Returns Type Description System.Boolean Overrides Responder.OnLeave() OnMouseEnter(MouseEvent) Declaration public override bool OnMouseEnter(MouseEvent mouseEvent) Parameters Type Name Description MouseEvent mouseEvent Returns Type Description System.Boolean Overrides Responder.OnMouseEnter(MouseEvent) OnMouseLeave(MouseEvent) Declaration public override bool OnMouseLeave(MouseEvent mouseEvent) Parameters Type Name Description MouseEvent mouseEvent Returns Type Description System.Boolean Overrides Responder.OnMouseLeave(MouseEvent) PositionCursor() Positions the cursor in the right position based on the currently focused view in the chain. Declaration public virtual void PositionCursor() ProcessColdKey(KeyEvent) Declaration public override bool ProcessColdKey(KeyEvent keyEvent) Parameters Type Name Description KeyEvent keyEvent Returns Type Description System.Boolean Overrides Responder.ProcessColdKey(KeyEvent) ProcessHotKey(KeyEvent) Declaration public override bool ProcessHotKey(KeyEvent keyEvent) Parameters Type Name Description KeyEvent keyEvent Returns Type Description System.Boolean Overrides Responder.ProcessHotKey(KeyEvent) ProcessKey(KeyEvent) Declaration public override bool ProcessKey(KeyEvent keyEvent) Parameters Type Name Description KeyEvent keyEvent Returns Type Description System.Boolean Overrides Responder.ProcessKey(KeyEvent) Redraw(Rect) Performs a redraw of this view and its subviews, only redraws the views that have been flagged for a re-display. Declaration public virtual void Redraw(Rect region) Parameters Type Name Description Rect region The region to redraw, this is relative to the view itself. Remarks Views should set the color that they want to use on entry, as otherwise this will inherit the last color that was set globaly on the driver. Remove(View) Removes a widget from this container. Declaration public virtual void Remove(View view) Parameters Type Name Description View view Remarks RemoveAll() Removes all the widgets from this container. Declaration public virtual void RemoveAll() Remarks ScreenToView(Int32, Int32) Converts a point from screen coordinates into the view coordinate space. Declaration public Point ScreenToView(int x, int y) Parameters Type Name Description System.Int32 x X screen-coordinate point. System.Int32 y Y screen-coordinate point. Returns Type Description Point The mapped point. SendSubviewBackwards(View) Moves the subview backwards in the hierarchy, only one step Declaration public void SendSubviewBackwards(View subview) Parameters Type Name Description View subview The subview to send backwards Remarks If you want to send the view all the way to the back use SendSubviewToBack. SendSubviewToBack(View) Sends the specified subview to the front so it is the first view drawn Declaration public void SendSubviewToBack(View subview) Parameters Type Name Description View subview The subview to send to the front Remarks BringSubviewToFront(View) . SetClip(Rect) Sets the clipping region to the specified region, the region is view-relative Declaration public Rect SetClip(Rect rect) Parameters Type Name Description Rect rect Rectangle region to clip into, the region is view-relative. Returns Type Description Rect The previous clip region. SetFocus(View) Focuses the specified sub-view. Declaration public void SetFocus(View view) Parameters Type Name Description View view View. SetNeedsDisplay() Invoke to flag that this view needs to be redisplayed, by any code that alters the state of the view. Declaration public void SetNeedsDisplay() SetNeedsDisplay(Rect) Flags the specified rectangle region on this view as needing to be repainted. Declaration public void SetNeedsDisplay(Rect region) Parameters Type Name Description Rect region The region that must be flagged for repaint. ToString() Declaration public override string ToString() Returns Type Description System.String Overrides System.Object.ToString() Events Enter Event fired when the view get focus. Declaration public event EventHandler Enter Event Type Type Description System.EventHandler KeyDown Invoked when a key is pressed Declaration public event EventHandler KeyDown Event Type Type Description System.EventHandler < View.KeyEventEventArgs > KeyPress Invoked when a character key is pressed and occurs after the key up event. Declaration public event EventHandler KeyPress Event Type Type Description System.EventHandler < View.KeyEventEventArgs > KeyUp Invoked when a key is released Declaration public event EventHandler KeyUp Event Type Type Description System.EventHandler < View.KeyEventEventArgs > Leave Event fired when the view lost focus. Declaration public event EventHandler Leave Event Type Type Description System.EventHandler MouseEnter Event fired when the view receives the mouse event for the first time. Declaration public event EventHandler MouseEnter Event Type Type Description System.EventHandler < MouseEvent > MouseLeave Event fired when the view loses mouse event for the last time. Declaration public event EventHandler MouseLeave Event Type Type Description System.EventHandler < MouseEvent > Implements System.Collections.IEnumerable" - }, - "api/Terminal.Gui/Terminal.Gui.View.KeyEventEventArgs.html": { - "href": "api/Terminal.Gui/Terminal.Gui.View.KeyEventEventArgs.html", - "title": "Class View.KeyEventEventArgs", - "keywords": "Class View.KeyEventEventArgs Specifies the event arguments for KeyEvent Inheritance System.Object System.EventArgs View.KeyEventEventArgs Inherited Members System.EventArgs.Empty System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class KeyEventEventArgs : EventArgs Constructors KeyEventEventArgs(KeyEvent) Constructs. Declaration public KeyEventEventArgs(KeyEvent ke) Parameters Type Name Description KeyEvent ke Properties Handled Indicates if the current Key event has already been processed and the driver should stop notifying any other event subscriber. Its important to set this value to true specially when updating any View's layout from inside the subscriber method. Declaration public bool Handled { get; set; } Property Value Type Description System.Boolean KeyEvent The KeyEvent for the event. Declaration public KeyEvent KeyEvent { get; set; } Property Value Type Description KeyEvent" - }, - "api/Terminal.Gui/Terminal.Gui.Window.html": { - "href": "api/Terminal.Gui/Terminal.Gui.Window.html", - "title": "Class Window", - "keywords": "Class Window A Toplevel View that draws a frame around its region and has a \"ContentView\" subview where the contents are added. Inheritance System.Object Responder View Toplevel Window Dialog Implements System.Collections.IEnumerable Inherited Members Toplevel.Running Toplevel.Ready Toplevel.Create() Toplevel.CanFocus Toplevel.Modal Toplevel.MenuBar Toplevel.StatusBar Toplevel.ProcessKey(KeyEvent) Toplevel.WillPresent() View.Enter View.Leave View.MouseEnter View.MouseLeave View.Driver View.Subviews View.Id View.IsCurrentTop View.WantMousePositionReports View.WantContinuousButtonPressed View.Frame View.LayoutStyle View.Bounds View.X View.Y View.Width View.Height View.SuperView View.SetNeedsDisplay() View.SetNeedsDisplay(Rect) View.ChildNeedsDisplay() View.Add(View[]) View.BringSubviewToFront(View) View.SendSubviewToBack(View) View.SendSubviewBackwards(View) View.BringSubviewForward(View) View.Clear() View.Clear(Rect) View.ScreenToView(Int32, Int32) View.ClipToBounds() View.SetClip(Rect) View.DrawFrame(Rect, Int32, Boolean) View.DrawHotString(ustring, Attribute, Attribute) View.DrawHotString(ustring, Boolean, ColorScheme) View.Move(Int32, Int32) View.PositionCursor() View.HasFocus View.OnEnter() View.OnLeave() View.Focused View.MostFocused View.ColorScheme View.AddRune(Int32, Int32, Rune) View.ClearNeedsDisplay() View.SetFocus(View) View.KeyPress View.ProcessHotKey(KeyEvent) View.ProcessColdKey(KeyEvent) View.KeyDown View.OnKeyDown(KeyEvent) View.KeyUp View.OnKeyUp(KeyEvent) View.EnsureFocus() View.FocusFirst() View.FocusLast() View.FocusPrev() View.FocusNext() View.LayoutSubviews() View.ToString() View.OnMouseEnter(MouseEvent) View.OnMouseLeave(MouseEvent) System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Terminal.Gui Assembly : Terminal.Gui.dll Syntax public class Window : Toplevel, IEnumerable Constructors Window(ustring) Initializes a new instance of the Window class with an optional title. Declaration public Window(ustring title = null) Parameters Type Name Description NStack.ustring title Title. Window(ustring, Int32) Initializes a new instance of the Window with the specified frame for its location, with the specified border an optional title. Declaration public Window(ustring title = null, int padding = 0) Parameters Type Name Description NStack.ustring title Title. System.Int32 padding Number of characters to use for padding of the drawn frame. Window(Rect, ustring) Initializes a new instance of the Window class with an optional title and a set frame. Declaration public Window(Rect frame, ustring title = null) Parameters Type Name Description Rect frame Frame. NStack.ustring title Title. Window(Rect, ustring, Int32) Initializes a new instance of the Window with the specified frame for its location, with the specified border an optional title. Declaration public Window(Rect frame, ustring title = null, int padding = 0) Parameters Type Name Description Rect frame Frame. NStack.ustring title Title. System.Int32 padding Number of characters to use for padding of the drawn frame. Properties Title The title to be displayed for this window. Declaration public ustring Title { get; set; } Property Value Type Description NStack.ustring The title. Methods Add(View) Add the specified view to the Terminal.Gui.Window.ContentView . Declaration public override void Add(View view) Parameters Type Name Description View view View to add to the window. Overrides Toplevel.Add(View) GetEnumerator() Enumerates the various View s in the embedded Terminal.Gui.Window.ContentView . Declaration public IEnumerator GetEnumerator() Returns Type Description System.Collections.IEnumerator The enumerator. MouseEvent(MouseEvent) Declaration public override bool MouseEvent(MouseEvent mouseEvent) Parameters Type Name Description MouseEvent mouseEvent Returns Type Description System.Boolean Overrides Responder.MouseEvent(MouseEvent) Redraw(Rect) Declaration public override void Redraw(Rect bounds) Parameters Type Name Description Rect bounds Overrides Toplevel.Redraw(Rect) Remove(View) Removes a widget from this container. Declaration public override void Remove(View view) Parameters Type Name Description View view Overrides Toplevel.Remove(View) Remarks RemoveAll() Removes all widgets from this container. Declaration public override void RemoveAll() Overrides Toplevel.RemoveAll() Remarks Implements System.Collections.IEnumerable" - }, - "api/Terminal.Gui/Unix.Terminal.Curses.Event.html": { - "href": "api/Terminal.Gui/Unix.Terminal.Curses.Event.html", - "title": "Enum Curses.Event", - "keywords": "Enum Curses.Event Namespace : Unix.Terminal Assembly : Terminal.Gui.dll Syntax public enum Event : long Fields Name Description AllEvents Button1Clicked Button1DoubleClicked Button1Pressed Button1Released Button1TripleClicked Button2Clicked Button2DoubleClicked Button2Pressed Button2Released Button2TrippleClicked Button3Clicked Button3DoubleClicked Button3Pressed Button3Released Button3TripleClicked Button4Clicked Button4DoubleClicked Button4Pressed Button4Released Button4TripleClicked ButtonAlt ButtonCtrl ButtonShift ReportMousePosition" - }, - "api/Terminal.Gui/Unix.Terminal.Curses.html": { - "href": "api/Terminal.Gui/Unix.Terminal.Curses.html", - "title": "Class Curses", - "keywords": "Class Curses Inheritance System.Object Curses Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : Unix.Terminal Assembly : Terminal.Gui.dll Syntax public class Curses Fields A_BLINK Declaration public const int A_BLINK = 524288 Field Value Type Description System.Int32 A_BOLD Declaration public const int A_BOLD = 2097152 Field Value Type Description System.Int32 A_DIM Declaration public const int A_DIM = 1048576 Field Value Type Description System.Int32 A_INVIS Declaration public const int A_INVIS = 8388608 Field Value Type Description System.Int32 A_NORMAL Declaration public const int A_NORMAL = 0 Field Value Type Description System.Int32 A_PROTECT Declaration public const int A_PROTECT = 16777216 Field Value Type Description System.Int32 A_REVERSE Declaration public const int A_REVERSE = 262144 Field Value Type Description System.Int32 A_STANDOUT Declaration public const int A_STANDOUT = 65536 Field Value Type Description System.Int32 A_UNDERLINE Declaration public const int A_UNDERLINE = 131072 Field Value Type Description System.Int32 ACS_BLOCK Declaration public const int ACS_BLOCK = 4194352 Field Value Type Description System.Int32 ACS_BOARD Declaration public const int ACS_BOARD = 4194408 Field Value Type Description System.Int32 ACS_BTEE Declaration public const int ACS_BTEE = 4194422 Field Value Type Description System.Int32 ACS_BULLET Declaration public const int ACS_BULLET = 4194430 Field Value Type Description System.Int32 ACS_CKBOARD Declaration public const int ACS_CKBOARD = 4194401 Field Value Type Description System.Int32 ACS_DARROW Declaration public const int ACS_DARROW = 4194350 Field Value Type Description System.Int32 ACS_DEGREE Declaration public const int ACS_DEGREE = 4194406 Field Value Type Description System.Int32 ACS_DIAMOND Declaration public const int ACS_DIAMOND = 4194400 Field Value Type Description System.Int32 ACS_HLINE Declaration public const int ACS_HLINE = 4194417 Field Value Type Description System.Int32 ACS_LANTERN Declaration public const int ACS_LANTERN = 4194409 Field Value Type Description System.Int32 ACS_LARROW Declaration public const int ACS_LARROW = 4194348 Field Value Type Description System.Int32 ACS_LLCORNER Declaration public const int ACS_LLCORNER = 4194413 Field Value Type Description System.Int32 ACS_LRCORNER Declaration public const int ACS_LRCORNER = 4194410 Field Value Type Description System.Int32 ACS_LTEE Declaration public const int ACS_LTEE = 4194420 Field Value Type Description System.Int32 ACS_PLMINUS Declaration public const int ACS_PLMINUS = 4194407 Field Value Type Description System.Int32 ACS_PLUS Declaration public const int ACS_PLUS = 4194414 Field Value Type Description System.Int32 ACS_RARROW Declaration public const int ACS_RARROW = 4194347 Field Value Type Description System.Int32 ACS_RTEE Declaration public const int ACS_RTEE = 4194421 Field Value Type Description System.Int32 ACS_S1 Declaration public const int ACS_S1 = 4194415 Field Value Type Description System.Int32 ACS_S9 Declaration public const int ACS_S9 = 4194419 Field Value Type Description System.Int32 ACS_TTEE Declaration public const int ACS_TTEE = 4194423 Field Value Type Description System.Int32 ACS_UARROW Declaration public const int ACS_UARROW = 4194349 Field Value Type Description System.Int32 ACS_ULCORNER Declaration public const int ACS_ULCORNER = 4194412 Field Value Type Description System.Int32 ACS_URCORNER Declaration public const int ACS_URCORNER = 4194411 Field Value Type Description System.Int32 ACS_VLINE Declaration public const int ACS_VLINE = 4194424 Field Value Type Description System.Int32 AltKeyDown Declaration public const int AltKeyDown = 529 Field Value Type Description System.Int32 AltKeyEnd Declaration public const int AltKeyEnd = 534 Field Value Type Description System.Int32 AltKeyHome Declaration public const int AltKeyHome = 540 Field Value Type Description System.Int32 AltKeyLeft Declaration public const int AltKeyLeft = 551 Field Value Type Description System.Int32 AltKeyNPage Declaration public const int AltKeyNPage = 556 Field Value Type Description System.Int32 AltKeyPPage Declaration public const int AltKeyPPage = 561 Field Value Type Description System.Int32 AltKeyRight Declaration public const int AltKeyRight = 566 Field Value Type Description System.Int32 AltKeyUp Declaration public const int AltKeyUp = 572 Field Value Type Description System.Int32 COLOR_BLACK Declaration public const int COLOR_BLACK = 0 Field Value Type Description System.Int32 COLOR_BLUE Declaration public const int COLOR_BLUE = 4 Field Value Type Description System.Int32 COLOR_CYAN Declaration public const int COLOR_CYAN = 6 Field Value Type Description System.Int32 COLOR_GREEN Declaration public const int COLOR_GREEN = 2 Field Value Type Description System.Int32 COLOR_MAGENTA Declaration public const int COLOR_MAGENTA = 5 Field Value Type Description System.Int32 COLOR_RED Declaration public const int COLOR_RED = 1 Field Value Type Description System.Int32 COLOR_WHITE Declaration public const int COLOR_WHITE = 7 Field Value Type Description System.Int32 COLOR_YELLOW Declaration public const int COLOR_YELLOW = 3 Field Value Type Description System.Int32 CtrlKeyDown Declaration public const int CtrlKeyDown = 531 Field Value Type Description System.Int32 CtrlKeyEnd Declaration public const int CtrlKeyEnd = 536 Field Value Type Description System.Int32 CtrlKeyHome Declaration public const int CtrlKeyHome = 542 Field Value Type Description System.Int32 CtrlKeyLeft Declaration public const int CtrlKeyLeft = 553 Field Value Type Description System.Int32 CtrlKeyNPage Declaration public const int CtrlKeyNPage = 558 Field Value Type Description System.Int32 CtrlKeyPPage Declaration public const int CtrlKeyPPage = 563 Field Value Type Description System.Int32 CtrlKeyRight Declaration public const int CtrlKeyRight = 568 Field Value Type Description System.Int32 CtrlKeyUp Declaration public const int CtrlKeyUp = 574 Field Value Type Description System.Int32 DownEnd Declaration public const int DownEnd = 6 Field Value Type Description System.Int32 ERR Declaration public const int ERR = -1 Field Value Type Description System.Int32 Home Declaration public const int Home = 7 Field Value Type Description System.Int32 KEY_CODE_YES Declaration public const int KEY_CODE_YES = 256 Field Value Type Description System.Int32 KeyAlt Declaration public const int KeyAlt = 8192 Field Value Type Description System.Int32 KeyBackspace Declaration public const int KeyBackspace = 263 Field Value Type Description System.Int32 KeyBackTab Declaration public const int KeyBackTab = 353 Field Value Type Description System.Int32 KeyDeleteChar Declaration public const int KeyDeleteChar = 330 Field Value Type Description System.Int32 KeyDown Declaration public const int KeyDown = 258 Field Value Type Description System.Int32 KeyEnd Declaration public const int KeyEnd = 360 Field Value Type Description System.Int32 KeyF1 Declaration public const int KeyF1 = 265 Field Value Type Description System.Int32 KeyF10 Declaration public const int KeyF10 = 274 Field Value Type Description System.Int32 KeyF11 Declaration public const int KeyF11 = 275 Field Value Type Description System.Int32 KeyF12 Declaration public const int KeyF12 = 276 Field Value Type Description System.Int32 KeyF2 Declaration public const int KeyF2 = 266 Field Value Type Description System.Int32 KeyF3 Declaration public const int KeyF3 = 267 Field Value Type Description System.Int32 KeyF4 Declaration public const int KeyF4 = 268 Field Value Type Description System.Int32 KeyF5 Declaration public const int KeyF5 = 269 Field Value Type Description System.Int32 KeyF6 Declaration public const int KeyF6 = 270 Field Value Type Description System.Int32 KeyF7 Declaration public const int KeyF7 = 271 Field Value Type Description System.Int32 KeyF8 Declaration public const int KeyF8 = 272 Field Value Type Description System.Int32 KeyF9 Declaration public const int KeyF9 = 273 Field Value Type Description System.Int32 KeyHome Declaration public const int KeyHome = 262 Field Value Type Description System.Int32 KeyInsertChar Declaration public const int KeyInsertChar = 331 Field Value Type Description System.Int32 KeyLeft Declaration public const int KeyLeft = 260 Field Value Type Description System.Int32 KeyMouse Declaration public const int KeyMouse = 409 Field Value Type Description System.Int32 KeyNPage Declaration public const int KeyNPage = 338 Field Value Type Description System.Int32 KeyPPage Declaration public const int KeyPPage = 339 Field Value Type Description System.Int32 KeyResize Declaration public const int KeyResize = 410 Field Value Type Description System.Int32 KeyRight Declaration public const int KeyRight = 261 Field Value Type Description System.Int32 KeyTab Declaration public const int KeyTab = 9 Field Value Type Description System.Int32 KeyUp Declaration public const int KeyUp = 259 Field Value Type Description System.Int32 LC_ALL Declaration public const int LC_ALL = 6 Field Value Type Description System.Int32 LeftRightUpNPagePPage Declaration public const int LeftRightUpNPagePPage = 8 Field Value Type Description System.Int32 ShiftCtrlKeyDown Declaration public const int ShiftCtrlKeyDown = 532 Field Value Type Description System.Int32 ShiftCtrlKeyEnd Declaration public const int ShiftCtrlKeyEnd = 537 Field Value Type Description System.Int32 ShiftCtrlKeyHome Declaration public const int ShiftCtrlKeyHome = 543 Field Value Type Description System.Int32 ShiftCtrlKeyLeft Declaration public const int ShiftCtrlKeyLeft = 554 Field Value Type Description System.Int32 ShiftCtrlKeyNPage Declaration public const int ShiftCtrlKeyNPage = 559 Field Value Type Description System.Int32 ShiftCtrlKeyPPage Declaration public const int ShiftCtrlKeyPPage = 564 Field Value Type Description System.Int32 ShiftCtrlKeyRight Declaration public const int ShiftCtrlKeyRight = 569 Field Value Type Description System.Int32 ShiftCtrlKeyUp Declaration public const int ShiftCtrlKeyUp = 575 Field Value Type Description System.Int32 ShiftKeyDown Declaration public const int ShiftKeyDown = 336 Field Value Type Description System.Int32 ShiftKeyEnd Declaration public const int ShiftKeyEnd = 386 Field Value Type Description System.Int32 ShiftKeyHome Declaration public const int ShiftKeyHome = 391 Field Value Type Description System.Int32 ShiftKeyLeft Declaration public const int ShiftKeyLeft = 393 Field Value Type Description System.Int32 ShiftKeyNPage Declaration public const int ShiftKeyNPage = 396 Field Value Type Description System.Int32 ShiftKeyPPage Declaration public const int ShiftKeyPPage = 398 Field Value Type Description System.Int32 ShiftKeyRight Declaration public const int ShiftKeyRight = 402 Field Value Type Description System.Int32 ShiftKeyUp Declaration public const int ShiftKeyUp = 337 Field Value Type Description System.Int32 Properties ColorPairs Declaration public static int ColorPairs { get; } Property Value Type Description System.Int32 Cols Declaration public static int Cols { get; } Property Value Type Description System.Int32 HasColors Declaration public static bool HasColors { get; } Property Value Type Description System.Boolean Lines Declaration public static int Lines { get; } Property Value Type Description System.Int32 Methods addch(Int32) Declaration public static int addch(int ch) Parameters Type Name Description System.Int32 ch Returns Type Description System.Int32 addstr(String, Object[]) Declaration public static int addstr(string format, params object[] args) Parameters Type Name Description System.String format System.Object [] args Returns Type Description System.Int32 addwstr(String) Declaration public static int addwstr(string s) Parameters Type Name Description System.String s Returns Type Description System.Int32 attroff(Int32) Declaration public static int attroff(int attrs) Parameters Type Name Description System.Int32 attrs Returns Type Description System.Int32 attron(Int32) Declaration public static int attron(int attrs) Parameters Type Name Description System.Int32 attrs Returns Type Description System.Int32 attrset(Int32) Declaration public static int attrset(int attrs) Parameters Type Name Description System.Int32 attrs Returns Type Description System.Int32 cbreak() Declaration public static int cbreak() Returns Type Description System.Int32 CheckWinChange() Declaration public static bool CheckWinChange() Returns Type Description System.Boolean clearok(IntPtr, Boolean) Declaration public static int clearok(IntPtr win, bool bf) Parameters Type Name Description System.IntPtr win System.Boolean bf Returns Type Description System.Int32 COLOR_PAIRS() Declaration public static int COLOR_PAIRS() Returns Type Description System.Int32 ColorPair(Int32) Declaration public static int ColorPair(int n) Parameters Type Name Description System.Int32 n Returns Type Description System.Int32 doupdate() Declaration public static int doupdate() Returns Type Description System.Int32 echo() Declaration public static int echo() Returns Type Description System.Int32 endwin() Declaration public static int endwin() Returns Type Description System.Int32 get_wch(out Int32) Declaration public static int get_wch(out int sequence) Parameters Type Name Description System.Int32 sequence Returns Type Description System.Int32 getch() Declaration public static int getch() Returns Type Description System.Int32 getmouse(out Curses.MouseEvent) Declaration public static uint getmouse(out Curses.MouseEvent ev) Parameters Type Name Description Curses.MouseEvent ev Returns Type Description System.UInt32 halfdelay(Int32) Declaration public static int halfdelay(int t) Parameters Type Name Description System.Int32 t Returns Type Description System.Int32 has_colors() Declaration public static bool has_colors() Returns Type Description System.Boolean idcok(IntPtr, Boolean) Declaration public static void idcok(IntPtr win, bool bf) Parameters Type Name Description System.IntPtr win System.Boolean bf idlok(IntPtr, Boolean) Declaration public static int idlok(IntPtr win, bool bf) Parameters Type Name Description System.IntPtr win System.Boolean bf Returns Type Description System.Int32 immedok(IntPtr, Boolean) Declaration public static void immedok(IntPtr win, bool bf) Parameters Type Name Description System.IntPtr win System.Boolean bf init_pair(Int16, Int16, Int16) Declaration public static int init_pair(short pair, short f, short b) Parameters Type Name Description System.Int16 pair System.Int16 f System.Int16 b Returns Type Description System.Int32 InitColorPair(Int16, Int16, Int16) Declaration public static int InitColorPair(short pair, short foreground, short background) Parameters Type Name Description System.Int16 pair System.Int16 foreground System.Int16 background Returns Type Description System.Int32 initscr() Declaration public static Curses.Window initscr() Returns Type Description Curses.Window intrflush(IntPtr, Boolean) Declaration public static int intrflush(IntPtr win, bool bf) Parameters Type Name Description System.IntPtr win System.Boolean bf Returns Type Description System.Int32 IsAlt(Int32) Declaration public static int IsAlt(int key) Parameters Type Name Description System.Int32 key Returns Type Description System.Int32 isendwin() Declaration public static bool isendwin() Returns Type Description System.Boolean keypad(IntPtr, Boolean) Declaration public static int keypad(IntPtr win, bool bf) Parameters Type Name Description System.IntPtr win System.Boolean bf Returns Type Description System.Int32 leaveok(IntPtr, Boolean) Declaration public static int leaveok(IntPtr win, bool bf) Parameters Type Name Description System.IntPtr win System.Boolean bf Returns Type Description System.Int32 meta(IntPtr, Boolean) Declaration public static int meta(IntPtr win, bool bf) Parameters Type Name Description System.IntPtr win System.Boolean bf Returns Type Description System.Int32 mouseinterval(Int32) Declaration public static int mouseinterval(int interval) Parameters Type Name Description System.Int32 interval Returns Type Description System.Int32 mousemask(Curses.Event, out Curses.Event) Declaration public static Curses.Event mousemask(Curses.Event newmask, out Curses.Event oldmask) Parameters Type Name Description Curses.Event newmask Curses.Event oldmask Returns Type Description Curses.Event move(Int32, Int32) Declaration public static int move(int line, int col) Parameters Type Name Description System.Int32 line System.Int32 col Returns Type Description System.Int32 mvgetch(Int32, Int32) Declaration public static int mvgetch(int y, int x) Parameters Type Name Description System.Int32 y System.Int32 x Returns Type Description System.Int32 nl() Declaration public static int nl() Returns Type Description System.Int32 nocbreak() Declaration public static int nocbreak() Returns Type Description System.Int32 noecho() Declaration public static int noecho() Returns Type Description System.Int32 nonl() Declaration public static int nonl() Returns Type Description System.Int32 noqiflush() Declaration public static void noqiflush() noraw() Declaration public static int noraw() Returns Type Description System.Int32 notimeout(IntPtr, Boolean) Declaration public static int notimeout(IntPtr win, bool bf) Parameters Type Name Description System.IntPtr win System.Boolean bf Returns Type Description System.Int32 qiflush() Declaration public static void qiflush() raw() Declaration public static int raw() Returns Type Description System.Int32 redrawwin(IntPtr) Declaration public static int redrawwin(IntPtr win) Parameters Type Name Description System.IntPtr win Returns Type Description System.Int32 refresh() Declaration public static int refresh() Returns Type Description System.Int32 scrollok(IntPtr, Boolean) Declaration public static int scrollok(IntPtr win, bool bf) Parameters Type Name Description System.IntPtr win System.Boolean bf Returns Type Description System.Int32 setlocale(Int32, String) Declaration public static int setlocale(int cate, string locale) Parameters Type Name Description System.Int32 cate System.String locale Returns Type Description System.Int32 setscrreg(Int32, Int32) Declaration public static int setscrreg(int top, int bot) Parameters Type Name Description System.Int32 top System.Int32 bot Returns Type Description System.Int32 start_color() Declaration public static int start_color() Returns Type Description System.Int32 StartColor() Declaration public static int StartColor() Returns Type Description System.Int32 timeout(Int32) Declaration public static int timeout(int delay) Parameters Type Name Description System.Int32 delay Returns Type Description System.Int32 typeahead(IntPtr) Declaration public static int typeahead(IntPtr fd) Parameters Type Name Description System.IntPtr fd Returns Type Description System.Int32 ungetch(Int32) Declaration public static int ungetch(int ch) Parameters Type Name Description System.Int32 ch Returns Type Description System.Int32 ungetmouse(ref Curses.MouseEvent) Declaration public static uint ungetmouse(ref Curses.MouseEvent ev) Parameters Type Name Description Curses.MouseEvent ev Returns Type Description System.UInt32 use_default_colors() Declaration public static int use_default_colors() Returns Type Description System.Int32 UseDefaultColors() Declaration public static int UseDefaultColors() Returns Type Description System.Int32 waddch(IntPtr, Int32) Declaration public static int waddch(IntPtr win, int ch) Parameters Type Name Description System.IntPtr win System.Int32 ch Returns Type Description System.Int32 wmove(IntPtr, Int32, Int32) Declaration public static int wmove(IntPtr win, int line, int col) Parameters Type Name Description System.IntPtr win System.Int32 line System.Int32 col Returns Type Description System.Int32 wnoutrefresh(IntPtr) Declaration public static int wnoutrefresh(IntPtr win) Parameters Type Name Description System.IntPtr win Returns Type Description System.Int32 wrefresh(IntPtr) Declaration public static int wrefresh(IntPtr win) Parameters Type Name Description System.IntPtr win Returns Type Description System.Int32 wsetscrreg(IntPtr, Int32, Int32) Declaration public static int wsetscrreg(IntPtr win, int top, int bot) Parameters Type Name Description System.IntPtr win System.Int32 top System.Int32 bot Returns Type Description System.Int32 wtimeout(IntPtr, Int32) Declaration public static int wtimeout(IntPtr win, int delay) Parameters Type Name Description System.IntPtr win System.Int32 delay Returns Type Description System.Int32" - }, - "api/Terminal.Gui/Unix.Terminal.Curses.MouseEvent.html": { - "href": "api/Terminal.Gui/Unix.Terminal.Curses.MouseEvent.html", - "title": "Struct Curses.MouseEvent", - "keywords": "Struct Curses.MouseEvent Inherited Members System.ValueType.Equals(System.Object) System.ValueType.GetHashCode() System.ValueType.ToString() System.Object.Equals(System.Object, System.Object) System.Object.GetType() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : Unix.Terminal Assembly : Terminal.Gui.dll Syntax public struct MouseEvent Fields ButtonState Declaration public Curses.Event ButtonState Field Value Type Description Curses.Event ID Declaration public short ID Field Value Type Description System.Int16 X Declaration public int X Field Value Type Description System.Int32 Y Declaration public int Y Field Value Type Description System.Int32 Z Declaration public int Z Field Value Type Description System.Int32" - }, - "api/Terminal.Gui/Unix.Terminal.Curses.Window.html": { - "href": "api/Terminal.Gui/Unix.Terminal.Curses.Window.html", - "title": "Class Curses.Window", - "keywords": "Class Curses.Window Inheritance System.Object Curses.Window Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : Unix.Terminal Assembly : Terminal.Gui.dll Syntax public class Window Fields Handle Declaration public readonly IntPtr Handle Field Value Type Description System.IntPtr Properties Current Declaration public static Curses.Window Current { get; } Property Value Type Description Curses.Window Standard Declaration public static Curses.Window Standard { get; } Property Value Type Description Curses.Window Methods addch(Char) Declaration public int addch(char ch) Parameters Type Name Description System.Char ch Returns Type Description System.Int32 clearok(Boolean) Declaration public int clearok(bool bf) Parameters Type Name Description System.Boolean bf Returns Type Description System.Int32 idcok(Boolean) Declaration public void idcok(bool bf) Parameters Type Name Description System.Boolean bf idlok(Boolean) Declaration public int idlok(bool bf) Parameters Type Name Description System.Boolean bf Returns Type Description System.Int32 immedok(Boolean) Declaration public void immedok(bool bf) Parameters Type Name Description System.Boolean bf intrflush(Boolean) Declaration public int intrflush(bool bf) Parameters Type Name Description System.Boolean bf Returns Type Description System.Int32 keypad(Boolean) Declaration public int keypad(bool bf) Parameters Type Name Description System.Boolean bf Returns Type Description System.Int32 leaveok(Boolean) Declaration public int leaveok(bool bf) Parameters Type Name Description System.Boolean bf Returns Type Description System.Int32 meta(Boolean) Declaration public int meta(bool bf) Parameters Type Name Description System.Boolean bf Returns Type Description System.Int32 move(Int32, Int32) Declaration public int move(int line, int col) Parameters Type Name Description System.Int32 line System.Int32 col Returns Type Description System.Int32 notimeout(Boolean) Declaration public int notimeout(bool bf) Parameters Type Name Description System.Boolean bf Returns Type Description System.Int32 redrawwin() Declaration public int redrawwin() Returns Type Description System.Int32 refresh() Declaration public int refresh() Returns Type Description System.Int32 scrollok(Boolean) Declaration public int scrollok(bool bf) Parameters Type Name Description System.Boolean bf Returns Type Description System.Int32 setscrreg(Int32, Int32) Declaration public int setscrreg(int top, int bot) Parameters Type Name Description System.Int32 top System.Int32 bot Returns Type Description System.Int32 wnoutrefresh() Declaration public int wnoutrefresh() Returns Type Description System.Int32 wrefresh() Declaration public int wrefresh() Returns Type Description System.Int32 wtimeout(Int32) Declaration public int wtimeout(int delay) Parameters Type Name Description System.Int32 delay Returns Type Description System.Int32" - }, - "api/Terminal.Gui/Unix.Terminal.html": { - "href": "api/Terminal.Gui/Unix.Terminal.html", - "title": "Namespace Unix.Terminal", - "keywords": "Namespace Unix.Terminal Classes Curses Curses.Window Structs Curses.MouseEvent Enums Curses.Event" - }, - "api/UICatalog/UICatalog.html": { - "href": "api/UICatalog/UICatalog.html", - "title": "Namespace UICatalog", - "keywords": "Namespace UICatalog Classes Scenario Base class for each demo/scenario. To define a new scenario: Create a new .cs file in the Scenarios directory that derives from Scenario . Annotate the Scenario derived class with a attribute specifying the scenario's name and description. Add one or more Scenario.ScenarioCategory attributes to the class specifying which categories the sceanrio belongs to. If you don't specify a category the sceanrio will show up in \"All\". Implement the Setup() override which will be called when a user selects the scenario to run. Optionally, implement the Init(Toplevel) and/or Run() overrides to provide a custom implementation. The UI Catalog program uses reflection to find all scenarios and adds them to the ListViews. Press ENTER to run the selected scenario. Press CTRL-Q to exit it. / Scenario.ScenarioCategory Defines the category names used to catagorize a Scenario Scenario.ScenarioMetadata Defines the metadata (Name and Description) for a Scenario UICatalogApp UI Catalog is a comprehensive sample app and scenario library for Terminal.Gui" - }, - "api/UICatalog/UICatalog.Scenario.html": { - "href": "api/UICatalog/UICatalog.Scenario.html", - "title": "Class Scenario", - "keywords": "Class Scenario Base class for each demo/scenario. To define a new scenario: Create a new .cs file in the Scenarios directory that derives from Scenario . Annotate the Scenario derived class with a attribute specifying the scenario's name and description. Add one or more Scenario.ScenarioCategory attributes to the class specifying which categories the sceanrio belongs to. If you don't specify a category the sceanrio will show up in \"All\". Implement the Setup() override which will be called when a user selects the scenario to run. Optionally, implement the Init(Toplevel) and/or Run() overrides to provide a custom implementation. The UI Catalog program uses reflection to find all scenarios and adds them to the ListViews. Press ENTER to run the selected scenario. Press CTRL-Q to exit it. / Inheritance System.Object Scenario Implements System.IDisposable Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) Namespace : UICatalog Assembly : UICatalog.dll Syntax public class Scenario : IDisposable Examples The example below is provided in the Scenarios directory as a generic sample that can be copied and re-named: using Terminal.Gui; namespace UICatalog { [ScenarioMetadata (Name: \"Generic\", Description: \"Generic sample - A template for creating new Scenarios\")] [ScenarioCategory (\"Controls\")] class MyScenario : Scenario { public override void Setup () { // Put your scenario code here, e.g. Win.Add (new Button (\"Press me!\") { X = Pos.Center (), Y = Pos.Center (), Clicked = () => MessageBox.Query (20, 7, \"Hi\", \"Neat?\", \"Yes\", \"No\") }); } } } Properties Top The Top level for the Scenario . This should be set to Top in most cases. Declaration public Toplevel Top { get; set; } Property Value Type Description Toplevel Win The Window for the Scenario . This should be set within the Top in most cases. Declaration public Window Win { get; set; } Property Value Type Description Window Methods Dispose() Declaration public void Dispose() Dispose(Boolean) Declaration protected virtual void Dispose(bool disposing) Parameters Type Name Description System.Boolean disposing GetCategories() Helper function to get the list of categories a Scenario belongs to (defined in Scenario.ScenarioCategory ) Declaration public List GetCategories() Returns Type Description System.Collections.Generic.List < System.String > list of catagory names GetDescription() Helper to get the Scenario Description (defined in Scenario.ScenarioMetadata ) Declaration public string GetDescription() Returns Type Description System.String GetName() Helper to get the Scenario Name (defined in Scenario.ScenarioMetadata ) Declaration public string GetName() Returns Type Description System.String Init(Toplevel) Helper that provides the default Window implementation with a frame and label showing the name of the Scenario and logic to exit back to the Scenario picker UI. Override Init(Toplevel) to provide any Toplevel behavior needed. Declaration public virtual void Init(Toplevel top) Parameters Type Name Description Toplevel top Remarks Thg base implementation calls Init() , sets Top to the passed in Toplevel , creates a Window for Win and adds it to Top . Overrides that do not call the base. Run() , must call Init() before creating any views or calling other Terminal.Gui APIs. RequestStop() Stops the scenario. Override to change shutdown behavior for the Scenario . Declaration public virtual void RequestStop() Run() Runs the Scenario . Override to start the Scenario using a Toplevel different than Top . Declaration public virtual void Run() Remarks Overrides that do not call the base. Run() , must call Shutdown(Boolean) before returning. Setup() Override this to implement the Scenario setup logic (create controls, etc...). Declaration public virtual void Setup() Remarks This is typically the best place to put scenario logic code. ToString() Declaration public override string ToString() Returns Type Description System.String Overrides System.Object.ToString() Implements System.IDisposable" - }, - "api/UICatalog/UICatalog.Scenario.ScenarioCategory.html": { - "href": "api/UICatalog/UICatalog.Scenario.ScenarioCategory.html", - "title": "Class Scenario.ScenarioCategory", - "keywords": "Class Scenario.ScenarioCategory Defines the category names used to catagorize a Scenario Inheritance System.Object System.Attribute Scenario.ScenarioCategory Inherited Members System.Attribute.Equals(System.Object) System.Attribute.GetCustomAttribute(System.Reflection.Assembly, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.MemberInfo, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.Module, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.ParameterInfo, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Assembly) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Module) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.GetHashCode() System.Attribute.IsDefaultAttribute() System.Attribute.IsDefined(System.Reflection.Assembly, System.Type) System.Attribute.IsDefined(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.MemberInfo, System.Type) System.Attribute.IsDefined(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.Module, System.Type) System.Attribute.IsDefined(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.ParameterInfo, System.Type) System.Attribute.IsDefined(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.Match(System.Object) System.Attribute.TypeId System.Object.Equals(System.Object, System.Object) System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : UICatalog Assembly : UICatalog.dll Syntax [AttributeUsage(AttributeTargets.Class, AllowMultiple = true)] public class ScenarioCategory : Attribute Constructors ScenarioCategory(String) Declaration public ScenarioCategory(string Name) Parameters Type Name Description System.String Name Properties Name Category Name Declaration public string Name { get; set; } Property Value Type Description System.String Methods GetCategories(Type) Static helper function to get the Scenario Categories given a Type Declaration public static List GetCategories(Type t) Parameters Type Name Description System.Type t Returns Type Description System.Collections.Generic.List < System.String > list of catagory names GetName(Type) Static helper function to get the Scenario Name given a Type Declaration public static string GetName(Type t) Parameters Type Name Description System.Type t Returns Type Description System.String Name of the catagory" - }, - "api/UICatalog/UICatalog.Scenario.ScenarioMetadata.html": { - "href": "api/UICatalog/UICatalog.Scenario.ScenarioMetadata.html", - "title": "Class Scenario.ScenarioMetadata", - "keywords": "Class Scenario.ScenarioMetadata Defines the metadata (Name and Description) for a Scenario Inheritance System.Object System.Attribute Scenario.ScenarioMetadata Inherited Members System.Attribute.Equals(System.Object) System.Attribute.GetCustomAttribute(System.Reflection.Assembly, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.MemberInfo, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.Module, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.GetCustomAttribute(System.Reflection.ParameterInfo, System.Type) System.Attribute.GetCustomAttribute(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Assembly) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Module) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Boolean) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Type) System.Attribute.GetCustomAttributes(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.GetHashCode() System.Attribute.IsDefaultAttribute() System.Attribute.IsDefined(System.Reflection.Assembly, System.Type) System.Attribute.IsDefined(System.Reflection.Assembly, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.MemberInfo, System.Type) System.Attribute.IsDefined(System.Reflection.MemberInfo, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.Module, System.Type) System.Attribute.IsDefined(System.Reflection.Module, System.Type, System.Boolean) System.Attribute.IsDefined(System.Reflection.ParameterInfo, System.Type) System.Attribute.IsDefined(System.Reflection.ParameterInfo, System.Type, System.Boolean) System.Attribute.Match(System.Object) System.Attribute.TypeId System.Object.Equals(System.Object, System.Object) System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : UICatalog Assembly : UICatalog.dll Syntax [AttributeUsage(AttributeTargets.Class)] public class ScenarioMetadata : Attribute Constructors ScenarioMetadata(String, String) Declaration public ScenarioMetadata(string Name, string Description) Parameters Type Name Description System.String Name System.String Description Properties Description Scenario Description Declaration public string Description { get; set; } Property Value Type Description System.String Name Scenario Name Declaration public string Name { get; set; } Property Value Type Description System.String Methods GetDescription(Type) Static helper function to get the Scenario Description given a Type Declaration public static string GetDescription(Type t) Parameters Type Name Description System.Type t Returns Type Description System.String GetName(Type) Static helper function to get the Scenario Name given a Type Declaration public static string GetName(Type t) Parameters Type Name Description System.Type t Returns Type Description System.String" - }, - "api/UICatalog/UICatalog.UICatalogApp.html": { - "href": "api/UICatalog/UICatalog.UICatalogApp.html", - "title": "Class UICatalogApp", - "keywords": "Class UICatalogApp UI Catalog is a comprehensive sample app and scenario library for Terminal.Gui Inheritance System.Object UICatalogApp Inherited Members System.Object.Equals(System.Object) System.Object.Equals(System.Object, System.Object) System.Object.GetHashCode() System.Object.GetType() System.Object.MemberwiseClone() System.Object.ReferenceEquals(System.Object, System.Object) System.Object.ToString() Namespace : UICatalog Assembly : UICatalog.dll Syntax public class UICatalogApp" - }, - "articles/index.html": { - "href": "articles/index.html", - "title": "Conceptual Documentation", - "keywords": "Conceptual Documentation Terminal.Gui Overview Keyboard Event Processing Event Processing and the Application Main Loop" - }, - "articles/keyboard.html": { - "href": "articles/keyboard.html", - "title": "Keyboard Event Processing", - "keywords": "Keyboard Event Processing Keyboard events are sent by the Main Loop to the Application class for processing. The keyboard events are sent exclusively to the current Toplevel , this being either the default that is created when you call Application.Init , or one that you created an passed to Application.Run(Toplevel) . Flow Keystrokes are first processes as hotkeys, then as regular keys, and there is a final cold post-processing event that is invoked if no view processed the key. HotKey Processing Events are first send to all views as a \"HotKey\", this means that the View.ProcessHotKey method is invoked on the current toplevel, which in turns propagates this to all the views in the hierarchy. If any view decides to process the event, no further processing takes place. This is how hotkeys for buttons are implemented. For example, the keystroke \"Alt-A\" is handled by Buttons that have a hot-letter \"A\" to activate the button. Regular Processing Unlike the hotkey processing, the regular processing is only sent to the currently focused view in the focus chain. The regular key processing is only invoked if no hotkey was caught. Cold-key Processing This stage only is executed if the focused view did not process the event, and is broadcast to all the views in the Toplevel. This method can be overwritten by views that want to provide accelerator functionality (Alt-key for example), but without interefering with normal ProcessKey behavior." - }, - "articles/mainloop.html": { - "href": "articles/mainloop.html", - "title": "Event Processing and the Application Main Loop", - "keywords": "Event Processing and the Application Main Loop The method Application.Run that we covered before will wait for events from either the keyboard or mouse and route those events to the proper view. The job of waiting for events and dispatching them in the Application is implemented by an instance of the MainLoop class. Mainloops are a common idiom in many user interface toolkits so many of the concepts will be familiar to you if you have used other toolkits before. This class provides the following capabilities: Keyboard and mouse processing .NET Async support Timers processing Invoking of UI code from a background thread Idle processing handlers Possibility of integration with other mainloops. On Unix systems, it can monitor file descriptors for readability or writability. The MainLoop property in the the Application provides access to these functions. When your code invokes Application.Run (Toplevel) , the application will prepare the current Toplevel instance by redrawing the screen appropriately and then calling the mainloop to run. You can configure the Mainloop before calling Application.Run, or you can configure the MainLoop in response to events during the execution. The keyboard inputs is dispatched by the application class to the current TopLevel window this is covered in more detail in the Keyboard Event Processing document. Async Execution On startup, the Application class configured the .NET Asynchronous machinery to allow you to use the await keyword to run tasks in the background and have the execution of those tasks resume on the context of the main thread running the main loop. Once you invoke Application.Main the async machinery will be ready to use, and you can merely call methods using await from your main thread, and the awaited code will resume execution on the main thread. Timers Processing You can register timers to be executed at specified intervals by calling the AddTimeout method, like this: void UpdateTimer () { time.Text = DateTime.Now.ToString (); } var token = Application.MainLoop.AddTimeout (TimeSpan.FromSeconds (20), UpdateTimer); The return value from AddTimeout is a token value that you can use if you desire to cancel the timer before it runs: Application.MainLoop.RemoveTimeout (token); Idle Handlers You can register code to be executed when the application is idling and there are no events to process by calling the AddIdle method. This method takes as a parameter a function that will be invoked when the application is idling. Idle functions should return true if they should be invoked again, and false if the idle invocations should stop. Like the timer APIs, the return value is a token that can be used to cancel the scheduled idle function from being executed. Threading Like other UI toolkits, Terminal.Gui is generally not thread safe. You should avoid calling methods in the UI classes from a background thread as there is no guarantee that they will not corrupt the state of the UI application. Generally, as there is not much state, you will get lucky, but the application will not behave properly. You will be served better off by using C# async machinery and the various APIs in the System.Threading.Tasks.Task APIs. But if you absolutely must work with threads on your own you should only invoke APIs in Terminal.Gui from the main thread. To make this simple, you can use the Application.MainLoop.Invoke method and pass an Action . This action will be queued for execution on the main thread at an appropriate time and will run your code there. For example, the following shows how to properly update a label from a background thread: void BackgroundThreadUpdateProgress () { Application.MainLoop.Invoke (() => { progress.Text = $\"Progress: {bytesDownloaded/totalBytes}\"; }); } Integration With Other Main Loop Drivers It is possible to run the main loop in a way that it does not take over control of your application, but rather in a cooperative way. To do this, you must use the lower-level APIs in Application : the Begin method to prepare a toplevel for execution, followed by calls to MainLoop.EventsPending to determine whether the events must be processed, and in that case, calling RunLoop method and finally completing the process by calling End . The method Run is implemented like this: void Run (Toplevel top) { var runToken = Begin (view); RunLoop (runToken); End (runToken); } Unix File Descriptor Monitoring On Unix, it is possible to monitor file descriptors for input being available, or for the file descriptor being available for data to be written without blocking the application. To do this, you on Unix, you can cast the MainLoop instance to a UnixMainLoop and use the AddWatch method to register an interest on a particular condition." - }, - "articles/overview.html": { - "href": "articles/overview.html", - "title": "Terminal.Gui API Overview", - "keywords": "Terminal.Gui API Overview Terminal.Gui is a library intended to create console-based applications using C#. The framework has been designed to make it easy to write applications that will work on monochrome terminals, as well as modern color terminals with mouse support. This library works across Windows, Linux and MacOS. This library provides a text-based toolkit as works in a way similar to graphic toolkits. There are many controls that can be used to create your applications and it is event based, meaning that you create the user interface, hook up various events and then let the a processing loop run your application, and your code is invoked via one or more callbacks. The simplest application looks like this: using Terminal.Gui; class Demo { static int Main () { Application.Init (); var n = MessageBox.Query (50, 7, \"Question\", \"Do you like console apps?\", \"Yes\", \"No\"); return n; } } This example shows a prompt and returns an integer value depending on which value was selected by the user (Yes, No, or if they use chose not to make a decision and instead pressed the ESC key). More interesting user interfaces can be created by composing some of the various views that are included. In the following sections, you will see how applications are put together. In the example above, you can see that we have initialized the runtime by calling the Init method in the Application class - this sets up the environment, initializes the color schemes available for your application and clears the screen to start your application. The Application class, additionally creates an instance of the [Toplevel]((../api/Terminal.Gui/Terminal.Gui.Toplevel.html) class that is ready to be consumed, this instance is available in the Application.Top property, and can be used like this: using Terminal.Gui; class Demo { static int Main () { Application.Init (); var label = new Label (\"Hello World\") { X = Pos.Center (), Y = Pos.Center (), Height = 1, }; Application.Top.Add (label); Application.Run (); } } Typically, you will want your application to have more than a label, you might want a menu, and a region for your application to live in, the following code does this: using Terminal.Gui; class Demo { static int Main () { Application.Init (); var menu = new MenuBar (new MenuBarItem [] { new MenuBarItem (\"_File\", new MenuItem [] { new MenuItem (\"_Quit\", \"\", () => { Application.RequestStop (); }) }), }); var win = new Window (\"Hello\") { X = 0, Y = 1, Width = Dim.Fill (), Height = Dim.Fill () - 1 }; // Add both menu and win in a single call Application.Top.Add (menu, win); Application.Run (); } } Views All visible elements on a Terminal.Gui application are implemented as Views . Views are self-contained objects that take care of displaying themselves, can receive keyboard and mouse input and participate in the focus mechanism. Every view can contain an arbitrary number of children views. These are called the Subviews. You can add a view to an existing view, by calling the Add method, for example, to add a couple of buttons to a UI, you can do this: void SetupMyView (View myView) { var label = new Label (\"Username: \") { X = 1, Y = 1, Width = 20, Height = 1 }; myView.Add (label); var username = new TextField (\"\") { X = 1, Y = 2, Width = 30, Height = 1 }; myView.Add (username); } The container of a given view is called the SuperView and it is a property of every View. There are many views that you can use to spice up your application: Buttons , Labels , Text entry , Text view , Radio buttons , Checkboxes , Dialog boxes , Message boxes , Windows , Menus , ListViews , Frames , ProgressBars , Scroll views and Scrollbars . Layout Terminal.Gui supports two different layout systems, absolute and computed \\ (controlled by the LayoutStyle property on the view. The absolute system is used when you want the view to be positioned exactly in one location and want to manually control where the view is. This is done by invoking your View constructor with an argument of type Rect . When you do this, to change the position of the View, you can change the Frame property on the View. The computed layout system offers a few additional capabilities, like automatic centering, expanding of dimensions and a handful of other features. To use this you construct your object without an initial Frame , but set the X , Y , Width and Height properties after the object has been created. Examples: // Dynamically computed var label = new Label (\"Hello\") { X = 1, Y = Pos.Center (), Width = Dim.Fill (), Height = 1 }; // Absolute position using the provided rectangle var label2 = new Label (new Rect (1, 2, 20, 1), \"World\") The computed layout system does not take integers, instead the X and Y properties are of type Pos and the Width and Height properties are of type Dim both which can be created implicitly from integer values. The Pos Type The Pos type on X and Y offers a few options: Absolute position, by passing an integer Percentage of the parent's view size - Pos.Percent(n) Anchored from the end of the dimension - AnchorEnd(int margin=0) Centered, using Center() Reference the Left (X), Top (Y), Bottom, Right positions of another view The Pos values can be added or subtracted, like this: // Set the X coordinate to 10 characters left from the center view.X = Pos.Center () - 10; view.Y = Pos.Percent (20); anotherView.X = AnchorEnd (10); anotherView.Width = 9; myView.X = Pos.X (view); myView.Y = Pos.Bottom (anotherView); The Dim Type The Dim type is used for the Width and Height properties on the View and offers the following options: Absolute size, by passing an integer Percentage of the parent's view size - Dim.Percent(n) Fill to the end - Dim.Fill () Reference the Width or Height of another view Like, Pos , objects of type Dim can be added an subtracted, like this: // Set the Width to be 10 characters less than filling // the remaining portion of the screen view.Width = Dim.Fill () - 10; view.Height = Dim.Percent(20) - 1; anotherView.Height = Dim.Height (view)+1 TopLevels, Windows and Dialogs. Among the many kinds of views, you typically will create a Toplevel view (or any of its subclasses, like Window or Dialog which is special kind of views that can be executed modally - that is, the view can take over all input and returns only when the user chooses to complete their work there. The following sections cover the differences. TopLevel Views Toplevel views have no visible user interface elements and occupy an arbitrary portion of the screen. You would use a toplevel Modal view for example to launch an entire new experience in your application, one where you would have a new top-level menu for example. You typically would add a Menu and a Window to your Toplevel, it would look like this: using Terminal.Gui; class Demo { static void Edit (string filename) { var top = new Toplevel () { X = 0, Y = 0, Width = Dim.Fill (), Height = Dim.Fill () }; var menu = new MenuBar (new MenuBarItem [] { new MenuBarItem (\"_File\", new MenuItem [] { new MenuItem (\"_Close\", \"\", () => { Application.RequestStop (); }) }), }); // nest a window for the editor var win = new Window (filename) { X = 0, Y = 1, Width = Dim.Fill (), Height = Dim.Fill () - 1 }; var editor = new TextView () { X = 0, Y = 0, Width = Dim.Fill (), Height = Dim.Fill () }; editor.Text = System.IO.File.ReadAllText (filename); win.Add (editor); // Add both menu and win in a single call top.Add (win, menu); Application.Run (top); } } Window Views Window views extend the Toplevel view by providing a frame and a title around the toplevel - and can be moved on the screen with the mouse (caveat: code is currently disabled) From a user interface perspective, you might have more than one Window on the screen at a given time. Dialogs Dialog are Window objects that happen to be centered in the middle of the screen. Dialogs are instances of a Window that are centered in the screen, and are intended to be used modally - that is, they run, and they are expected to return a result before resuming execution of your application. Dialogs are a subclass of Window and additionally expose the AddButton API which manages the layout of any button passed to it, ensuring that the buttons are at the bottom of the dialog. Example: bool okpressed = false; var ok = new Button(\"Ok\"); var cancel = new Button(\"Cancel\"); var dialog = new Dialog (\"Quit\", 60, 7, ok, cancel); Which will show something like this: +- Quit -----------------------------------------------+ | | | | | [ Ok ] [ Cancel ] | +------------------------------------------------------+ Running Modally To run your Dialog, Window or Toplevel modally, you will invoke the Application.Run method on the toplevel. It is up to your code and event handlers to invoke the Application.RequestStop() method to terminate the modal execution. bool okpressed = false; var ok = new Button(3, 14, \"Ok\") { Clicked = () => { Application.RequestStop (); okpressed = true; } }; var cancel = new Button(10, 14, \"Cancel\") { Clicked = () => Application.RequestStop () }; var dialog = new Dialog (\"Login\", 60, 18, ok, cancel); var entry = new TextField () { X = 1, Y = 1, Width = Dim.Fill (), Height = 1 }; dialog.Add (entry); Application.Run (dialog); if (okpressed) Console.WriteLine (\"The user entered: \" + entry.Text); There is no return value from running modally, so your code will need to have a mechanism of indicating the reason that the execution of the modal dialog was completed, in the case above, the okpressed value is set to true if the user pressed or selected the Ok button. Input Handling Every view has a focused view, and if that view has nested views, one of those is the focused view. This is called the focus chain, and at any given time, only one View has the focus. The library binds the key Tab to focus the next logical view, and the Shift-Tab combination to focus the previous logical view. Keyboard processing is divided in three stages: HotKey processing, regular processing and cold key processing. Hot key processing happens first, and it gives all the views in the current toplevel a chance to monitor whether the key needs to be treated specially. This for example handles the scenarios where the user pressed Alt-o, and a view with a highlighted \"o\" is being displayed. If no view processed the hotkey, then the key is sent to the currently focused view. If the key was not processed by the normal processing, all views are given a chance to process the keystroke in their cold processing stage. Examples include the processing of the \"return\" key in a dialog when a button in the dialog has been flagged as the \"default\" action. The most common case is the normal processing, which sends the keystrokes to the currently focused view. Mouse events are processed in visual order, and the event will be sent to the view on the screen. The only exception is that no mouse events are delivered to background views when a modal view is running. More details are available on the Keyboard Event Processing document. Colors and Color Schemes All views have been configured with a color scheme that will work both in color terminals as well as the more limited black and white terminals. The various styles are captured in the Colors class which defined color schemes for the normal views, the menu bar, popup dialog boxes and error dialog boxes, that you can use like this: Colors.Base Colors.Menu Colors.Dialog Colors.Error You can use them for example like this to set the colors for a new Window: var w = new Window (\"Hello\"); w.ColorScheme = Colors.Error The ColorScheme represents four values, the color used for Normal text, the color used for normal text when a view is focused an the colors for the hot-keys both in focused and unfocused modes. By using ColorSchemes you ensure that your application will work correctbly both in color and black and white terminals. Some views support setting individual color attributes, you create an attribute for a particular pair of Foreground/Background like this: var myColor = Application.Driver.MakeAttribute (Color.Blue, Color.Red); var label = new Label (...); label.TextColor = myColor MainLoop, Threads and Input Handling Detailed description of the mainlop is described on the Event Processing and the Application Main Loop document." - }, - "articles/views.html": { - "href": "articles/views.html", - "title": "Views", - "keywords": "Views Layout Creating Custom Views Constructor Rendering Using Custom Colors Keyboard processing Mouse event processing" - }, - "index.html": { - "href": "index.html", - "title": "Terminal.Gui - Terminal UI toolkit for .NET", - "keywords": "Terminal.Gui - Terminal UI toolkit for .NET A simple UI toolkit for .NET, .NET Core, and Mono that works on Windows, the Mac, and Linux/Unix. Terminal.Gui Project on GitHub Terminal.Gui API Documentation API Reference Terminal.Gui API Overview Keyboard Event Processing Event Processing and the Application Main Loop UI Catalog UI Catalog is a comprehensive sample library for Terminal.Gui. It provides a simple UI for adding to the catalog of scenarios. UI Catalog API Reference UI Catalog Source" - } -} \ No newline at end of file diff --git a/docs/logo.svg b/docs/logo.svg deleted file mode 100644 index ccb2d7bc9..000000000 --- a/docs/logo.svg +++ /dev/null @@ -1,25 +0,0 @@ - - - - -Created by Docfx - - - - - - - diff --git a/docs/manifest.json b/docs/manifest.json deleted file mode 100644 index 5da058b42..000000000 --- a/docs/manifest.json +++ /dev/null @@ -1,1057 +0,0 @@ -{ - "homepages": [], - "source_base_path": "C:/Users/ckindel/s/gui.cs/docfx", - "xrefmap": "xrefmap.yml", - "files": [ - { - "type": "Resource", - "output": { - "resource": { - "relative_path": "index.json" - } - }, - "is_incremental": false - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.Application.ResizedEventArgs.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.Application.ResizedEventArgs.html", - "hash": "DIFBgAr4pqubXFDt96ZYyw==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.Application.RunState.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.Application.RunState.html", - "hash": "BumSbuIm0sVcT/UGEzJ6Lw==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.Application.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.Application.html", - "hash": "/3hvnGuRspC/jIxIUEPRmQ==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.Attribute.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.Attribute.html", - "hash": "/JvXWrgJjiLjNmt71QbLtA==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.Button.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.Button.html", - "hash": "ME/uys1l12M6GxRIwjSFzQ==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.CheckBox.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.CheckBox.html", - "hash": "mjAkyC68WWpdFLCKhs3m0w==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.Clipboard.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.Clipboard.html", - "hash": "Qgn9XOGIZ99tD+bIpvAvaw==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.Color.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.Color.html", - "hash": "bEnwpwvXCpy96xa0NZsHxg==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.ColorScheme.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.ColorScheme.html", - "hash": "ArPE2VuuDbHtPY5H4jC1XA==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.Colors.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.Colors.html", - "hash": "pAsuvXJ4p2jmoqS+9UtTSw==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.ComboBox.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.ComboBox.html", - "hash": "sl2PLoyU7DWtQukFtNq/bA==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.ConsoleDriver.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html", - "hash": "/pc9fTKKx1ujBfTtRK0uJw==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.CursesDriver.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.CursesDriver.html", - "hash": "KeL5gIrXi4xyrIqDc6hqhw==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.DateField.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.DateField.html", - "hash": "cJftH/W9TUq1h5PFI4x1aw==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.Dialog.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.Dialog.html", - "hash": "VnfBkDlO1Ha2AlSZnTBLQw==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.Dim.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.Dim.html", - "hash": "lv4vhdwrIgjcrzl372hM/g==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.FileDialog.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.FileDialog.html", - "hash": "YbYnglzQDge8ZiwhCKk2ww==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.FrameView.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.FrameView.html", - "hash": "PJ++eN/AAZRlytrR9fECEg==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.HexView.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.HexView.html", - "hash": "JHLWSE15nKC6pSiQyT/dag==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.IListDataSource.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.IListDataSource.html", - "hash": "zw1oqYSwSXRTWt1OB4TDMg==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.IMainLoopDriver.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.IMainLoopDriver.html", - "hash": "syoUVRMJDWYd5gpzNssq0w==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.Key.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.Key.html", - "hash": "uOncjflePsLfVQZXmZgbKw==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.KeyEvent.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.KeyEvent.html", - "hash": "6BPkUvWnef/UBzKHtghRqg==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.Label.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.Label.html", - "hash": "bIhrh6Fw65PCSTg2XVONjw==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.LayoutStyle.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.LayoutStyle.html", - "hash": "HRJWaAFZ5pM0l5CZ7IIVww==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.ListView.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.ListView.html", - "hash": "pfBa42qAxXw0yxtKHTfyOA==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.ListViewItemEventArgs.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.ListViewItemEventArgs.html", - "hash": "vZ9nqtb1vSEuwmYbQSjItg==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.ListWrapper.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.ListWrapper.html", - "hash": "8ZGN5Yr4IZd2+jPO8E+bog==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.MainLoop.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.MainLoop.html", - "hash": "6l6H8op2IHAY8h+D2cXo2A==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.MenuBar.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.MenuBar.html", - "hash": "nFfj5HgJl2dkJdYZpXsucw==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.MenuBarItem.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.MenuBarItem.html", - "hash": "M33dRwWnclv6FXEh13kd/A==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.MenuItem.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.MenuItem.html", - "hash": "BxWmlK3NIevYd0HdbNMUVA==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.MessageBox.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.MessageBox.html", - "hash": "Djpxeu2ArtDehHEr0Q/35A==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.MouseEvent.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.MouseEvent.html", - "hash": "ctEUNZhdeHifuH2HdYRWvQ==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.MouseFlags.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.MouseFlags.html", - "hash": "kQ5iqwgWM0KEFwx/s8yxsA==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.OpenDialog.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.OpenDialog.html", - "hash": "5V8hV/xvnfBy4NcGNV4uhA==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.Point.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.Point.html", - "hash": "lyiawhlDFkAqKnIhIBiJ5g==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.Pos.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.Pos.html", - "hash": "tfvPqlCBOWWyKonjkNrB3w==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.ProgressBar.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.ProgressBar.html", - "hash": "h/P9sR7z6zAiK2hSzqPshA==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.RadioGroup.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.RadioGroup.html", - "hash": "3z6xkxC1zvmDKtrW+Fgrrg==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.Rect.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.Rect.html", - "hash": "fkVY6S1iAQxm56j1OWsqpg==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.Responder.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.Responder.html", - "hash": "y5iIws59QZCy2lc2dwUSXw==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.SaveDialog.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.SaveDialog.html", - "hash": "DPeVeCkR7BZvw2wbe4/29A==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.ScrollBarView.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.ScrollBarView.html", - "hash": "NxxGNpgiUqWnCVXmFh5rUw==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.ScrollView.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.ScrollView.html", - "hash": "m7fcAU218j8cbq6xNZvnZg==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.Size.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.Size.html", - "hash": "Uyh9AUQe5/m+LdFJsl0wFw==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.SpecialChar.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.SpecialChar.html", - "hash": "k7cDUgEJh3DLVcwJi/i7VQ==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.StatusBar.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.StatusBar.html", - "hash": "8JRQVV0EXUabW5uNQDGmbg==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.StatusItem.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.StatusItem.html", - "hash": "CelEmO6UbHCg5GwhyJjSRA==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.TextAlignment.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.TextAlignment.html", - "hash": "35broUZ49iC3HmaEfBi2Sg==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.TextField.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.TextField.html", - "hash": "FS+GzK46zbxvfjMsLT9oeA==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.TextView.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.TextView.html", - "hash": "Em15ZceoFUWBLJIvAGwrGw==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.TimeField.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.TimeField.html", - "hash": "eOqDmMwdZLQrDk/t5jepOQ==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.Toplevel.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.Toplevel.html", - "hash": "GaeWC/O/bVwZvOhx8bTcXg==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.UnixMainLoop.Condition.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.UnixMainLoop.Condition.html", - "hash": "pPesYTpIqI7MoksRykz4jw==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.UnixMainLoop.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.UnixMainLoop.html", - "hash": "JOrYeQpBNrnGsnXM9ak4rQ==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.View.KeyEventEventArgs.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.View.KeyEventEventArgs.html", - "hash": "JK8zR6iA3XqTiD0OFuAJpA==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.View.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.View.html", - "hash": "lJIV2T6VawIaypJL5MldoA==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.Window.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.Window.html", - "hash": "KiIg+evUAw1FjEYC99DgAQ==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Terminal.Gui.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Terminal.Gui.html", - "hash": "S7LK9mU7liRNJylezOo8+g==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Unix.Terminal.Curses.Event.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Unix.Terminal.Curses.Event.html", - "hash": "I2S/H5pHtk/fJa5XyFn8xA==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Unix.Terminal.Curses.MouseEvent.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Unix.Terminal.Curses.MouseEvent.html", - "hash": "7kYXb0LMvTBIzKw8R1oh8Q==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Unix.Terminal.Curses.Window.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Unix.Terminal.Curses.Window.html", - "hash": "0HfuPBD5hxAbPqHHa6czlw==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Unix.Terminal.Curses.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Unix.Terminal.Curses.html", - "hash": "FFz1FzF7eZr0ehIP28nfeA==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/Terminal.Gui/Unix.Terminal.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/Unix.Terminal.html", - "hash": "tZBFX5d+0ljs4g5SkFUaRw==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "Toc", - "source_relative_path": "api/Terminal.Gui/toc.yml", - "output": { - ".html": { - "relative_path": "api/Terminal.Gui/toc.html", - "hash": "KKt1jrDbpe+q5oratndw8w==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/UICatalog/UICatalog.Scenario.ScenarioCategory.yml", - "output": { - ".html": { - "relative_path": "api/UICatalog/UICatalog.Scenario.ScenarioCategory.html", - "hash": "zOd6vVqZpiCGJsQHhQNljA==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/UICatalog/UICatalog.Scenario.ScenarioMetadata.yml", - "output": { - ".html": { - "relative_path": "api/UICatalog/UICatalog.Scenario.ScenarioMetadata.html", - "hash": "mccNmLh8IPz0K5GeyLpLaQ==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/UICatalog/UICatalog.Scenario.yml", - "output": { - ".html": { - "relative_path": "api/UICatalog/UICatalog.Scenario.html", - "hash": "iJkOvDCL2Tlu5MUxENKd/g==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/UICatalog/UICatalog.UICatalogApp.yml", - "output": { - ".html": { - "relative_path": "api/UICatalog/UICatalog.UICatalogApp.html", - "hash": "46os5DPxVjyRhijGX2NEog==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "ManagedReference", - "source_relative_path": "api/UICatalog/UICatalog.yml", - "output": { - ".html": { - "relative_path": "api/UICatalog/UICatalog.html", - "hash": "qo5NZjX5e3IIMptVZvIY3w==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "Toc", - "source_relative_path": "api/UICatalog/toc.yml", - "output": { - ".html": { - "relative_path": "api/UICatalog/toc.html", - "hash": "UEtu9XO6GS+PdNO7eGL6Bg==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "log_codes": [ - "InvalidFileLink" - ], - "type": "Conceptual", - "source_relative_path": "articles/index.md", - "output": { - ".html": { - "relative_path": "articles/index.html", - "hash": "x8mCX8cK48attzsxbK54Sw==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "log_codes": [ - "InvalidFileLink" - ], - "type": "Conceptual", - "source_relative_path": "articles/keyboard.md", - "output": { - ".html": { - "relative_path": "articles/keyboard.html", - "hash": "CY2rcQ2uZSFnPwVDYbKUjA==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "log_codes": [ - "InvalidFileLink" - ], - "type": "Conceptual", - "source_relative_path": "articles/mainloop.md", - "output": { - ".html": { - "relative_path": "articles/mainloop.html", - "hash": "V6r5qoSnMAugNHW9Q9jeow==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "log_codes": [ - "InvalidFileLink" - ], - "type": "Conceptual", - "source_relative_path": "articles/overview.md", - "output": { - ".html": { - "relative_path": "articles/overview.html", - "hash": "HBL/nlArVeXGHhLxPK7cXA==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "Conceptual", - "source_relative_path": "articles/views.md", - "output": { - ".html": { - "relative_path": "articles/views.html", - "hash": "1MuKnvdCitQq02I3G43o5A==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "Resource", - "source_relative_path": "images/logo.png", - "output": { - "resource": { - "relative_path": "images/logo.png" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "Resource", - "source_relative_path": "images/logo48.png", - "output": { - "resource": { - "relative_path": "images/logo48.png" - } - }, - "is_incremental": false, - "version": "" - }, - { - "log_codes": [ - "InvalidFileLink" - ], - "type": "Conceptual", - "source_relative_path": "index.md", - "output": { - ".html": { - "relative_path": "index.html", - "hash": "TlRTHfWGHTyrXUZZnWzZnQ==" - } - }, - "is_incremental": false, - "version": "" - }, - { - "type": "Toc", - "source_relative_path": "toc.yml", - "output": { - ".html": { - "relative_path": "toc.html", - "hash": "EfdCvZ++HH+xjN6kLAwYwA==" - } - }, - "is_incremental": false, - "version": "" - } - ], - "incremental_info": [ - { - "status": { - "can_incremental": false, - "details": "Cannot build incrementally because last build info is missing.", - "incrementalPhase": "build", - "total_file_count": 0, - "skipped_file_count": 0, - "full_build_reason_code": "NoAvailableBuildCache" - }, - "processors": { - "ConceptualDocumentProcessor": { - "can_incremental": false, - "incrementalPhase": "build", - "total_file_count": 6, - "skipped_file_count": 0 - }, - "ManagedReferenceDocumentProcessor": { - "can_incremental": false, - "incrementalPhase": "build", - "total_file_count": 70, - "skipped_file_count": 0 - }, - "ResourceDocumentProcessor": { - "can_incremental": false, - "details": "Processor ResourceDocumentProcessor cannot support incremental build because the processor doesn't implement ISupportIncrementalDocumentProcessor interface.", - "incrementalPhase": "build", - "total_file_count": 0, - "skipped_file_count": 0 - }, - "TocDocumentProcessor": { - "can_incremental": false, - "details": "Processor TocDocumentProcessor cannot support incremental build because the processor doesn't implement ISupportIncrementalDocumentProcessor interface.", - "incrementalPhase": "build", - "total_file_count": 0, - "skipped_file_count": 0 - } - } - }, - { - "status": { - "can_incremental": false, - "details": "Cannot support incremental post processing, the reason is: should not trace intermediate info.", - "incrementalPhase": "postProcessing", - "total_file_count": 0, - "skipped_file_count": 0 - }, - "processors": {} - } - ], - "version_info": {}, - "groups": [ - { - "xrefmap": "xrefmap.yml" - } - ] -} \ No newline at end of file diff --git a/docs/search-stopwords.json b/docs/search-stopwords.json deleted file mode 100644 index 0bdcc2c00..000000000 --- a/docs/search-stopwords.json +++ /dev/null @@ -1,121 +0,0 @@ -[ - "a", - "able", - "about", - "across", - "after", - "all", - "almost", - "also", - "am", - "among", - "an", - "and", - "any", - "are", - "as", - "at", - "be", - "because", - "been", - "but", - "by", - "can", - "cannot", - "could", - "dear", - "did", - "do", - "does", - "either", - "else", - "ever", - "every", - "for", - "from", - "get", - "got", - "had", - "has", - "have", - "he", - "her", - "hers", - "him", - "his", - "how", - "however", - "i", - "if", - "in", - "into", - "is", - "it", - "its", - "just", - "least", - "let", - "like", - "likely", - "may", - "me", - "might", - "most", - "must", - "my", - "neither", - "no", - "nor", - "not", - "of", - "off", - "often", - "on", - "only", - "or", - "other", - "our", - "own", - "rather", - "said", - "say", - "says", - "she", - "should", - "since", - "so", - "some", - "than", - "that", - "the", - "their", - "them", - "then", - "there", - "these", - "they", - "this", - "tis", - "to", - "too", - "twas", - "us", - "wants", - "was", - "we", - "were", - "what", - "when", - "where", - "which", - "while", - "who", - "whom", - "why", - "will", - "with", - "would", - "yet", - "you", - "your" -] diff --git a/docs/styles/docfx.css b/docs/styles/docfx.css deleted file mode 100644 index c3b82b419..000000000 --- a/docs/styles/docfx.css +++ /dev/null @@ -1,1012 +0,0 @@ -/* Copyright (c) Microsoft Corporation. All Rights Reserved. Licensed under the MIT License. See License.txt in the project root for license information. */ -html, -body { - font-family: 'Segoe UI', Tahoma, Helvetica, sans-serif; - height: 100%; -} -button, -a { - color: #337ab7; - cursor: pointer; -} -button:hover, -button:focus, -a:hover, -a:focus { - color: #23527c; - text-decoration: none; -} -a.disable, -a.disable:hover { - text-decoration: none; - cursor: default; - color: #000000; -} - -h1, h2, h3, h4, h5, h6, .text-break { - word-wrap: break-word; - word-break: break-word; -} - -h1 mark, -h2 mark, -h3 mark, -h4 mark, -h5 mark, -h6 mark { - padding: 0; -} - -.inheritance .level0:before, -.inheritance .level1:before, -.inheritance .level2:before, -.inheritance .level3:before, -.inheritance .level4:before, -.inheritance .level5:before { - content: '↳'; - margin-right: 5px; -} - -.inheritance .level0 { - margin-left: 0em; -} - -.inheritance .level1 { - margin-left: 1em; -} - -.inheritance .level2 { - margin-left: 2em; -} - -.inheritance .level3 { - margin-left: 3em; -} - -.inheritance .level4 { - margin-left: 4em; -} - -.inheritance .level5 { - margin-left: 5em; -} - -.level0.summary { - margin: 2em 0 2em 0; -} - -.level1.summary { - margin: 1em 0 1em 0; -} - -span.parametername, -span.paramref, -span.typeparamref { - font-style: italic; -} -span.languagekeyword{ - font-weight: bold; -} - -svg:hover path { - fill: #ffffff; -} - -.hljs { - display: inline; - background-color: inherit; - padding: 0; -} -/* additional spacing fixes */ -.btn + .btn { - margin-left: 10px; -} -.btn.pull-right { - margin-left: 10px; - margin-top: 5px; -} -.table { - margin-bottom: 10px; -} -table p { - margin-bottom: 0; -} -table a { - display: inline-block; -} - -/* Make hidden attribute compatible with old browser.*/ -[hidden] { - display: none !important; -} - -h1, -.h1, -h2, -.h2, -h3, -.h3 { - margin-top: 15px; - margin-bottom: 10px; - font-weight: 400; -} -h4, -.h4, -h5, -.h5, -h6, -.h6 { - margin-top: 10px; - margin-bottom: 5px; -} -.navbar { - margin-bottom: 0; -} -#wrapper { - min-height: 100%; - position: relative; -} -/* blends header footer and content together with gradient effect */ -.grad-top { - /* For Safari 5.1 to 6.0 */ - /* For Opera 11.1 to 12.0 */ - /* For Firefox 3.6 to 15 */ - background: linear-gradient(rgba(0, 0, 0, 0.05), rgba(0, 0, 0, 0)); - /* Standard syntax */ - height: 5px; -} -.grad-bottom { - /* For Safari 5.1 to 6.0 */ - /* For Opera 11.1 to 12.0 */ - /* For Firefox 3.6 to 15 */ - background: linear-gradient(rgba(0, 0, 0, 0), rgba(0, 0, 0, 0.05)); - /* Standard syntax */ - height: 5px; -} -.divider { - margin: 0 5px; - color: #cccccc; -} -hr { - border-color: #cccccc; -} -header { - position: fixed; - top: 0; - left: 0; - right: 0; - z-index: 1000; -} -header .navbar { - border-width: 0 0 1px; - border-radius: 0; -} -.navbar-brand { - font-size: inherit; - padding: 0; -} -.navbar-collapse { - margin: 0 -15px; -} -.subnav { - min-height: 40px; -} - -.inheritance h5, .inheritedMembers h5{ - padding-bottom: 5px; - border-bottom: 1px solid #ccc; -} - -article h1, article h2, article h3, article h4{ - margin-top: 25px; -} - -article h4{ - border: 0; - font-weight: bold; - margin-top: 2em; -} - -article span.small.pull-right{ - margin-top: 20px; -} - -article section { - margin-left: 1em; -} - -/*.expand-all { - padding: 10px 0; -}*/ -.breadcrumb { - margin: 0; - padding: 10px 0; - background-color: inherit; - white-space: nowrap; -} -.breadcrumb > li + li:before { - content: "\00a0/"; -} -#autocollapse.collapsed .navbar-header { - float: none; -} -#autocollapse.collapsed .navbar-toggle { - display: block; -} -#autocollapse.collapsed .navbar-collapse { - border-top: 1px solid transparent; - box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.1); -} -#autocollapse.collapsed .navbar-collapse.collapse { - display: none !important; -} -#autocollapse.collapsed .navbar-nav { - float: none !important; - margin: 7.5px -15px; -} -#autocollapse.collapsed .navbar-nav > li { - float: none; -} -#autocollapse.collapsed .navbar-nav > li > a { - padding-top: 10px; - padding-bottom: 10px; -} -#autocollapse.collapsed .collapse.in, -#autocollapse.collapsed .collapsing { - display: block !important; -} -#autocollapse.collapsed .collapse.in .navbar-right, -#autocollapse.collapsed .collapsing .navbar-right { - float: none !important; -} -#autocollapse .form-group { - width: 100%; -} -#autocollapse .form-control { - width: 100%; -} -#autocollapse .navbar-header { - margin-left: 0; - margin-right: 0; -} -#autocollapse .navbar-brand { - margin-left: 0; -} -.collapse.in, -.collapsing { - text-align: center; -} -.collapsing .navbar-form { - margin: 0 auto; - max-width: 400px; - padding: 10px 15px; - box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.1), 0 1px 0 rgba(255, 255, 255, 0.1); -} -.collapsed .collapse.in .navbar-form { - margin: 0 auto; - max-width: 400px; - padding: 10px 15px; - box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.1), 0 1px 0 rgba(255, 255, 255, 0.1); -} -.navbar .navbar-nav { - display: inline-block; -} -.docs-search { - background: white; - vertical-align: middle; -} -.docs-search > .search-query { - font-size: 14px; - border: 0; - width: 120%; - color: #555; -} -.docs-search > .search-query:focus { - outline: 0; -} -.search-results-frame { - clear: both; - display: table; - width: 100%; -} -.search-results.ng-hide { - display: none; -} -.search-results-container { - padding-bottom: 1em; - border-top: 1px solid #111; - background: rgba(25, 25, 25, 0.5); -} -.search-results-container .search-results-group { - padding-top: 50px !important; - padding: 10px; -} -.search-results-group-heading { - font-family: "Open Sans"; - padding-left: 10px; - color: white; -} -.search-close { - position: absolute; - left: 50%; - margin-left: -100px; - color: white; - text-align: center; - padding: 5px; - background: #333; - border-top-right-radius: 5px; - border-top-left-radius: 5px; - width: 200px; - box-shadow: 0 0 10px #111; -} -#search { - display: none; -} - -/* Search results display*/ -#search-results { - max-width: 960px !important; - margin-top: 120px; - margin-bottom: 115px; - margin-left: auto; - margin-right: auto; - line-height: 1.8; - display: none; -} - -#search-results>.search-list { - text-align: center; - font-size: 2.5rem; - margin-bottom: 50px; -} - -#search-results p { - text-align: center; -} - -#search-results p .index-loading { - animation: index-loading 1.5s infinite linear; - -webkit-animation: index-loading 1.5s infinite linear; - -o-animation: index-loading 1.5s infinite linear; - font-size: 2.5rem; -} - -@keyframes index-loading { - from { transform: scale(1) rotate(0deg);} - to { transform: scale(1) rotate(360deg);} -} - -@-webkit-keyframes index-loading { - from { -webkit-transform: rotate(0deg);} - to { -webkit-transform: rotate(360deg);} -} - -@-o-keyframes index-loading { - from { -o-transform: rotate(0deg);} - to { -o-transform: rotate(360deg);} -} - -#search-results .sr-items { - font-size: 24px; -} - -.sr-item { - margin-bottom: 25px; -} - -.sr-item>.item-href { - font-size: 14px; - color: #093; -} - -.sr-item>.item-brief { - font-size: 13px; -} - -.pagination>li>a { - color: #47A7A0 -} - -.pagination>.active>a { - background-color: #47A7A0; - border-color: #47A7A0; -} - -.fixed_header { - position: fixed; - width: 100%; - padding-bottom: 10px; - padding-top: 10px; - margin: 0px; - top: 0; - z-index: 9999; - left: 0; -} - -.fixed_header+.toc{ - margin-top: 50px; - margin-left: 0; -} - -.sidenav, .fixed_header, .toc { - background-color: #f1f1f1; -} - -.sidetoc { - position: fixed; - width: 260px; - top: 150px; - bottom: 0; - overflow-x: hidden; - overflow-y: auto; - background-color: #f1f1f1; - border-left: 1px solid #e7e7e7; - border-right: 1px solid #e7e7e7; - z-index: 1; -} - -.sidetoc.shiftup { - bottom: 70px; -} - -body .toc{ - background-color: #f1f1f1; - overflow-x: hidden; -} - -.sidetoggle.ng-hide { - display: block !important; -} -.sidetoc-expand > .caret { - margin-left: 0px; - margin-top: -2px; -} -.sidetoc-expand > .caret-side { - border-left: 4px solid; - border-top: 4px solid transparent; - border-bottom: 4px solid transparent; - margin-left: 4px; - margin-top: -4px; -} -.sidetoc-heading { - font-weight: 500; -} - -.toc { - margin: 0px 0 0 10px; - padding: 0 10px; -} -.expand-stub { - position: absolute; - left: -10px; -} -.toc .nav > li > a.sidetoc-expand { - position: absolute; - top: 0; - left: 0; -} -.toc .nav > li > a { - color: #666666; - margin-left: 5px; - display: block; - padding: 0; -} -.toc .nav > li > a:hover, -.toc .nav > li > a:focus { - color: #000000; - background: none; - text-decoration: inherit; -} -.toc .nav > li.active > a { - color: #337ab7; -} -.toc .nav > li.active > a:hover, -.toc .nav > li.active > a:focus { - color: #23527c; -} - -.toc .nav > li> .expand-stub { - cursor: pointer; -} - -.toc .nav > li.active > .expand-stub::before, -.toc .nav > li.in > .expand-stub::before, -.toc .nav > li.in.active > .expand-stub::before, -.toc .nav > li.filtered > .expand-stub::before { - content: "-"; -} - -.toc .nav > li > .expand-stub::before, -.toc .nav > li.active > .expand-stub::before { - content: "+"; -} - -.toc .nav > li.filtered > ul, -.toc .nav > li.in > ul { - display: block; -} - -.toc .nav > li > ul { - display: none; -} - -.toc ul{ - font-size: 12px; - margin: 0 0 0 3px; -} - -.toc .level1 > li { - font-weight: bold; - margin-top: 10px; - position: relative; - font-size: 16px; -} -.toc .level2 { - font-weight: normal; - margin: 5px 0 0 15px; - font-size: 14px; -} -.toc-toggle { - display: none; - margin: 0 15px 0px 15px; -} -.sidefilter { - position: fixed; - top: 90px; - width: 260px; - background-color: #f1f1f1; - padding: 15px; - border-left: 1px solid #e7e7e7; - border-right: 1px solid #e7e7e7; - z-index: 1; -} -.toc-filter { - border-radius: 5px; - background: #fff; - color: #666666; - padding: 5px; - position: relative; - margin: 0 5px 0 5px; -} -.toc-filter > input { - border: 0; - color: #666666; - padding-left: 20px; - padding-right: 20px; - width: 100%; -} -.toc-filter > input:focus { - outline: 0; -} -.toc-filter > .filter-icon { - position: absolute; - top: 10px; - left: 5px; -} -.toc-filter > .clear-icon { - position: absolute; - top: 10px; - right: 5px; -} -.article { - margin-top: 120px; - margin-bottom: 115px; -} - -#_content>a{ - margin-top: 105px; -} - -.article.grid-right { - margin-left: 280px; -} - -.inheritance hr { - margin-top: 5px; - margin-bottom: 5px; -} -.article img { - max-width: 100%; -} -.sideaffix { - margin-top: 50px; - font-size: 12px; - max-height: 100%; - overflow: hidden; - top: 100px; - bottom: 10px; - position: fixed; -} -.sideaffix.shiftup { - bottom: 70px; -} -.affix { - position: relative; - height: 100%; -} -.sideaffix > div.contribution { - margin-bottom: 20px; -} -.sideaffix > div.contribution > ul > li > a.contribution-link { - padding: 6px 10px; - font-weight: bold; - font-size: 14px; -} -.sideaffix > div.contribution > ul > li > a.contribution-link:hover { - background-color: #ffffff; -} -.sideaffix ul.nav > li > a:focus { - background: none; -} -.affix h5 { - font-weight: bold; - text-transform: uppercase; - padding-left: 10px; - font-size: 12px; -} -.affix > ul.level1 { - overflow: hidden; - padding-bottom: 10px; - height: calc(100% - 100px); -} -.affix ul > li > a:before { - color: #cccccc; - position: absolute; -} -.affix ul > li > a:hover { - background: none; - color: #666666; -} -.affix ul > li.active > a, -.affix ul > li.active > a:before { - color: #337ab7; -} -.affix ul > li > a { - padding: 5px 12px; - color: #666666; -} -.affix > ul > li.active:last-child { - margin-bottom: 50px; -} -.affix > ul > li > a:before { - content: "|"; - font-size: 16px; - top: 1px; - left: 0; -} -.affix > ul > li.active > a, -.affix > ul > li.active > a:before { - color: #337ab7; - font-weight: bold; -} -.affix ul ul > li > a { - padding: 2px 15px; -} -.affix ul ul > li > a:before { - content: ">"; - font-size: 14px; - top: -1px; - left: 5px; -} -.affix ul > li > a:before, -.affix ul ul { - display: none; -} -.affix ul > li.active > ul, -.affix ul > li.active > a:before, -.affix ul > li > a:hover:before { - display: block; - white-space: nowrap; -} -.codewrapper { - position: relative; -} -.trydiv { - height: 0px; -} -.tryspan { - position: absolute; - top: 0px; - right: 0px; - border-style: solid; - border-radius: 0px 4px; - box-sizing: border-box; - border-width: 1px; - border-color: #cccccc; - text-align: center; - padding: 2px 8px; - background-color: white; - font-size: 12px; - cursor: pointer; - z-index: 100; - display: none; - color: #767676; -} -.tryspan:hover { - background-color: #3b8bd0; - color: white; - border-color: #3b8bd0; -} -.codewrapper:hover .tryspan { - display: block; -} -.sample-response .response-content{ - max-height: 200px; -} -footer { - position: absolute; - left: 0; - right: 0; - bottom: 0; - z-index: 1000; -} -.footer { - border-top: 1px solid #e7e7e7; - background-color: #f8f8f8; - padding: 15px 0; -} -@media (min-width: 768px) { - #sidetoggle.collapse { - display: block; - } - .topnav .navbar-nav { - float: none; - white-space: nowrap; - } - .topnav .navbar-nav > li { - float: none; - display: inline-block; - } -} -@media only screen and (max-width: 768px) { - #mobile-indicator { - display: block; - } - /* TOC display for responsive */ - .article { - margin-top: 30px !important; - } - header { - position: static; - } - .topnav { - text-align: center; - } - .sidenav { - padding: 15px 0; - margin-left: -15px; - margin-right: -15px; - } - .sidefilter { - position: static; - width: auto; - float: none; - border: none; - } - .sidetoc { - position: static; - width: auto; - float: none; - padding-bottom: 0px; - border: none; - } - .toc .nav > li, .toc .nav > li >a { - display: inline-block; - } - .toc li:after { - margin-left: -3px; - margin-right: 5px; - content: ", "; - color: #666666; - } - .toc .level1 > li { - display: block; - } - - .toc .level1 > li:after { - display: none; - } - .article.grid-right { - margin-left: 0; - } - .grad-top, - .grad-bottom { - display: none; - } - .toc-toggle { - display: block; - } - .sidetoggle.ng-hide { - display: none !important; - } - /*.expand-all { - display: none; - }*/ - .sideaffix { - display: none; - } - .mobile-hide { - display: none; - } - .breadcrumb { - white-space: inherit; - } - - /* workaround for #hashtag url is no longer needed*/ - h1:before, - h2:before, - h3:before, - h4:before { - content: ''; - display: none; - } -} - -/* For toc iframe */ -@media (max-width: 260px) { - .toc .level2 > li { - display: block; - } - - .toc .level2 > li:after { - display: none; - } -} - -/* Code snippet */ -code { - color: #717374; - background-color: #f1f2f3; -} - -a code { - color: #337ab7; - background-color: #f1f2f3; -} - -a code:hover { - text-decoration: underline; -} - -.hljs-keyword { - color: rgb(86,156,214); -} - -.hljs-string { - color: rgb(214, 157, 133); -} - -pre { - border: 0; -} - -/* For code snippet line highlight */ -pre > code .line-highlight { - background-color: #ffffcc; -} - -/* Alerts */ -.alert h5 { - text-transform: uppercase; - font-weight: bold; - margin-top: 0; -} - -.alert h5:before { - position:relative; - top:1px; - display:inline-block; - font-family:'Glyphicons Halflings'; - line-height:1; - -webkit-font-smoothing:antialiased; - -moz-osx-font-smoothing:grayscale; - margin-right: 5px; - font-weight: normal; -} - -.alert-info h5:before { - content:"\e086" -} - -.alert-warning h5:before { - content:"\e127" -} - -.alert-danger h5:before { - content:"\e107" -} - -/* For Embedded Video */ -div.embeddedvideo { - padding-top: 56.25%; - position: relative; - width: 100%; -} - -div.embeddedvideo iframe { - position: absolute; - top: 0; - left: 0; - right: 0; - bottom: 0; - width: 100%; - height: 100%; -} - -/* For printer */ -@media print{ - .article.grid-right { - margin-top: 0px; - margin-left: 0px; - } - .sideaffix { - display: none; - } - .mobile-hide { - display: none; - } - .footer { - display: none; - } -} - -/* For tabbed content */ - -.tabGroup { - margin-top: 1rem; } - .tabGroup ul[role="tablist"] { - margin: 0; - padding: 0; - list-style: none; } - .tabGroup ul[role="tablist"] > li { - list-style: none; - display: inline-block; } - .tabGroup a[role="tab"] { - color: #6e6e6e; - box-sizing: border-box; - display: inline-block; - padding: 5px 7.5px; - text-decoration: none; - border-bottom: 2px solid #fff; } - .tabGroup a[role="tab"]:hover, .tabGroup a[role="tab"]:focus, .tabGroup a[role="tab"][aria-selected="true"] { - border-bottom: 2px solid #0050C5; } - .tabGroup a[role="tab"][aria-selected="true"] { - color: #222; } - .tabGroup a[role="tab"]:hover, .tabGroup a[role="tab"]:focus { - color: #0050C5; } - .tabGroup a[role="tab"]:focus { - outline: 1px solid #0050C5; - outline-offset: -1px; } - @media (min-width: 768px) { - .tabGroup a[role="tab"] { - padding: 5px 15px; } } - .tabGroup section[role="tabpanel"] { - border: 1px solid #e0e0e0; - padding: 15px; - margin: 0; - overflow: hidden; } - .tabGroup section[role="tabpanel"] > .codeHeader, - .tabGroup section[role="tabpanel"] > pre { - margin-left: -16px; - margin-right: -16px; } - .tabGroup section[role="tabpanel"] > :first-child { - margin-top: 0; } - .tabGroup section[role="tabpanel"] > pre:last-child { - display: block; - margin-bottom: -16px; } - -.mainContainer[dir='rtl'] main ul[role="tablist"] { - margin: 0; } - -/* Color theme */ - -/* These are not important, tune down **/ -.decalaration, .fieldValue, .parameters, .returns { - color: #a2a2a2; -} - -/* Major sections, increase visibility **/ -#fields, #properties, #methods, #events { - font-weight: bold; - margin-top: 2em; -} diff --git a/docs/styles/docfx.js b/docs/styles/docfx.js deleted file mode 100644 index 1294cc457..000000000 --- a/docs/styles/docfx.js +++ /dev/null @@ -1,1197 +0,0 @@ -// Copyright (c) Microsoft. All rights reserved. Licensed under the MIT license. See LICENSE file in the project root for full license information. -$(function () { - var active = 'active'; - var expanded = 'in'; - var collapsed = 'collapsed'; - var filtered = 'filtered'; - var show = 'show'; - var hide = 'hide'; - var util = new utility(); - - workAroundFixedHeaderForAnchors(); - highlight(); - enableSearch(); - - renderTables(); - renderAlerts(); - renderLinks(); - renderNavbar(); - renderSidebar(); - renderAffix(); - renderFooter(); - renderLogo(); - - breakText(); - renderTabs(); - - window.refresh = function (article) { - // Update markup result - if (typeof article == 'undefined' || typeof article.content == 'undefined') - console.error("Null Argument"); - $("article.content").html(article.content); - - highlight(); - renderTables(); - renderAlerts(); - renderAffix(); - renderTabs(); - } - - // Add this event listener when needed - // window.addEventListener('content-update', contentUpdate); - - function breakText() { - $(".xref").addClass("text-break"); - var texts = $(".text-break"); - texts.each(function () { - $(this).breakWord(); - }); - } - - // Styling for tables in conceptual documents using Bootstrap. - // See http://getbootstrap.com/css/#tables - function renderTables() { - $('table').addClass('table table-bordered table-striped table-condensed').wrap('
                                                                                                                                                          '); - } - - // Styling for alerts. - function renderAlerts() { - $('.NOTE, .TIP').addClass('alert alert-info'); - $('.WARNING').addClass('alert alert-warning'); - $('.IMPORTANT, .CAUTION').addClass('alert alert-danger'); - } - - // Enable anchors for headings. - (function () { - anchors.options = { - placement: 'left', - visible: 'touch' - }; - anchors.add('article h2:not(.no-anchor), article h3:not(.no-anchor), article h4:not(.no-anchor)'); - })(); - - // Open links to different host in a new window. - function renderLinks() { - if ($("meta[property='docfx:newtab']").attr("content") === "true") { - $(document.links).filter(function () { - return this.hostname !== window.location.hostname; - }).attr('target', '_blank'); - } - } - - // Enable highlight.js - function highlight() { - $('pre code').each(function (i, block) { - hljs.highlightBlock(block); - }); - $('pre code[highlight-lines]').each(function (i, block) { - if (block.innerHTML === "") return; - var lines = block.innerHTML.split('\n'); - - queryString = block.getAttribute('highlight-lines'); - if (!queryString) return; - - var ranges = queryString.split(','); - for (var j = 0, range; range = ranges[j++];) { - var found = range.match(/^(\d+)\-(\d+)?$/); - if (found) { - // consider region as `{startlinenumber}-{endlinenumber}`, in which {endlinenumber} is optional - var start = +found[1]; - var end = +found[2]; - if (isNaN(end) || end > lines.length) { - end = lines.length; - } - } else { - // consider region as a sigine line number - if (isNaN(range)) continue; - var start = +range; - var end = start; - } - if (start <= 0 || end <= 0 || start > end || start > lines.length) { - // skip current region if invalid - continue; - } - lines[start - 1] = '' + lines[start - 1]; - lines[end - 1] = lines[end - 1] + ''; - } - - block.innerHTML = lines.join('\n'); - }); - } - - // Support full-text-search - function enableSearch() { - var query; - var relHref = $("meta[property='docfx\\:rel']").attr("content"); - if (typeof relHref === 'undefined') { - return; - } - try { - var worker = new Worker(relHref + 'styles/search-worker.js'); - if (!worker && !window.worker) { - localSearch(); - } else { - webWorkerSearch(); - } - - renderSearchBox(); - highlightKeywords(); - addSearchEvent(); - } catch (e) { - console.error(e); - } - - //Adjust the position of search box in navbar - function renderSearchBox() { - autoCollapse(); - $(window).on('resize', autoCollapse); - $(document).on('click', '.navbar-collapse.in', function (e) { - if ($(e.target).is('a')) { - $(this).collapse('hide'); - } - }); - - function autoCollapse() { - var navbar = $('#autocollapse'); - if (navbar.height() === null) { - setTimeout(autoCollapse, 300); - } - navbar.removeClass(collapsed); - if (navbar.height() > 60) { - navbar.addClass(collapsed); - } - } - } - - // Search factory - function localSearch() { - console.log("using local search"); - var lunrIndex = lunr(function () { - this.ref('href'); - this.field('title', { boost: 50 }); - this.field('keywords', { boost: 20 }); - }); - lunr.tokenizer.seperator = /[\s\-\.]+/; - var searchData = {}; - var searchDataRequest = new XMLHttpRequest(); - - var indexPath = relHref + "index.json"; - if (indexPath) { - searchDataRequest.open('GET', indexPath); - searchDataRequest.onload = function () { - if (this.status != 200) { - return; - } - searchData = JSON.parse(this.responseText); - for (var prop in searchData) { - if (searchData.hasOwnProperty(prop)) { - lunrIndex.add(searchData[prop]); - } - } - } - searchDataRequest.send(); - } - - $("body").bind("queryReady", function () { - var hits = lunrIndex.search(query); - var results = []; - hits.forEach(function (hit) { - var item = searchData[hit.ref]; - results.push({ 'href': item.href, 'title': item.title, 'keywords': item.keywords }); - }); - handleSearchResults(results); - }); - } - - function webWorkerSearch() { - console.log("using Web Worker"); - var indexReady = $.Deferred(); - - worker.onmessage = function (oEvent) { - switch (oEvent.data.e) { - case 'index-ready': - indexReady.resolve(); - break; - case 'query-ready': - var hits = oEvent.data.d; - handleSearchResults(hits); - break; - } - } - - indexReady.promise().done(function () { - $("body").bind("queryReady", function () { - worker.postMessage({ q: query }); - }); - if (query && (query.length >= 3)) { - worker.postMessage({ q: query }); - } - }); - } - - // Highlight the searching keywords - function highlightKeywords() { - var q = url('?q'); - if (q !== null) { - var keywords = q.split("%20"); - keywords.forEach(function (keyword) { - if (keyword !== "") { - $('.data-searchable *').mark(keyword); - $('article *').mark(keyword); - } - }); - } - } - - function addSearchEvent() { - $('body').bind("searchEvent", function () { - $('#search-query').keypress(function (e) { - return e.which !== 13; - }); - - $('#search-query').keyup(function () { - query = $(this).val(); - if (query.length < 3) { - flipContents("show"); - } else { - flipContents("hide"); - $("body").trigger("queryReady"); - $('#search-results>.search-list').text('Search Results for "' + query + '"'); - } - }).off("keydown"); - }); - } - - function flipContents(action) { - if (action === "show") { - $('.hide-when-search').show(); - $('#search-results').hide(); - } else { - $('.hide-when-search').hide(); - $('#search-results').show(); - } - } - - function relativeUrlToAbsoluteUrl(currentUrl, relativeUrl) { - var currentItems = currentUrl.split(/\/+/); - var relativeItems = relativeUrl.split(/\/+/); - var depth = currentItems.length - 1; - var items = []; - for (var i = 0; i < relativeItems.length; i++) { - if (relativeItems[i] === '..') { - depth--; - } else if (relativeItems[i] !== '.') { - items.push(relativeItems[i]); - } - } - return currentItems.slice(0, depth).concat(items).join('/'); - } - - function extractContentBrief(content) { - var briefOffset = 512; - var words = query.split(/\s+/g); - var queryIndex = content.indexOf(words[0]); - var briefContent; - if (queryIndex > briefOffset) { - return "..." + content.slice(queryIndex - briefOffset, queryIndex + briefOffset) + "..."; - } else if (queryIndex <= briefOffset) { - return content.slice(0, queryIndex + briefOffset) + "..."; - } - } - - function handleSearchResults(hits) { - var numPerPage = 10; - $('#pagination').empty(); - $('#pagination').removeData("twbs-pagination"); - if (hits.length === 0) { - $('#search-results>.sr-items').html('

                                                                                                                                                          No results found

                                                                                                                                                          '); - } else { - $('#pagination').twbsPagination({ - totalPages: Math.ceil(hits.length / numPerPage), - visiblePages: 5, - onPageClick: function (event, page) { - var start = (page - 1) * numPerPage; - var curHits = hits.slice(start, start + numPerPage); - $('#search-results>.sr-items').empty().append( - curHits.map(function (hit) { - var currentUrl = window.location.href; - var itemRawHref = relativeUrlToAbsoluteUrl(currentUrl, relHref + hit.href); - var itemHref = relHref + hit.href + "?q=" + query; - var itemTitle = hit.title; - var itemBrief = extractContentBrief(hit.keywords); - - var itemNode = $('
                                                                                                                                                          ').attr('class', 'sr-item'); - var itemTitleNode = $('
                                                                                                                                                          ').attr('class', 'item-title').append($('').attr('href', itemHref).attr("target", "_blank").text(itemTitle)); - var itemHrefNode = $('
                                                                                                                                                          ').attr('class', 'item-href').text(itemRawHref); - var itemBriefNode = $('
                                                                                                                                                          ').attr('class', 'item-brief').text(itemBrief); - itemNode.append(itemTitleNode).append(itemHrefNode).append(itemBriefNode); - return itemNode; - }) - ); - query.split(/\s+/).forEach(function (word) { - if (word !== '') { - $('#search-results>.sr-items *').mark(word); - } - }); - } - }); - } - } - }; - - // Update href in navbar - function renderNavbar() { - var navbar = $('#navbar ul')[0]; - if (typeof (navbar) === 'undefined') { - loadNavbar(); - } else { - $('#navbar ul a.active').parents('li').addClass(active); - renderBreadcrumb(); - showSearch(); - } - - function showSearch() { - if ($('#search-results').length !== 0) { - $('#search').show(); - $('body').trigger("searchEvent"); - } - } - - function loadNavbar() { - var navbarPath = $("meta[property='docfx\\:navrel']").attr("content"); - if (!navbarPath) { - return; - } - navbarPath = navbarPath.replace(/\\/g, '/'); - var tocPath = $("meta[property='docfx\\:tocrel']").attr("content") || ''; - if (tocPath) tocPath = tocPath.replace(/\\/g, '/'); - $.get(navbarPath, function (data) { - $(data).find("#toc>ul").appendTo("#navbar"); - showSearch(); - var index = navbarPath.lastIndexOf('/'); - var navrel = ''; - if (index > -1) { - navrel = navbarPath.substr(0, index + 1); - } - $('#navbar>ul').addClass('navbar-nav'); - var currentAbsPath = util.getAbsolutePath(window.location.pathname); - // set active item - $('#navbar').find('a[href]').each(function (i, e) { - var href = $(e).attr("href"); - if (util.isRelativePath(href)) { - href = navrel + href; - $(e).attr("href", href); - - var isActive = false; - var originalHref = e.name; - if (originalHref) { - originalHref = navrel + originalHref; - if (util.getDirectory(util.getAbsolutePath(originalHref)) === util.getDirectory(util.getAbsolutePath(tocPath))) { - isActive = true; - } - } else { - if (util.getAbsolutePath(href) === currentAbsPath) { - var dropdown = $(e).attr('data-toggle') == "dropdown" - if (!dropdown) { - isActive = true; - } - } - } - if (isActive) { - $(e).addClass(active); - } - } - }); - renderNavbar(); - }); - } - } - - function renderSidebar() { - var sidetoc = $('#sidetoggle .sidetoc')[0]; - if (typeof (sidetoc) === 'undefined') { - loadToc(); - } else { - registerTocEvents(); - if ($('footer').is(':visible')) { - $('.sidetoc').addClass('shiftup'); - } - - // Scroll to active item - var top = 0; - $('#toc a.active').parents('li').each(function (i, e) { - $(e).addClass(active).addClass(expanded); - $(e).children('a').addClass(active); - top += $(e).position().top; - }) - $('.sidetoc').scrollTop(top - 50); - - if ($('footer').is(':visible')) { - $('.sidetoc').addClass('shiftup'); - } - - renderBreadcrumb(); - } - - function registerTocEvents() { - var tocFilterInput = $('#toc_filter_input'); - var tocFilterClearButton = $('#toc_filter_clear'); - - $('.toc .nav > li > .expand-stub').click(function (e) { - $(e.target).parent().toggleClass(expanded); - }); - $('.toc .nav > li > .expand-stub + a:not([href])').click(function (e) { - $(e.target).parent().toggleClass(expanded); - }); - tocFilterInput.on('input', function (e) { - var val = this.value; - //Save filter string to local session storage - if (typeof(Storage) !== "undefined") { - try { - sessionStorage.filterString = val; - } - catch(e) - {} - } - if (val === '') { - // Clear 'filtered' class - $('#toc li').removeClass(filtered).removeClass(hide); - tocFilterClearButton.fadeOut(); - return; - } - tocFilterClearButton.fadeIn(); - - // set all parent nodes status - $('#toc li>a').filter(function (i, e) { - return $(e).siblings().length > 0 - }).each(function (i, anchor) { - var parent = $(anchor).parent(); - parent.addClass(hide); - parent.removeClass(show); - parent.removeClass(filtered); - }) - - // Get leaf nodes - $('#toc li>a').filter(function (i, e) { - return $(e).siblings().length === 0 - }).each(function (i, anchor) { - var text = $(anchor).attr('title'); - var parent = $(anchor).parent(); - var parentNodes = parent.parents('ul>li'); - for (var i = 0; i < parentNodes.length; i++) { - var parentText = $(parentNodes[i]).children('a').attr('title'); - if (parentText) text = parentText + '.' + text; - }; - if (filterNavItem(text, val)) { - parent.addClass(show); - parent.removeClass(hide); - } else { - parent.addClass(hide); - parent.removeClass(show); - } - }); - $('#toc li>a').filter(function (i, e) { - return $(e).siblings().length > 0 - }).each(function (i, anchor) { - var parent = $(anchor).parent(); - if (parent.find('li.show').length > 0) { - parent.addClass(show); - parent.addClass(filtered); - parent.removeClass(hide); - } else { - parent.addClass(hide); - parent.removeClass(show); - parent.removeClass(filtered); - } - }) - - function filterNavItem(name, text) { - if (!text) return true; - if (name && name.toLowerCase().indexOf(text.toLowerCase()) > -1) return true; - return false; - } - }); - - // toc filter clear button - tocFilterClearButton.hide(); - tocFilterClearButton.on("click", function(e){ - tocFilterInput.val(""); - tocFilterInput.trigger('input'); - if (typeof(Storage) !== "undefined") { - try { - sessionStorage.filterString = ""; - } - catch(e) - {} - } - }); - - //Set toc filter from local session storage on page load - if (typeof(Storage) !== "undefined") { - try { - tocFilterInput.val(sessionStorage.filterString); - tocFilterInput.trigger('input'); - } - catch(e) - {} - } - } - - function loadToc() { - var tocPath = $("meta[property='docfx\\:tocrel']").attr("content"); - if (!tocPath) { - return; - } - tocPath = tocPath.replace(/\\/g, '/'); - $('#sidetoc').load(tocPath + " #sidetoggle > div", function () { - var index = tocPath.lastIndexOf('/'); - var tocrel = ''; - if (index > -1) { - tocrel = tocPath.substr(0, index + 1); - } - var currentHref = util.getAbsolutePath(window.location.pathname); - $('#sidetoc').find('a[href]').each(function (i, e) { - var href = $(e).attr("href"); - if (util.isRelativePath(href)) { - href = tocrel + href; - $(e).attr("href", href); - } - - if (util.getAbsolutePath(e.href) === currentHref) { - $(e).addClass(active); - } - - $(e).breakWord(); - }); - - renderSidebar(); - }); - } - } - - function renderBreadcrumb() { - var breadcrumb = []; - $('#navbar a.active').each(function (i, e) { - breadcrumb.push({ - href: e.href, - name: e.innerHTML - }); - }) - $('#toc a.active').each(function (i, e) { - breadcrumb.push({ - href: e.href, - name: e.innerHTML - }); - }) - - var html = util.formList(breadcrumb, 'breadcrumb'); - $('#breadcrumb').html(html); - } - - //Setup Affix - function renderAffix() { - var hierarchy = getHierarchy(); - if (hierarchy && hierarchy.length > 0) { - var html = '
                                                                                                                                                          In This Article
                                                                                                                                                          ' - html += util.formList(hierarchy, ['nav', 'bs-docs-sidenav']); - $("#affix").empty().append(html); - if ($('footer').is(':visible')) { - $(".sideaffix").css("bottom", "70px"); - } - $('#affix a').click(function(e) { - var scrollspy = $('[data-spy="scroll"]').data()['bs.scrollspy']; - var target = e.target.hash; - if (scrollspy && target) { - scrollspy.activate(target); - } - }); - } - - function getHierarchy() { - // supported headers are h1, h2, h3, and h4 - var $headers = $($.map(['h1', 'h2', 'h3', 'h4'], function (h) { return ".article article " + h; }).join(", ")); - - // a stack of hierarchy items that are currently being built - var stack = []; - $headers.each(function (i, e) { - if (!e.id) { - return; - } - - var item = { - name: htmlEncode($(e).text()), - href: "#" + e.id, - items: [] - }; - - if (!stack.length) { - stack.push({ type: e.tagName, siblings: [item] }); - return; - } - - var frame = stack[stack.length - 1]; - if (e.tagName === frame.type) { - frame.siblings.push(item); - } else if (e.tagName[1] > frame.type[1]) { - // we are looking at a child of the last element of frame.siblings. - // push a frame onto the stack. After we've finished building this item's children, - // we'll attach it as a child of the last element - stack.push({ type: e.tagName, siblings: [item] }); - } else { // e.tagName[1] < frame.type[1] - // we are looking at a sibling of an ancestor of the current item. - // pop frames from the stack, building items as we go, until we reach the correct level at which to attach this item. - while (e.tagName[1] < stack[stack.length - 1].type[1]) { - buildParent(); - } - if (e.tagName === stack[stack.length - 1].type) { - stack[stack.length - 1].siblings.push(item); - } else { - stack.push({ type: e.tagName, siblings: [item] }); - } - } - }); - while (stack.length > 1) { - buildParent(); - } - - function buildParent() { - var childrenToAttach = stack.pop(); - var parentFrame = stack[stack.length - 1]; - var parent = parentFrame.siblings[parentFrame.siblings.length - 1]; - $.each(childrenToAttach.siblings, function (i, child) { - parent.items.push(child); - }); - } - if (stack.length > 0) { - - var topLevel = stack.pop().siblings; - if (topLevel.length === 1) { // if there's only one topmost header, dump it - return topLevel[0].items; - } - return topLevel; - } - return undefined; - } - - function htmlEncode(str) { - if (!str) return str; - return str - .replace(/&/g, '&') - .replace(/"/g, '"') - .replace(/'/g, ''') - .replace(//g, '>'); - } - - function htmlDecode(value) { - if (!str) return str; - return value - .replace(/"/g, '"') - .replace(/'/g, "'") - .replace(/</g, '<') - .replace(/>/g, '>') - .replace(/&/g, '&'); - } - - function cssEscape(str) { - // see: http://stackoverflow.com/questions/2786538/need-to-escape-a-special-character-in-a-jquery-selector-string#answer-2837646 - if (!str) return str; - return str - .replace(/[!"#$%&'()*+,.\/:;<=>?@[\\\]^`{|}~]/g, "\\$&"); - } - } - - // Show footer - function renderFooter() { - initFooter(); - $(window).on("scroll", showFooterCore); - - function initFooter() { - if (needFooter()) { - shiftUpBottomCss(); - $("footer").show(); - } else { - resetBottomCss(); - $("footer").hide(); - } - } - - function showFooterCore() { - if (needFooter()) { - shiftUpBottomCss(); - $("footer").fadeIn(); - } else { - resetBottomCss(); - $("footer").fadeOut(); - } - } - - function needFooter() { - var scrollHeight = $(document).height(); - var scrollPosition = $(window).height() + $(window).scrollTop(); - return (scrollHeight - scrollPosition) < 1; - } - - function resetBottomCss() { - $(".sidetoc").removeClass("shiftup"); - $(".sideaffix").removeClass("shiftup"); - } - - function shiftUpBottomCss() { - $(".sidetoc").addClass("shiftup"); - $(".sideaffix").addClass("shiftup"); - } - } - - function renderLogo() { - // For LOGO SVG - // Replace SVG with inline SVG - // http://stackoverflow.com/questions/11978995/how-to-change-color-of-svg-image-using-css-jquery-svg-image-replacement - jQuery('img.svg').each(function () { - var $img = jQuery(this); - var imgID = $img.attr('id'); - var imgClass = $img.attr('class'); - var imgURL = $img.attr('src'); - - jQuery.get(imgURL, function (data) { - // Get the SVG tag, ignore the rest - var $svg = jQuery(data).find('svg'); - - // Add replaced image's ID to the new SVG - if (typeof imgID !== 'undefined') { - $svg = $svg.attr('id', imgID); - } - // Add replaced image's classes to the new SVG - if (typeof imgClass !== 'undefined') { - $svg = $svg.attr('class', imgClass + ' replaced-svg'); - } - - // Remove any invalid XML tags as per http://validator.w3.org - $svg = $svg.removeAttr('xmlns:a'); - - // Replace image with new SVG - $img.replaceWith($svg); - - }, 'xml'); - }); - } - - function renderTabs() { - var contentAttrs = { - id: 'data-bi-id', - name: 'data-bi-name', - type: 'data-bi-type' - }; - - var Tab = (function () { - function Tab(li, a, section) { - this.li = li; - this.a = a; - this.section = section; - } - Object.defineProperty(Tab.prototype, "tabIds", { - get: function () { return this.a.getAttribute('data-tab').split(' '); }, - enumerable: true, - configurable: true - }); - Object.defineProperty(Tab.prototype, "condition", { - get: function () { return this.a.getAttribute('data-condition'); }, - enumerable: true, - configurable: true - }); - Object.defineProperty(Tab.prototype, "visible", { - get: function () { return !this.li.hasAttribute('hidden'); }, - set: function (value) { - if (value) { - this.li.removeAttribute('hidden'); - this.li.removeAttribute('aria-hidden'); - } - else { - this.li.setAttribute('hidden', 'hidden'); - this.li.setAttribute('aria-hidden', 'true'); - } - }, - enumerable: true, - configurable: true - }); - Object.defineProperty(Tab.prototype, "selected", { - get: function () { return !this.section.hasAttribute('hidden'); }, - set: function (value) { - if (value) { - this.a.setAttribute('aria-selected', 'true'); - this.a.tabIndex = 0; - this.section.removeAttribute('hidden'); - this.section.removeAttribute('aria-hidden'); - } - else { - this.a.setAttribute('aria-selected', 'false'); - this.a.tabIndex = -1; - this.section.setAttribute('hidden', 'hidden'); - this.section.setAttribute('aria-hidden', 'true'); - } - }, - enumerable: true, - configurable: true - }); - Tab.prototype.focus = function () { - this.a.focus(); - }; - return Tab; - }()); - - initTabs(document.body); - - function initTabs(container) { - var queryStringTabs = readTabsQueryStringParam(); - var elements = container.querySelectorAll('.tabGroup'); - var state = { groups: [], selectedTabs: [] }; - for (var i = 0; i < elements.length; i++) { - var group = initTabGroup(elements.item(i)); - if (!group.independent) { - updateVisibilityAndSelection(group, state); - state.groups.push(group); - } - } - container.addEventListener('click', function (event) { return handleClick(event, state); }); - if (state.groups.length === 0) { - return state; - } - selectTabs(queryStringTabs, container); - updateTabsQueryStringParam(state); - notifyContentUpdated(); - return state; - } - - function initTabGroup(element) { - var group = { - independent: element.hasAttribute('data-tab-group-independent'), - tabs: [] - }; - var li = element.firstElementChild.firstElementChild; - while (li) { - var a = li.firstElementChild; - a.setAttribute(contentAttrs.name, 'tab'); - var dataTab = a.getAttribute('data-tab').replace(/\+/g, ' '); - a.setAttribute('data-tab', dataTab); - var section = element.querySelector("[id=\"" + a.getAttribute('aria-controls') + "\"]"); - var tab = new Tab(li, a, section); - group.tabs.push(tab); - li = li.nextElementSibling; - } - element.setAttribute(contentAttrs.name, 'tab-group'); - element.tabGroup = group; - return group; - } - - function updateVisibilityAndSelection(group, state) { - var anySelected = false; - var firstVisibleTab; - for (var _i = 0, _a = group.tabs; _i < _a.length; _i++) { - var tab = _a[_i]; - tab.visible = tab.condition === null || state.selectedTabs.indexOf(tab.condition) !== -1; - if (tab.visible) { - if (!firstVisibleTab) { - firstVisibleTab = tab; - } - } - tab.selected = tab.visible && arraysIntersect(state.selectedTabs, tab.tabIds); - anySelected = anySelected || tab.selected; - } - if (!anySelected) { - for (var _b = 0, _c = group.tabs; _b < _c.length; _b++) { - var tabIds = _c[_b].tabIds; - for (var _d = 0, tabIds_1 = tabIds; _d < tabIds_1.length; _d++) { - var tabId = tabIds_1[_d]; - var index = state.selectedTabs.indexOf(tabId); - if (index === -1) { - continue; - } - state.selectedTabs.splice(index, 1); - } - } - var tab = firstVisibleTab; - tab.selected = true; - state.selectedTabs.push(tab.tabIds[0]); - } - } - - function getTabInfoFromEvent(event) { - if (!(event.target instanceof HTMLElement)) { - return null; - } - var anchor = event.target.closest('a[data-tab]'); - if (anchor === null) { - return null; - } - var tabIds = anchor.getAttribute('data-tab').split(' '); - var group = anchor.parentElement.parentElement.parentElement.tabGroup; - if (group === undefined) { - return null; - } - return { tabIds: tabIds, group: group, anchor: anchor }; - } - - function handleClick(event, state) { - var info = getTabInfoFromEvent(event); - if (info === null) { - return; - } - event.preventDefault(); - info.anchor.href = 'javascript:'; - setTimeout(function () { return info.anchor.href = '#' + info.anchor.getAttribute('aria-controls'); }); - var tabIds = info.tabIds, group = info.group; - var originalTop = info.anchor.getBoundingClientRect().top; - if (group.independent) { - for (var _i = 0, _a = group.tabs; _i < _a.length; _i++) { - var tab = _a[_i]; - tab.selected = arraysIntersect(tab.tabIds, tabIds); - } - } - else { - if (arraysIntersect(state.selectedTabs, tabIds)) { - return; - } - var previousTabId = group.tabs.filter(function (t) { return t.selected; })[0].tabIds[0]; - state.selectedTabs.splice(state.selectedTabs.indexOf(previousTabId), 1, tabIds[0]); - for (var _b = 0, _c = state.groups; _b < _c.length; _b++) { - var group_1 = _c[_b]; - updateVisibilityAndSelection(group_1, state); - } - updateTabsQueryStringParam(state); - } - notifyContentUpdated(); - var top = info.anchor.getBoundingClientRect().top; - if (top !== originalTop && event instanceof MouseEvent) { - window.scrollTo(0, window.pageYOffset + top - originalTop); - } - } - - function selectTabs(tabIds) { - for (var _i = 0, tabIds_1 = tabIds; _i < tabIds_1.length; _i++) { - var tabId = tabIds_1[_i]; - var a = document.querySelector(".tabGroup > ul > li > a[data-tab=\"" + tabId + "\"]:not([hidden])"); - if (a === null) { - return; - } - a.dispatchEvent(new CustomEvent('click', { bubbles: true })); - } - } - - function readTabsQueryStringParam() { - var qs = parseQueryString(); - var t = qs.tabs; - if (t === undefined || t === '') { - return []; - } - return t.split(','); - } - - function updateTabsQueryStringParam(state) { - var qs = parseQueryString(); - qs.tabs = state.selectedTabs.join(); - var url = location.protocol + "//" + location.host + location.pathname + "?" + toQueryString(qs) + location.hash; - if (location.href === url) { - return; - } - history.replaceState({}, document.title, url); - } - - function toQueryString(args) { - var parts = []; - for (var name_1 in args) { - if (args.hasOwnProperty(name_1) && args[name_1] !== '' && args[name_1] !== null && args[name_1] !== undefined) { - parts.push(encodeURIComponent(name_1) + '=' + encodeURIComponent(args[name_1])); - } - } - return parts.join('&'); - } - - function parseQueryString(queryString) { - var match; - var pl = /\+/g; - var search = /([^&=]+)=?([^&]*)/g; - var decode = function (s) { return decodeURIComponent(s.replace(pl, ' ')); }; - if (queryString === undefined) { - queryString = ''; - } - queryString = queryString.substring(1); - var urlParams = {}; - while (match = search.exec(queryString)) { - urlParams[decode(match[1])] = decode(match[2]); - } - return urlParams; - } - - function arraysIntersect(a, b) { - for (var _i = 0, a_1 = a; _i < a_1.length; _i++) { - var itemA = a_1[_i]; - for (var _a = 0, b_1 = b; _a < b_1.length; _a++) { - var itemB = b_1[_a]; - if (itemA === itemB) { - return true; - } - } - } - return false; - } - - function notifyContentUpdated() { - // Dispatch this event when needed - // window.dispatchEvent(new CustomEvent('content-update')); - } - } - - function utility() { - this.getAbsolutePath = getAbsolutePath; - this.isRelativePath = isRelativePath; - this.isAbsolutePath = isAbsolutePath; - this.getDirectory = getDirectory; - this.formList = formList; - - function getAbsolutePath(href) { - // Use anchor to normalize href - var anchor = $('
                                                                                                                                                          ')[0]; - // Ignore protocal, remove search and query - return anchor.host + anchor.pathname; - } - - function isRelativePath(href) { - if (href === undefined || href === '' || href[0] === '/') { - return false; - } - return !isAbsolutePath(href); - } - - function isAbsolutePath(href) { - return (/^(?:[a-z]+:)?\/\//i).test(href); - } - - function getDirectory(href) { - if (!href) return ''; - var index = href.lastIndexOf('/'); - if (index == -1) return ''; - if (index > -1) { - return href.substr(0, index); - } - } - - function formList(item, classes) { - var level = 1; - var model = { - items: item - }; - var cls = [].concat(classes).join(" "); - return getList(model, cls); - - function getList(model, cls) { - if (!model || !model.items) return null; - var l = model.items.length; - if (l === 0) return null; - var html = '
                                                                                                                                                            '; - level++; - for (var i = 0; i < l; i++) { - var item = model.items[i]; - var href = item.href; - var name = item.name; - if (!name) continue; - html += href ? '
                                                                                                                                                          • ' + name + '' : '
                                                                                                                                                          • ' + name; - html += getList(item, cls) || ''; - html += '
                                                                                                                                                          • '; - } - html += '
                                                                                                                                                          '; - return html; - } - } - - /** - * Add into long word. - * @param {String} text - The word to break. It should be in plain text without HTML tags. - */ - function breakPlainText(text) { - if (!text) return text; - return text.replace(/([a-z])([A-Z])|(\.)(\w)/g, '$1$3$2$4') - } - - /** - * Add into long word. The jQuery element should contain no html tags. - * If the jQuery element contains tags, this function will not change the element. - */ - $.fn.breakWord = function () { - if (this.html() == this.text()) { - this.html(function (index, text) { - return breakPlainText(text); - }) - } - return this; - } - } - - // adjusted from https://stackoverflow.com/a/13067009/1523776 - function workAroundFixedHeaderForAnchors() { - var HISTORY_SUPPORT = !!(history && history.pushState); - var ANCHOR_REGEX = /^#[^ ]+$/; - - function getFixedOffset() { - return $('header').first().height(); - } - - /** - * If the provided href is an anchor which resolves to an element on the - * page, scroll to it. - * @param {String} href - * @return {Boolean} - Was the href an anchor. - */ - function scrollIfAnchor(href, pushToHistory) { - var match, rect, anchorOffset; - - if (!ANCHOR_REGEX.test(href)) { - return false; - } - - match = document.getElementById(href.slice(1)); - - if (match) { - rect = match.getBoundingClientRect(); - anchorOffset = window.pageYOffset + rect.top - getFixedOffset(); - window.scrollTo(window.pageXOffset, anchorOffset); - - // Add the state to history as-per normal anchor links - if (HISTORY_SUPPORT && pushToHistory) { - history.pushState({}, document.title, location.pathname + href); - } - } - - return !!match; - } - - /** - * Attempt to scroll to the current location's hash. - */ - function scrollToCurrent() { - scrollIfAnchor(window.location.hash); - } - - /** - * If the click event's target was an anchor, fix the scroll position. - */ - function delegateAnchors(e) { - var elem = e.target; - - if (scrollIfAnchor(elem.getAttribute('href'), true)) { - e.preventDefault(); - } - } - - $(window).on('hashchange', scrollToCurrent); - - $(window).on('load', function () { - // scroll to the anchor if present, offset by the header - scrollToCurrent(); - }); - - $(document).ready(function () { - // Exclude tabbed content case - $('a:not([data-tab])').click(function (e) { delegateAnchors(e); }); - }); - } -}); diff --git a/docs/styles/docfx.vendor.css b/docs/styles/docfx.vendor.css deleted file mode 100644 index 91bb610c8..000000000 --- a/docs/styles/docfx.vendor.css +++ /dev/null @@ -1,1464 +0,0 @@ -/*! - * Bootstrap v3.3.7 (http://getbootstrap.com) - * Copyright 2011-2016 Twitter, Inc. - * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE) - */ -/*! normalize.css v3.0.3 | MIT License | github.com/necolas/normalize.css */ -.label,sub,sup{vertical-align:baseline} -hr,img{border:0} -body,figure{margin:0} -.btn-group>.btn-group,.btn-toolbar .btn,.btn-toolbar .btn-group,.btn-toolbar .input-group,.col-xs-1,.col-xs-10,.col-xs-11,.col-xs-12,.col-xs-2,.col-xs-3,.col-xs-4,.col-xs-5,.col-xs-6,.col-xs-7,.col-xs-8,.col-xs-9,.dropdown-menu{float:left} -.navbar-fixed-bottom .navbar-collapse,.navbar-fixed-top .navbar-collapse,.pre-scrollable{max-height:340px} -html{font-family:sans-serif;-webkit-text-size-adjust:100%;-ms-text-size-adjust:100%} -article,aside,details,figcaption,figure,footer,header,hgroup,main,menu,nav,section,summary{display:block} -audio,canvas,progress,video{display:inline-block;vertical-align:baseline} -audio:not([controls]){display:none;height:0} -[hidden],template{display:none} -a{background-color:transparent} -a:active,a:hover{outline:0} -b,optgroup,strong{font-weight:700} -dfn{font-style:italic} -h1{margin:.67em 0} -mark{color:#000;background:#ff0} -sub,sup{position:relative;font-size:75%;line-height:0} -sup{top:-.5em} -sub{bottom:-.25em} -img{vertical-align:middle} -svg:not(:root){overflow:hidden} -hr{height:0;-webkit-box-sizing:content-box;-moz-box-sizing:content-box;box-sizing:content-box} -pre,textarea{overflow:auto} -code,kbd,pre,samp{font-size:1em} -button,input,optgroup,select,textarea{margin:0;font:inherit;color:inherit} -.glyphicon,address{font-style:normal} -button{overflow:visible} -button,select{text-transform:none} -button,html input[type=button],input[type=reset],input[type=submit]{-webkit-appearance:button;cursor:pointer} -button[disabled],html input[disabled]{cursor:default} -button::-moz-focus-inner,input::-moz-focus-inner{padding:0;border:0} -input[type=checkbox],input[type=radio]{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box;padding:0} -input[type=number]::-webkit-inner-spin-button,input[type=number]::-webkit-outer-spin-button{height:auto} -input[type=search]::-webkit-search-cancel-button,input[type=search]::-webkit-search-decoration{-webkit-appearance:none} -table{border-spacing:0;border-collapse:collapse} -td,th{padding:0} -/*! Source: https://github.com/h5bp/html5-boilerplate/blob/master/src/css/main.css */ -@media print{blockquote,img,pre,tr{page-break-inside:avoid} -*,:after,:before{color:#000!important;text-shadow:none!important;background:0 0!important;-webkit-box-shadow:none!important;box-shadow:none!important} -a,a:visited{text-decoration:underline} -a[href]:after{content:" (" attr(href) ")"} -abbr[title]:after{content:" (" attr(title) ")"} -a[href^="javascript:"]:after,a[href^="#"]:after{content:""} -blockquote,pre{border:1px solid #999} -thead{display:table-header-group} -img{max-width:100%!important} -h2,h3,p{orphans:3;widows:3} -h2,h3{page-break-after:avoid} -.navbar{display:none} -.btn>.caret,.dropup>.btn>.caret{border-top-color:#000!important} -.label{border:1px solid #000} -.table{border-collapse:collapse!important} -.table td,.table th{background-color:#fff!important} -.table-bordered td,.table-bordered th{border:1px solid #ddd!important} -} -.dropdown-menu,.modal-content{-webkit-background-clip:padding-box} -.btn,.btn-danger.active,.btn-danger:active,.btn-default.active,.btn-default:active,.btn-info.active,.btn-info:active,.btn-primary.active,.btn-primary:active,.btn-warning.active,.btn-warning:active,.btn.active,.btn:active,.dropdown-menu>.disabled>a:focus,.dropdown-menu>.disabled>a:hover,.form-control,.navbar-toggle,.open>.dropdown-toggle.btn-danger,.open>.dropdown-toggle.btn-default,.open>.dropdown-toggle.btn-info,.open>.dropdown-toggle.btn-primary,.open>.dropdown-toggle.btn-warning{background-image:none} -.img-thumbnail,body{background-color:#fff} -@font-face{font-family:'Glyphicons Halflings';src:url(../fonts/glyphicons-halflings-regular.eot);src:url(../fonts/glyphicons-halflings-regular.eot?#iefix) format('embedded-opentype'),url(../fonts/glyphicons-halflings-regular.woff2) format('woff2'),url(../fonts/glyphicons-halflings-regular.woff) format('woff'),url(../fonts/glyphicons-halflings-regular.ttf) format('truetype'),url(../fonts/glyphicons-halflings-regular.svg#glyphicons_halflingsregular) format('svg')} -.glyphicon{position:relative;top:1px;display:inline-block;font-family:'Glyphicons Halflings';font-weight:400;line-height:1;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale} -.glyphicon-asterisk:before{content:"\002a"} -.glyphicon-plus:before{content:"\002b"} -.glyphicon-eur:before,.glyphicon-euro:before{content:"\20ac"} -.glyphicon-minus:before{content:"\2212"} -.glyphicon-cloud:before{content:"\2601"} -.glyphicon-envelope:before{content:"\2709"} -.glyphicon-pencil:before{content:"\270f"} -.glyphicon-glass:before{content:"\e001"} -.glyphicon-music:before{content:"\e002"} -.glyphicon-search:before{content:"\e003"} -.glyphicon-heart:before{content:"\e005"} -.glyphicon-star:before{content:"\e006"} -.glyphicon-star-empty:before{content:"\e007"} -.glyphicon-user:before{content:"\e008"} -.glyphicon-film:before{content:"\e009"} -.glyphicon-th-large:before{content:"\e010"} -.glyphicon-th:before{content:"\e011"} -.glyphicon-th-list:before{content:"\e012"} -.glyphicon-ok:before{content:"\e013"} -.glyphicon-remove:before{content:"\e014"} -.glyphicon-zoom-in:before{content:"\e015"} -.glyphicon-zoom-out:before{content:"\e016"} -.glyphicon-off:before{content:"\e017"} -.glyphicon-signal:before{content:"\e018"} -.glyphicon-cog:before{content:"\e019"} -.glyphicon-trash:before{content:"\e020"} -.glyphicon-home:before{content:"\e021"} -.glyphicon-file:before{content:"\e022"} -.glyphicon-time:before{content:"\e023"} -.glyphicon-road:before{content:"\e024"} -.glyphicon-download-alt:before{content:"\e025"} -.glyphicon-download:before{content:"\e026"} -.glyphicon-upload:before{content:"\e027"} -.glyphicon-inbox:before{content:"\e028"} -.glyphicon-play-circle:before{content:"\e029"} -.glyphicon-repeat:before{content:"\e030"} -.glyphicon-refresh:before{content:"\e031"} -.glyphicon-list-alt:before{content:"\e032"} -.glyphicon-lock:before{content:"\e033"} -.glyphicon-flag:before{content:"\e034"} -.glyphicon-headphones:before{content:"\e035"} -.glyphicon-volume-off:before{content:"\e036"} -.glyphicon-volume-down:before{content:"\e037"} -.glyphicon-volume-up:before{content:"\e038"} -.glyphicon-qrcode:before{content:"\e039"} -.glyphicon-barcode:before{content:"\e040"} -.glyphicon-tag:before{content:"\e041"} -.glyphicon-tags:before{content:"\e042"} -.glyphicon-book:before{content:"\e043"} -.glyphicon-bookmark:before{content:"\e044"} -.glyphicon-print:before{content:"\e045"} -.glyphicon-camera:before{content:"\e046"} -.glyphicon-font:before{content:"\e047"} -.glyphicon-bold:before{content:"\e048"} -.glyphicon-italic:before{content:"\e049"} -.glyphicon-text-height:before{content:"\e050"} -.glyphicon-text-width:before{content:"\e051"} -.glyphicon-align-left:before{content:"\e052"} -.glyphicon-align-center:before{content:"\e053"} -.glyphicon-align-right:before{content:"\e054"} -.glyphicon-align-justify:before{content:"\e055"} -.glyphicon-list:before{content:"\e056"} -.glyphicon-indent-left:before{content:"\e057"} -.glyphicon-indent-right:before{content:"\e058"} -.glyphicon-facetime-video:before{content:"\e059"} -.glyphicon-picture:before{content:"\e060"} -.glyphicon-map-marker:before{content:"\e062"} -.glyphicon-adjust:before{content:"\e063"} -.glyphicon-tint:before{content:"\e064"} -.glyphicon-edit:before{content:"\e065"} -.glyphicon-share:before{content:"\e066"} -.glyphicon-check:before{content:"\e067"} -.glyphicon-move:before{content:"\e068"} -.glyphicon-step-backward:before{content:"\e069"} -.glyphicon-fast-backward:before{content:"\e070"} -.glyphicon-backward:before{content:"\e071"} -.glyphicon-play:before{content:"\e072"} -.glyphicon-pause:before{content:"\e073"} -.glyphicon-stop:before{content:"\e074"} -.glyphicon-forward:before{content:"\e075"} -.glyphicon-fast-forward:before{content:"\e076"} -.glyphicon-step-forward:before{content:"\e077"} -.glyphicon-eject:before{content:"\e078"} -.glyphicon-chevron-left:before{content:"\e079"} -.glyphicon-chevron-right:before{content:"\e080"} -.glyphicon-plus-sign:before{content:"\e081"} -.glyphicon-minus-sign:before{content:"\e082"} -.glyphicon-remove-sign:before{content:"\e083"} -.glyphicon-ok-sign:before{content:"\e084"} -.glyphicon-question-sign:before{content:"\e085"} -.glyphicon-info-sign:before{content:"\e086"} -.glyphicon-screenshot:before{content:"\e087"} -.glyphicon-remove-circle:before{content:"\e088"} -.glyphicon-ok-circle:before{content:"\e089"} -.glyphicon-ban-circle:before{content:"\e090"} -.glyphicon-arrow-left:before{content:"\e091"} -.glyphicon-arrow-right:before{content:"\e092"} -.glyphicon-arrow-up:before{content:"\e093"} -.glyphicon-arrow-down:before{content:"\e094"} -.glyphicon-share-alt:before{content:"\e095"} -.glyphicon-resize-full:before{content:"\e096"} -.glyphicon-resize-small:before{content:"\e097"} -.glyphicon-exclamation-sign:before{content:"\e101"} -.glyphicon-gift:before{content:"\e102"} -.glyphicon-leaf:before{content:"\e103"} -.glyphicon-fire:before{content:"\e104"} -.glyphicon-eye-open:before{content:"\e105"} -.glyphicon-eye-close:before{content:"\e106"} -.glyphicon-warning-sign:before{content:"\e107"} -.glyphicon-plane:before{content:"\e108"} -.glyphicon-calendar:before{content:"\e109"} -.glyphicon-random:before{content:"\e110"} -.glyphicon-comment:before{content:"\e111"} -.glyphicon-magnet:before{content:"\e112"} -.glyphicon-chevron-up:before{content:"\e113"} -.glyphicon-chevron-down:before{content:"\e114"} -.glyphicon-retweet:before{content:"\e115"} -.glyphicon-shopping-cart:before{content:"\e116"} -.glyphicon-folder-close:before{content:"\e117"} -.glyphicon-folder-open:before{content:"\e118"} -.glyphicon-resize-vertical:before{content:"\e119"} -.glyphicon-resize-horizontal:before{content:"\e120"} -.glyphicon-hdd:before{content:"\e121"} -.glyphicon-bullhorn:before{content:"\e122"} -.glyphicon-bell:before{content:"\e123"} -.glyphicon-certificate:before{content:"\e124"} -.glyphicon-thumbs-up:before{content:"\e125"} -.glyphicon-thumbs-down:before{content:"\e126"} -.glyphicon-hand-right:before{content:"\e127"} -.glyphicon-hand-left:before{content:"\e128"} -.glyphicon-hand-up:before{content:"\e129"} -.glyphicon-hand-down:before{content:"\e130"} -.glyphicon-circle-arrow-right:before{content:"\e131"} -.glyphicon-circle-arrow-left:before{content:"\e132"} -.glyphicon-circle-arrow-up:before{content:"\e133"} -.glyphicon-circle-arrow-down:before{content:"\e134"} -.glyphicon-globe:before{content:"\e135"} -.glyphicon-wrench:before{content:"\e136"} -.glyphicon-tasks:before{content:"\e137"} -.glyphicon-filter:before{content:"\e138"} -.glyphicon-briefcase:before{content:"\e139"} -.glyphicon-fullscreen:before{content:"\e140"} -.glyphicon-dashboard:before{content:"\e141"} -.glyphicon-paperclip:before{content:"\e142"} -.glyphicon-heart-empty:before{content:"\e143"} -.glyphicon-link:before{content:"\e144"} -.glyphicon-phone:before{content:"\e145"} -.glyphicon-pushpin:before{content:"\e146"} -.glyphicon-usd:before{content:"\e148"} -.glyphicon-gbp:before{content:"\e149"} -.glyphicon-sort:before{content:"\e150"} -.glyphicon-sort-by-alphabet:before{content:"\e151"} -.glyphicon-sort-by-alphabet-alt:before{content:"\e152"} -.glyphicon-sort-by-order:before{content:"\e153"} -.glyphicon-sort-by-order-alt:before{content:"\e154"} -.glyphicon-sort-by-attributes:before{content:"\e155"} -.glyphicon-sort-by-attributes-alt:before{content:"\e156"} -.glyphicon-unchecked:before{content:"\e157"} -.glyphicon-expand:before{content:"\e158"} -.glyphicon-collapse-down:before{content:"\e159"} -.glyphicon-collapse-up:before{content:"\e160"} -.glyphicon-log-in:before{content:"\e161"} -.glyphicon-flash:before{content:"\e162"} -.glyphicon-log-out:before{content:"\e163"} -.glyphicon-new-window:before{content:"\e164"} -.glyphicon-record:before{content:"\e165"} -.glyphicon-save:before{content:"\e166"} -.glyphicon-open:before{content:"\e167"} -.glyphicon-saved:before{content:"\e168"} -.glyphicon-import:before{content:"\e169"} -.glyphicon-export:before{content:"\e170"} -.glyphicon-send:before{content:"\e171"} -.glyphicon-floppy-disk:before{content:"\e172"} -.glyphicon-floppy-saved:before{content:"\e173"} -.glyphicon-floppy-remove:before{content:"\e174"} -.glyphicon-floppy-save:before{content:"\e175"} -.glyphicon-floppy-open:before{content:"\e176"} -.glyphicon-credit-card:before{content:"\e177"} -.glyphicon-transfer:before{content:"\e178"} -.glyphicon-cutlery:before{content:"\e179"} -.glyphicon-header:before{content:"\e180"} -.glyphicon-compressed:before{content:"\e181"} -.glyphicon-earphone:before{content:"\e182"} -.glyphicon-phone-alt:before{content:"\e183"} -.glyphicon-tower:before{content:"\e184"} -.glyphicon-stats:before{content:"\e185"} -.glyphicon-sd-video:before{content:"\e186"} -.glyphicon-hd-video:before{content:"\e187"} -.glyphicon-subtitles:before{content:"\e188"} -.glyphicon-sound-stereo:before{content:"\e189"} -.glyphicon-sound-dolby:before{content:"\e190"} -.glyphicon-sound-5-1:before{content:"\e191"} -.glyphicon-sound-6-1:before{content:"\e192"} -.glyphicon-sound-7-1:before{content:"\e193"} -.glyphicon-copyright-mark:before{content:"\e194"} -.glyphicon-registration-mark:before{content:"\e195"} -.glyphicon-cloud-download:before{content:"\e197"} -.glyphicon-cloud-upload:before{content:"\e198"} -.glyphicon-tree-conifer:before{content:"\e199"} -.glyphicon-tree-deciduous:before{content:"\e200"} -.glyphicon-cd:before{content:"\e201"} -.glyphicon-save-file:before{content:"\e202"} -.glyphicon-open-file:before{content:"\e203"} -.glyphicon-level-up:before{content:"\e204"} -.glyphicon-copy:before{content:"\e205"} -.glyphicon-paste:before{content:"\e206"} -.glyphicon-alert:before{content:"\e209"} -.glyphicon-equalizer:before{content:"\e210"} -.glyphicon-king:before{content:"\e211"} -.glyphicon-queen:before{content:"\e212"} -.glyphicon-pawn:before{content:"\e213"} -.glyphicon-bishop:before{content:"\e214"} -.glyphicon-knight:before{content:"\e215"} -.glyphicon-baby-formula:before{content:"\e216"} -.glyphicon-tent:before{content:"\26fa"} -.glyphicon-blackboard:before{content:"\e218"} -.glyphicon-bed:before{content:"\e219"} -.glyphicon-apple:before{content:"\f8ff"} -.glyphicon-erase:before{content:"\e221"} -.glyphicon-hourglass:before{content:"\231b"} -.glyphicon-lamp:before{content:"\e223"} -.glyphicon-duplicate:before{content:"\e224"} -.glyphicon-piggy-bank:before{content:"\e225"} -.glyphicon-scissors:before{content:"\e226"} -.glyphicon-bitcoin:before,.glyphicon-btc:before,.glyphicon-xbt:before{content:"\e227"} -.glyphicon-jpy:before,.glyphicon-yen:before{content:"\00a5"} -.glyphicon-rub:before,.glyphicon-ruble:before{content:"\20bd"} -.glyphicon-scale:before{content:"\e230"} -.glyphicon-ice-lolly:before{content:"\e231"} -.glyphicon-ice-lolly-tasted:before{content:"\e232"} -.glyphicon-education:before{content:"\e233"} -.glyphicon-option-horizontal:before{content:"\e234"} -.glyphicon-option-vertical:before{content:"\e235"} -.glyphicon-menu-hamburger:before{content:"\e236"} -.glyphicon-modal-window:before{content:"\e237"} -.glyphicon-oil:before{content:"\e238"} -.glyphicon-grain:before{content:"\e239"} -.glyphicon-sunglasses:before{content:"\e240"} -.glyphicon-text-size:before{content:"\e241"} -.glyphicon-text-color:before{content:"\e242"} -.glyphicon-text-background:before{content:"\e243"} -.glyphicon-object-align-top:before{content:"\e244"} -.glyphicon-object-align-bottom:before{content:"\e245"} -.glyphicon-object-align-horizontal:before{content:"\e246"} -.glyphicon-object-align-left:before{content:"\e247"} -.glyphicon-object-align-vertical:before{content:"\e248"} -.glyphicon-object-align-right:before{content:"\e249"} -.glyphicon-triangle-right:before{content:"\e250"} -.glyphicon-triangle-left:before{content:"\e251"} -.glyphicon-triangle-bottom:before{content:"\e252"} -.glyphicon-triangle-top:before{content:"\e253"} -.glyphicon-console:before{content:"\e254"} -.glyphicon-superscript:before{content:"\e255"} -.glyphicon-subscript:before{content:"\e256"} -.glyphicon-menu-left:before{content:"\e257"} -.glyphicon-menu-right:before{content:"\e258"} -.glyphicon-menu-down:before{content:"\e259"} -.glyphicon-menu-up:before{content:"\e260"} -*,:after,:before{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box} -html{font-size:10px;-webkit-tap-highlight-color:transparent} -body{font-family:"Helvetica Neue",Helvetica,Arial,sans-serif;font-size:14px;line-height:1.42857143;color:#333} -button,input,select,textarea{font-family:inherit;font-size:inherit;line-height:inherit} -a{color:#337ab7;text-decoration:none} -a:focus,a:hover{color:#23527c;text-decoration:underline} -a:focus{outline:-webkit-focus-ring-color auto 5px;outline-offset:-2px} -.carousel-inner>.item>a>img,.carousel-inner>.item>img,.img-responsive,.thumbnail a>img,.thumbnail>img{display:block;max-width:100%;height:auto} -.img-rounded{border-radius:6px} -.img-thumbnail{display:inline-block;max-width:100%;height:auto;padding:4px;line-height:1.42857143;border:1px solid #ddd;border-radius:4px;-webkit-transition:all .2s ease-in-out;-o-transition:all .2s ease-in-out;transition:all .2s ease-in-out} -.img-circle{border-radius:50%} -hr{margin-top:20px;margin-bottom:20px;border-top:1px solid #eee} -.sr-only{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0} -.sr-only-focusable:active,.sr-only-focusable:focus{position:static;width:auto;height:auto;margin:0;overflow:visible;clip:auto} -[role=button]{cursor:pointer} -.h1,.h2,.h3,.h4,.h5,.h6,h1,h2,h3,h4,h5,h6{font-family:inherit;font-weight:500;line-height:1.1;color:inherit} -.h1 .small,.h1 small,.h2 .small,.h2 small,.h3 .small,.h3 small,.h4 .small,.h4 small,.h5 .small,.h5 small,.h6 .small,.h6 small,h1 .small,h1 small,h2 .small,h2 small,h3 .small,h3 small,h4 .small,h4 small,h5 .small,h5 small,h6 .small,h6 small{font-weight:400;line-height:1;color:#777} -.h1,.h2,.h3,h1,h2,h3{margin-top:20px;margin-bottom:10px} -.h1 .small,.h1 small,.h2 .small,.h2 small,.h3 .small,.h3 small,h1 .small,h1 small,h2 .small,h2 small,h3 .small,h3 small{font-size:65%} -.h4,.h5,.h6,h4,h5,h6{margin-top:10px;margin-bottom:10px} -.h4 .small,.h4 small,.h5 .small,.h5 small,.h6 .small,.h6 small,h4 .small,h4 small,h5 .small,h5 small,h6 .small,h6 small{font-size:75%} -.h1,h1{font-size:36px} -.h2,h2{font-size:30px} -.h3,h3{font-size:24px} -.h4,h4{font-size:18px} -.h5,h5{font-size:14px} -.h6,h6{font-size:12px} -p{margin:0 0 10px} -.lead{margin-bottom:20px;font-size:16px;font-weight:300;line-height:1.4} -dt,kbd kbd,label{font-weight:700} -address,blockquote .small,blockquote footer,blockquote small,dd,dt,pre{line-height:1.42857143} -@media (min-width:768px){.lead{font-size:21px} -} -.small,small{font-size:85%} -.mark,mark{padding:.2em;background-color:#fcf8e3} -.list-inline,.list-unstyled{padding-left:0;list-style:none} -.text-left{text-align:left} -.text-right{text-align:right} -.text-center{text-align:center} -.text-justify{text-align:justify} -.text-nowrap{white-space:nowrap} -.text-lowercase{text-transform:lowercase} -.text-uppercase{text-transform:uppercase} -.text-capitalize{text-transform:capitalize} -.text-muted{color:#777} -.text-primary{color:#337ab7} -a.text-primary:focus,a.text-primary:hover{color:#286090} -.text-success{color:#3c763d} -a.text-success:focus,a.text-success:hover{color:#2b542c} -.text-info{color:#31708f} -a.text-info:focus,a.text-info:hover{color:#245269} -.text-warning{color:#8a6d3b} -a.text-warning:focus,a.text-warning:hover{color:#66512c} -.text-danger{color:#a94442} -a.text-danger:focus,a.text-danger:hover{color:#843534} -.bg-primary{color:#fff;background-color:#337ab7} -a.bg-primary:focus,a.bg-primary:hover{background-color:#286090} -.bg-success{background-color:#dff0d8} -a.bg-success:focus,a.bg-success:hover{background-color:#c1e2b3} -.bg-info{background-color:#d9edf7} -a.bg-info:focus,a.bg-info:hover{background-color:#afd9ee} -.bg-warning{background-color:#fcf8e3} -a.bg-warning:focus,a.bg-warning:hover{background-color:#f7ecb5} -.bg-danger{background-color:#f2dede} -a.bg-danger:focus,a.bg-danger:hover{background-color:#e4b9b9} -pre code,table{background-color:transparent} -.page-header{padding-bottom:9px;margin:40px 0 20px;border-bottom:1px solid #eee} -dl,ol,ul{margin-top:0} -blockquote ol:last-child,blockquote p:last-child,blockquote ul:last-child,ol ol,ol ul,ul ol,ul ul{margin-bottom:0} -address,dl{margin-bottom:20px} -ol,ul{margin-bottom:10px} -.list-inline{margin-left:-5px} -.list-inline>li{display:inline-block;padding-right:5px;padding-left:5px} -dd{margin-left:0} -@media (min-width:768px){.dl-horizontal dt{float:left;width:160px;overflow:hidden;clear:left;text-align:right;text-overflow:ellipsis;white-space:nowrap} -.dl-horizontal dd{margin-left:180px} -.container{width:750px} -} -abbr[data-original-title],abbr[title]{cursor:help;border-bottom:1px dotted #777} -.initialism{font-size:90%;text-transform:uppercase} -blockquote{padding:10px 20px;margin:0 0 20px;font-size:17.5px;border-left:5px solid #eee} -blockquote .small,blockquote footer,blockquote small{display:block;font-size:80%;color:#777} -legend,pre{display:block;color:#333} -blockquote .small:before,blockquote footer:before,blockquote small:before{content:'\2014 \00A0'} -.blockquote-reverse,blockquote.pull-right{padding-right:15px;padding-left:0;text-align:right;border-right:5px solid #eee;border-left:0} -code,kbd{padding:2px 4px;font-size:90%} -caption,th{text-align:left} -.blockquote-reverse .small:before,.blockquote-reverse footer:before,.blockquote-reverse small:before,blockquote.pull-right .small:before,blockquote.pull-right footer:before,blockquote.pull-right small:before{content:''} -.blockquote-reverse .small:after,.blockquote-reverse footer:after,.blockquote-reverse small:after,blockquote.pull-right .small:after,blockquote.pull-right footer:after,blockquote.pull-right small:after{content:'\00A0 \2014'} -code,kbd,pre,samp{font-family:Menlo,Monaco,Consolas,"Courier New",monospace} -code{color:#c7254e;background-color:#f9f2f4;border-radius:4px} -kbd{color:#fff;background-color:#333;border-radius:3px;-webkit-box-shadow:inset 0 -1px 0 rgba(0,0,0,.25);box-shadow:inset 0 -1px 0 rgba(0,0,0,.25)} -kbd kbd{padding:0;font-size:100%;-webkit-box-shadow:none;box-shadow:none} -pre{padding:9.5px;margin:0 0 10px;font-size:13px;word-break:break-all;word-wrap:break-word;background-color:#f5f5f5;border:1px solid #ccc;border-radius:4px} -.container,.container-fluid{margin-right:auto;margin-left:auto} -pre code{padding:0;font-size:inherit;color:inherit;white-space:pre-wrap;border-radius:0} -.container,.container-fluid{padding-right:15px;padding-left:15px} -.pre-scrollable{overflow-y:scroll} -@media (min-width:992px){.container{width:970px} -} -@media (min-width:1200px){.container{width:1170px} -} -.row{margin-right:-15px;margin-left:-15px} -.col-lg-1,.col-lg-10,.col-lg-11,.col-lg-12,.col-lg-2,.col-lg-3,.col-lg-4,.col-lg-5,.col-lg-6,.col-lg-7,.col-lg-8,.col-lg-9,.col-md-1,.col-md-10,.col-md-11,.col-md-12,.col-md-2,.col-md-3,.col-md-4,.col-md-5,.col-md-6,.col-md-7,.col-md-8,.col-md-9,.col-sm-1,.col-sm-10,.col-sm-11,.col-sm-12,.col-sm-2,.col-sm-3,.col-sm-4,.col-sm-5,.col-sm-6,.col-sm-7,.col-sm-8,.col-sm-9,.col-xs-1,.col-xs-10,.col-xs-11,.col-xs-12,.col-xs-2,.col-xs-3,.col-xs-4,.col-xs-5,.col-xs-6,.col-xs-7,.col-xs-8,.col-xs-9{position:relative;min-height:1px;padding-right:15px;padding-left:15px} -.col-xs-12{width:100%} -.col-xs-11{width:91.66666667%} -.col-xs-10{width:83.33333333%} -.col-xs-9{width:75%} -.col-xs-8{width:66.66666667%} -.col-xs-7{width:58.33333333%} -.col-xs-6{width:50%} -.col-xs-5{width:41.66666667%} -.col-xs-4{width:33.33333333%} -.col-xs-3{width:25%} -.col-xs-2{width:16.66666667%} -.col-xs-1{width:8.33333333%} -.col-xs-pull-12{right:100%} -.col-xs-pull-11{right:91.66666667%} -.col-xs-pull-10{right:83.33333333%} -.col-xs-pull-9{right:75%} -.col-xs-pull-8{right:66.66666667%} -.col-xs-pull-7{right:58.33333333%} -.col-xs-pull-6{right:50%} -.col-xs-pull-5{right:41.66666667%} -.col-xs-pull-4{right:33.33333333%} -.col-xs-pull-3{right:25%} -.col-xs-pull-2{right:16.66666667%} -.col-xs-pull-1{right:8.33333333%} -.col-xs-pull-0{right:auto} -.col-xs-push-12{left:100%} -.col-xs-push-11{left:91.66666667%} -.col-xs-push-10{left:83.33333333%} -.col-xs-push-9{left:75%} -.col-xs-push-8{left:66.66666667%} -.col-xs-push-7{left:58.33333333%} -.col-xs-push-6{left:50%} -.col-xs-push-5{left:41.66666667%} -.col-xs-push-4{left:33.33333333%} -.col-xs-push-3{left:25%} -.col-xs-push-2{left:16.66666667%} -.col-xs-push-1{left:8.33333333%} -.col-xs-push-0{left:auto} -.col-xs-offset-12{margin-left:100%} -.col-xs-offset-11{margin-left:91.66666667%} -.col-xs-offset-10{margin-left:83.33333333%} -.col-xs-offset-9{margin-left:75%} -.col-xs-offset-8{margin-left:66.66666667%} -.col-xs-offset-7{margin-left:58.33333333%} -.col-xs-offset-6{margin-left:50%} -.col-xs-offset-5{margin-left:41.66666667%} -.col-xs-offset-4{margin-left:33.33333333%} -.col-xs-offset-3{margin-left:25%} -.col-xs-offset-2{margin-left:16.66666667%} -.col-xs-offset-1{margin-left:8.33333333%} -.col-xs-offset-0{margin-left:0} -@media (min-width:768px){.col-sm-1,.col-sm-10,.col-sm-11,.col-sm-12,.col-sm-2,.col-sm-3,.col-sm-4,.col-sm-5,.col-sm-6,.col-sm-7,.col-sm-8,.col-sm-9{float:left} -.col-sm-12{width:100%} -.col-sm-11{width:91.66666667%} -.col-sm-10{width:83.33333333%} -.col-sm-9{width:75%} -.col-sm-8{width:66.66666667%} -.col-sm-7{width:58.33333333%} -.col-sm-6{width:50%} -.col-sm-5{width:41.66666667%} -.col-sm-4{width:33.33333333%} -.col-sm-3{width:25%} -.col-sm-2{width:16.66666667%} -.col-sm-1{width:8.33333333%} -.col-sm-pull-12{right:100%} -.col-sm-pull-11{right:91.66666667%} -.col-sm-pull-10{right:83.33333333%} -.col-sm-pull-9{right:75%} -.col-sm-pull-8{right:66.66666667%} -.col-sm-pull-7{right:58.33333333%} -.col-sm-pull-6{right:50%} -.col-sm-pull-5{right:41.66666667%} -.col-sm-pull-4{right:33.33333333%} -.col-sm-pull-3{right:25%} -.col-sm-pull-2{right:16.66666667%} -.col-sm-pull-1{right:8.33333333%} -.col-sm-pull-0{right:auto} -.col-sm-push-12{left:100%} -.col-sm-push-11{left:91.66666667%} -.col-sm-push-10{left:83.33333333%} -.col-sm-push-9{left:75%} -.col-sm-push-8{left:66.66666667%} -.col-sm-push-7{left:58.33333333%} -.col-sm-push-6{left:50%} -.col-sm-push-5{left:41.66666667%} -.col-sm-push-4{left:33.33333333%} -.col-sm-push-3{left:25%} -.col-sm-push-2{left:16.66666667%} -.col-sm-push-1{left:8.33333333%} -.col-sm-push-0{left:auto} -.col-sm-offset-12{margin-left:100%} -.col-sm-offset-11{margin-left:91.66666667%} -.col-sm-offset-10{margin-left:83.33333333%} -.col-sm-offset-9{margin-left:75%} -.col-sm-offset-8{margin-left:66.66666667%} -.col-sm-offset-7{margin-left:58.33333333%} -.col-sm-offset-6{margin-left:50%} -.col-sm-offset-5{margin-left:41.66666667%} -.col-sm-offset-4{margin-left:33.33333333%} -.col-sm-offset-3{margin-left:25%} -.col-sm-offset-2{margin-left:16.66666667%} -.col-sm-offset-1{margin-left:8.33333333%} -.col-sm-offset-0{margin-left:0} -} -@media (min-width:992px){.col-md-1,.col-md-10,.col-md-11,.col-md-12,.col-md-2,.col-md-3,.col-md-4,.col-md-5,.col-md-6,.col-md-7,.col-md-8,.col-md-9{float:left} -.col-md-12{width:100%} -.col-md-11{width:91.66666667%} -.col-md-10{width:83.33333333%} -.col-md-9{width:75%} -.col-md-8{width:66.66666667%} -.col-md-7{width:58.33333333%} -.col-md-6{width:50%} -.col-md-5{width:41.66666667%} -.col-md-4{width:33.33333333%} -.col-md-3{width:25%} -.col-md-2{width:16.66666667%} -.col-md-1{width:8.33333333%} -.col-md-pull-12{right:100%} -.col-md-pull-11{right:91.66666667%} -.col-md-pull-10{right:83.33333333%} -.col-md-pull-9{right:75%} -.col-md-pull-8{right:66.66666667%} -.col-md-pull-7{right:58.33333333%} -.col-md-pull-6{right:50%} -.col-md-pull-5{right:41.66666667%} -.col-md-pull-4{right:33.33333333%} -.col-md-pull-3{right:25%} -.col-md-pull-2{right:16.66666667%} -.col-md-pull-1{right:8.33333333%} -.col-md-pull-0{right:auto} -.col-md-push-12{left:100%} -.col-md-push-11{left:91.66666667%} -.col-md-push-10{left:83.33333333%} -.col-md-push-9{left:75%} -.col-md-push-8{left:66.66666667%} -.col-md-push-7{left:58.33333333%} -.col-md-push-6{left:50%} -.col-md-push-5{left:41.66666667%} -.col-md-push-4{left:33.33333333%} -.col-md-push-3{left:25%} -.col-md-push-2{left:16.66666667%} -.col-md-push-1{left:8.33333333%} -.col-md-push-0{left:auto} -.col-md-offset-12{margin-left:100%} -.col-md-offset-11{margin-left:91.66666667%} -.col-md-offset-10{margin-left:83.33333333%} -.col-md-offset-9{margin-left:75%} -.col-md-offset-8{margin-left:66.66666667%} -.col-md-offset-7{margin-left:58.33333333%} -.col-md-offset-6{margin-left:50%} -.col-md-offset-5{margin-left:41.66666667%} -.col-md-offset-4{margin-left:33.33333333%} -.col-md-offset-3{margin-left:25%} -.col-md-offset-2{margin-left:16.66666667%} -.col-md-offset-1{margin-left:8.33333333%} -.col-md-offset-0{margin-left:0} -} -@media (min-width:1200px){.col-lg-1,.col-lg-10,.col-lg-11,.col-lg-12,.col-lg-2,.col-lg-3,.col-lg-4,.col-lg-5,.col-lg-6,.col-lg-7,.col-lg-8,.col-lg-9{float:left} -.col-lg-12{width:100%} -.col-lg-11{width:91.66666667%} -.col-lg-10{width:83.33333333%} -.col-lg-9{width:75%} -.col-lg-8{width:66.66666667%} -.col-lg-7{width:58.33333333%} -.col-lg-6{width:50%} -.col-lg-5{width:41.66666667%} -.col-lg-4{width:33.33333333%} -.col-lg-3{width:25%} -.col-lg-2{width:16.66666667%} -.col-lg-1{width:8.33333333%} -.col-lg-pull-12{right:100%} -.col-lg-pull-11{right:91.66666667%} -.col-lg-pull-10{right:83.33333333%} -.col-lg-pull-9{right:75%} -.col-lg-pull-8{right:66.66666667%} -.col-lg-pull-7{right:58.33333333%} -.col-lg-pull-6{right:50%} -.col-lg-pull-5{right:41.66666667%} -.col-lg-pull-4{right:33.33333333%} -.col-lg-pull-3{right:25%} -.col-lg-pull-2{right:16.66666667%} -.col-lg-pull-1{right:8.33333333%} -.col-lg-pull-0{right:auto} -.col-lg-push-12{left:100%} -.col-lg-push-11{left:91.66666667%} -.col-lg-push-10{left:83.33333333%} -.col-lg-push-9{left:75%} -.col-lg-push-8{left:66.66666667%} -.col-lg-push-7{left:58.33333333%} -.col-lg-push-6{left:50%} -.col-lg-push-5{left:41.66666667%} -.col-lg-push-4{left:33.33333333%} -.col-lg-push-3{left:25%} -.col-lg-push-2{left:16.66666667%} -.col-lg-push-1{left:8.33333333%} -.col-lg-push-0{left:auto} -.col-lg-offset-12{margin-left:100%} -.col-lg-offset-11{margin-left:91.66666667%} -.col-lg-offset-10{margin-left:83.33333333%} -.col-lg-offset-9{margin-left:75%} -.col-lg-offset-8{margin-left:66.66666667%} -.col-lg-offset-7{margin-left:58.33333333%} -.col-lg-offset-6{margin-left:50%} -.col-lg-offset-5{margin-left:41.66666667%} -.col-lg-offset-4{margin-left:33.33333333%} -.col-lg-offset-3{margin-left:25%} -.col-lg-offset-2{margin-left:16.66666667%} -.col-lg-offset-1{margin-left:8.33333333%} -.col-lg-offset-0{margin-left:0} -} -caption{padding-top:8px;padding-bottom:8px;color:#777} -.table{width:100%;max-width:100%;margin-bottom:20px} -.table>tbody>tr>td,.table>tbody>tr>th,.table>tfoot>tr>td,.table>tfoot>tr>th,.table>thead>tr>td,.table>thead>tr>th{padding:8px;line-height:1.42857143;vertical-align:top;border-top:1px solid #ddd} -.table>thead>tr>th{vertical-align:bottom;border-bottom:2px solid #ddd} -.table>caption+thead>tr:first-child>td,.table>caption+thead>tr:first-child>th,.table>colgroup+thead>tr:first-child>td,.table>colgroup+thead>tr:first-child>th,.table>thead:first-child>tr:first-child>td,.table>thead:first-child>tr:first-child>th{border-top:0} -.table>tbody+tbody{border-top:2px solid #ddd} -.table .table{background-color:#fff} -.table-condensed>tbody>tr>td,.table-condensed>tbody>tr>th,.table-condensed>tfoot>tr>td,.table-condensed>tfoot>tr>th,.table-condensed>thead>tr>td,.table-condensed>thead>tr>th{padding:5px} -.table-bordered,.table-bordered>tbody>tr>td,.table-bordered>tbody>tr>th,.table-bordered>tfoot>tr>td,.table-bordered>tfoot>tr>th,.table-bordered>thead>tr>td,.table-bordered>thead>tr>th{border:1px solid #ddd} -.table-bordered>thead>tr>td,.table-bordered>thead>tr>th{border-bottom-width:2px} -.table-striped>tbody>tr:nth-of-type(odd){background-color:#f9f9f9} -.table-hover>tbody>tr:hover,.table>tbody>tr.active>td,.table>tbody>tr.active>th,.table>tbody>tr>td.active,.table>tbody>tr>th.active,.table>tfoot>tr.active>td,.table>tfoot>tr.active>th,.table>tfoot>tr>td.active,.table>tfoot>tr>th.active,.table>thead>tr.active>td,.table>thead>tr.active>th,.table>thead>tr>td.active,.table>thead>tr>th.active{background-color:#f5f5f5} -table col[class*=col-]{position:static;display:table-column;float:none} -table td[class*=col-],table th[class*=col-]{position:static;display:table-cell;float:none} -.table-hover>tbody>tr.active:hover>td,.table-hover>tbody>tr.active:hover>th,.table-hover>tbody>tr:hover>.active,.table-hover>tbody>tr>td.active:hover,.table-hover>tbody>tr>th.active:hover{background-color:#e8e8e8} -.table>tbody>tr.success>td,.table>tbody>tr.success>th,.table>tbody>tr>td.success,.table>tbody>tr>th.success,.table>tfoot>tr.success>td,.table>tfoot>tr.success>th,.table>tfoot>tr>td.success,.table>tfoot>tr>th.success,.table>thead>tr.success>td,.table>thead>tr.success>th,.table>thead>tr>td.success,.table>thead>tr>th.success{background-color:#dff0d8} -.table-hover>tbody>tr.success:hover>td,.table-hover>tbody>tr.success:hover>th,.table-hover>tbody>tr:hover>.success,.table-hover>tbody>tr>td.success:hover,.table-hover>tbody>tr>th.success:hover{background-color:#d0e9c6} -.table>tbody>tr.info>td,.table>tbody>tr.info>th,.table>tbody>tr>td.info,.table>tbody>tr>th.info,.table>tfoot>tr.info>td,.table>tfoot>tr.info>th,.table>tfoot>tr>td.info,.table>tfoot>tr>th.info,.table>thead>tr.info>td,.table>thead>tr.info>th,.table>thead>tr>td.info,.table>thead>tr>th.info{background-color:#d9edf7} -.table-hover>tbody>tr.info:hover>td,.table-hover>tbody>tr.info:hover>th,.table-hover>tbody>tr:hover>.info,.table-hover>tbody>tr>td.info:hover,.table-hover>tbody>tr>th.info:hover{background-color:#c4e3f3} -.table>tbody>tr.warning>td,.table>tbody>tr.warning>th,.table>tbody>tr>td.warning,.table>tbody>tr>th.warning,.table>tfoot>tr.warning>td,.table>tfoot>tr.warning>th,.table>tfoot>tr>td.warning,.table>tfoot>tr>th.warning,.table>thead>tr.warning>td,.table>thead>tr.warning>th,.table>thead>tr>td.warning,.table>thead>tr>th.warning{background-color:#fcf8e3} -.table-hover>tbody>tr.warning:hover>td,.table-hover>tbody>tr.warning:hover>th,.table-hover>tbody>tr:hover>.warning,.table-hover>tbody>tr>td.warning:hover,.table-hover>tbody>tr>th.warning:hover{background-color:#faf2cc} -.table>tbody>tr.danger>td,.table>tbody>tr.danger>th,.table>tbody>tr>td.danger,.table>tbody>tr>th.danger,.table>tfoot>tr.danger>td,.table>tfoot>tr.danger>th,.table>tfoot>tr>td.danger,.table>tfoot>tr>th.danger,.table>thead>tr.danger>td,.table>thead>tr.danger>th,.table>thead>tr>td.danger,.table>thead>tr>th.danger{background-color:#f2dede} -.table-hover>tbody>tr.danger:hover>td,.table-hover>tbody>tr.danger:hover>th,.table-hover>tbody>tr:hover>.danger,.table-hover>tbody>tr>td.danger:hover,.table-hover>tbody>tr>th.danger:hover{background-color:#ebcccc} -.table-responsive{min-height:.01%;overflow-x:auto} -@media screen and (max-width:767px){.table-responsive{width:100%;margin-bottom:15px;overflow-y:hidden;-ms-overflow-style:-ms-autohiding-scrollbar;border:1px solid #ddd} -.table-responsive>.table{margin-bottom:0} -.table-responsive>.table>tbody>tr>td,.table-responsive>.table>tbody>tr>th,.table-responsive>.table>tfoot>tr>td,.table-responsive>.table>tfoot>tr>th,.table-responsive>.table>thead>tr>td,.table-responsive>.table>thead>tr>th{white-space:nowrap} -.table-responsive>.table-bordered{border:0} -.table-responsive>.table-bordered>tbody>tr>td:first-child,.table-responsive>.table-bordered>tbody>tr>th:first-child,.table-responsive>.table-bordered>tfoot>tr>td:first-child,.table-responsive>.table-bordered>tfoot>tr>th:first-child,.table-responsive>.table-bordered>thead>tr>td:first-child,.table-responsive>.table-bordered>thead>tr>th:first-child{border-left:0} -.table-responsive>.table-bordered>tbody>tr>td:last-child,.table-responsive>.table-bordered>tbody>tr>th:last-child,.table-responsive>.table-bordered>tfoot>tr>td:last-child,.table-responsive>.table-bordered>tfoot>tr>th:last-child,.table-responsive>.table-bordered>thead>tr>td:last-child,.table-responsive>.table-bordered>thead>tr>th:last-child{border-right:0} -.table-responsive>.table-bordered>tbody>tr:last-child>td,.table-responsive>.table-bordered>tbody>tr:last-child>th,.table-responsive>.table-bordered>tfoot>tr:last-child>td,.table-responsive>.table-bordered>tfoot>tr:last-child>th{border-bottom:0} -} -fieldset,legend{padding:0;border:0} -fieldset{min-width:0;margin:0} -legend{width:100%;margin-bottom:20px;font-size:21px;line-height:inherit;border-bottom:1px solid #e5e5e5} -label{display:inline-block;max-width:100%;margin-bottom:5px} -input[type=search]{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box;-webkit-appearance:none} -input[type=checkbox],input[type=radio]{margin:4px 0 0;margin-top:1px\9;line-height:normal} -.form-control,output{font-size:14px;line-height:1.42857143;color:#555;display:block} -input[type=file]{display:block} -input[type=range]{display:block;width:100%} -select[multiple],select[size]{height:auto} -input[type=file]:focus,input[type=checkbox]:focus,input[type=radio]:focus{outline:-webkit-focus-ring-color auto 5px;outline-offset:-2px} -output{padding-top:7px} -.form-control{width:100%;height:34px;padding:6px 12px;background-color:#fff;border:1px solid #ccc;border-radius:4px;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 1px rgba(0,0,0,.075);-webkit-transition:border-color ease-in-out .15s,-webkit-box-shadow ease-in-out .15s;-o-transition:border-color ease-in-out .15s,box-shadow ease-in-out .15s;transition:border-color ease-in-out .15s,box-shadow ease-in-out .15s} -.form-control:focus{border-color:#66afe9;outline:0;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 8px rgba(102,175,233,.6);box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 8px rgba(102,175,233,.6)} -.form-control::-moz-placeholder{color:#999;opacity:1} -.form-control:-ms-input-placeholder{color:#999} -.form-control::-webkit-input-placeholder{color:#999} -.has-success .checkbox,.has-success .checkbox-inline,.has-success .control-label,.has-success .form-control-feedback,.has-success .help-block,.has-success .radio,.has-success .radio-inline,.has-success.checkbox label,.has-success.checkbox-inline label,.has-success.radio label,.has-success.radio-inline label{color:#3c763d} -.form-control::-ms-expand{background-color:transparent;border:0} -.form-control[disabled],.form-control[readonly],fieldset[disabled] .form-control{background-color:#eee;opacity:1} -.form-control[disabled],fieldset[disabled] .form-control{cursor:not-allowed} -textarea.form-control{height:auto} -@media screen and (-webkit-min-device-pixel-ratio:0){input[type=date].form-control,input[type=time].form-control,input[type=datetime-local].form-control,input[type=month].form-control{line-height:34px} -.input-group-sm input[type=date],.input-group-sm input[type=time],.input-group-sm input[type=datetime-local],.input-group-sm input[type=month],input[type=date].input-sm,input[type=time].input-sm,input[type=datetime-local].input-sm,input[type=month].input-sm{line-height:30px} -.input-group-lg input[type=date],.input-group-lg input[type=time],.input-group-lg input[type=datetime-local],.input-group-lg input[type=month],input[type=date].input-lg,input[type=time].input-lg,input[type=datetime-local].input-lg,input[type=month].input-lg{line-height:46px} -} -.form-group{margin-bottom:15px} -.checkbox,.radio{position:relative;display:block;margin-top:10px;margin-bottom:10px} -.checkbox label,.radio label{min-height:20px;padding-left:20px;margin-bottom:0;font-weight:400;cursor:pointer} -.checkbox input[type=checkbox],.checkbox-inline input[type=checkbox],.radio input[type=radio],.radio-inline input[type=radio]{position:absolute;margin-top:4px\9;margin-left:-20px} -.checkbox+.checkbox,.radio+.radio{margin-top:-5px} -.checkbox-inline,.radio-inline{position:relative;display:inline-block;padding-left:20px;margin-bottom:0;font-weight:400;vertical-align:middle;cursor:pointer} -.checkbox-inline+.checkbox-inline,.radio-inline+.radio-inline{margin-top:0;margin-left:10px} -.checkbox-inline.disabled,.checkbox.disabled label,.radio-inline.disabled,.radio.disabled label,fieldset[disabled] .checkbox label,fieldset[disabled] .checkbox-inline,fieldset[disabled] .radio label,fieldset[disabled] .radio-inline,fieldset[disabled] input[type=checkbox],fieldset[disabled] input[type=radio],input[type=checkbox].disabled,input[type=checkbox][disabled],input[type=radio].disabled,input[type=radio][disabled]{cursor:not-allowed} -.form-control-static{min-height:34px;padding-top:7px;padding-bottom:7px;margin-bottom:0} -.form-control-static.input-lg,.form-control-static.input-sm{padding-right:0;padding-left:0} -.form-group-sm .form-control,.input-sm{padding:5px 10px;border-radius:3px;font-size:12px} -.input-sm{height:30px;line-height:1.5} -select.input-sm{height:30px;line-height:30px} -select[multiple].input-sm,textarea.input-sm{height:auto} -.form-group-sm .form-control{height:30px;line-height:1.5} -.form-group-lg .form-control,.input-lg{border-radius:6px;padding:10px 16px;font-size:18px} -.form-group-sm select.form-control{height:30px;line-height:30px} -.form-group-sm select[multiple].form-control,.form-group-sm textarea.form-control{height:auto} -.form-group-sm .form-control-static{height:30px;min-height:32px;padding:6px 10px;font-size:12px;line-height:1.5} -.input-lg{height:46px;line-height:1.3333333} -select.input-lg{height:46px;line-height:46px} -select[multiple].input-lg,textarea.input-lg{height:auto} -.form-group-lg .form-control{height:46px;line-height:1.3333333} -.form-group-lg select.form-control{height:46px;line-height:46px} -.form-group-lg select[multiple].form-control,.form-group-lg textarea.form-control{height:auto} -.form-group-lg .form-control-static{height:46px;min-height:38px;padding:11px 16px;font-size:18px;line-height:1.3333333} -.has-feedback{position:relative} -.has-feedback .form-control{padding-right:42.5px} -.form-control-feedback{position:absolute;top:0;right:0;z-index:2;display:block;width:34px;height:34px;line-height:34px;text-align:center;pointer-events:none} -.collapsing,.dropdown,.dropup{position:relative} -.form-group-lg .form-control+.form-control-feedback,.input-group-lg+.form-control-feedback,.input-lg+.form-control-feedback{width:46px;height:46px;line-height:46px} -.form-group-sm .form-control+.form-control-feedback,.input-group-sm+.form-control-feedback,.input-sm+.form-control-feedback{width:30px;height:30px;line-height:30px} -.has-success .form-control{border-color:#3c763d;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 1px rgba(0,0,0,.075)} -.has-success .form-control:focus{border-color:#2b542c;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #67b168;box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #67b168} -.has-success .input-group-addon{color:#3c763d;background-color:#dff0d8;border-color:#3c763d} -.has-warning .checkbox,.has-warning .checkbox-inline,.has-warning .control-label,.has-warning .form-control-feedback,.has-warning .help-block,.has-warning .radio,.has-warning .radio-inline,.has-warning.checkbox label,.has-warning.checkbox-inline label,.has-warning.radio label,.has-warning.radio-inline label{color:#8a6d3b} -.has-warning .form-control{border-color:#8a6d3b;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 1px rgba(0,0,0,.075)} -.has-warning .form-control:focus{border-color:#66512c;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #c0a16b;box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #c0a16b} -.has-warning .input-group-addon{color:#8a6d3b;background-color:#fcf8e3;border-color:#8a6d3b} -.has-error .checkbox,.has-error .checkbox-inline,.has-error .control-label,.has-error .form-control-feedback,.has-error .help-block,.has-error .radio,.has-error .radio-inline,.has-error.checkbox label,.has-error.checkbox-inline label,.has-error.radio label,.has-error.radio-inline label{color:#a94442} -.has-error .form-control{border-color:#a94442;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 1px rgba(0,0,0,.075)} -.has-error .form-control:focus{border-color:#843534;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #ce8483;box-shadow:inset 0 1px 1px rgba(0,0,0,.075),0 0 6px #ce8483} -.has-error .input-group-addon{color:#a94442;background-color:#f2dede;border-color:#a94442} -.has-feedback label~.form-control-feedback{top:25px} -.has-feedback label.sr-only~.form-control-feedback{top:0} -.help-block{display:block;margin-top:5px;margin-bottom:10px;color:#737373} -@media (min-width:768px){.form-inline .form-control-static,.form-inline .form-group{display:inline-block} -.form-inline .control-label,.form-inline .form-group{margin-bottom:0;vertical-align:middle} -.form-inline .form-control{display:inline-block;width:auto;vertical-align:middle} -.form-inline .input-group{display:inline-table;vertical-align:middle} -.form-inline .input-group .form-control,.form-inline .input-group .input-group-addon,.form-inline .input-group .input-group-btn{width:auto} -.form-inline .input-group>.form-control{width:100%} -.form-inline .checkbox,.form-inline .radio{display:inline-block;margin-top:0;margin-bottom:0;vertical-align:middle} -.form-inline .checkbox label,.form-inline .radio label{padding-left:0} -.form-inline .checkbox input[type=checkbox],.form-inline .radio input[type=radio]{position:relative;margin-left:0} -.form-inline .has-feedback .form-control-feedback{top:0} -.form-horizontal .control-label{padding-top:7px;margin-bottom:0;text-align:right} -} -.form-horizontal .checkbox,.form-horizontal .checkbox-inline,.form-horizontal .radio,.form-horizontal .radio-inline{padding-top:7px;margin-top:0;margin-bottom:0} -.form-horizontal .checkbox,.form-horizontal .radio{min-height:27px} -.form-horizontal .form-group{margin-right:-15px;margin-left:-15px} -.form-horizontal .has-feedback .form-control-feedback{right:15px} -@media (min-width:768px){.form-horizontal .form-group-lg .control-label{padding-top:11px;font-size:18px} -.form-horizontal .form-group-sm .control-label{padding-top:6px;font-size:12px} -} -.btn{display:inline-block;padding:6px 12px;margin-bottom:0;font-size:14px;font-weight:400;line-height:1.42857143;text-align:center;white-space:nowrap;vertical-align:middle;-ms-touch-action:manipulation;touch-action:manipulation;cursor:pointer;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;border:1px solid transparent;border-radius:4px} -.btn.active.focus,.btn.active:focus,.btn.focus,.btn:active.focus,.btn:active:focus,.btn:focus{outline:-webkit-focus-ring-color auto 5px;outline-offset:-2px} -.btn.focus,.btn:focus,.btn:hover{color:#333;text-decoration:none} -.btn.active,.btn:active{outline:0;-webkit-box-shadow:inset 0 3px 5px rgba(0,0,0,.125);box-shadow:inset 0 3px 5px rgba(0,0,0,.125)} -.btn.disabled,.btn[disabled],fieldset[disabled] .btn{cursor:not-allowed;filter:alpha(opacity=65);-webkit-box-shadow:none;box-shadow:none;opacity:.65} -a.btn.disabled,fieldset[disabled] a.btn{pointer-events:none} -.btn-default{color:#333;background-color:#fff;border-color:#ccc} -.btn-default.focus,.btn-default:focus{color:#333;background-color:#e6e6e6;border-color:#8c8c8c} -.btn-default.active,.btn-default:active,.btn-default:hover,.open>.dropdown-toggle.btn-default{color:#333;background-color:#e6e6e6;border-color:#adadad} -.btn-default.active.focus,.btn-default.active:focus,.btn-default.active:hover,.btn-default:active.focus,.btn-default:active:focus,.btn-default:active:hover,.open>.dropdown-toggle.btn-default.focus,.open>.dropdown-toggle.btn-default:focus,.open>.dropdown-toggle.btn-default:hover{color:#333;background-color:#d4d4d4;border-color:#8c8c8c} -.btn-default.disabled.focus,.btn-default.disabled:focus,.btn-default.disabled:hover,.btn-default[disabled].focus,.btn-default[disabled]:focus,.btn-default[disabled]:hover,fieldset[disabled] .btn-default.focus,fieldset[disabled] .btn-default:focus,fieldset[disabled] .btn-default:hover{background-color:#fff;border-color:#ccc} -.btn-default .badge{color:#fff;background-color:#333} -.btn-primary{color:#fff;background-color:#337ab7;border-color:#2e6da4} -.btn-primary.focus,.btn-primary:focus{color:#fff;background-color:#286090;border-color:#122b40} -.btn-primary.active,.btn-primary:active,.btn-primary:hover,.open>.dropdown-toggle.btn-primary{color:#fff;background-color:#286090;border-color:#204d74} -.btn-primary.active.focus,.btn-primary.active:focus,.btn-primary.active:hover,.btn-primary:active.focus,.btn-primary:active:focus,.btn-primary:active:hover,.open>.dropdown-toggle.btn-primary.focus,.open>.dropdown-toggle.btn-primary:focus,.open>.dropdown-toggle.btn-primary:hover{color:#fff;background-color:#204d74;border-color:#122b40} -.btn-primary.disabled.focus,.btn-primary.disabled:focus,.btn-primary.disabled:hover,.btn-primary[disabled].focus,.btn-primary[disabled]:focus,.btn-primary[disabled]:hover,fieldset[disabled] .btn-primary.focus,fieldset[disabled] .btn-primary:focus,fieldset[disabled] .btn-primary:hover{background-color:#337ab7;border-color:#2e6da4} -.btn-primary .badge{color:#337ab7;background-color:#fff} -.btn-success{color:#fff;background-color:#5cb85c;border-color:#4cae4c} -.btn-success.focus,.btn-success:focus{color:#fff;background-color:#449d44;border-color:#255625} -.btn-success.active,.btn-success:active,.btn-success:hover,.open>.dropdown-toggle.btn-success{color:#fff;background-color:#449d44;border-color:#398439} -.btn-success.active.focus,.btn-success.active:focus,.btn-success.active:hover,.btn-success:active.focus,.btn-success:active:focus,.btn-success:active:hover,.open>.dropdown-toggle.btn-success.focus,.open>.dropdown-toggle.btn-success:focus,.open>.dropdown-toggle.btn-success:hover{color:#fff;background-color:#398439;border-color:#255625} -.btn-success.active,.btn-success:active,.open>.dropdown-toggle.btn-success{background-image:none} -.btn-success.disabled.focus,.btn-success.disabled:focus,.btn-success.disabled:hover,.btn-success[disabled].focus,.btn-success[disabled]:focus,.btn-success[disabled]:hover,fieldset[disabled] .btn-success.focus,fieldset[disabled] .btn-success:focus,fieldset[disabled] .btn-success:hover{background-color:#5cb85c;border-color:#4cae4c} -.btn-success .badge{color:#5cb85c;background-color:#fff} -.btn-info{color:#fff;background-color:#5bc0de;border-color:#46b8da} -.btn-info.focus,.btn-info:focus{color:#fff;background-color:#31b0d5;border-color:#1b6d85} -.btn-info.active,.btn-info:active,.btn-info:hover,.open>.dropdown-toggle.btn-info{color:#fff;background-color:#31b0d5;border-color:#269abc} -.btn-info.active.focus,.btn-info.active:focus,.btn-info.active:hover,.btn-info:active.focus,.btn-info:active:focus,.btn-info:active:hover,.open>.dropdown-toggle.btn-info.focus,.open>.dropdown-toggle.btn-info:focus,.open>.dropdown-toggle.btn-info:hover{color:#fff;background-color:#269abc;border-color:#1b6d85} -.btn-info.disabled.focus,.btn-info.disabled:focus,.btn-info.disabled:hover,.btn-info[disabled].focus,.btn-info[disabled]:focus,.btn-info[disabled]:hover,fieldset[disabled] .btn-info.focus,fieldset[disabled] .btn-info:focus,fieldset[disabled] .btn-info:hover{background-color:#5bc0de;border-color:#46b8da} -.btn-info .badge{color:#5bc0de;background-color:#fff} -.btn-warning{color:#fff;background-color:#f0ad4e;border-color:#eea236} -.btn-warning.focus,.btn-warning:focus{color:#fff;background-color:#ec971f;border-color:#985f0d} -.btn-warning.active,.btn-warning:active,.btn-warning:hover,.open>.dropdown-toggle.btn-warning{color:#fff;background-color:#ec971f;border-color:#d58512} -.btn-warning.active.focus,.btn-warning.active:focus,.btn-warning.active:hover,.btn-warning:active.focus,.btn-warning:active:focus,.btn-warning:active:hover,.open>.dropdown-toggle.btn-warning.focus,.open>.dropdown-toggle.btn-warning:focus,.open>.dropdown-toggle.btn-warning:hover{color:#fff;background-color:#d58512;border-color:#985f0d} -.btn-warning.disabled.focus,.btn-warning.disabled:focus,.btn-warning.disabled:hover,.btn-warning[disabled].focus,.btn-warning[disabled]:focus,.btn-warning[disabled]:hover,fieldset[disabled] .btn-warning.focus,fieldset[disabled] .btn-warning:focus,fieldset[disabled] .btn-warning:hover{background-color:#f0ad4e;border-color:#eea236} -.btn-warning .badge{color:#f0ad4e;background-color:#fff} -.btn-danger{color:#fff;background-color:#d9534f;border-color:#d43f3a} -.btn-danger.focus,.btn-danger:focus{color:#fff;background-color:#c9302c;border-color:#761c19} -.btn-danger.active,.btn-danger:active,.btn-danger:hover,.open>.dropdown-toggle.btn-danger{color:#fff;background-color:#c9302c;border-color:#ac2925} -.btn-danger.active.focus,.btn-danger.active:focus,.btn-danger.active:hover,.btn-danger:active.focus,.btn-danger:active:focus,.btn-danger:active:hover,.open>.dropdown-toggle.btn-danger.focus,.open>.dropdown-toggle.btn-danger:focus,.open>.dropdown-toggle.btn-danger:hover{color:#fff;background-color:#ac2925;border-color:#761c19} -.btn-danger.disabled.focus,.btn-danger.disabled:focus,.btn-danger.disabled:hover,.btn-danger[disabled].focus,.btn-danger[disabled]:focus,.btn-danger[disabled]:hover,fieldset[disabled] .btn-danger.focus,fieldset[disabled] .btn-danger:focus,fieldset[disabled] .btn-danger:hover{background-color:#d9534f;border-color:#d43f3a} -.btn-danger .badge{color:#d9534f;background-color:#fff} -.btn-link{font-weight:400;color:#337ab7;border-radius:0} -.btn-link,.btn-link.active,.btn-link:active,.btn-link[disabled],fieldset[disabled] .btn-link{background-color:transparent;-webkit-box-shadow:none;box-shadow:none} -.btn-link,.btn-link:active,.btn-link:focus,.btn-link:hover{border-color:transparent} -.btn-link:focus,.btn-link:hover{color:#23527c;text-decoration:underline;background-color:transparent} -.btn-link[disabled]:focus,.btn-link[disabled]:hover,fieldset[disabled] .btn-link:focus,fieldset[disabled] .btn-link:hover{color:#777;text-decoration:none} -.btn-group-lg>.btn,.btn-lg{padding:10px 16px;font-size:18px;line-height:1.3333333;border-radius:6px} -.btn-group-sm>.btn,.btn-sm{padding:5px 10px;font-size:12px;line-height:1.5;border-radius:3px} -.btn-group-xs>.btn,.btn-xs{padding:1px 5px;font-size:12px;line-height:1.5;border-radius:3px} -.btn-block{display:block;width:100%} -.btn-block+.btn-block{margin-top:5px} -input[type=button].btn-block,input[type=reset].btn-block,input[type=submit].btn-block{width:100%} -.fade{opacity:0;-webkit-transition:opacity .15s linear;-o-transition:opacity .15s linear;transition:opacity .15s linear} -.fade.in{opacity:1} -.collapse{display:none} -.collapse.in{display:block} -tr.collapse.in{display:table-row} -tbody.collapse.in{display:table-row-group} -.collapsing{height:0;overflow:hidden;-webkit-transition-timing-function:ease;-o-transition-timing-function:ease;transition-timing-function:ease;-webkit-transition-duration:.35s;-o-transition-duration:.35s;transition-duration:.35s;-webkit-transition-property:height,visibility;-o-transition-property:height,visibility;transition-property:height,visibility} -.caret{display:inline-block;width:0;height:0;margin-left:2px;vertical-align:middle;border-top:4px dashed;border-top:4px solid\9;border-right:4px solid transparent;border-left:4px solid transparent} -.dropdown-toggle:focus{outline:0} -.dropdown-menu{position:absolute;top:100%;left:0;z-index:1000;display:none;min-width:160px;padding:5px 0;margin:2px 0 0;font-size:14px;text-align:left;list-style:none;background-color:#fff;background-clip:padding-box;border:1px solid #ccc;border:1px solid rgba(0,0,0,.15);border-radius:4px;-webkit-box-shadow:0 6px 12px rgba(0,0,0,.175);box-shadow:0 6px 12px rgba(0,0,0,.175)} -.dropdown-menu-right,.dropdown-menu.pull-right{right:0;left:auto} -.dropdown-header,.dropdown-menu>li>a{display:block;padding:3px 20px;line-height:1.42857143;white-space:nowrap} -.btn-group>.btn-group:first-child:not(:last-child)>.btn:last-child,.btn-group>.btn-group:first-child:not(:last-child)>.dropdown-toggle,.btn-group>.btn:first-child:not(:last-child):not(.dropdown-toggle){border-top-right-radius:0;border-bottom-right-radius:0} -.btn-group>.btn-group:last-child:not(:first-child)>.btn:first-child,.btn-group>.btn:last-child:not(:first-child),.btn-group>.dropdown-toggle:not(:first-child){border-top-left-radius:0;border-bottom-left-radius:0} -.btn-group-vertical>.btn:not(:first-child):not(:last-child),.btn-group>.btn-group:not(:first-child):not(:last-child)>.btn,.btn-group>.btn:not(:first-child):not(:last-child):not(.dropdown-toggle){border-radius:0} -.dropdown-menu .divider{height:1px;margin:9px 0;overflow:hidden;background-color:#e5e5e5} -.dropdown-menu>li>a{clear:both;font-weight:400;color:#333} -.dropdown-menu>li>a:focus,.dropdown-menu>li>a:hover{color:#262626;text-decoration:none;background-color:#f5f5f5} -.dropdown-menu>.active>a,.dropdown-menu>.active>a:focus,.dropdown-menu>.active>a:hover{color:#fff;text-decoration:none;background-color:#337ab7;outline:0} -.dropdown-menu>.disabled>a,.dropdown-menu>.disabled>a:focus,.dropdown-menu>.disabled>a:hover{color:#777} -.dropdown-menu>.disabled>a:focus,.dropdown-menu>.disabled>a:hover{text-decoration:none;cursor:not-allowed;background-color:transparent;filter:progid:DXImageTransform.Microsoft.gradient(enabled=false)} -.open>.dropdown-menu{display:block} -.open>a{outline:0} -.dropdown-menu-left{right:auto;left:0} -.dropdown-header{font-size:12px;color:#777} -.dropdown-backdrop{position:fixed;top:0;right:0;bottom:0;left:0;z-index:990} -.nav-justified>.dropdown .dropdown-menu,.nav-tabs.nav-justified>.dropdown .dropdown-menu{top:auto;left:auto} -.pull-right>.dropdown-menu{right:0;left:auto} -.dropup .caret,.navbar-fixed-bottom .dropdown .caret{content:"";border-top:0;border-bottom:4px dashed;border-bottom:4px solid\9} -.dropup .dropdown-menu,.navbar-fixed-bottom .dropdown .dropdown-menu{top:auto;bottom:100%;margin-bottom:2px} -@media (min-width:768px){.navbar-right .dropdown-menu{right:0;left:auto} -.navbar-right .dropdown-menu-left{right:auto;left:0} -} -.btn-group,.btn-group-vertical{position:relative;display:inline-block;vertical-align:middle} -.btn-group-vertical>.btn,.btn-group>.btn{position:relative;float:left} -.btn-group-vertical>.btn.active,.btn-group-vertical>.btn:active,.btn-group-vertical>.btn:focus,.btn-group-vertical>.btn:hover,.btn-group>.btn.active,.btn-group>.btn:active,.btn-group>.btn:focus,.btn-group>.btn:hover{z-index:2} -.btn-group .btn+.btn,.btn-group .btn+.btn-group,.btn-group .btn-group+.btn,.btn-group .btn-group+.btn-group{margin-left:-1px} -.btn-toolbar{margin-left:-5px} -.btn-toolbar>.btn,.btn-toolbar>.btn-group,.btn-toolbar>.input-group{margin-left:5px} -.btn .caret,.btn-group>.btn:first-child{margin-left:0} -.btn-group .dropdown-toggle:active,.btn-group.open .dropdown-toggle{outline:0} -.btn-group>.btn+.dropdown-toggle{padding-right:8px;padding-left:8px} -.btn-group>.btn-lg+.dropdown-toggle{padding-right:12px;padding-left:12px} -.btn-group.open .dropdown-toggle{-webkit-box-shadow:inset 0 3px 5px rgba(0,0,0,.125);box-shadow:inset 0 3px 5px rgba(0,0,0,.125)} -.btn-group.open .dropdown-toggle.btn-link{-webkit-box-shadow:none;box-shadow:none} -.btn-lg .caret{border-width:5px 5px 0} -.dropup .btn-lg .caret{border-width:0 5px 5px} -.btn-group-vertical>.btn,.btn-group-vertical>.btn-group,.btn-group-vertical>.btn-group>.btn{display:block;float:none;width:100%;max-width:100%} -.btn-group-vertical>.btn-group>.btn{float:none} -.btn-group-vertical>.btn+.btn,.btn-group-vertical>.btn+.btn-group,.btn-group-vertical>.btn-group+.btn,.btn-group-vertical>.btn-group+.btn-group{margin-top:-1px;margin-left:0} -.btn-group-vertical>.btn:first-child:not(:last-child){border-radius:4px 4px 0 0} -.btn-group-vertical>.btn:last-child:not(:first-child){border-radius:0 0 4px 4px} -.btn-group-vertical>.btn-group:not(:first-child):not(:last-child)>.btn{border-radius:0} -.btn-group-vertical>.btn-group:first-child:not(:last-child)>.btn:last-child,.btn-group-vertical>.btn-group:first-child:not(:last-child)>.dropdown-toggle{border-bottom-right-radius:0;border-bottom-left-radius:0} -.btn-group-vertical>.btn-group:last-child:not(:first-child)>.btn:first-child{border-top-left-radius:0;border-top-right-radius:0} -.btn-group-justified{display:table;width:100%;table-layout:fixed;border-collapse:separate} -.btn-group-justified>.btn,.btn-group-justified>.btn-group{display:table-cell;float:none;width:1%} -.btn-group-justified>.btn-group .btn{width:100%} -.btn-group-justified>.btn-group .dropdown-menu{left:auto} -[data-toggle=buttons]>.btn input[type=checkbox],[data-toggle=buttons]>.btn input[type=radio],[data-toggle=buttons]>.btn-group>.btn input[type=checkbox],[data-toggle=buttons]>.btn-group>.btn input[type=radio]{position:absolute;clip:rect(0,0,0,0);pointer-events:none} -.input-group{position:relative;display:table;border-collapse:separate} -.input-group[class*=col-]{float:none;padding-right:0;padding-left:0} -.input-group .form-control{position:relative;z-index:2;float:left;width:100%;margin-bottom:0} -.input-group .form-control:focus{z-index:3} -.input-group-lg>.form-control,.input-group-lg>.input-group-addon,.input-group-lg>.input-group-btn>.btn{height:46px;padding:10px 16px;font-size:18px;line-height:1.3333333;border-radius:6px} -select.input-group-lg>.form-control,select.input-group-lg>.input-group-addon,select.input-group-lg>.input-group-btn>.btn{height:46px;line-height:46px} -select[multiple].input-group-lg>.form-control,select[multiple].input-group-lg>.input-group-addon,select[multiple].input-group-lg>.input-group-btn>.btn,textarea.input-group-lg>.form-control,textarea.input-group-lg>.input-group-addon,textarea.input-group-lg>.input-group-btn>.btn{height:auto} -.input-group-sm>.form-control,.input-group-sm>.input-group-addon,.input-group-sm>.input-group-btn>.btn{height:30px;padding:5px 10px;font-size:12px;line-height:1.5;border-radius:3px} -select.input-group-sm>.form-control,select.input-group-sm>.input-group-addon,select.input-group-sm>.input-group-btn>.btn{height:30px;line-height:30px} -select[multiple].input-group-sm>.form-control,select[multiple].input-group-sm>.input-group-addon,select[multiple].input-group-sm>.input-group-btn>.btn,textarea.input-group-sm>.form-control,textarea.input-group-sm>.input-group-addon,textarea.input-group-sm>.input-group-btn>.btn{height:auto} -.input-group .form-control,.input-group-addon,.input-group-btn{display:table-cell} -.nav>li,.nav>li>a{display:block;position:relative} -.input-group .form-control:not(:first-child):not(:last-child),.input-group-addon:not(:first-child):not(:last-child),.input-group-btn:not(:first-child):not(:last-child){border-radius:0} -.input-group-addon,.input-group-btn{width:1%;white-space:nowrap;vertical-align:middle} -.input-group-addon{padding:6px 12px;font-size:14px;font-weight:400;line-height:1;color:#555;text-align:center;background-color:#eee;border:1px solid #ccc;border-radius:4px} -.input-group-addon.input-sm{padding:5px 10px;font-size:12px;border-radius:3px} -.input-group-addon.input-lg{padding:10px 16px;font-size:18px;border-radius:6px} -.input-group-addon input[type=checkbox],.input-group-addon input[type=radio]{margin-top:0} -.input-group .form-control:first-child,.input-group-addon:first-child,.input-group-btn:first-child>.btn,.input-group-btn:first-child>.btn-group>.btn,.input-group-btn:first-child>.dropdown-toggle,.input-group-btn:last-child>.btn-group:not(:last-child)>.btn,.input-group-btn:last-child>.btn:not(:last-child):not(.dropdown-toggle){border-top-right-radius:0;border-bottom-right-radius:0} -.input-group-addon:first-child{border-right:0} -.input-group .form-control:last-child,.input-group-addon:last-child,.input-group-btn:first-child>.btn-group:not(:first-child)>.btn,.input-group-btn:first-child>.btn:not(:first-child),.input-group-btn:last-child>.btn,.input-group-btn:last-child>.btn-group>.btn,.input-group-btn:last-child>.dropdown-toggle{border-top-left-radius:0;border-bottom-left-radius:0} -.input-group-addon:last-child{border-left:0} -.input-group-btn{position:relative;font-size:0;white-space:nowrap} -.input-group-btn>.btn{position:relative} -.input-group-btn>.btn+.btn{margin-left:-1px} -.input-group-btn>.btn:active,.input-group-btn>.btn:focus,.input-group-btn>.btn:hover{z-index:2} -.input-group-btn:first-child>.btn,.input-group-btn:first-child>.btn-group{margin-right:-1px} -.input-group-btn:last-child>.btn,.input-group-btn:last-child>.btn-group{z-index:2;margin-left:-1px} -.nav{padding-left:0;margin-bottom:0;list-style:none} -.nav>li>a{padding:10px 15px} -.nav>li>a:focus,.nav>li>a:hover{text-decoration:none;background-color:#eee} -.nav>li.disabled>a{color:#777} -.nav>li.disabled>a:focus,.nav>li.disabled>a:hover{color:#777;text-decoration:none;cursor:not-allowed;background-color:transparent} -.nav .open>a,.nav .open>a:focus,.nav .open>a:hover{background-color:#eee;border-color:#337ab7} -.nav .nav-divider{height:1px;margin:9px 0;overflow:hidden;background-color:#e5e5e5} -.nav>li>a>img{max-width:none} -.nav-tabs{border-bottom:1px solid #ddd} -.nav-tabs>li{float:left;margin-bottom:-1px} -.nav-tabs>li>a{margin-right:2px;line-height:1.42857143;border:1px solid transparent;border-radius:4px 4px 0 0} -.nav-tabs>li>a:hover{border-color:#eee #eee #ddd} -.nav-tabs>li.active>a,.nav-tabs>li.active>a:focus,.nav-tabs>li.active>a:hover{color:#555;cursor:default;background-color:#fff;border:1px solid #ddd;border-bottom-color:transparent} -.nav-tabs.nav-justified{width:100%;border-bottom:0} -.nav-tabs.nav-justified>li{float:none} -.nav-tabs.nav-justified>li>a{margin-bottom:5px;text-align:center;margin-right:0;border-radius:4px} -.nav-tabs.nav-justified>.active>a,.nav-tabs.nav-justified>.active>a:focus,.nav-tabs.nav-justified>.active>a:hover{border:1px solid #ddd} -@media (min-width:768px){.nav-tabs.nav-justified>li{display:table-cell;width:1%} -.nav-tabs.nav-justified>li>a{margin-bottom:0;border-bottom:1px solid #ddd;border-radius:4px 4px 0 0} -.nav-tabs.nav-justified>.active>a,.nav-tabs.nav-justified>.active>a:focus,.nav-tabs.nav-justified>.active>a:hover{border-bottom-color:#fff} -} -.nav-pills>li{float:left} -.nav-justified>li,.nav-stacked>li{float:none} -.nav-pills>li>a{border-radius:4px} -.nav-pills>li+li{margin-left:2px} -.nav-pills>li.active>a,.nav-pills>li.active>a:focus,.nav-pills>li.active>a:hover{color:#fff;background-color:#337ab7} -.nav-stacked>li+li{margin-top:2px;margin-left:0} -.nav-justified{width:100%} -.nav-justified>li>a{margin-bottom:5px;text-align:center} -.nav-tabs-justified{border-bottom:0} -.nav-tabs-justified>li>a{margin-right:0;border-radius:4px} -.nav-tabs-justified>.active>a,.nav-tabs-justified>.active>a:focus,.nav-tabs-justified>.active>a:hover{border:1px solid #ddd} -@media (min-width:768px){.nav-justified>li{display:table-cell;width:1%} -.nav-justified>li>a{margin-bottom:0} -.nav-tabs-justified>li>a{border-bottom:1px solid #ddd;border-radius:4px 4px 0 0} -.nav-tabs-justified>.active>a,.nav-tabs-justified>.active>a:focus,.nav-tabs-justified>.active>a:hover{border-bottom-color:#fff} -} -.tab-content>.tab-pane{display:none} -.tab-content>.active{display:block} -.nav-tabs .dropdown-menu{margin-top:-1px;border-top-left-radius:0;border-top-right-radius:0} -.navbar{position:relative;min-height:50px;margin-bottom:20px;border:1px solid transparent} -.navbar-collapse{padding-right:15px;padding-left:15px;overflow-x:visible;-webkit-overflow-scrolling:touch;border-top:1px solid transparent;-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.1);box-shadow:inset 0 1px 0 rgba(255,255,255,.1)} -.navbar-collapse.in{overflow-y:auto} -@media (min-width:768px){.navbar{border-radius:4px} -.navbar-header{float:left} -.navbar-collapse{width:auto;border-top:0;-webkit-box-shadow:none;box-shadow:none} -.navbar-collapse.collapse{display:block!important;height:auto!important;padding-bottom:0;overflow:visible!important} -.navbar-collapse.in{overflow-y:visible} -.navbar-fixed-bottom .navbar-collapse,.navbar-fixed-top .navbar-collapse,.navbar-static-top .navbar-collapse{padding-right:0;padding-left:0} -} -.embed-responsive,.modal,.modal-open,.progress{overflow:hidden} -@media (max-device-width:480px) and (orientation:landscape){.navbar-fixed-bottom .navbar-collapse,.navbar-fixed-top .navbar-collapse{max-height:200px} -} -.container-fluid>.navbar-collapse,.container-fluid>.navbar-header,.container>.navbar-collapse,.container>.navbar-header{margin-right:-15px;margin-left:-15px} -.navbar-static-top{z-index:1000;border-width:0 0 1px} -.navbar-fixed-bottom,.navbar-fixed-top{position:fixed;right:0;left:0;z-index:1030} -.navbar-fixed-top{top:0;border-width:0 0 1px} -.navbar-fixed-bottom{bottom:0;margin-bottom:0;border-width:1px 0 0} -.navbar-brand{float:left;height:50px;padding:15px;font-size:18px;line-height:20px} -.navbar-brand:focus,.navbar-brand:hover{text-decoration:none} -.navbar-brand>img{display:block} -@media (min-width:768px){.container-fluid>.navbar-collapse,.container-fluid>.navbar-header,.container>.navbar-collapse,.container>.navbar-header{margin-right:0;margin-left:0} -.navbar-fixed-bottom,.navbar-fixed-top,.navbar-static-top{border-radius:0} -.navbar>.container .navbar-brand,.navbar>.container-fluid .navbar-brand{margin-left:-15px} -} -.navbar-toggle{position:relative;float:right;padding:9px 10px;margin-top:8px;margin-right:15px;margin-bottom:8px;background-color:transparent;border:1px solid transparent;border-radius:4px} -.navbar-toggle:focus{outline:0} -.navbar-toggle .icon-bar{display:block;width:22px;height:2px;border-radius:1px} -.navbar-toggle .icon-bar+.icon-bar{margin-top:4px} -.navbar-nav{margin:7.5px -15px} -.navbar-nav>li>a{padding-top:10px;padding-bottom:10px;line-height:20px} -@media (max-width:767px){.navbar-nav .open .dropdown-menu{position:static;float:none;width:auto;margin-top:0;background-color:transparent;border:0;-webkit-box-shadow:none;box-shadow:none} -.navbar-nav .open .dropdown-menu .dropdown-header,.navbar-nav .open .dropdown-menu>li>a{padding:5px 15px 5px 25px} -.navbar-nav .open .dropdown-menu>li>a{line-height:20px} -.navbar-nav .open .dropdown-menu>li>a:focus,.navbar-nav .open .dropdown-menu>li>a:hover{background-image:none} -} -.progress-bar-striped,.progress-striped .progress-bar,.progress-striped .progress-bar-success{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:-o-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)} -@media (min-width:768px){.navbar-toggle{display:none} -.navbar-nav{float:left;margin:0} -.navbar-nav>li{float:left} -.navbar-nav>li>a{padding-top:15px;padding-bottom:15px} -} -.navbar-form{padding:10px 15px;border-top:1px solid transparent;border-bottom:1px solid transparent;-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.1),0 1px 0 rgba(255,255,255,.1);box-shadow:inset 0 1px 0 rgba(255,255,255,.1),0 1px 0 rgba(255,255,255,.1);margin:8px -15px} -@media (min-width:768px){.navbar-form .form-control-static,.navbar-form .form-group{display:inline-block} -.navbar-form .control-label,.navbar-form .form-group{margin-bottom:0;vertical-align:middle} -.navbar-form .form-control{display:inline-block;width:auto;vertical-align:middle} -.navbar-form .input-group{display:inline-table;vertical-align:middle} -.navbar-form .input-group .form-control,.navbar-form .input-group .input-group-addon,.navbar-form .input-group .input-group-btn{width:auto} -.navbar-form .input-group>.form-control{width:100%} -.navbar-form .checkbox,.navbar-form .radio{display:inline-block;margin-top:0;margin-bottom:0;vertical-align:middle} -.navbar-form .checkbox label,.navbar-form .radio label{padding-left:0} -.navbar-form .checkbox input[type=checkbox],.navbar-form .radio input[type=radio]{position:relative;margin-left:0} -.navbar-form .has-feedback .form-control-feedback{top:0} -.navbar-form{width:auto;padding-top:0;padding-bottom:0;margin-right:0;margin-left:0;border:0;-webkit-box-shadow:none;box-shadow:none} -} -.breadcrumb>li,.pagination{display:inline-block} -.btn .badge,.btn .label{top:-1px;position:relative} -@media (max-width:767px){.navbar-form .form-group{margin-bottom:5px} -.navbar-form .form-group:last-child{margin-bottom:0} -} -.navbar-nav>li>.dropdown-menu{margin-top:0;border-top-left-radius:0;border-top-right-radius:0} -.navbar-fixed-bottom .navbar-nav>li>.dropdown-menu{margin-bottom:0;border-radius:4px 4px 0 0} -.navbar-btn{margin-top:8px;margin-bottom:8px} -.navbar-btn.btn-sm{margin-top:10px;margin-bottom:10px} -.navbar-btn.btn-xs{margin-top:14px;margin-bottom:14px} -.navbar-text{margin-top:15px;margin-bottom:15px} -@media (min-width:768px){.navbar-text{float:left;margin-right:15px;margin-left:15px} -.navbar-left{float:left!important} -.navbar-right{float:right!important;margin-right:-15px} -.navbar-right~.navbar-right{margin-right:0} -} -.navbar-default{background-color:#f8f8f8;border-color:#e7e7e7} -.navbar-default .navbar-brand{color:#777} -.navbar-default .navbar-brand:focus,.navbar-default .navbar-brand:hover{color:#5e5e5e;background-color:transparent} -.navbar-default .navbar-nav>li>a,.navbar-default .navbar-text{color:#777} -.navbar-default .navbar-nav>li>a:focus,.navbar-default .navbar-nav>li>a:hover{color:#333;background-color:transparent} -.navbar-default .navbar-nav>.active>a,.navbar-default .navbar-nav>.active>a:focus,.navbar-default .navbar-nav>.active>a:hover{color:#555;background-color:#e7e7e7} -.navbar-default .navbar-nav>.disabled>a,.navbar-default .navbar-nav>.disabled>a:focus,.navbar-default .navbar-nav>.disabled>a:hover{color:#ccc;background-color:transparent} -.navbar-default .navbar-toggle{border-color:#ddd} -.navbar-default .navbar-toggle:focus,.navbar-default .navbar-toggle:hover{background-color:#ddd} -.navbar-default .navbar-toggle .icon-bar{background-color:#888} -.navbar-default .navbar-collapse,.navbar-default .navbar-form{border-color:#e7e7e7} -.navbar-default .navbar-nav>.open>a,.navbar-default .navbar-nav>.open>a:focus,.navbar-default .navbar-nav>.open>a:hover{color:#555;background-color:#e7e7e7} -@media (max-width:767px){.navbar-default .navbar-nav .open .dropdown-menu>li>a{color:#777} -.navbar-default .navbar-nav .open .dropdown-menu>li>a:focus,.navbar-default .navbar-nav .open .dropdown-menu>li>a:hover{color:#333;background-color:transparent} -.navbar-default .navbar-nav .open .dropdown-menu>.active>a,.navbar-default .navbar-nav .open .dropdown-menu>.active>a:focus,.navbar-default .navbar-nav .open .dropdown-menu>.active>a:hover{color:#555;background-color:#e7e7e7} -.navbar-default .navbar-nav .open .dropdown-menu>.disabled>a,.navbar-default .navbar-nav .open .dropdown-menu>.disabled>a:focus,.navbar-default .navbar-nav .open .dropdown-menu>.disabled>a:hover{color:#ccc;background-color:transparent} -} -.navbar-default .navbar-link{color:#777} -.navbar-default .navbar-link:hover{color:#333} -.navbar-default .btn-link{color:#777} -.navbar-default .btn-link:focus,.navbar-default .btn-link:hover{color:#333} -.navbar-default .btn-link[disabled]:focus,.navbar-default .btn-link[disabled]:hover,fieldset[disabled] .navbar-default .btn-link:focus,fieldset[disabled] .navbar-default .btn-link:hover{color:#ccc} -.navbar-inverse{background-color:#222;border-color:#080808} -.navbar-inverse .navbar-brand{color:#9d9d9d} -.navbar-inverse .navbar-brand:focus,.navbar-inverse .navbar-brand:hover{color:#fff;background-color:transparent} -.navbar-inverse .navbar-nav>li>a,.navbar-inverse .navbar-text{color:#9d9d9d} -.navbar-inverse .navbar-nav>li>a:focus,.navbar-inverse .navbar-nav>li>a:hover{color:#fff;background-color:transparent} -.navbar-inverse .navbar-nav>.active>a,.navbar-inverse .navbar-nav>.active>a:focus,.navbar-inverse .navbar-nav>.active>a:hover{color:#fff;background-color:#080808} -.navbar-inverse .navbar-nav>.disabled>a,.navbar-inverse .navbar-nav>.disabled>a:focus,.navbar-inverse .navbar-nav>.disabled>a:hover{color:#444;background-color:transparent} -.navbar-inverse .navbar-toggle{border-color:#333} -.navbar-inverse .navbar-toggle:focus,.navbar-inverse .navbar-toggle:hover{background-color:#333} -.navbar-inverse .navbar-toggle .icon-bar{background-color:#fff} -.navbar-inverse .navbar-collapse,.navbar-inverse .navbar-form{border-color:#101010} -.navbar-inverse .navbar-nav>.open>a,.navbar-inverse .navbar-nav>.open>a:focus,.navbar-inverse .navbar-nav>.open>a:hover{color:#fff;background-color:#080808} -@media (max-width:767px){.navbar-inverse .navbar-nav .open .dropdown-menu>.dropdown-header{border-color:#080808} -.navbar-inverse .navbar-nav .open .dropdown-menu .divider{background-color:#080808} -.navbar-inverse .navbar-nav .open .dropdown-menu>li>a{color:#9d9d9d} -.navbar-inverse .navbar-nav .open .dropdown-menu>li>a:focus,.navbar-inverse .navbar-nav .open .dropdown-menu>li>a:hover{color:#fff;background-color:transparent} -.navbar-inverse .navbar-nav .open .dropdown-menu>.active>a,.navbar-inverse .navbar-nav .open .dropdown-menu>.active>a:focus,.navbar-inverse .navbar-nav .open .dropdown-menu>.active>a:hover{color:#fff;background-color:#080808} -.navbar-inverse .navbar-nav .open .dropdown-menu>.disabled>a,.navbar-inverse .navbar-nav .open .dropdown-menu>.disabled>a:focus,.navbar-inverse .navbar-nav .open .dropdown-menu>.disabled>a:hover{color:#444;background-color:transparent} -} -.navbar-inverse .navbar-link{color:#9d9d9d} -.navbar-inverse .navbar-link:hover{color:#fff} -.navbar-inverse .btn-link{color:#9d9d9d} -.navbar-inverse .btn-link:focus,.navbar-inverse .btn-link:hover{color:#fff} -.navbar-inverse .btn-link[disabled]:focus,.navbar-inverse .btn-link[disabled]:hover,fieldset[disabled] .navbar-inverse .btn-link:focus,fieldset[disabled] .navbar-inverse .btn-link:hover{color:#444} -.breadcrumb{padding:8px 15px;margin-bottom:20px;list-style:none;background-color:#f5f5f5;border-radius:4px} -.breadcrumb>li+li:before{padding:0 5px;color:#ccc;content:"/\00a0"} -.breadcrumb>.active{color:#777} -.pagination{padding-left:0;margin:20px 0;border-radius:4px} -.pager li,.pagination>li{display:inline} -.pagination>li>a,.pagination>li>span{position:relative;float:left;padding:6px 12px;margin-left:-1px;line-height:1.42857143;color:#337ab7;text-decoration:none;background-color:#fff;border:1px solid #ddd} -.pagination>li:first-child>a,.pagination>li:first-child>span{margin-left:0;border-top-left-radius:4px;border-bottom-left-radius:4px} -.pagination>li:last-child>a,.pagination>li:last-child>span{border-top-right-radius:4px;border-bottom-right-radius:4px} -.pagination>li>a:focus,.pagination>li>a:hover,.pagination>li>span:focus,.pagination>li>span:hover{z-index:2;color:#23527c;background-color:#eee;border-color:#ddd} -.pagination>.active>a,.pagination>.active>a:focus,.pagination>.active>a:hover,.pagination>.active>span,.pagination>.active>span:focus,.pagination>.active>span:hover{z-index:3;color:#fff;cursor:default;background-color:#337ab7;border-color:#337ab7} -.pagination>.disabled>a,.pagination>.disabled>a:focus,.pagination>.disabled>a:hover,.pagination>.disabled>span,.pagination>.disabled>span:focus,.pagination>.disabled>span:hover{color:#777;cursor:not-allowed;background-color:#fff;border-color:#ddd} -.pagination-lg>li>a,.pagination-lg>li>span{padding:10px 16px;font-size:18px;line-height:1.3333333} -.pagination-lg>li:first-child>a,.pagination-lg>li:first-child>span{border-top-left-radius:6px;border-bottom-left-radius:6px} -.pagination-lg>li:last-child>a,.pagination-lg>li:last-child>span{border-top-right-radius:6px;border-bottom-right-radius:6px} -.pagination-sm>li>a,.pagination-sm>li>span{padding:5px 10px;font-size:12px;line-height:1.5} -.badge,.label{font-weight:700;line-height:1;white-space:nowrap;text-align:center} -.pagination-sm>li:first-child>a,.pagination-sm>li:first-child>span{border-top-left-radius:3px;border-bottom-left-radius:3px} -.pagination-sm>li:last-child>a,.pagination-sm>li:last-child>span{border-top-right-radius:3px;border-bottom-right-radius:3px} -.pager{padding-left:0;margin:20px 0;text-align:center;list-style:none} -.pager li>a,.pager li>span{display:inline-block;padding:5px 14px;background-color:#fff;border:1px solid #ddd;border-radius:15px} -.pager li>a:focus,.pager li>a:hover{text-decoration:none;background-color:#eee} -.pager .next>a,.pager .next>span{float:right} -.pager .previous>a,.pager .previous>span{float:left} -.pager .disabled>a,.pager .disabled>a:focus,.pager .disabled>a:hover,.pager .disabled>span{color:#777;cursor:not-allowed;background-color:#fff} -a.badge:focus,a.badge:hover,a.label:focus,a.label:hover{color:#fff;cursor:pointer;text-decoration:none} -.label{display:inline;padding:.2em .6em .3em;font-size:75%;color:#fff;border-radius:.25em} -.label:empty{display:none} -.label-default{background-color:#777} -.label-default[href]:focus,.label-default[href]:hover{background-color:#5e5e5e} -.label-primary{background-color:#337ab7} -.label-primary[href]:focus,.label-primary[href]:hover{background-color:#286090} -.label-success{background-color:#5cb85c} -.label-success[href]:focus,.label-success[href]:hover{background-color:#449d44} -.label-info{background-color:#5bc0de} -.label-info[href]:focus,.label-info[href]:hover{background-color:#31b0d5} -.label-warning{background-color:#f0ad4e} -.label-warning[href]:focus,.label-warning[href]:hover{background-color:#ec971f} -.label-danger{background-color:#d9534f} -.label-danger[href]:focus,.label-danger[href]:hover{background-color:#c9302c} -.badge{display:inline-block;min-width:10px;padding:3px 7px;font-size:12px;color:#fff;vertical-align:middle;background-color:#777;border-radius:10px} -.badge:empty{display:none} -.media-object,.thumbnail{display:block} -.btn-group-xs>.btn .badge,.btn-xs .badge{top:0;padding:1px 5px} -.list-group-item.active>.badge,.nav-pills>.active>a>.badge{color:#337ab7;background-color:#fff} -.jumbotron,.jumbotron .h1,.jumbotron h1{color:inherit} -.list-group-item>.badge{float:right} -.list-group-item>.badge+.badge{margin-right:5px} -.nav-pills>li>a>.badge{margin-left:3px} -.jumbotron{padding-top:30px;padding-bottom:30px;margin-bottom:30px;background-color:#eee} -.jumbotron p{margin-bottom:15px;font-size:21px;font-weight:200} -.alert,.thumbnail{margin-bottom:20px} -.alert .alert-link,.close{font-weight:700} -.jumbotron>hr{border-top-color:#d5d5d5} -.container .jumbotron,.container-fluid .jumbotron{padding-right:15px;padding-left:15px;border-radius:6px} -.jumbotron .container{max-width:100%} -@media screen and (min-width:768px){.jumbotron{padding-top:48px;padding-bottom:48px} -.container .jumbotron,.container-fluid .jumbotron{padding-right:60px;padding-left:60px} -.jumbotron .h1,.jumbotron h1{font-size:63px} -} -.thumbnail{padding:4px;line-height:1.42857143;background-color:#fff;border:1px solid #ddd;border-radius:4px;-webkit-transition:border .2s ease-in-out;-o-transition:border .2s ease-in-out;transition:border .2s ease-in-out} -.thumbnail a>img,.thumbnail>img{margin-right:auto;margin-left:auto} -a.thumbnail.active,a.thumbnail:focus,a.thumbnail:hover{border-color:#337ab7} -.thumbnail .caption{padding:9px;color:#333} -.alert{padding:15px;border:1px solid transparent;border-radius:4px} -.alert h4{margin-top:0;color:inherit} -.alert>p,.alert>ul{margin-bottom:0} -.alert>p+p{margin-top:5px} -.alert-dismissable,.alert-dismissible{padding-right:35px} -.alert-dismissable .close,.alert-dismissible .close{position:relative;top:-2px;right:-21px;color:inherit} -.modal,.modal-backdrop{top:0;right:0;bottom:0;left:0} -.alert-success{color:#3c763d;background-color:#dff0d8;border-color:#d6e9c6} -.alert-success hr{border-top-color:#c9e2b3} -.alert-success .alert-link{color:#2b542c} -.alert-info{color:#31708f;background-color:#d9edf7;border-color:#bce8f1} -.alert-info hr{border-top-color:#a6e1ec} -.alert-info .alert-link{color:#245269} -.alert-warning{color:#8a6d3b;background-color:#fcf8e3;border-color:#faebcc} -.alert-warning hr{border-top-color:#f7e1b5} -.alert-warning .alert-link{color:#66512c} -.alert-danger{color:#a94442;background-color:#f2dede;border-color:#ebccd1} -.alert-danger hr{border-top-color:#e4b9c0} -.alert-danger .alert-link{color:#843534} -@-webkit-keyframes progress-bar-stripes{from{background-position:40px 0} -to{background-position:0 0} -} -@-o-keyframes progress-bar-stripes{from{background-position:40px 0} -to{background-position:0 0} -} -@keyframes progress-bar-stripes{from{background-position:40px 0} -to{background-position:0 0} -} -.progress{height:20px;margin-bottom:20px;background-color:#f5f5f5;border-radius:4px;-webkit-box-shadow:inset 0 1px 2px rgba(0,0,0,.1);box-shadow:inset 0 1px 2px rgba(0,0,0,.1)} -.progress-bar{float:left;width:0;height:100%;font-size:12px;line-height:20px;color:#fff;text-align:center;background-color:#337ab7;-webkit-box-shadow:inset 0 -1px 0 rgba(0,0,0,.15);box-shadow:inset 0 -1px 0 rgba(0,0,0,.15);-webkit-transition:width .6s ease;-o-transition:width .6s ease;transition:width .6s ease} -.progress-bar-striped,.progress-striped .progress-bar{background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);-webkit-background-size:40px 40px;background-size:40px 40px} -.progress-bar.active,.progress.active .progress-bar{-webkit-animation:progress-bar-stripes 2s linear infinite;-o-animation:progress-bar-stripes 2s linear infinite;animation:progress-bar-stripes 2s linear infinite} -.progress-bar-success{background-color:#5cb85c} -.progress-striped .progress-bar-success{background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)} -.progress-striped .progress-bar-info,.progress-striped .progress-bar-warning{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:-o-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)} -.progress-bar-info{background-color:#5bc0de} -.progress-striped .progress-bar-info{background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)} -.progress-bar-warning{background-color:#f0ad4e} -.progress-striped .progress-bar-warning{background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)} -.progress-bar-danger{background-color:#d9534f} -.progress-striped .progress-bar-danger{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:-o-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)} -.media{margin-top:15px} -.media:first-child{margin-top:0} -.media,.media-body{overflow:hidden;zoom:1} -.media-body{width:10000px} -.media-object.img-thumbnail{max-width:none} -.media-right,.media>.pull-right{padding-left:10px} -.media-left,.media>.pull-left{padding-right:10px} -.media-body,.media-left,.media-right{display:table-cell;vertical-align:top} -.media-middle{vertical-align:middle} -.media-bottom{vertical-align:bottom} -.media-heading{margin-top:0;margin-bottom:5px} -.media-list{padding-left:0;list-style:none} -.list-group{padding-left:0;margin-bottom:20px} -.list-group-item{position:relative;display:block;padding:10px 15px;margin-bottom:-1px;background-color:#fff;border:1px solid #ddd} -.list-group-item:first-child{border-top-left-radius:4px;border-top-right-radius:4px} -.list-group-item:last-child{margin-bottom:0;border-bottom-right-radius:4px;border-bottom-left-radius:4px} -a.list-group-item,button.list-group-item{color:#555} -a.list-group-item .list-group-item-heading,button.list-group-item .list-group-item-heading{color:#333} -a.list-group-item:focus,a.list-group-item:hover,button.list-group-item:focus,button.list-group-item:hover{color:#555;text-decoration:none;background-color:#f5f5f5} -button.list-group-item{width:100%;text-align:left} -.list-group-item.disabled,.list-group-item.disabled:focus,.list-group-item.disabled:hover{color:#777;cursor:not-allowed;background-color:#eee} -.list-group-item.disabled .list-group-item-heading,.list-group-item.disabled:focus .list-group-item-heading,.list-group-item.disabled:hover .list-group-item-heading{color:inherit} -.list-group-item.disabled .list-group-item-text,.list-group-item.disabled:focus .list-group-item-text,.list-group-item.disabled:hover .list-group-item-text{color:#777} -.list-group-item.active,.list-group-item.active:focus,.list-group-item.active:hover{z-index:2;color:#fff;background-color:#337ab7;border-color:#337ab7} -.list-group-item.active .list-group-item-heading,.list-group-item.active .list-group-item-heading>.small,.list-group-item.active .list-group-item-heading>small,.list-group-item.active:focus .list-group-item-heading,.list-group-item.active:focus .list-group-item-heading>.small,.list-group-item.active:focus .list-group-item-heading>small,.list-group-item.active:hover .list-group-item-heading,.list-group-item.active:hover .list-group-item-heading>.small,.list-group-item.active:hover .list-group-item-heading>small{color:inherit} -.list-group-item.active .list-group-item-text,.list-group-item.active:focus .list-group-item-text,.list-group-item.active:hover .list-group-item-text{color:#c7ddef} -.list-group-item-success{color:#3c763d;background-color:#dff0d8} -a.list-group-item-success,button.list-group-item-success{color:#3c763d} -a.list-group-item-success .list-group-item-heading,button.list-group-item-success .list-group-item-heading{color:inherit} -a.list-group-item-success:focus,a.list-group-item-success:hover,button.list-group-item-success:focus,button.list-group-item-success:hover{color:#3c763d;background-color:#d0e9c6} -a.list-group-item-success.active,a.list-group-item-success.active:focus,a.list-group-item-success.active:hover,button.list-group-item-success.active,button.list-group-item-success.active:focus,button.list-group-item-success.active:hover{color:#fff;background-color:#3c763d;border-color:#3c763d} -.list-group-item-info{color:#31708f;background-color:#d9edf7} -a.list-group-item-info,button.list-group-item-info{color:#31708f} -a.list-group-item-info .list-group-item-heading,button.list-group-item-info .list-group-item-heading{color:inherit} -a.list-group-item-info:focus,a.list-group-item-info:hover,button.list-group-item-info:focus,button.list-group-item-info:hover{color:#31708f;background-color:#c4e3f3} -a.list-group-item-info.active,a.list-group-item-info.active:focus,a.list-group-item-info.active:hover,button.list-group-item-info.active,button.list-group-item-info.active:focus,button.list-group-item-info.active:hover{color:#fff;background-color:#31708f;border-color:#31708f} -.list-group-item-warning{color:#8a6d3b;background-color:#fcf8e3} -a.list-group-item-warning,button.list-group-item-warning{color:#8a6d3b} -a.list-group-item-warning .list-group-item-heading,button.list-group-item-warning .list-group-item-heading{color:inherit} -a.list-group-item-warning:focus,a.list-group-item-warning:hover,button.list-group-item-warning:focus,button.list-group-item-warning:hover{color:#8a6d3b;background-color:#faf2cc} -a.list-group-item-warning.active,a.list-group-item-warning.active:focus,a.list-group-item-warning.active:hover,button.list-group-item-warning.active,button.list-group-item-warning.active:focus,button.list-group-item-warning.active:hover{color:#fff;background-color:#8a6d3b;border-color:#8a6d3b} -.list-group-item-danger{color:#a94442;background-color:#f2dede} -a.list-group-item-danger,button.list-group-item-danger{color:#a94442} -a.list-group-item-danger .list-group-item-heading,button.list-group-item-danger .list-group-item-heading{color:inherit} -a.list-group-item-danger:focus,a.list-group-item-danger:hover,button.list-group-item-danger:focus,button.list-group-item-danger:hover{color:#a94442;background-color:#ebcccc} -a.list-group-item-danger.active,a.list-group-item-danger.active:focus,a.list-group-item-danger.active:hover,button.list-group-item-danger.active,button.list-group-item-danger.active:focus,button.list-group-item-danger.active:hover{color:#fff;background-color:#a94442;border-color:#a94442} -.panel-heading>.dropdown .dropdown-toggle,.panel-title,.panel-title>.small,.panel-title>.small>a,.panel-title>a,.panel-title>small,.panel-title>small>a{color:inherit} -.list-group-item-heading{margin-top:0;margin-bottom:5px} -.list-group-item-text{margin-bottom:0;line-height:1.3} -.panel{margin-bottom:20px;background-color:#fff;border:1px solid transparent;border-radius:4px;-webkit-box-shadow:0 1px 1px rgba(0,0,0,.05);box-shadow:0 1px 1px rgba(0,0,0,.05)} -.panel-title,.panel>.list-group,.panel>.panel-collapse>.list-group,.panel>.panel-collapse>.table,.panel>.table,.panel>.table-responsive>.table{margin-bottom:0} -.panel-body{padding:15px} -.panel-heading{padding:10px 15px;border-bottom:1px solid transparent;border-top-left-radius:3px;border-top-right-radius:3px} -.panel-title{margin-top:0;font-size:16px} -.panel-footer{padding:10px 15px;background-color:#f5f5f5;border-top:1px solid #ddd;border-bottom-right-radius:3px;border-bottom-left-radius:3px} -.panel>.list-group .list-group-item,.panel>.panel-collapse>.list-group .list-group-item{border-width:1px 0;border-radius:0} -.panel-group .panel-heading,.panel>.table-bordered>tbody>tr:first-child>td,.panel>.table-bordered>tbody>tr:first-child>th,.panel>.table-bordered>tbody>tr:last-child>td,.panel>.table-bordered>tbody>tr:last-child>th,.panel>.table-bordered>tfoot>tr:last-child>td,.panel>.table-bordered>tfoot>tr:last-child>th,.panel>.table-bordered>thead>tr:first-child>td,.panel>.table-bordered>thead>tr:first-child>th,.panel>.table-responsive>.table-bordered>tbody>tr:first-child>td,.panel>.table-responsive>.table-bordered>tbody>tr:first-child>th,.panel>.table-responsive>.table-bordered>tbody>tr:last-child>td,.panel>.table-responsive>.table-bordered>tbody>tr:last-child>th,.panel>.table-responsive>.table-bordered>tfoot>tr:last-child>td,.panel>.table-responsive>.table-bordered>tfoot>tr:last-child>th,.panel>.table-responsive>.table-bordered>thead>tr:first-child>td,.panel>.table-responsive>.table-bordered>thead>tr:first-child>th{border-bottom:0} -.panel>.list-group:first-child .list-group-item:first-child,.panel>.panel-collapse>.list-group:first-child .list-group-item:first-child{border-top:0;border-top-left-radius:3px;border-top-right-radius:3px} -.panel>.list-group:last-child .list-group-item:last-child,.panel>.panel-collapse>.list-group:last-child .list-group-item:last-child{border-bottom:0;border-bottom-right-radius:3px;border-bottom-left-radius:3px} -.panel>.panel-heading+.panel-collapse>.list-group .list-group-item:first-child{border-top-left-radius:0;border-top-right-radius:0} -.list-group+.panel-footer,.panel-heading+.list-group .list-group-item:first-child{border-top-width:0} -.panel>.panel-collapse>.table caption,.panel>.table caption,.panel>.table-responsive>.table caption{padding-right:15px;padding-left:15px} -.panel>.table-responsive:first-child>.table:first-child,.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child,.panel>.table:first-child,.panel>.table:first-child>tbody:first-child>tr:first-child,.panel>.table:first-child>thead:first-child>tr:first-child{border-top-left-radius:3px;border-top-right-radius:3px} -.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child td:first-child,.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child th:first-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child td:first-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child th:first-child,.panel>.table:first-child>tbody:first-child>tr:first-child td:first-child,.panel>.table:first-child>tbody:first-child>tr:first-child th:first-child,.panel>.table:first-child>thead:first-child>tr:first-child td:first-child,.panel>.table:first-child>thead:first-child>tr:first-child th:first-child{border-top-left-radius:3px} -.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child td:last-child,.panel>.table-responsive:first-child>.table:first-child>tbody:first-child>tr:first-child th:last-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child td:last-child,.panel>.table-responsive:first-child>.table:first-child>thead:first-child>tr:first-child th:last-child,.panel>.table:first-child>tbody:first-child>tr:first-child td:last-child,.panel>.table:first-child>tbody:first-child>tr:first-child th:last-child,.panel>.table:first-child>thead:first-child>tr:first-child td:last-child,.panel>.table:first-child>thead:first-child>tr:first-child th:last-child{border-top-right-radius:3px} -.panel>.table-responsive:last-child>.table:last-child,.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child,.panel>.table:last-child,.panel>.table:last-child>tbody:last-child>tr:last-child,.panel>.table:last-child>tfoot:last-child>tr:last-child{border-bottom-right-radius:3px;border-bottom-left-radius:3px} -.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child td:first-child,.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child th:first-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child td:first-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child th:first-child,.panel>.table:last-child>tbody:last-child>tr:last-child td:first-child,.panel>.table:last-child>tbody:last-child>tr:last-child th:first-child,.panel>.table:last-child>tfoot:last-child>tr:last-child td:first-child,.panel>.table:last-child>tfoot:last-child>tr:last-child th:first-child{border-bottom-left-radius:3px} -.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child td:last-child,.panel>.table-responsive:last-child>.table:last-child>tbody:last-child>tr:last-child th:last-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child td:last-child,.panel>.table-responsive:last-child>.table:last-child>tfoot:last-child>tr:last-child th:last-child,.panel>.table:last-child>tbody:last-child>tr:last-child td:last-child,.panel>.table:last-child>tbody:last-child>tr:last-child th:last-child,.panel>.table:last-child>tfoot:last-child>tr:last-child td:last-child,.panel>.table:last-child>tfoot:last-child>tr:last-child th:last-child{border-bottom-right-radius:3px} -.panel>.panel-body+.table,.panel>.panel-body+.table-responsive,.panel>.table+.panel-body,.panel>.table-responsive+.panel-body{border-top:1px solid #ddd} -.panel>.table>tbody:first-child>tr:first-child td,.panel>.table>tbody:first-child>tr:first-child th{border-top:0} -.panel>.table-bordered,.panel>.table-responsive>.table-bordered{border:0} -.panel>.table-bordered>tbody>tr>td:first-child,.panel>.table-bordered>tbody>tr>th:first-child,.panel>.table-bordered>tfoot>tr>td:first-child,.panel>.table-bordered>tfoot>tr>th:first-child,.panel>.table-bordered>thead>tr>td:first-child,.panel>.table-bordered>thead>tr>th:first-child,.panel>.table-responsive>.table-bordered>tbody>tr>td:first-child,.panel>.table-responsive>.table-bordered>tbody>tr>th:first-child,.panel>.table-responsive>.table-bordered>tfoot>tr>td:first-child,.panel>.table-responsive>.table-bordered>tfoot>tr>th:first-child,.panel>.table-responsive>.table-bordered>thead>tr>td:first-child,.panel>.table-responsive>.table-bordered>thead>tr>th:first-child{border-left:0} -.panel>.table-bordered>tbody>tr>td:last-child,.panel>.table-bordered>tbody>tr>th:last-child,.panel>.table-bordered>tfoot>tr>td:last-child,.panel>.table-bordered>tfoot>tr>th:last-child,.panel>.table-bordered>thead>tr>td:last-child,.panel>.table-bordered>thead>tr>th:last-child,.panel>.table-responsive>.table-bordered>tbody>tr>td:last-child,.panel>.table-responsive>.table-bordered>tbody>tr>th:last-child,.panel>.table-responsive>.table-bordered>tfoot>tr>td:last-child,.panel>.table-responsive>.table-bordered>tfoot>tr>th:last-child,.panel>.table-responsive>.table-bordered>thead>tr>td:last-child,.panel>.table-responsive>.table-bordered>thead>tr>th:last-child{border-right:0} -.panel>.table-responsive{margin-bottom:0;border:0} -.panel-group{margin-bottom:20px} -.panel-group .panel{margin-bottom:0;border-radius:4px} -.panel-group .panel+.panel{margin-top:5px} -.panel-group .panel-heading+.panel-collapse>.list-group,.panel-group .panel-heading+.panel-collapse>.panel-body{border-top:1px solid #ddd} -.panel-group .panel-footer{border-top:0} -.panel-group .panel-footer+.panel-collapse .panel-body{border-bottom:1px solid #ddd} -.panel-default{border-color:#ddd} -.panel-default>.panel-heading{color:#333;background-color:#f5f5f5;border-color:#ddd} -.panel-default>.panel-heading+.panel-collapse>.panel-body{border-top-color:#ddd} -.panel-default>.panel-heading .badge{color:#f5f5f5;background-color:#333} -.panel-default>.panel-footer+.panel-collapse>.panel-body{border-bottom-color:#ddd} -.panel-primary{border-color:#337ab7} -.panel-primary>.panel-heading{color:#fff;background-color:#337ab7;border-color:#337ab7} -.panel-primary>.panel-heading+.panel-collapse>.panel-body{border-top-color:#337ab7} -.panel-primary>.panel-heading .badge{color:#337ab7;background-color:#fff} -.panel-primary>.panel-footer+.panel-collapse>.panel-body{border-bottom-color:#337ab7} -.panel-success{border-color:#d6e9c6} -.panel-success>.panel-heading{color:#3c763d;background-color:#dff0d8;border-color:#d6e9c6} -.panel-success>.panel-heading+.panel-collapse>.panel-body{border-top-color:#d6e9c6} -.panel-success>.panel-heading .badge{color:#dff0d8;background-color:#3c763d} -.panel-success>.panel-footer+.panel-collapse>.panel-body{border-bottom-color:#d6e9c6} -.panel-info{border-color:#bce8f1} -.panel-info>.panel-heading{color:#31708f;background-color:#d9edf7;border-color:#bce8f1} -.panel-info>.panel-heading+.panel-collapse>.panel-body{border-top-color:#bce8f1} -.panel-info>.panel-heading .badge{color:#d9edf7;background-color:#31708f} -.panel-info>.panel-footer+.panel-collapse>.panel-body{border-bottom-color:#bce8f1} -.panel-warning{border-color:#faebcc} -.panel-warning>.panel-heading{color:#8a6d3b;background-color:#fcf8e3;border-color:#faebcc} -.panel-warning>.panel-heading+.panel-collapse>.panel-body{border-top-color:#faebcc} -.panel-warning>.panel-heading .badge{color:#fcf8e3;background-color:#8a6d3b} -.panel-warning>.panel-footer+.panel-collapse>.panel-body{border-bottom-color:#faebcc} -.panel-danger{border-color:#ebccd1} -.panel-danger>.panel-heading{color:#a94442;background-color:#f2dede;border-color:#ebccd1} -.panel-danger>.panel-heading+.panel-collapse>.panel-body{border-top-color:#ebccd1} -.panel-danger>.panel-heading .badge{color:#f2dede;background-color:#a94442} -.panel-danger>.panel-footer+.panel-collapse>.panel-body{border-bottom-color:#ebccd1} -.embed-responsive{position:relative;display:block;height:0;padding:0} -.embed-responsive .embed-responsive-item,.embed-responsive embed,.embed-responsive iframe,.embed-responsive object,.embed-responsive video{position:absolute;top:0;bottom:0;left:0;width:100%;height:100%;border:0} -.embed-responsive-16by9{padding-bottom:56.25%} -.embed-responsive-4by3{padding-bottom:75%} -.well{min-height:20px;padding:19px;margin-bottom:20px;background-color:#f5f5f5;border:1px solid #e3e3e3;border-radius:4px;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,.05);box-shadow:inset 0 1px 1px rgba(0,0,0,.05)} -.well blockquote{border-color:#ddd;border-color:rgba(0,0,0,.15)} -.well-lg{padding:24px;border-radius:6px} -.well-sm{padding:9px;border-radius:3px} -.close{float:right;font-size:21px;line-height:1;color:#000;text-shadow:0 1px 0 #fff;filter:alpha(opacity=20);opacity:.2} -.popover,.tooltip{font-family:"Helvetica Neue",Helvetica,Arial,sans-serif;font-style:normal;font-weight:400;line-height:1.42857143;text-shadow:none;text-transform:none;letter-spacing:normal;word-break:normal;word-spacing:normal;word-wrap:normal;white-space:normal;line-break:auto;text-decoration:none} -.close:focus,.close:hover{color:#000;text-decoration:none;cursor:pointer;filter:alpha(opacity=50);opacity:.5} -button.close{-webkit-appearance:none;padding:0;cursor:pointer;background:0 0;border:0} -.modal{position:fixed;z-index:1050;display:none;-webkit-overflow-scrolling:touch;outline:0} -.modal.fade .modal-dialog{-webkit-transition:-webkit-transform .3s ease-out;-o-transition:-o-transform .3s ease-out;transition:transform .3s ease-out;-webkit-transform:translate(0,-25%);-ms-transform:translate(0,-25%);-o-transform:translate(0,-25%);transform:translate(0,-25%)} -.modal.in .modal-dialog{-webkit-transform:translate(0,0);-ms-transform:translate(0,0);-o-transform:translate(0,0);transform:translate(0,0)} -.modal-open .modal{overflow-x:hidden;overflow-y:auto} -.modal-dialog{position:relative;width:auto;margin:10px} -.modal-content{position:relative;background-color:#fff;background-clip:padding-box;border:1px solid #999;border:1px solid rgba(0,0,0,.2);border-radius:6px;outline:0;-webkit-box-shadow:0 3px 9px rgba(0,0,0,.5);box-shadow:0 3px 9px rgba(0,0,0,.5)} -.modal-backdrop{position:fixed;z-index:1040;background-color:#000} -.modal-backdrop.fade{filter:alpha(opacity=0);opacity:0} -.modal-backdrop.in{filter:alpha(opacity=50);opacity:.5} -.modal-header{padding:15px;border-bottom:1px solid #e5e5e5} -.modal-header .close{margin-top:-2px} -.modal-title{margin:0;line-height:1.42857143} -.modal-body{position:relative;padding:15px} -.modal-footer{padding:15px;text-align:right;border-top:1px solid #e5e5e5} -.modal-footer .btn+.btn{margin-bottom:0;margin-left:5px} -.modal-footer .btn-group .btn+.btn{margin-left:-1px} -.modal-footer .btn-block+.btn-block{margin-left:0} -.modal-scrollbar-measure{position:absolute;top:-9999px;width:50px;height:50px;overflow:scroll} -@media (min-width:768px){.modal-dialog{width:600px;margin:30px auto} -.modal-content{-webkit-box-shadow:0 5px 15px rgba(0,0,0,.5);box-shadow:0 5px 15px rgba(0,0,0,.5)} -.modal-sm{width:300px} -} -@media (min-width:992px){.modal-lg{width:900px} -} -.tooltip{position:absolute;z-index:1070;display:block;font-size:12px;text-align:left;text-align:start;filter:alpha(opacity=0);opacity:0} -.tooltip.in{filter:alpha(opacity=90);opacity:.9} -.tooltip.top{padding:5px 0;margin-top:-3px} -.tooltip.right{padding:0 5px;margin-left:3px} -.tooltip.bottom{padding:5px 0;margin-top:3px} -.tooltip.left{padding:0 5px;margin-left:-3px} -.tooltip-inner{max-width:200px;padding:3px 8px;color:#fff;text-align:center;background-color:#000;border-radius:4px} -.tooltip-arrow{position:absolute;width:0;height:0;border-color:transparent;border-style:solid} -.tooltip.top .tooltip-arrow,.tooltip.top-left .tooltip-arrow,.tooltip.top-right .tooltip-arrow{bottom:0;border-width:5px 5px 0;border-top-color:#000} -.tooltip.top .tooltip-arrow{left:50%;margin-left:-5px} -.tooltip.top-left .tooltip-arrow{right:5px;margin-bottom:-5px} -.tooltip.top-right .tooltip-arrow{left:5px;margin-bottom:-5px} -.tooltip.right .tooltip-arrow{top:50%;left:0;margin-top:-5px;border-width:5px 5px 5px 0;border-right-color:#000} -.tooltip.left .tooltip-arrow{top:50%;right:0;margin-top:-5px;border-width:5px 0 5px 5px;border-left-color:#000} -.tooltip.bottom .tooltip-arrow,.tooltip.bottom-left .tooltip-arrow,.tooltip.bottom-right .tooltip-arrow{border-width:0 5px 5px;border-bottom-color:#000;top:0} -.tooltip.bottom .tooltip-arrow{left:50%;margin-left:-5px} -.tooltip.bottom-left .tooltip-arrow{right:5px;margin-top:-5px} -.tooltip.bottom-right .tooltip-arrow{left:5px;margin-top:-5px} -.popover{position:absolute;top:0;left:0;z-index:1060;display:none;max-width:276px;padding:1px;font-size:14px;text-align:left;text-align:start;background-color:#fff;-webkit-background-clip:padding-box;background-clip:padding-box;border:1px solid #ccc;border:1px solid rgba(0,0,0,.2);border-radius:6px;-webkit-box-shadow:0 5px 10px rgba(0,0,0,.2);box-shadow:0 5px 10px rgba(0,0,0,.2)} -.carousel-caption,.carousel-control{color:#fff;text-align:center;text-shadow:0 1px 2px rgba(0,0,0,.6)} -.popover.top{margin-top:-10px} -.popover.right{margin-left:10px} -.popover.bottom{margin-top:10px} -.popover.left{margin-left:-10px} -.popover-title{padding:8px 14px;margin:0;font-size:14px;background-color:#f7f7f7;border-bottom:1px solid #ebebeb;border-radius:5px 5px 0 0} -.popover-content{padding:9px 14px} -.popover>.arrow,.popover>.arrow:after{position:absolute;display:block;width:0;height:0;border-color:transparent;border-style:solid} -.carousel,.carousel-inner{position:relative} -.popover>.arrow{border-width:11px} -.popover>.arrow:after{content:"";border-width:10px} -.popover.top>.arrow{bottom:-11px;left:50%;margin-left:-11px;border-top-color:#999;border-top-color:rgba(0,0,0,.25);border-bottom-width:0} -.popover.top>.arrow:after{bottom:1px;margin-left:-10px;content:" ";border-top-color:#fff;border-bottom-width:0} -.popover.left>.arrow:after,.popover.right>.arrow:after{bottom:-10px;content:" "} -.popover.right>.arrow{top:50%;left:-11px;margin-top:-11px;border-right-color:#999;border-right-color:rgba(0,0,0,.25);border-left-width:0} -.popover.right>.arrow:after{left:1px;border-right-color:#fff;border-left-width:0} -.popover.bottom>.arrow{top:-11px;left:50%;margin-left:-11px;border-top-width:0;border-bottom-color:#999;border-bottom-color:rgba(0,0,0,.25)} -.popover.bottom>.arrow:after{top:1px;margin-left:-10px;content:" ";border-top-width:0;border-bottom-color:#fff} -.popover.left>.arrow{top:50%;right:-11px;margin-top:-11px;border-right-width:0;border-left-color:#999;border-left-color:rgba(0,0,0,.25)} -.popover.left>.arrow:after{right:1px;border-right-width:0;border-left-color:#fff} -.carousel-inner{width:100%;overflow:hidden} -.carousel-inner>.item{position:relative;display:none;-webkit-transition:.6s ease-in-out left;-o-transition:.6s ease-in-out left;transition:.6s ease-in-out left} -.carousel-inner>.item>a>img,.carousel-inner>.item>img{line-height:1} -@media all and (transform-3d),(-webkit-transform-3d){.carousel-inner>.item{-webkit-transition:-webkit-transform .6s ease-in-out;-o-transition:-o-transform .6s ease-in-out;transition:transform .6s ease-in-out;-webkit-backface-visibility:hidden;backface-visibility:hidden;-webkit-perspective:1000px;perspective:1000px} -.carousel-inner>.item.active.right,.carousel-inner>.item.next{left:0;-webkit-transform:translate3d(100%,0,0);transform:translate3d(100%,0,0)} -.carousel-inner>.item.active.left,.carousel-inner>.item.prev{left:0;-webkit-transform:translate3d(-100%,0,0);transform:translate3d(-100%,0,0)} -.carousel-inner>.item.active,.carousel-inner>.item.next.left,.carousel-inner>.item.prev.right{left:0;-webkit-transform:translate3d(0,0,0);transform:translate3d(0,0,0)} -} -.carousel-inner>.active,.carousel-inner>.next,.carousel-inner>.prev{display:block} -.carousel-inner>.active{left:0} -.carousel-inner>.next,.carousel-inner>.prev{position:absolute;top:0;width:100%} -.carousel-inner>.next{left:100%} -.carousel-inner>.prev{left:-100%} -.carousel-inner>.next.left,.carousel-inner>.prev.right{left:0} -.carousel-inner>.active.left{left:-100%} -.carousel-inner>.active.right{left:100%} -.carousel-control{position:absolute;top:0;bottom:0;left:0;width:15%;font-size:20px;background-color:rgba(0,0,0,0);filter:alpha(opacity=50);opacity:.5} -.carousel-control.left{background-image:-webkit-linear-gradient(left,rgba(0,0,0,.5) 0,rgba(0,0,0,.0001) 100%);background-image:-o-linear-gradient(left,rgba(0,0,0,.5) 0,rgba(0,0,0,.0001) 100%);background-image:-webkit-gradient(linear,left top,right top,from(rgba(0,0,0,.5)),to(rgba(0,0,0,.0001)));background-image:linear-gradient(to right,rgba(0,0,0,.5) 0,rgba(0,0,0,.0001) 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#80000000', endColorstr='#00000000', GradientType=1);background-repeat:repeat-x} -.carousel-control.right{right:0;left:auto;background-image:-webkit-linear-gradient(left,rgba(0,0,0,.0001) 0,rgba(0,0,0,.5) 100%);background-image:-o-linear-gradient(left,rgba(0,0,0,.0001) 0,rgba(0,0,0,.5) 100%);background-image:-webkit-gradient(linear,left top,right top,from(rgba(0,0,0,.0001)),to(rgba(0,0,0,.5)));background-image:linear-gradient(to right,rgba(0,0,0,.0001) 0,rgba(0,0,0,.5) 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#00000000', endColorstr='#80000000', GradientType=1);background-repeat:repeat-x} -.carousel-control:focus,.carousel-control:hover{color:#fff;text-decoration:none;filter:alpha(opacity=90);outline:0;opacity:.9} -.carousel-control .glyphicon-chevron-left,.carousel-control .glyphicon-chevron-right,.carousel-control .icon-next,.carousel-control .icon-prev{position:absolute;top:50%;z-index:5;display:inline-block;margin-top:-10px} -.carousel-control .glyphicon-chevron-left,.carousel-control .icon-prev{left:50%;margin-left:-10px} -.carousel-control .glyphicon-chevron-right,.carousel-control .icon-next{right:50%;margin-right:-10px} -.carousel-control .icon-next,.carousel-control .icon-prev{width:20px;height:20px;font-family:serif;line-height:1} -.carousel-control .icon-prev:before{content:'\2039'} -.carousel-control .icon-next:before{content:'\203a'} -.carousel-indicators{position:absolute;bottom:10px;left:50%;z-index:15;width:60%;padding-left:0;margin-left:-30%;text-align:center;list-style:none} -.carousel-indicators li{display:inline-block;width:10px;height:10px;margin:1px;text-indent:-999px;cursor:pointer;background-color:#000\9;background-color:rgba(0,0,0,0);border:1px solid #fff;border-radius:10px} -.carousel-indicators .active{width:12px;height:12px;margin:0;background-color:#fff} -.carousel-caption{position:absolute;right:15%;bottom:20px;left:15%;z-index:10;padding-top:20px;padding-bottom:20px} -.carousel-caption .btn,.text-hide{text-shadow:none} -@media screen and (min-width:768px){.carousel-control .glyphicon-chevron-left,.carousel-control .glyphicon-chevron-right,.carousel-control .icon-next,.carousel-control .icon-prev{width:30px;height:30px;margin-top:-10px;font-size:30px} -.carousel-control .glyphicon-chevron-left,.carousel-control .icon-prev{margin-left:-10px} -.carousel-control .glyphicon-chevron-right,.carousel-control .icon-next{margin-right:-10px} -.carousel-caption{right:20%;left:20%;padding-bottom:30px} -.carousel-indicators{bottom:20px} -} -.btn-group-vertical>.btn-group:after,.btn-group-vertical>.btn-group:before,.btn-toolbar:after,.btn-toolbar:before,.clearfix:after,.clearfix:before,.container-fluid:after,.container-fluid:before,.container:after,.container:before,.dl-horizontal dd:after,.dl-horizontal dd:before,.form-horizontal .form-group:after,.form-horizontal .form-group:before,.modal-footer:after,.modal-footer:before,.modal-header:after,.modal-header:before,.nav:after,.nav:before,.navbar-collapse:after,.navbar-collapse:before,.navbar-header:after,.navbar-header:before,.navbar:after,.navbar:before,.pager:after,.pager:before,.panel-body:after,.panel-body:before,.row:after,.row:before{display:table;content:" "} -.btn-group-vertical>.btn-group:after,.btn-toolbar:after,.clearfix:after,.container-fluid:after,.container:after,.dl-horizontal dd:after,.form-horizontal .form-group:after,.modal-footer:after,.modal-header:after,.nav:after,.navbar-collapse:after,.navbar-header:after,.navbar:after,.pager:after,.panel-body:after,.row:after{clear:both} -.center-block{display:block;margin-right:auto;margin-left:auto} -.pull-right{float:right!important} -.pull-left{float:left!important} -.hide{display:none!important} -.show{display:block!important} -.hidden,.visible-lg,.visible-lg-block,.visible-lg-inline,.visible-lg-inline-block,.visible-md,.visible-md-block,.visible-md-inline,.visible-md-inline-block,.visible-sm,.visible-sm-block,.visible-sm-inline,.visible-sm-inline-block,.visible-xs,.visible-xs-block,.visible-xs-inline,.visible-xs-inline-block{display:none!important} -.invisible{visibility:hidden} -.text-hide{font:0/0 a;color:transparent;background-color:transparent;border:0} -.affix{position:fixed} -@-ms-viewport{width:device-width} -@media (max-width:767px){.visible-xs{display:block!important} -table.visible-xs{display:table!important} -tr.visible-xs{display:table-row!important} -td.visible-xs,th.visible-xs{display:table-cell!important} -.visible-xs-block{display:block!important} -.visible-xs-inline{display:inline!important} -.visible-xs-inline-block{display:inline-block!important} -} -@media (min-width:768px) and (max-width:991px){.visible-sm{display:block!important} -table.visible-sm{display:table!important} -tr.visible-sm{display:table-row!important} -td.visible-sm,th.visible-sm{display:table-cell!important} -.visible-sm-block{display:block!important} -.visible-sm-inline{display:inline!important} -.visible-sm-inline-block{display:inline-block!important} -} -@media (min-width:992px) and (max-width:1199px){.visible-md{display:block!important} -table.visible-md{display:table!important} -tr.visible-md{display:table-row!important} -td.visible-md,th.visible-md{display:table-cell!important} -.visible-md-block{display:block!important} -.visible-md-inline{display:inline!important} -.visible-md-inline-block{display:inline-block!important} -} -@media (min-width:1200px){.visible-lg{display:block!important} -table.visible-lg{display:table!important} -tr.visible-lg{display:table-row!important} -td.visible-lg,th.visible-lg{display:table-cell!important} -.visible-lg-block{display:block!important} -.visible-lg-inline{display:inline!important} -.visible-lg-inline-block{display:inline-block!important} -.hidden-lg{display:none!important} -} -@media (max-width:767px){.hidden-xs{display:none!important} -} -@media (min-width:768px) and (max-width:991px){.hidden-sm{display:none!important} -} -@media (min-width:992px) and (max-width:1199px){.hidden-md{display:none!important} -} -.visible-print{display:none!important} -@media print{.visible-print{display:block!important} -table.visible-print{display:table!important} -tr.visible-print{display:table-row!important} -td.visible-print,th.visible-print{display:table-cell!important} -} -.visible-print-block{display:none!important} -@media print{.visible-print-block{display:block!important} -} -.visible-print-inline{display:none!important} -@media print{.visible-print-inline{display:inline!important} -} -.visible-print-inline-block{display:none!important} -@media print{.visible-print-inline-block{display:inline-block!important} -.hidden-print{display:none!important} -} -.hljs{display:block;background:#fff;padding:.5em;color:#333;overflow-x:auto} -.hljs-comment,.hljs-meta{color:#969896} -.hljs-emphasis,.hljs-quote,.hljs-string,.hljs-strong,.hljs-template-variable,.hljs-variable{color:#df5000} -.hljs-keyword,.hljs-selector-tag,.hljs-type{color:#a71d5d} -.hljs-attribute,.hljs-bullet,.hljs-literal,.hljs-symbol{color:#0086b3} -.hljs-name,.hljs-section{color:#63a35c} -.hljs-tag{color:#333} -.hljs-attr,.hljs-selector-attr,.hljs-selector-class,.hljs-selector-id,.hljs-selector-pseudo,.hljs-title{color:#795da3} -.hljs-addition{color:#55a532;background-color:#eaffea} -.hljs-deletion{color:#bd2c00;background-color:#ffecec} -.hljs-link{text-decoration:underline} \ No newline at end of file diff --git a/docs/styles/docfx.vendor.js b/docs/styles/docfx.vendor.js deleted file mode 100644 index 5fda2eb51..000000000 --- a/docs/styles/docfx.vendor.js +++ /dev/null @@ -1,52 +0,0 @@ -/*! jQuery v3.4.1 | (c) JS Foundation and other contributors | jquery.org/license */ -!function(e,t){"use strict";"object"==typeof module&&"object"==typeof module.exports?module.exports=e.document?t(e,!0):function(e){if(!e.document)throw new Error("jQuery requires a window with a document");return t(e)}:t(e)}("undefined"!=typeof window?window:this,function(C,e){"use strict";var t=[],E=C.document,r=Object.getPrototypeOf,s=t.slice,g=t.concat,u=t.push,i=t.indexOf,n={},o=n.toString,v=n.hasOwnProperty,a=v.toString,l=a.call(Object),y={},m=function(e){return"function"==typeof e&&"number"!=typeof e.nodeType},x=function(e){return null!=e&&e===e.window},c={type:!0,src:!0,nonce:!0,noModule:!0};function b(e,t,n){var r,i,o=(n=n||E).createElement("script");if(o.text=e,t)for(r in c)(i=t[r]||t.getAttribute&&t.getAttribute(r))&&o.setAttribute(r,i);n.head.appendChild(o).parentNode.removeChild(o)}function w(e){return null==e?e+"":"object"==typeof e||"function"==typeof e?n[o.call(e)]||"object":typeof e}var f="3.4.1",k=function(e,t){return new k.fn.init(e,t)},p=/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g;function d(e){var t=!!e&&"length"in e&&e.length,n=w(e);return!m(e)&&!x(e)&&("array"===n||0===t||"number"==typeof t&&0+~]|"+M+")"+M+"*"),U=new RegExp(M+"|>"),X=new RegExp($),V=new RegExp("^"+I+"$"),G={ID:new RegExp("^#("+I+")"),CLASS:new RegExp("^\\.("+I+")"),TAG:new RegExp("^("+I+"|[*])"),ATTR:new RegExp("^"+W),PSEUDO:new RegExp("^"+$),CHILD:new RegExp("^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\("+M+"*(even|odd|(([+-]|)(\\d*)n|)"+M+"*(?:([+-]|)"+M+"*(\\d+)|))"+M+"*\\)|)","i"),bool:new RegExp("^(?:"+R+")$","i"),needsContext:new RegExp("^"+M+"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\("+M+"*((?:-\\d)?\\d*)"+M+"*\\)|)(?=[^-]|$)","i")},Y=/HTML$/i,Q=/^(?:input|select|textarea|button)$/i,J=/^h\d$/i,K=/^[^{]+\{\s*\[native \w/,Z=/^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,ee=/[+~]/,te=new RegExp("\\\\([\\da-f]{1,6}"+M+"?|("+M+")|.)","ig"),ne=function(e,t,n){var r="0x"+t-65536;return r!=r||n?t:r<0?String.fromCharCode(r+65536):String.fromCharCode(r>>10|55296,1023&r|56320)},re=/([\0-\x1f\x7f]|^-?\d)|^-$|[^\0-\x1f\x7f-\uFFFF\w-]/g,ie=function(e,t){return t?"\0"===e?"\ufffd":e.slice(0,-1)+"\\"+e.charCodeAt(e.length-1).toString(16)+" ":"\\"+e},oe=function(){T()},ae=be(function(e){return!0===e.disabled&&"fieldset"===e.nodeName.toLowerCase()},{dir:"parentNode",next:"legend"});try{H.apply(t=O.call(m.childNodes),m.childNodes),t[m.childNodes.length].nodeType}catch(e){H={apply:t.length?function(e,t){L.apply(e,O.call(t))}:function(e,t){var n=e.length,r=0;while(e[n++]=t[r++]);e.length=n-1}}}function se(t,e,n,r){var i,o,a,s,u,l,c,f=e&&e.ownerDocument,p=e?e.nodeType:9;if(n=n||[],"string"!=typeof t||!t||1!==p&&9!==p&&11!==p)return n;if(!r&&((e?e.ownerDocument||e:m)!==C&&T(e),e=e||C,E)){if(11!==p&&(u=Z.exec(t)))if(i=u[1]){if(9===p){if(!(a=e.getElementById(i)))return n;if(a.id===i)return n.push(a),n}else if(f&&(a=f.getElementById(i))&&y(e,a)&&a.id===i)return n.push(a),n}else{if(u[2])return H.apply(n,e.getElementsByTagName(t)),n;if((i=u[3])&&d.getElementsByClassName&&e.getElementsByClassName)return H.apply(n,e.getElementsByClassName(i)),n}if(d.qsa&&!A[t+" "]&&(!v||!v.test(t))&&(1!==p||"object"!==e.nodeName.toLowerCase())){if(c=t,f=e,1===p&&U.test(t)){(s=e.getAttribute("id"))?s=s.replace(re,ie):e.setAttribute("id",s=k),o=(l=h(t)).length;while(o--)l[o]="#"+s+" "+xe(l[o]);c=l.join(","),f=ee.test(t)&&ye(e.parentNode)||e}try{return H.apply(n,f.querySelectorAll(c)),n}catch(e){A(t,!0)}finally{s===k&&e.removeAttribute("id")}}}return g(t.replace(B,"$1"),e,n,r)}function ue(){var r=[];return function e(t,n){return r.push(t+" ")>b.cacheLength&&delete e[r.shift()],e[t+" "]=n}}function le(e){return e[k]=!0,e}function ce(e){var t=C.createElement("fieldset");try{return!!e(t)}catch(e){return!1}finally{t.parentNode&&t.parentNode.removeChild(t),t=null}}function fe(e,t){var n=e.split("|"),r=n.length;while(r--)b.attrHandle[n[r]]=t}function pe(e,t){var n=t&&e,r=n&&1===e.nodeType&&1===t.nodeType&&e.sourceIndex-t.sourceIndex;if(r)return r;if(n)while(n=n.nextSibling)if(n===t)return-1;return e?1:-1}function de(t){return function(e){return"input"===e.nodeName.toLowerCase()&&e.type===t}}function he(n){return function(e){var t=e.nodeName.toLowerCase();return("input"===t||"button"===t)&&e.type===n}}function ge(t){return function(e){return"form"in e?e.parentNode&&!1===e.disabled?"label"in e?"label"in e.parentNode?e.parentNode.disabled===t:e.disabled===t:e.isDisabled===t||e.isDisabled!==!t&&ae(e)===t:e.disabled===t:"label"in e&&e.disabled===t}}function ve(a){return le(function(o){return o=+o,le(function(e,t){var n,r=a([],e.length,o),i=r.length;while(i--)e[n=r[i]]&&(e[n]=!(t[n]=e[n]))})})}function ye(e){return e&&"undefined"!=typeof e.getElementsByTagName&&e}for(e in d=se.support={},i=se.isXML=function(e){var t=e.namespaceURI,n=(e.ownerDocument||e).documentElement;return!Y.test(t||n&&n.nodeName||"HTML")},T=se.setDocument=function(e){var t,n,r=e?e.ownerDocument||e:m;return r!==C&&9===r.nodeType&&r.documentElement&&(a=(C=r).documentElement,E=!i(C),m!==C&&(n=C.defaultView)&&n.top!==n&&(n.addEventListener?n.addEventListener("unload",oe,!1):n.attachEvent&&n.attachEvent("onunload",oe)),d.attributes=ce(function(e){return e.className="i",!e.getAttribute("className")}),d.getElementsByTagName=ce(function(e){return e.appendChild(C.createComment("")),!e.getElementsByTagName("*").length}),d.getElementsByClassName=K.test(C.getElementsByClassName),d.getById=ce(function(e){return a.appendChild(e).id=k,!C.getElementsByName||!C.getElementsByName(k).length}),d.getById?(b.filter.ID=function(e){var t=e.replace(te,ne);return function(e){return e.getAttribute("id")===t}},b.find.ID=function(e,t){if("undefined"!=typeof t.getElementById&&E){var n=t.getElementById(e);return n?[n]:[]}}):(b.filter.ID=function(e){var n=e.replace(te,ne);return function(e){var t="undefined"!=typeof e.getAttributeNode&&e.getAttributeNode("id");return t&&t.value===n}},b.find.ID=function(e,t){if("undefined"!=typeof t.getElementById&&E){var n,r,i,o=t.getElementById(e);if(o){if((n=o.getAttributeNode("id"))&&n.value===e)return[o];i=t.getElementsByName(e),r=0;while(o=i[r++])if((n=o.getAttributeNode("id"))&&n.value===e)return[o]}return[]}}),b.find.TAG=d.getElementsByTagName?function(e,t){return"undefined"!=typeof t.getElementsByTagName?t.getElementsByTagName(e):d.qsa?t.querySelectorAll(e):void 0}:function(e,t){var n,r=[],i=0,o=t.getElementsByTagName(e);if("*"===e){while(n=o[i++])1===n.nodeType&&r.push(n);return r}return o},b.find.CLASS=d.getElementsByClassName&&function(e,t){if("undefined"!=typeof t.getElementsByClassName&&E)return t.getElementsByClassName(e)},s=[],v=[],(d.qsa=K.test(C.querySelectorAll))&&(ce(function(e){a.appendChild(e).innerHTML="",e.querySelectorAll("[msallowcapture^='']").length&&v.push("[*^$]="+M+"*(?:''|\"\")"),e.querySelectorAll("[selected]").length||v.push("\\["+M+"*(?:value|"+R+")"),e.querySelectorAll("[id~="+k+"-]").length||v.push("~="),e.querySelectorAll(":checked").length||v.push(":checked"),e.querySelectorAll("a#"+k+"+*").length||v.push(".#.+[+~]")}),ce(function(e){e.innerHTML="";var t=C.createElement("input");t.setAttribute("type","hidden"),e.appendChild(t).setAttribute("name","D"),e.querySelectorAll("[name=d]").length&&v.push("name"+M+"*[*^$|!~]?="),2!==e.querySelectorAll(":enabled").length&&v.push(":enabled",":disabled"),a.appendChild(e).disabled=!0,2!==e.querySelectorAll(":disabled").length&&v.push(":enabled",":disabled"),e.querySelectorAll("*,:x"),v.push(",.*:")})),(d.matchesSelector=K.test(c=a.matches||a.webkitMatchesSelector||a.mozMatchesSelector||a.oMatchesSelector||a.msMatchesSelector))&&ce(function(e){d.disconnectedMatch=c.call(e,"*"),c.call(e,"[s!='']:x"),s.push("!=",$)}),v=v.length&&new RegExp(v.join("|")),s=s.length&&new RegExp(s.join("|")),t=K.test(a.compareDocumentPosition),y=t||K.test(a.contains)?function(e,t){var n=9===e.nodeType?e.documentElement:e,r=t&&t.parentNode;return e===r||!(!r||1!==r.nodeType||!(n.contains?n.contains(r):e.compareDocumentPosition&&16&e.compareDocumentPosition(r)))}:function(e,t){if(t)while(t=t.parentNode)if(t===e)return!0;return!1},D=t?function(e,t){if(e===t)return l=!0,0;var n=!e.compareDocumentPosition-!t.compareDocumentPosition;return n||(1&(n=(e.ownerDocument||e)===(t.ownerDocument||t)?e.compareDocumentPosition(t):1)||!d.sortDetached&&t.compareDocumentPosition(e)===n?e===C||e.ownerDocument===m&&y(m,e)?-1:t===C||t.ownerDocument===m&&y(m,t)?1:u?P(u,e)-P(u,t):0:4&n?-1:1)}:function(e,t){if(e===t)return l=!0,0;var n,r=0,i=e.parentNode,o=t.parentNode,a=[e],s=[t];if(!i||!o)return e===C?-1:t===C?1:i?-1:o?1:u?P(u,e)-P(u,t):0;if(i===o)return pe(e,t);n=e;while(n=n.parentNode)a.unshift(n);n=t;while(n=n.parentNode)s.unshift(n);while(a[r]===s[r])r++;return r?pe(a[r],s[r]):a[r]===m?-1:s[r]===m?1:0}),C},se.matches=function(e,t){return se(e,null,null,t)},se.matchesSelector=function(e,t){if((e.ownerDocument||e)!==C&&T(e),d.matchesSelector&&E&&!A[t+" "]&&(!s||!s.test(t))&&(!v||!v.test(t)))try{var n=c.call(e,t);if(n||d.disconnectedMatch||e.document&&11!==e.document.nodeType)return n}catch(e){A(t,!0)}return 0":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(e){return e[1]=e[1].replace(te,ne),e[3]=(e[3]||e[4]||e[5]||"").replace(te,ne),"~="===e[2]&&(e[3]=" "+e[3]+" "),e.slice(0,4)},CHILD:function(e){return e[1]=e[1].toLowerCase(),"nth"===e[1].slice(0,3)?(e[3]||se.error(e[0]),e[4]=+(e[4]?e[5]+(e[6]||1):2*("even"===e[3]||"odd"===e[3])),e[5]=+(e[7]+e[8]||"odd"===e[3])):e[3]&&se.error(e[0]),e},PSEUDO:function(e){var t,n=!e[6]&&e[2];return G.CHILD.test(e[0])?null:(e[3]?e[2]=e[4]||e[5]||"":n&&X.test(n)&&(t=h(n,!0))&&(t=n.indexOf(")",n.length-t)-n.length)&&(e[0]=e[0].slice(0,t),e[2]=n.slice(0,t)),e.slice(0,3))}},filter:{TAG:function(e){var t=e.replace(te,ne).toLowerCase();return"*"===e?function(){return!0}:function(e){return e.nodeName&&e.nodeName.toLowerCase()===t}},CLASS:function(e){var t=p[e+" "];return t||(t=new RegExp("(^|"+M+")"+e+"("+M+"|$)"))&&p(e,function(e){return t.test("string"==typeof e.className&&e.className||"undefined"!=typeof e.getAttribute&&e.getAttribute("class")||"")})},ATTR:function(n,r,i){return function(e){var t=se.attr(e,n);return null==t?"!="===r:!r||(t+="","="===r?t===i:"!="===r?t!==i:"^="===r?i&&0===t.indexOf(i):"*="===r?i&&-1:\x20\t\r\n\f]*)[\x20\t\r\n\f]*\/?>(?:<\/\1>|)$/i;function j(e,n,r){return m(n)?k.grep(e,function(e,t){return!!n.call(e,t,e)!==r}):n.nodeType?k.grep(e,function(e){return e===n!==r}):"string"!=typeof n?k.grep(e,function(e){return-1)[^>]*|#([\w-]+))$/;(k.fn.init=function(e,t,n){var r,i;if(!e)return this;if(n=n||q,"string"==typeof e){if(!(r="<"===e[0]&&">"===e[e.length-1]&&3<=e.length?[null,e,null]:L.exec(e))||!r[1]&&t)return!t||t.jquery?(t||n).find(e):this.constructor(t).find(e);if(r[1]){if(t=t instanceof k?t[0]:t,k.merge(this,k.parseHTML(r[1],t&&t.nodeType?t.ownerDocument||t:E,!0)),D.test(r[1])&&k.isPlainObject(t))for(r in t)m(this[r])?this[r](t[r]):this.attr(r,t[r]);return this}return(i=E.getElementById(r[2]))&&(this[0]=i,this.length=1),this}return e.nodeType?(this[0]=e,this.length=1,this):m(e)?void 0!==n.ready?n.ready(e):e(k):k.makeArray(e,this)}).prototype=k.fn,q=k(E);var H=/^(?:parents|prev(?:Until|All))/,O={children:!0,contents:!0,next:!0,prev:!0};function P(e,t){while((e=e[t])&&1!==e.nodeType);return e}k.fn.extend({has:function(e){var t=k(e,this),n=t.length;return this.filter(function(){for(var e=0;e\x20\t\r\n\f]*)/i,he=/^$|^module$|\/(?:java|ecma)script/i,ge={option:[1,""],thead:[1,"","
                                                                                                                                                          "],col:[2,"","
                                                                                                                                                          "],tr:[2,"","
                                                                                                                                                          "],td:[3,"","
                                                                                                                                                          "],_default:[0,"",""]};function ve(e,t){var n;return n="undefined"!=typeof e.getElementsByTagName?e.getElementsByTagName(t||"*"):"undefined"!=typeof e.querySelectorAll?e.querySelectorAll(t||"*"):[],void 0===t||t&&A(e,t)?k.merge([e],n):n}function ye(e,t){for(var n=0,r=e.length;nx",y.noCloneChecked=!!me.cloneNode(!0).lastChild.defaultValue;var Te=/^key/,Ce=/^(?:mouse|pointer|contextmenu|drag|drop)|click/,Ee=/^([^.]*)(?:\.(.+)|)/;function ke(){return!0}function Se(){return!1}function Ne(e,t){return e===function(){try{return E.activeElement}catch(e){}}()==("focus"===t)}function Ae(e,t,n,r,i,o){var a,s;if("object"==typeof t){for(s in"string"!=typeof n&&(r=r||n,n=void 0),t)Ae(e,s,n,r,t[s],o);return e}if(null==r&&null==i?(i=n,r=n=void 0):null==i&&("string"==typeof n?(i=r,r=void 0):(i=r,r=n,n=void 0)),!1===i)i=Se;else if(!i)return e;return 1===o&&(a=i,(i=function(e){return k().off(e),a.apply(this,arguments)}).guid=a.guid||(a.guid=k.guid++)),e.each(function(){k.event.add(this,t,i,r,n)})}function De(e,i,o){o?(Q.set(e,i,!1),k.event.add(e,i,{namespace:!1,handler:function(e){var t,n,r=Q.get(this,i);if(1&e.isTrigger&&this[i]){if(r.length)(k.event.special[i]||{}).delegateType&&e.stopPropagation();else if(r=s.call(arguments),Q.set(this,i,r),t=o(this,i),this[i](),r!==(n=Q.get(this,i))||t?Q.set(this,i,!1):n={},r!==n)return e.stopImmediatePropagation(),e.preventDefault(),n.value}else r.length&&(Q.set(this,i,{value:k.event.trigger(k.extend(r[0],k.Event.prototype),r.slice(1),this)}),e.stopImmediatePropagation())}})):void 0===Q.get(e,i)&&k.event.add(e,i,ke)}k.event={global:{},add:function(t,e,n,r,i){var o,a,s,u,l,c,f,p,d,h,g,v=Q.get(t);if(v){n.handler&&(n=(o=n).handler,i=o.selector),i&&k.find.matchesSelector(ie,i),n.guid||(n.guid=k.guid++),(u=v.events)||(u=v.events={}),(a=v.handle)||(a=v.handle=function(e){return"undefined"!=typeof k&&k.event.triggered!==e.type?k.event.dispatch.apply(t,arguments):void 0}),l=(e=(e||"").match(R)||[""]).length;while(l--)d=g=(s=Ee.exec(e[l])||[])[1],h=(s[2]||"").split(".").sort(),d&&(f=k.event.special[d]||{},d=(i?f.delegateType:f.bindType)||d,f=k.event.special[d]||{},c=k.extend({type:d,origType:g,data:r,handler:n,guid:n.guid,selector:i,needsContext:i&&k.expr.match.needsContext.test(i),namespace:h.join(".")},o),(p=u[d])||((p=u[d]=[]).delegateCount=0,f.setup&&!1!==f.setup.call(t,r,h,a)||t.addEventListener&&t.addEventListener(d,a)),f.add&&(f.add.call(t,c),c.handler.guid||(c.handler.guid=n.guid)),i?p.splice(p.delegateCount++,0,c):p.push(c),k.event.global[d]=!0)}},remove:function(e,t,n,r,i){var o,a,s,u,l,c,f,p,d,h,g,v=Q.hasData(e)&&Q.get(e);if(v&&(u=v.events)){l=(t=(t||"").match(R)||[""]).length;while(l--)if(d=g=(s=Ee.exec(t[l])||[])[1],h=(s[2]||"").split(".").sort(),d){f=k.event.special[d]||{},p=u[d=(r?f.delegateType:f.bindType)||d]||[],s=s[2]&&new RegExp("(^|\\.)"+h.join("\\.(?:.*\\.|)")+"(\\.|$)"),a=o=p.length;while(o--)c=p[o],!i&&g!==c.origType||n&&n.guid!==c.guid||s&&!s.test(c.namespace)||r&&r!==c.selector&&("**"!==r||!c.selector)||(p.splice(o,1),c.selector&&p.delegateCount--,f.remove&&f.remove.call(e,c));a&&!p.length&&(f.teardown&&!1!==f.teardown.call(e,h,v.handle)||k.removeEvent(e,d,v.handle),delete u[d])}else for(d in u)k.event.remove(e,d+t[l],n,r,!0);k.isEmptyObject(u)&&Q.remove(e,"handle events")}},dispatch:function(e){var t,n,r,i,o,a,s=k.event.fix(e),u=new Array(arguments.length),l=(Q.get(this,"events")||{})[s.type]||[],c=k.event.special[s.type]||{};for(u[0]=s,t=1;t\x20\t\r\n\f]*)[^>]*)\/>/gi,qe=/\s*$/g;function Oe(e,t){return A(e,"table")&&A(11!==t.nodeType?t:t.firstChild,"tr")&&k(e).children("tbody")[0]||e}function Pe(e){return e.type=(null!==e.getAttribute("type"))+"/"+e.type,e}function Re(e){return"true/"===(e.type||"").slice(0,5)?e.type=e.type.slice(5):e.removeAttribute("type"),e}function Me(e,t){var n,r,i,o,a,s,u,l;if(1===t.nodeType){if(Q.hasData(e)&&(o=Q.access(e),a=Q.set(t,o),l=o.events))for(i in delete a.handle,a.events={},l)for(n=0,r=l[i].length;n")},clone:function(e,t,n){var r,i,o,a,s,u,l,c=e.cloneNode(!0),f=oe(e);if(!(y.noCloneChecked||1!==e.nodeType&&11!==e.nodeType||k.isXMLDoc(e)))for(a=ve(c),r=0,i=(o=ve(e)).length;r").attr(n.scriptAttrs||{}).prop({charset:n.scriptCharset,src:n.url}).on("load error",i=function(e){r.remove(),i=null,e&&t("error"===e.type?404:200,e.type)}),E.head.appendChild(r[0])},abort:function(){i&&i()}}});var Vt,Gt=[],Yt=/(=)\?(?=&|$)|\?\?/;k.ajaxSetup({jsonp:"callback",jsonpCallback:function(){var e=Gt.pop()||k.expando+"_"+kt++;return this[e]=!0,e}}),k.ajaxPrefilter("json jsonp",function(e,t,n){var r,i,o,a=!1!==e.jsonp&&(Yt.test(e.url)?"url":"string"==typeof e.data&&0===(e.contentType||"").indexOf("application/x-www-form-urlencoded")&&Yt.test(e.data)&&"data");if(a||"jsonp"===e.dataTypes[0])return r=e.jsonpCallback=m(e.jsonpCallback)?e.jsonpCallback():e.jsonpCallback,a?e[a]=e[a].replace(Yt,"$1"+r):!1!==e.jsonp&&(e.url+=(St.test(e.url)?"&":"?")+e.jsonp+"="+r),e.converters["script json"]=function(){return o||k.error(r+" was not called"),o[0]},e.dataTypes[0]="json",i=C[r],C[r]=function(){o=arguments},n.always(function(){void 0===i?k(C).removeProp(r):C[r]=i,e[r]&&(e.jsonpCallback=t.jsonpCallback,Gt.push(r)),o&&m(i)&&i(o[0]),o=i=void 0}),"script"}),y.createHTMLDocument=((Vt=E.implementation.createHTMLDocument("").body).innerHTML="
                                                                                                                                                          ",2===Vt.childNodes.length),k.parseHTML=function(e,t,n){return"string"!=typeof e?[]:("boolean"==typeof t&&(n=t,t=!1),t||(y.createHTMLDocument?((r=(t=E.implementation.createHTMLDocument("")).createElement("base")).href=E.location.href,t.head.appendChild(r)):t=E),o=!n&&[],(i=D.exec(e))?[t.createElement(i[1])]:(i=we([e],t,o),o&&o.length&&k(o).remove(),k.merge([],i.childNodes)));var r,i,o},k.fn.load=function(e,t,n){var r,i,o,a=this,s=e.indexOf(" ");return-1").append(k.parseHTML(e)).find(r):e)}).always(n&&function(e,t){a.each(function(){n.apply(this,o||[e.responseText,t,e])})}),this},k.each(["ajaxStart","ajaxStop","ajaxComplete","ajaxError","ajaxSuccess","ajaxSend"],function(e,t){k.fn[t]=function(e){return this.on(t,e)}}),k.expr.pseudos.animated=function(t){return k.grep(k.timers,function(e){return t===e.elem}).length},k.offset={setOffset:function(e,t,n){var r,i,o,a,s,u,l=k.css(e,"position"),c=k(e),f={};"static"===l&&(e.style.position="relative"),s=c.offset(),o=k.css(e,"top"),u=k.css(e,"left"),("absolute"===l||"fixed"===l)&&-1<(o+u).indexOf("auto")?(a=(r=c.position()).top,i=r.left):(a=parseFloat(o)||0,i=parseFloat(u)||0),m(t)&&(t=t.call(e,n,k.extend({},s))),null!=t.top&&(f.top=t.top-s.top+a),null!=t.left&&(f.left=t.left-s.left+i),"using"in t?t.using.call(e,f):c.css(f)}},k.fn.extend({offset:function(t){if(arguments.length)return void 0===t?this:this.each(function(e){k.offset.setOffset(this,t,e)});var e,n,r=this[0];return r?r.getClientRects().length?(e=r.getBoundingClientRect(),n=r.ownerDocument.defaultView,{top:e.top+n.pageYOffset,left:e.left+n.pageXOffset}):{top:0,left:0}:void 0},position:function(){if(this[0]){var e,t,n,r=this[0],i={top:0,left:0};if("fixed"===k.css(r,"position"))t=r.getBoundingClientRect();else{t=this.offset(),n=r.ownerDocument,e=r.offsetParent||n.documentElement;while(e&&(e===n.body||e===n.documentElement)&&"static"===k.css(e,"position"))e=e.parentNode;e&&e!==r&&1===e.nodeType&&((i=k(e).offset()).top+=k.css(e,"borderTopWidth",!0),i.left+=k.css(e,"borderLeftWidth",!0))}return{top:t.top-i.top-k.css(r,"marginTop",!0),left:t.left-i.left-k.css(r,"marginLeft",!0)}}},offsetParent:function(){return this.map(function(){var e=this.offsetParent;while(e&&"static"===k.css(e,"position"))e=e.offsetParent;return e||ie})}}),k.each({scrollLeft:"pageXOffset",scrollTop:"pageYOffset"},function(t,i){var o="pageYOffset"===i;k.fn[t]=function(e){return _(this,function(e,t,n){var r;if(x(e)?r=e:9===e.nodeType&&(r=e.defaultView),void 0===n)return r?r[i]:e[t];r?r.scrollTo(o?r.pageXOffset:n,o?n:r.pageYOffset):e[t]=n},t,e,arguments.length)}}),k.each(["top","left"],function(e,n){k.cssHooks[n]=ze(y.pixelPosition,function(e,t){if(t)return t=_e(e,n),$e.test(t)?k(e).position()[n]+"px":t})}),k.each({Height:"height",Width:"width"},function(a,s){k.each({padding:"inner"+a,content:s,"":"outer"+a},function(r,o){k.fn[o]=function(e,t){var n=arguments.length&&(r||"boolean"!=typeof e),i=r||(!0===e||!0===t?"margin":"border");return _(this,function(e,t,n){var r;return x(e)?0===o.indexOf("outer")?e["inner"+a]:e.document.documentElement["client"+a]:9===e.nodeType?(r=e.documentElement,Math.max(e.body["scroll"+a],r["scroll"+a],e.body["offset"+a],r["offset"+a],r["client"+a])):void 0===n?k.css(e,t,i):k.style(e,t,n,i)},s,n?e:void 0,n)}})}),k.each("blur focus focusin focusout resize scroll click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select submit keydown keypress keyup contextmenu".split(" "),function(e,n){k.fn[n]=function(e,t){return 03)throw new Error("Bootstrap's JavaScript requires jQuery version 1.9.1 or higher, but lower than version 4")}(jQuery),+function(a){"use strict";function b(){var a=document.createElement("bootstrap"),b={WebkitTransition:"webkitTransitionEnd",MozTransition:"transitionend",OTransition:"oTransitionEnd otransitionend",transition:"transitionend"};for(var c in b)if(void 0!==a.style[c])return{end:b[c]};return!1}a.fn.emulateTransitionEnd=function(b){var c=!1,d=this;a(this).one("bsTransitionEnd",function(){c=!0});var e=function(){c||a(d).trigger(a.support.transition.end)};return setTimeout(e,b),this},a(function(){a.support.transition=b(),a.support.transition&&(a.event.special.bsTransitionEnd={bindType:a.support.transition.end,delegateType:a.support.transition.end,handle:function(b){if(a(b.target).is(this))return b.handleObj.handler.apply(this,arguments)}})})}(jQuery),+function(a){"use strict";function b(b){return this.each(function(){var c=a(this),e=c.data("bs.alert");e||c.data("bs.alert",e=new d(this)),"string"==typeof b&&e[b].call(c)})}var c='[data-dismiss="alert"]',d=function(b){a(b).on("click",c,this.close)};d.VERSION="3.3.7",d.TRANSITION_DURATION=150,d.prototype.close=function(b){function c(){g.detach().trigger("closed.bs.alert").remove()}var e=a(this),f=e.attr("data-target");f||(f=e.attr("href"),f=f&&f.replace(/.*(?=#[^\s]*$)/,""));var g=a("#"===f?[]:f);b&&b.preventDefault(),g.length||(g=e.closest(".alert")),g.trigger(b=a.Event("close.bs.alert")),b.isDefaultPrevented()||(g.removeClass("in"),a.support.transition&&g.hasClass("fade")?g.one("bsTransitionEnd",c).emulateTransitionEnd(d.TRANSITION_DURATION):c())};var e=a.fn.alert;a.fn.alert=b,a.fn.alert.Constructor=d,a.fn.alert.noConflict=function(){return a.fn.alert=e,this},a(document).on("click.bs.alert.data-api",c,d.prototype.close)}(jQuery),+function(a){"use strict";function b(b){return this.each(function(){var d=a(this),e=d.data("bs.button"),f="object"==typeof b&&b;e||d.data("bs.button",e=new c(this,f)),"toggle"==b?e.toggle():b&&e.setState(b)})}var c=function(b,d){this.$element=a(b),this.options=a.extend({},c.DEFAULTS,d),this.isLoading=!1};c.VERSION="3.3.7",c.DEFAULTS={loadingText:"loading..."},c.prototype.setState=function(b){var c="disabled",d=this.$element,e=d.is("input")?"val":"html",f=d.data();b+="Text",null==f.resetText&&d.data("resetText",d[e]()),setTimeout(a.proxy(function(){d[e](null==f[b]?this.options[b]:f[b]),"loadingText"==b?(this.isLoading=!0,d.addClass(c).attr(c,c).prop(c,!0)):this.isLoading&&(this.isLoading=!1,d.removeClass(c).removeAttr(c).prop(c,!1))},this),0)},c.prototype.toggle=function(){var a=!0,b=this.$element.closest('[data-toggle="buttons"]');if(b.length){var c=this.$element.find("input");"radio"==c.prop("type")?(c.prop("checked")&&(a=!1),b.find(".active").removeClass("active"),this.$element.addClass("active")):"checkbox"==c.prop("type")&&(c.prop("checked")!==this.$element.hasClass("active")&&(a=!1),this.$element.toggleClass("active")),c.prop("checked",this.$element.hasClass("active")),a&&c.trigger("change")}else this.$element.attr("aria-pressed",!this.$element.hasClass("active")),this.$element.toggleClass("active")};var d=a.fn.button;a.fn.button=b,a.fn.button.Constructor=c,a.fn.button.noConflict=function(){return a.fn.button=d,this},a(document).on("click.bs.button.data-api",'[data-toggle^="button"]',function(c){var d=a(c.target).closest(".btn");b.call(d,"toggle"),a(c.target).is('input[type="radio"], input[type="checkbox"]')||(c.preventDefault(),d.is("input,button")?d.trigger("focus"):d.find("input:visible,button:visible").first().trigger("focus"))}).on("focus.bs.button.data-api blur.bs.button.data-api",'[data-toggle^="button"]',function(b){a(b.target).closest(".btn").toggleClass("focus",/^focus(in)?$/.test(b.type))})}(jQuery),+function(a){"use strict";function b(b){return this.each(function(){var d=a(this),e=d.data("bs.carousel"),f=a.extend({},c.DEFAULTS,d.data(),"object"==typeof b&&b),g="string"==typeof b?b:f.slide;e||d.data("bs.carousel",e=new c(this,f)),"number"==typeof b?e.to(b):g?e[g]():f.interval&&e.pause().cycle()})}var c=function(b,c){this.$element=a(b),this.$indicators=this.$element.find(".carousel-indicators"),this.options=c,this.paused=null,this.sliding=null,this.interval=null,this.$active=null,this.$items=null,this.options.keyboard&&this.$element.on("keydown.bs.carousel",a.proxy(this.keydown,this)),"hover"==this.options.pause&&!("ontouchstart"in document.documentElement)&&this.$element.on("mouseenter.bs.carousel",a.proxy(this.pause,this)).on("mouseleave.bs.carousel",a.proxy(this.cycle,this))};c.VERSION="3.3.7",c.TRANSITION_DURATION=600,c.DEFAULTS={interval:5e3,pause:"hover",wrap:!0,keyboard:!0},c.prototype.keydown=function(a){if(!/input|textarea/i.test(a.target.tagName)){switch(a.which){case 37:this.prev();break;case 39:this.next();break;default:return}a.preventDefault()}},c.prototype.cycle=function(b){return b||(this.paused=!1),this.interval&&clearInterval(this.interval),this.options.interval&&!this.paused&&(this.interval=setInterval(a.proxy(this.next,this),this.options.interval)),this},c.prototype.getItemIndex=function(a){return this.$items=a.parent().children(".item"),this.$items.index(a||this.$active)},c.prototype.getItemForDirection=function(a,b){var c=this.getItemIndex(b),d="prev"==a&&0===c||"next"==a&&c==this.$items.length-1;if(d&&!this.options.wrap)return b;var e="prev"==a?-1:1,f=(c+e)%this.$items.length;return this.$items.eq(f)},c.prototype.to=function(a){var b=this,c=this.getItemIndex(this.$active=this.$element.find(".item.active"));if(!(a>this.$items.length-1||a<0))return this.sliding?this.$element.one("slid.bs.carousel",function(){b.to(a)}):c==a?this.pause().cycle():this.slide(a>c?"next":"prev",this.$items.eq(a))},c.prototype.pause=function(b){return b||(this.paused=!0),this.$element.find(".next, .prev").length&&a.support.transition&&(this.$element.trigger(a.support.transition.end),this.cycle(!0)),this.interval=clearInterval(this.interval),this},c.prototype.next=function(){if(!this.sliding)return this.slide("next")},c.prototype.prev=function(){if(!this.sliding)return this.slide("prev")},c.prototype.slide=function(b,d){var e=this.$element.find(".item.active"),f=d||this.getItemForDirection(b,e),g=this.interval,h="next"==b?"left":"right",i=this;if(f.hasClass("active"))return this.sliding=!1;var j=f[0],k=a.Event("slide.bs.carousel",{relatedTarget:j,direction:h});if(this.$element.trigger(k),!k.isDefaultPrevented()){if(this.sliding=!0,g&&this.pause(),this.$indicators.length){this.$indicators.find(".active").removeClass("active");var l=a(this.$indicators.children()[this.getItemIndex(f)]);l&&l.addClass("active")}var m=a.Event("slid.bs.carousel",{relatedTarget:j,direction:h});return a.support.transition&&this.$element.hasClass("slide")?(f.addClass(b),f[0].offsetWidth,e.addClass(h),f.addClass(h),e.one("bsTransitionEnd",function(){f.removeClass([b,h].join(" ")).addClass("active"),e.removeClass(["active",h].join(" ")),i.sliding=!1,setTimeout(function(){i.$element.trigger(m)},0)}).emulateTransitionEnd(c.TRANSITION_DURATION)):(e.removeClass("active"),f.addClass("active"),this.sliding=!1,this.$element.trigger(m)),g&&this.cycle(),this}};var d=a.fn.carousel;a.fn.carousel=b,a.fn.carousel.Constructor=c,a.fn.carousel.noConflict=function(){return a.fn.carousel=d,this};var e=function(c){var d,e=a(this),f=a(e.attr("data-target")||(d=e.attr("href"))&&d.replace(/.*(?=#[^\s]+$)/,""));if(f.hasClass("carousel")){var g=a.extend({},f.data(),e.data()),h=e.attr("data-slide-to");h&&(g.interval=!1),b.call(f,g),h&&f.data("bs.carousel").to(h),c.preventDefault()}};a(document).on("click.bs.carousel.data-api","[data-slide]",e).on("click.bs.carousel.data-api","[data-slide-to]",e),a(window).on("load",function(){a('[data-ride="carousel"]').each(function(){var c=a(this);b.call(c,c.data())})})}(jQuery),+function(a){"use strict";function b(b){var c,d=b.attr("data-target")||(c=b.attr("href"))&&c.replace(/.*(?=#[^\s]+$)/,"");return a(d)}function c(b){return this.each(function(){var c=a(this),e=c.data("bs.collapse"),f=a.extend({},d.DEFAULTS,c.data(),"object"==typeof b&&b);!e&&f.toggle&&/show|hide/.test(b)&&(f.toggle=!1),e||c.data("bs.collapse",e=new d(this,f)),"string"==typeof b&&e[b]()})}var d=function(b,c){this.$element=a(b),this.options=a.extend({},d.DEFAULTS,c),this.$trigger=a('[data-toggle="collapse"][href="#'+b.id+'"],[data-toggle="collapse"][data-target="#'+b.id+'"]'),this.transitioning=null,this.options.parent?this.$parent=this.getParent():this.addAriaAndCollapsedClass(this.$element,this.$trigger),this.options.toggle&&this.toggle()};d.VERSION="3.3.7",d.TRANSITION_DURATION=350,d.DEFAULTS={toggle:!0},d.prototype.dimension=function(){var a=this.$element.hasClass("width");return a?"width":"height"},d.prototype.show=function(){if(!this.transitioning&&!this.$element.hasClass("in")){var b,e=this.$parent&&this.$parent.children(".panel").children(".in, .collapsing");if(!(e&&e.length&&(b=e.data("bs.collapse"),b&&b.transitioning))){var f=a.Event("show.bs.collapse");if(this.$element.trigger(f),!f.isDefaultPrevented()){e&&e.length&&(c.call(e,"hide"),b||e.data("bs.collapse",null));var g=this.dimension();this.$element.removeClass("collapse").addClass("collapsing")[g](0).attr("aria-expanded",!0),this.$trigger.removeClass("collapsed").attr("aria-expanded",!0),this.transitioning=1;var h=function(){this.$element.removeClass("collapsing").addClass("collapse in")[g](""),this.transitioning=0,this.$element.trigger("shown.bs.collapse")};if(!a.support.transition)return h.call(this);var i=a.camelCase(["scroll",g].join("-"));this.$element.one("bsTransitionEnd",a.proxy(h,this)).emulateTransitionEnd(d.TRANSITION_DURATION)[g](this.$element[0][i])}}}},d.prototype.hide=function(){if(!this.transitioning&&this.$element.hasClass("in")){var b=a.Event("hide.bs.collapse");if(this.$element.trigger(b),!b.isDefaultPrevented()){var c=this.dimension();this.$element[c](this.$element[c]())[0].offsetHeight,this.$element.addClass("collapsing").removeClass("collapse in").attr("aria-expanded",!1),this.$trigger.addClass("collapsed").attr("aria-expanded",!1),this.transitioning=1;var e=function(){this.transitioning=0,this.$element.removeClass("collapsing").addClass("collapse").trigger("hidden.bs.collapse")};return a.support.transition?void this.$element[c](0).one("bsTransitionEnd",a.proxy(e,this)).emulateTransitionEnd(d.TRANSITION_DURATION):e.call(this)}}},d.prototype.toggle=function(){this[this.$element.hasClass("in")?"hide":"show"]()},d.prototype.getParent=function(){return a(this.options.parent).find('[data-toggle="collapse"][data-parent="'+this.options.parent+'"]').each(a.proxy(function(c,d){var e=a(d);this.addAriaAndCollapsedClass(b(e),e)},this)).end()},d.prototype.addAriaAndCollapsedClass=function(a,b){var c=a.hasClass("in");a.attr("aria-expanded",c),b.toggleClass("collapsed",!c).attr("aria-expanded",c)};var e=a.fn.collapse;a.fn.collapse=c,a.fn.collapse.Constructor=d,a.fn.collapse.noConflict=function(){return a.fn.collapse=e,this},a(document).on("click.bs.collapse.data-api",'[data-toggle="collapse"]',function(d){var e=a(this);e.attr("data-target")||d.preventDefault();var f=b(e),g=f.data("bs.collapse"),h=g?"toggle":e.data();c.call(f,h)})}(jQuery),+function(a){"use strict";function b(b){var c=b.attr("data-target");c||(c=b.attr("href"),c=c&&/#[A-Za-z]/.test(c)&&c.replace(/.*(?=#[^\s]*$)/,""));var d=c&&a(c);return d&&d.length?d:b.parent()}function c(c){c&&3===c.which||(a(e).remove(),a(f).each(function(){var d=a(this),e=b(d),f={relatedTarget:this};e.hasClass("open")&&(c&&"click"==c.type&&/input|textarea/i.test(c.target.tagName)&&a.contains(e[0],c.target)||(e.trigger(c=a.Event("hide.bs.dropdown",f)),c.isDefaultPrevented()||(d.attr("aria-expanded","false"),e.removeClass("open").trigger(a.Event("hidden.bs.dropdown",f)))))}))}function d(b){return this.each(function(){var c=a(this),d=c.data("bs.dropdown");d||c.data("bs.dropdown",d=new g(this)),"string"==typeof b&&d[b].call(c)})}var e=".dropdown-backdrop",f='[data-toggle="dropdown"]',g=function(b){a(b).on("click.bs.dropdown",this.toggle)};g.VERSION="3.3.7",g.prototype.toggle=function(d){var e=a(this);if(!e.is(".disabled, :disabled")){var f=b(e),g=f.hasClass("open");if(c(),!g){"ontouchstart"in document.documentElement&&!f.closest(".navbar-nav").length&&a(document.createElement("div")).addClass("dropdown-backdrop").insertAfter(a(this)).on("click",c);var h={relatedTarget:this};if(f.trigger(d=a.Event("show.bs.dropdown",h)),d.isDefaultPrevented())return;e.trigger("focus").attr("aria-expanded","true"),f.toggleClass("open").trigger(a.Event("shown.bs.dropdown",h))}return!1}},g.prototype.keydown=function(c){if(/(38|40|27|32)/.test(c.which)&&!/input|textarea/i.test(c.target.tagName)){var d=a(this);if(c.preventDefault(),c.stopPropagation(),!d.is(".disabled, :disabled")){var e=b(d),g=e.hasClass("open");if(!g&&27!=c.which||g&&27==c.which)return 27==c.which&&e.find(f).trigger("focus"),d.trigger("click");var h=" li:not(.disabled):visible a",i=e.find(".dropdown-menu"+h);if(i.length){var j=i.index(c.target);38==c.which&&j>0&&j--,40==c.which&&jdocument.documentElement.clientHeight;this.$element.css({paddingLeft:!this.bodyIsOverflowing&&a?this.scrollbarWidth:"",paddingRight:this.bodyIsOverflowing&&!a?this.scrollbarWidth:""})},c.prototype.resetAdjustments=function(){this.$element.css({paddingLeft:"",paddingRight:""})},c.prototype.checkScrollbar=function(){var a=window.innerWidth;if(!a){var b=document.documentElement.getBoundingClientRect();a=b.right-Math.abs(b.left)}this.bodyIsOverflowing=document.body.clientWidth
                                                                                                                                                          ',trigger:"hover focus",title:"",delay:0,html:!1,container:!1,viewport:{selector:"body",padding:0}},c.prototype.init=function(b,c,d){if(this.enabled=!0,this.type=b,this.$element=a(c),this.options=this.getOptions(d),this.$viewport=this.options.viewport&&a(a.isFunction(this.options.viewport)?this.options.viewport.call(this,this.$element):this.options.viewport.selector||this.options.viewport),this.inState={click:!1,hover:!1,focus:!1},this.$element[0]instanceof document.constructor&&!this.options.selector)throw new Error("`selector` option must be specified when initializing "+this.type+" on the window.document object!");for(var e=this.options.trigger.split(" "),f=e.length;f--;){var g=e[f];if("click"==g)this.$element.on("click."+this.type,this.options.selector,a.proxy(this.toggle,this));else if("manual"!=g){var h="hover"==g?"mouseenter":"focusin",i="hover"==g?"mouseleave":"focusout";this.$element.on(h+"."+this.type,this.options.selector,a.proxy(this.enter,this)),this.$element.on(i+"."+this.type,this.options.selector,a.proxy(this.leave,this))}}this.options.selector?this._options=a.extend({},this.options,{trigger:"manual",selector:""}):this.fixTitle()},c.prototype.getDefaults=function(){return c.DEFAULTS},c.prototype.getOptions=function(b){return b=a.extend({},this.getDefaults(),this.$element.data(),b),b.delay&&"number"==typeof b.delay&&(b.delay={show:b.delay,hide:b.delay}),b},c.prototype.getDelegateOptions=function(){var b={},c=this.getDefaults();return this._options&&a.each(this._options,function(a,d){c[a]!=d&&(b[a]=d)}),b},c.prototype.enter=function(b){var c=b instanceof this.constructor?b:a(b.currentTarget).data("bs."+this.type);return c||(c=new this.constructor(b.currentTarget,this.getDelegateOptions()),a(b.currentTarget).data("bs."+this.type,c)),b instanceof a.Event&&(c.inState["focusin"==b.type?"focus":"hover"]=!0),c.tip().hasClass("in")||"in"==c.hoverState?void(c.hoverState="in"):(clearTimeout(c.timeout),c.hoverState="in",c.options.delay&&c.options.delay.show?void(c.timeout=setTimeout(function(){"in"==c.hoverState&&c.show()},c.options.delay.show)):c.show())},c.prototype.isInStateTrue=function(){for(var a in this.inState)if(this.inState[a])return!0;return!1},c.prototype.leave=function(b){var c=b instanceof this.constructor?b:a(b.currentTarget).data("bs."+this.type);if(c||(c=new this.constructor(b.currentTarget,this.getDelegateOptions()),a(b.currentTarget).data("bs."+this.type,c)),b instanceof a.Event&&(c.inState["focusout"==b.type?"focus":"hover"]=!1),!c.isInStateTrue())return clearTimeout(c.timeout),c.hoverState="out",c.options.delay&&c.options.delay.hide?void(c.timeout=setTimeout(function(){"out"==c.hoverState&&c.hide()},c.options.delay.hide)):c.hide()},c.prototype.show=function(){var b=a.Event("show.bs."+this.type);if(this.hasContent()&&this.enabled){this.$element.trigger(b);var d=a.contains(this.$element[0].ownerDocument.documentElement,this.$element[0]);if(b.isDefaultPrevented()||!d)return;var e=this,f=this.tip(),g=this.getUID(this.type);this.setContent(),f.attr("id",g),this.$element.attr("aria-describedby",g),this.options.animation&&f.addClass("fade");var h="function"==typeof this.options.placement?this.options.placement.call(this,f[0],this.$element[0]):this.options.placement,i=/\s?auto?\s?/i,j=i.test(h);j&&(h=h.replace(i,"")||"top"),f.detach().css({top:0,left:0,display:"block"}).addClass(h).data("bs."+this.type,this),this.options.container?f.appendTo(this.options.container):f.insertAfter(this.$element),this.$element.trigger("inserted.bs."+this.type);var k=this.getPosition(),l=f[0].offsetWidth,m=f[0].offsetHeight;if(j){var n=h,o=this.getPosition(this.$viewport);h="bottom"==h&&k.bottom+m>o.bottom?"top":"top"==h&&k.top-mo.width?"left":"left"==h&&k.left-lg.top+g.height&&(e.top=g.top+g.height-i)}else{var j=b.left-f,k=b.left+f+c;jg.right&&(e.left=g.left+g.width-k)}return e},c.prototype.getTitle=function(){var a,b=this.$element,c=this.options;return a=b.attr("data-original-title")||("function"==typeof c.title?c.title.call(b[0]):c.title)},c.prototype.getUID=function(a){do a+=~~(1e6*Math.random());while(document.getElementById(a));return a},c.prototype.tip=function(){if(!this.$tip&&(this.$tip=a(this.options.template),1!=this.$tip.length))throw new Error(this.type+" `template` option must consist of exactly 1 top-level element!");return this.$tip},c.prototype.arrow=function(){return this.$arrow=this.$arrow||this.tip().find(".tooltip-arrow")},c.prototype.enable=function(){this.enabled=!0},c.prototype.disable=function(){this.enabled=!1},c.prototype.toggleEnabled=function(){this.enabled=!this.enabled},c.prototype.toggle=function(b){var c=this;b&&(c=a(b.currentTarget).data("bs."+this.type),c||(c=new this.constructor(b.currentTarget,this.getDelegateOptions()),a(b.currentTarget).data("bs."+this.type,c))),b?(c.inState.click=!c.inState.click,c.isInStateTrue()?c.enter(c):c.leave(c)):c.tip().hasClass("in")?c.leave(c):c.enter(c)},c.prototype.destroy=function(){var a=this;clearTimeout(this.timeout),this.hide(function(){a.$element.off("."+a.type).removeData("bs."+a.type),a.$tip&&a.$tip.detach(),a.$tip=null,a.$arrow=null,a.$viewport=null,a.$element=null})};var d=a.fn.tooltip;a.fn.tooltip=b,a.fn.tooltip.Constructor=c,a.fn.tooltip.noConflict=function(){return a.fn.tooltip=d,this}}(jQuery),+function(a){"use strict";function b(b){return this.each(function(){var d=a(this),e=d.data("bs.popover"),f="object"==typeof b&&b;!e&&/destroy|hide/.test(b)||(e||d.data("bs.popover",e=new c(this,f)),"string"==typeof b&&e[b]())})}var c=function(a,b){this.init("popover",a,b)};if(!a.fn.tooltip)throw new Error("Popover requires tooltip.js");c.VERSION="3.3.7",c.DEFAULTS=a.extend({},a.fn.tooltip.Constructor.DEFAULTS,{placement:"right",trigger:"click",content:"",template:''}),c.prototype=a.extend({},a.fn.tooltip.Constructor.prototype),c.prototype.constructor=c,c.prototype.getDefaults=function(){return c.DEFAULTS},c.prototype.setContent=function(){var a=this.tip(),b=this.getTitle(),c=this.getContent();a.find(".popover-title")[this.options.html?"html":"text"](b),a.find(".popover-content").children().detach().end()[this.options.html?"string"==typeof c?"html":"append":"text"](c),a.removeClass("fade top bottom left right in"),a.find(".popover-title").html()||a.find(".popover-title").hide()},c.prototype.hasContent=function(){return this.getTitle()||this.getContent()},c.prototype.getContent=function(){var a=this.$element,b=this.options;return a.attr("data-content")||("function"==typeof b.content?b.content.call(a[0]):b.content)},c.prototype.arrow=function(){return this.$arrow=this.$arrow||this.tip().find(".arrow")};var d=a.fn.popover;a.fn.popover=b,a.fn.popover.Constructor=c,a.fn.popover.noConflict=function(){return a.fn.popover=d,this}}(jQuery),+function(a){"use strict";function b(c,d){this.$body=a(document.body),this.$scrollElement=a(a(c).is(document.body)?window:c),this.options=a.extend({},b.DEFAULTS,d),this.selector=(this.options.target||"")+" .nav li > a",this.offsets=[],this.targets=[],this.activeTarget=null,this.scrollHeight=0,this.$scrollElement.on("scroll.bs.scrollspy",a.proxy(this.process,this)),this.refresh(),this.process()}function c(c){return this.each(function(){var d=a(this),e=d.data("bs.scrollspy"),f="object"==typeof c&&c;e||d.data("bs.scrollspy",e=new b(this,f)),"string"==typeof c&&e[c]()})}b.VERSION="3.3.7",b.DEFAULTS={offset:10},b.prototype.getScrollHeight=function(){return this.$scrollElement[0].scrollHeight||Math.max(this.$body[0].scrollHeight,document.documentElement.scrollHeight)},b.prototype.refresh=function(){var b=this,c="offset",d=0;this.offsets=[],this.targets=[],this.scrollHeight=this.getScrollHeight(),a.isWindow(this.$scrollElement[0])||(c="position",d=this.$scrollElement.scrollTop()),this.$body.find(this.selector).map(function(){var b=a(this),e=b.data("target")||b.attr("href"),f=/^#./.test(e)&&a(e);return f&&f.length&&f.is(":visible")&&[[f[c]().top+d,e]]||null}).sort(function(a,b){return a[0]-b[0]}).each(function(){b.offsets.push(this[0]),b.targets.push(this[1])})},b.prototype.process=function(){var a,b=this.$scrollElement.scrollTop()+this.options.offset,c=this.getScrollHeight(),d=this.options.offset+c-this.$scrollElement.height(),e=this.offsets,f=this.targets,g=this.activeTarget;if(this.scrollHeight!=c&&this.refresh(),b>=d)return g!=(a=f[f.length-1])&&this.activate(a);if(g&&b=e[a]&&(void 0===e[a+1]||b .dropdown-menu > .active").removeClass("active").end().find('[data-toggle="tab"]').attr("aria-expanded",!1),b.addClass("active").find('[data-toggle="tab"]').attr("aria-expanded",!0),h?(b[0].offsetWidth,b.addClass("in")):b.removeClass("fade"),b.parent(".dropdown-menu").length&&b.closest("li.dropdown").addClass("active").end().find('[data-toggle="tab"]').attr("aria-expanded",!0),e&&e()}var g=d.find("> .active"),h=e&&a.support.transition&&(g.length&&g.hasClass("fade")||!!d.find("> .fade").length);g.length&&h?g.one("bsTransitionEnd",f).emulateTransitionEnd(c.TRANSITION_DURATION):f(),g.removeClass("in")};var d=a.fn.tab;a.fn.tab=b,a.fn.tab.Constructor=c,a.fn.tab.noConflict=function(){return a.fn.tab=d,this};var e=function(c){c.preventDefault(),b.call(a(this),"show")};a(document).on("click.bs.tab.data-api",'[data-toggle="tab"]',e).on("click.bs.tab.data-api",'[data-toggle="pill"]',e)}(jQuery),+function(a){"use strict";function b(b){return this.each(function(){var d=a(this),e=d.data("bs.affix"),f="object"==typeof b&&b;e||d.data("bs.affix",e=new c(this,f)),"string"==typeof b&&e[b]()})}var c=function(b,d){this.options=a.extend({},c.DEFAULTS,d),this.$target=a(this.options.target).on("scroll.bs.affix.data-api",a.proxy(this.checkPosition,this)).on("click.bs.affix.data-api",a.proxy(this.checkPositionWithEventLoop,this)),this.$element=a(b),this.affixed=null,this.unpin=null,this.pinnedOffset=null,this.checkPosition()};c.VERSION="3.3.7",c.RESET="affix affix-top affix-bottom",c.DEFAULTS={offset:0,target:window},c.prototype.getState=function(a,b,c,d){var e=this.$target.scrollTop(),f=this.$element.offset(),g=this.$target.height();if(null!=c&&"top"==this.affixed)return e=a-d&&"bottom"},c.prototype.getPinnedOffset=function(){if(this.pinnedOffset)return this.pinnedOffset;this.$element.removeClass(c.RESET).addClass("affix");var a=this.$target.scrollTop(),b=this.$element.offset();return this.pinnedOffset=b.top-a},c.prototype.checkPositionWithEventLoop=function(){setTimeout(a.proxy(this.checkPosition,this),1)},c.prototype.checkPosition=function(){if(this.$element.is(":visible")){var b=this.$element.height(),d=this.options.offset,e=d.top,f=d.bottom,g=Math.max(a(document).height(),a(document.body).height());"object"!=typeof d&&(f=e=d),"function"==typeof e&&(e=d.top(this.$element)),"function"==typeof f&&(f=d.bottom(this.$element));var h=this.getState(g,b,e,f);if(this.affixed!=h){null!=this.unpin&&this.$element.css("top","");var i="affix"+(h?"-"+h:""),j=a.Event(i+".bs.affix");if(this.$element.trigger(j),j.isDefaultPrevented())return;this.affixed=h,this.unpin="bottom"==h?this.getPinnedOffset():null,this.$element.removeClass(c.RESET).addClass(i).trigger(i.replace("affix","affixed")+".bs.affix")}"bottom"==h&&this.$element.offset({top:g-b-f})}};var d=a.fn.affix;a.fn.affix=b,a.fn.affix.Constructor=c,a.fn.affix.noConflict=function(){return a.fn.affix=d,this},a(window).on("load",function(){a('[data-spy="affix"]').each(function(){var c=a(this),d=c.data();d.offset=d.offset||{},null!=d.offsetBottom&&(d.offset.bottom=d.offsetBottom),null!=d.offsetTop&&(d.offset.top=d.offsetTop),b.call(c,d)})})}(jQuery); -/*! highlight.js v9.12.0 | BSD3 License | git.io/hljslicense */ -!function(e){var t="object"==typeof window&&window||"object"==typeof self&&self;"undefined"!=typeof exports?e(exports):t&&(t.hljs=e({}),"function"==typeof define&&define.amd&&define([],function(){return t.hljs}))}(function(e){function t(e){return e.replace(/&/g,"&").replace(//g,">")}function r(e){return e.nodeName.toLowerCase()}function a(e,t){var r=e&&e.exec(t);return r&&0===r.index}function i(e){return T.test(e)}function n(e){var t,r,a,n,o=e.className+" ";if(o+=e.parentNode?e.parentNode.className:"",r=w.exec(o))return S(r[1])?r[1]:"no-highlight";for(o=o.split(/\s+/),t=0,a=o.length;a>t;t++)if(n=o[t],i(n)||S(n))return n}function o(e){var t,r={},a=Array.prototype.slice.call(arguments,1);for(t in e)r[t]=e[t];return a.forEach(function(e){for(t in e)r[t]=e[t]}),r}function s(e){var t=[];return function a(e,i){for(var n=e.firstChild;n;n=n.nextSibling)3===n.nodeType?i+=n.nodeValue.length:1===n.nodeType&&(t.push({event:"start",offset:i,node:n}),i=a(n,i),r(n).match(/br|hr|img|input/)||t.push({event:"stop",offset:i,node:n}));return i}(e,0),t}function l(e,a,i){function n(){return e.length&&a.length?e[0].offset!==a[0].offset?e[0].offset"}function s(e){d+=""}function l(e){("start"===e.event?o:s)(e.node)}for(var c=0,d="",p=[];e.length||a.length;){var m=n();if(d+=t(i.substring(c,m[0].offset)),c=m[0].offset,m===e){p.reverse().forEach(s);do l(m.splice(0,1)[0]),m=n();while(m===e&&m.length&&m[0].offset===c);p.reverse().forEach(o)}else"start"===m[0].event?p.push(m[0].node):p.pop(),l(m.splice(0,1)[0])}return d+t(i.substr(c))}function c(e){return e.v&&!e.cached_variants&&(e.cached_variants=e.v.map(function(t){return o(e,{v:null},t)})),e.cached_variants||e.eW&&[o(e)]||[e]}function d(e){function t(e){return e&&e.source||e}function r(r,a){return new RegExp(t(r),"m"+(e.cI?"i":"")+(a?"g":""))}function a(i,n){if(!i.compiled){if(i.compiled=!0,i.k=i.k||i.bK,i.k){var o={},s=function(t,r){e.cI&&(r=r.toLowerCase()),r.split(" ").forEach(function(e){var r=e.split("|");o[r[0]]=[t,r[1]?Number(r[1]):1]})};"string"==typeof i.k?s("keyword",i.k):x(i.k).forEach(function(e){s(e,i.k[e])}),i.k=o}i.lR=r(i.l||/\w+/,!0),n&&(i.bK&&(i.b="\\b("+i.bK.split(" ").join("|")+")\\b"),i.b||(i.b=/\B|\b/),i.bR=r(i.b),i.e||i.eW||(i.e=/\B|\b/),i.e&&(i.eR=r(i.e)),i.tE=t(i.e)||"",i.eW&&n.tE&&(i.tE+=(i.e?"|":"")+n.tE)),i.i&&(i.iR=r(i.i)),null==i.r&&(i.r=1),i.c||(i.c=[]),i.c=Array.prototype.concat.apply([],i.c.map(function(e){return c("self"===e?i:e)})),i.c.forEach(function(e){a(e,i)}),i.starts&&a(i.starts,n);var l=i.c.map(function(e){return e.bK?"\\.?("+e.b+")\\.?":e.b}).concat([i.tE,i.i]).map(t).filter(Boolean);i.t=l.length?r(l.join("|"),!0):{exec:function(){return null}}}}a(e)}function p(e,r,i,n){function o(e,t){var r,i;for(r=0,i=t.c.length;i>r;r++)if(a(t.c[r].bR,e))return t.c[r]}function s(e,t){if(a(e.eR,t)){for(;e.endsParent&&e.parent;)e=e.parent;return e}return e.eW?s(e.parent,t):void 0}function l(e,t){return!i&&a(t.iR,e)}function c(e,t){var r=v.cI?t[0].toLowerCase():t[0];return e.k.hasOwnProperty(r)&&e.k[r]}function u(e,t,r,a){var i=a?"":D.classPrefix,n='',n+t+o}function b(){var e,r,a,i;if(!C.k)return t(T);for(i="",r=0,C.lR.lastIndex=0,a=C.lR.exec(T);a;)i+=t(T.substring(r,a.index)),e=c(C,a),e?(w+=e[1],i+=u(e[0],t(a[0]))):i+=t(a[0]),r=C.lR.lastIndex,a=C.lR.exec(T);return i+t(T.substr(r))}function g(){var e="string"==typeof C.sL;if(e&&!E[C.sL])return t(T);var r=e?p(C.sL,T,!0,x[C.sL]):m(T,C.sL.length?C.sL:void 0);return C.r>0&&(w+=r.r),e&&(x[C.sL]=r.top),u(r.language,r.value,!1,!0)}function f(){N+=null!=C.sL?g():b(),T=""}function _(e){N+=e.cN?u(e.cN,"",!0):"",C=Object.create(e,{parent:{value:C}})}function h(e,t){if(T+=e,null==t)return f(),0;var r=o(t,C);if(r)return r.skip?T+=t:(r.eB&&(T+=t),f(),r.rB||r.eB||(T=t)),_(r,t),r.rB?0:t.length;var a=s(C,t);if(a){var i=C;i.skip?T+=t:(i.rE||i.eE||(T+=t),f(),i.eE&&(T=t));do C.cN&&(N+=M),C.skip||(w+=C.r),C=C.parent;while(C!==a.parent);return a.starts&&_(a.starts,""),i.rE?0:t.length}if(l(t,C))throw new Error('Illegal lexeme "'+t+'" for mode "'+(C.cN||"")+'"');return T+=t,t.length||1}var v=S(e);if(!v)throw new Error('Unknown language: "'+e+'"');d(v);var y,C=n||v,x={},N="";for(y=C;y!==v;y=y.parent)y.cN&&(N=u(y.cN,"",!0)+N);var T="",w=0;try{for(var A,I,k=0;;){if(C.t.lastIndex=k,A=C.t.exec(r),!A)break;I=h(r.substring(k,A.index),A[0]),k=A.index+I}for(h(r.substr(k)),y=C;y.parent;y=y.parent)y.cN&&(N+=M);return{r:w,value:N,language:e,top:C}}catch(R){if(R.message&&-1!==R.message.indexOf("Illegal"))return{r:0,value:t(r)};throw R}}function m(e,r){r=r||D.languages||x(E);var a={r:0,value:t(e)},i=a;return r.filter(S).forEach(function(t){var r=p(t,e,!1);r.language=t,r.r>i.r&&(i=r),r.r>a.r&&(i=a,a=r)}),i.language&&(a.second_best=i),a}function u(e){return D.tabReplace||D.useBR?e.replace(A,function(e,t){return D.useBR&&"\n"===e?"
                                                                                                                                                          ":D.tabReplace?t.replace(/\t/g,D.tabReplace):""}):e}function b(e,t,r){var a=t?N[t]:r,i=[e.trim()];return e.match(/\bhljs\b/)||i.push("hljs"),-1===e.indexOf(a)&&i.push(a),i.join(" ").trim()}function g(e){var t,r,a,o,c,d=n(e);i(d)||(D.useBR?(t=document.createElementNS("http://www.w3.org/1999/xhtml","div"),t.innerHTML=e.innerHTML.replace(/\n/g,"").replace(//g,"\n")):t=e,c=t.textContent,a=d?p(d,c,!0):m(c),r=s(t),r.length&&(o=document.createElementNS("http://www.w3.org/1999/xhtml","div"),o.innerHTML=a.value,a.value=l(r,s(o),c)),a.value=u(a.value),e.innerHTML=a.value,e.className=b(e.className,d,a.language),e.result={language:a.language,re:a.r},a.second_best&&(e.second_best={language:a.second_best.language,re:a.second_best.r}))}function f(e){D=o(D,e)}function _(){if(!_.called){_.called=!0;var e=document.querySelectorAll("pre code");C.forEach.call(e,g)}}function h(){addEventListener("DOMContentLoaded",_,!1),addEventListener("load",_,!1)}function v(t,r){var a=E[t]=r(e);a.aliases&&a.aliases.forEach(function(e){N[e]=t})}function y(){return x(E)}function S(e){return e=(e||"").toLowerCase(),E[e]||E[N[e]]}var C=[],x=Object.keys,E={},N={},T=/^(no-?highlight|plain|text)$/i,w=/\blang(?:uage)?-([\w-]+)\b/i,A=/((^(<[^>]+>|\t|)+|(?:\n)))/gm,M="
                                                                                                                                                          ",D={classPrefix:"hljs-",tabReplace:null,useBR:!1,languages:void 0};return e.highlight=p,e.highlightAuto=m,e.fixMarkup=u,e.highlightBlock=g,e.configure=f,e.initHighlighting=_,e.initHighlightingOnLoad=h,e.registerLanguage=v,e.listLanguages=y,e.getLanguage=S,e.inherit=o,e.IR="[a-zA-Z]\\w*",e.UIR="[a-zA-Z_]\\w*",e.NR="\\b\\d+(\\.\\d+)?",e.CNR="(-?)(\\b0[xX][a-fA-F0-9]+|(\\b\\d+(\\.\\d*)?|\\.\\d+)([eE][-+]?\\d+)?)",e.BNR="\\b(0b[01]+)",e.RSR="!|!=|!==|%|%=|&|&&|&=|\\*|\\*=|\\+|\\+=|,|-|-=|/=|/|:|;|<<|<<=|<=|<|===|==|=|>>>=|>>=|>=|>>>|>>|>|\\?|\\[|\\{|\\(|\\^|\\^=|\\||\\|=|\\|\\||~",e.BE={b:"\\\\[\\s\\S]",r:0},e.ASM={cN:"string",b:"'",e:"'",i:"\\n",c:[e.BE]},e.QSM={cN:"string",b:'"',e:'"',i:"\\n",c:[e.BE]},e.PWM={b:/\b(a|an|the|are|I'm|isn't|don't|doesn't|won't|but|just|should|pretty|simply|enough|gonna|going|wtf|so|such|will|you|your|they|like|more)\b/},e.C=function(t,r,a){var i=e.inherit({cN:"comment",b:t,e:r,c:[]},a||{});return i.c.push(e.PWM),i.c.push({cN:"doctag",b:"(?:TODO|FIXME|NOTE|BUG|XXX):",r:0}),i},e.CLCM=e.C("//","$"),e.CBCM=e.C("/\\*","\\*/"),e.HCM=e.C("#","$"),e.NM={cN:"number",b:e.NR,r:0},e.CNM={cN:"number",b:e.CNR,r:0},e.BNM={cN:"number",b:e.BNR,r:0},e.CSSNM={cN:"number",b:e.NR+"(%|em|ex|ch|rem|vw|vh|vmin|vmax|cm|mm|in|pt|pc|px|deg|grad|rad|turn|s|ms|Hz|kHz|dpi|dpcm|dppx)?",r:0},e.RM={cN:"regexp",b:/\//,e:/\/[gimuy]*/,i:/\n/,c:[e.BE,{b:/\[/,e:/\]/,r:0,c:[e.BE]}]},e.TM={cN:"title",b:e.IR,r:0},e.UTM={cN:"title",b:e.UIR,r:0},e.METHOD_GUARD={b:"\\.\\s*"+e.UIR,r:0},e.registerLanguage("1c",function(e){var t="[A-Za-zА-Яа-яёЁ_][A-Za-zА-Яа-яёЁ_0-9]+",r="далее ",a="возврат вызватьисключение выполнить для если и из или иначе иначеесли исключение каждого конецесли конецпопытки конеццикла не новый перейти перем по пока попытка прервать продолжить тогда цикл экспорт ",i=r+a,n="загрузитьизфайла ",o="вебклиент вместо внешнеесоединение клиент конецобласти мобильноеприложениеклиент мобильноеприложениесервер наклиенте наклиентенасервере наклиентенасерверебезконтекста насервере насерверебезконтекста область перед после сервер толстыйклиентобычноеприложение толстыйклиентуправляемоеприложение тонкийклиент ",s=n+o,l="разделительстраниц разделительстрок символтабуляции ",c="ansitooem oemtoansi ввестивидсубконто ввестиперечисление ввестипериод ввестиплансчетов выбранныйплансчетов датагод датамесяц датачисло заголовоксистемы значениевстроку значениеизстроки каталогиб каталогпользователя кодсимв конгода конецпериодаби конецрассчитанногопериодаби конецстандартногоинтервала конквартала конмесяца коннедели лог лог10 максимальноеколичествосубконто названиеинтерфейса названиенабораправ назначитьвид назначитьсчет найтиссылки началопериодаби началостандартногоинтервала начгода начквартала начмесяца начнедели номерднягода номерднянедели номернеделигода обработкаожидания основнойжурналрасчетов основнойплансчетов основнойязык очиститьокносообщений периодстр получитьвремята получитьдатута получитьдокументта получитьзначенияотбора получитьпозициюта получитьпустоезначение получитьта префиксавтонумерации пропись пустоезначение разм разобратьпозициюдокумента рассчитатьрегистрына рассчитатьрегистрыпо симв создатьобъект статусвозврата стрколичествострок сформироватьпозициюдокумента счетпокоду текущеевремя типзначения типзначениястр установитьтана установитьтапо фиксшаблон шаблон ",d="acos asin atan base64значение base64строка cos exp log log10 pow sin sqrt tan xmlзначение xmlстрока xmlтип xmlтипзнч активноеокно безопасныйрежим безопасныйрежимразделенияданных булево ввестидату ввестизначение ввестистроку ввестичисло возможностьчтенияxml вопрос восстановитьзначение врег выгрузитьжурналрегистрации выполнитьобработкуоповещения выполнитьпроверкуправдоступа вычислить год данныеформывзначение дата день деньгода деньнедели добавитьмесяц заблокироватьданныедляредактирования заблокироватьработупользователя завершитьработусистемы загрузитьвнешнююкомпоненту закрытьсправку записатьjson записатьxml записатьдатуjson записьжурналарегистрации заполнитьзначениясвойств запроситьразрешениепользователя запуститьприложение запуститьсистему зафиксироватьтранзакцию значениевданныеформы значениевстрокувнутр значениевфайл значениезаполнено значениеизстрокивнутр значениеизфайла изxmlтипа импортмоделиxdto имякомпьютера имяпользователя инициализироватьпредопределенныеданные информацияобошибке каталогбиблиотекимобильногоустройства каталогвременныхфайлов каталогдокументов каталогпрограммы кодироватьстроку кодлокализацииинформационнойбазы кодсимвола командасистемы конецгода конецдня конецквартала конецмесяца конецминуты конецнедели конецчаса конфигурациябазыданныхизмененадинамически конфигурацияизменена копироватьданныеформы копироватьфайл краткоепредставлениеошибки лев макс местноевремя месяц мин минута монопольныйрежим найти найтинедопустимыесимволыxml найтиокнопонавигационнойссылке найтипомеченныенаудаление найтипоссылкам найтифайлы началогода началодня началоквартала началомесяца началоминуты началонедели началочаса начатьзапросразрешенияпользователя начатьзапускприложения начатькопированиефайла начатьперемещениефайла начатьподключениевнешнейкомпоненты начатьподключениерасширенияработыскриптографией начатьподключениерасширенияработысфайлами начатьпоискфайлов начатьполучениекаталогавременныхфайлов начатьполучениекаталогадокументов начатьполучениерабочегокаталогаданныхпользователя начатьполучениефайлов начатьпомещениефайла начатьпомещениефайлов начатьсозданиедвоичныхданныхизфайла начатьсозданиекаталога начатьтранзакцию начатьудалениефайлов начатьустановкувнешнейкомпоненты начатьустановкурасширенияработыскриптографией начатьустановкурасширенияработысфайлами неделягода необходимостьзавершениясоединения номерсеансаинформационнойбазы номерсоединенияинформационнойбазы нрег нстр обновитьинтерфейс обновитьнумерациюобъектов обновитьповторноиспользуемыезначения обработкапрерыванияпользователя объединитьфайлы окр описаниеошибки оповестить оповеститьобизменении отключитьобработчикзапросанастроекклиенталицензирования отключитьобработчикожидания отключитьобработчикоповещения открытьзначение открытьиндекссправки открытьсодержаниесправки открытьсправку открытьформу открытьформумодально отменитьтранзакцию очиститьжурналрегистрации очиститьнастройкипользователя очиститьсообщения параметрыдоступа перейтипонавигационнойссылке переместитьфайл подключитьвнешнююкомпоненту подключитьобработчикзапросанастроекклиенталицензирования подключитьобработчикожидания подключитьобработчикоповещения подключитьрасширениеработыскриптографией подключитьрасширениеработысфайлами подробноепредставлениеошибки показатьвводдаты показатьвводзначения показатьвводстроки показатьвводчисла показатьвопрос показатьзначение показатьинформациюобошибке показатьнакарте показатьоповещениепользователя показатьпредупреждение полноеимяпользователя получитьcomобъект получитьxmlтип получитьадреспоместоположению получитьблокировкусеансов получитьвремязавершенияспящегосеанса получитьвремязасыпанияпассивногосеанса получитьвремяожиданияблокировкиданных получитьданныевыбора получитьдополнительныйпараметрклиенталицензирования получитьдопустимыекодылокализации получитьдопустимыечасовыепояса получитьзаголовокклиентскогоприложения получитьзаголовоксистемы получитьзначенияотборажурналарегистрации получитьидентификаторконфигурации получитьизвременногохранилища получитьимявременногофайла получитьимяклиенталицензирования получитьинформациюэкрановклиента получитьиспользованиежурналарегистрации получитьиспользованиесобытияжурналарегистрации получитькраткийзаголовокприложения получитьмакетоформления получитьмаскувсефайлы получитьмаскувсефайлыклиента получитьмаскувсефайлысервера получитьместоположениепоадресу получитьминимальнуюдлинупаролейпользователей получитьнавигационнуюссылку получитьнавигационнуюссылкуинформационнойбазы получитьобновлениеконфигурациибазыданных получитьобновлениепредопределенныхданныхинформационнойбазы получитьобщиймакет получитьобщуюформу получитьокна получитьоперативнуюотметкувремени получитьотключениебезопасногорежима получитьпараметрыфункциональныхопцийинтерфейса получитьполноеимяпредопределенногозначения получитьпредставлениянавигационныхссылок получитьпроверкусложностипаролейпользователей получитьразделительпути получитьразделительпутиклиента получитьразделительпутисервера получитьсеансыинформационнойбазы получитьскоростьклиентскогосоединения получитьсоединенияинформационнойбазы получитьсообщенияпользователю получитьсоответствиеобъектаиформы получитьсоставстандартногоинтерфейсаodata получитьструктурухранениябазыданных получитьтекущийсеансинформационнойбазы получитьфайл получитьфайлы получитьформу получитьфункциональнуюопцию получитьфункциональнуюопциюинтерфейса получитьчасовойпоясинформационнойбазы пользователиос поместитьвовременноехранилище поместитьфайл поместитьфайлы прав праводоступа предопределенноезначение представлениекодалокализации представлениепериода представлениеправа представлениеприложения представлениесобытияжурналарегистрации представлениечасовогопояса предупреждение прекратитьработусистемы привилегированныйрежим продолжитьвызов прочитатьjson прочитатьxml прочитатьдатуjson пустаястрока рабочийкаталогданныхпользователя разблокироватьданныедляредактирования разделитьфайл разорватьсоединениесвнешнимисточникомданных раскодироватьстроку рольдоступна секунда сигнал символ скопироватьжурналрегистрации смещениелетнеговремени смещениестандартноговремени соединитьбуферыдвоичныхданных создатькаталог создатьфабрикуxdto сокрл сокрлп сокрп сообщить состояние сохранитьзначение сохранитьнастройкипользователя сред стрдлина стрзаканчиваетсяна стрзаменить стрнайти стрначинаетсяс строка строкасоединенияинформационнойбазы стрполучитьстроку стрразделить стрсоединить стрсравнить стрчисловхождений стрчислострок стршаблон текущаядата текущаядатасеанса текущаяуниверсальнаядата текущаяуниверсальнаядатавмиллисекундах текущийвариантинтерфейсаклиентскогоприложения текущийвариантосновногошрифтаклиентскогоприложения текущийкодлокализации текущийрежимзапуска текущийязык текущийязыксистемы тип типзнч транзакцияактивна трег удалитьданныеинформационнойбазы удалитьизвременногохранилища удалитьобъекты удалитьфайлы универсальноевремя установитьбезопасныйрежим установитьбезопасныйрежимразделенияданных установитьблокировкусеансов установитьвнешнююкомпоненту установитьвремязавершенияспящегосеанса установитьвремязасыпанияпассивногосеанса установитьвремяожиданияблокировкиданных установитьзаголовокклиентскогоприложения установитьзаголовоксистемы установитьиспользованиежурналарегистрации установитьиспользованиесобытияжурналарегистрации установитькраткийзаголовокприложения установитьминимальнуюдлинупаролейпользователей установитьмонопольныйрежим установитьнастройкиклиенталицензирования установитьобновлениепредопределенныхданныхинформационнойбазы установитьотключениебезопасногорежима установитьпараметрыфункциональныхопцийинтерфейса установитьпривилегированныйрежим установитьпроверкусложностипаролейпользователей установитьрасширениеработыскриптографией установитьрасширениеработысфайлами установитьсоединениесвнешнимисточникомданных установитьсоответствиеобъектаиформы установитьсоставстандартногоинтерфейсаodata установитьчасовойпоясинформационнойбазы установитьчасовойпояссеанса формат цел час часовойпояс часовойпояссеанса число числопрописью этоадресвременногохранилища ",p="wsссылки библиотекакартинок библиотекамакетовоформлениякомпоновкиданных библиотекастилей бизнеспроцессы внешниеисточникиданных внешниеобработки внешниеотчеты встроенныепокупки главныйинтерфейс главныйстиль документы доставляемыеуведомления журналыдокументов задачи информацияобинтернетсоединении использованиерабочейдаты историяработыпользователя константы критерииотбора метаданные обработки отображениерекламы отправкадоставляемыхуведомлений отчеты панельзадачос параметрзапуска параметрысеанса перечисления планывидоврасчета планывидовхарактеристик планыобмена планысчетов полнотекстовыйпоиск пользователиинформационнойбазы последовательности проверкавстроенныхпокупок рабочаядата расширенияконфигурации регистрыбухгалтерии регистрынакопления регистрырасчета регистрысведений регламентныезадания сериализаторxdto справочники средствагеопозиционирования средствакриптографии средствамультимедиа средстваотображениярекламы средствапочты средствателефонии фабрикаxdto файловыепотоки фоновыезадания хранилищанастроек хранилищевариантовотчетов хранилищенастроекданныхформ хранилищеобщихнастроек хранилищепользовательскихнастроекдинамическихсписков хранилищепользовательскихнастроекотчетов хранилищесистемныхнастроек ",m=l+c+d+p,u="webцвета windowsцвета windowsшрифты библиотекакартинок рамкистиля символы цветастиля шрифтыстиля ",b="автоматическоесохранениеданныхформывнастройках автонумерациявформе автораздвижениесерий анимациядиаграммы вариантвыравниванияэлементовизаголовков вариантуправлениявысотойтаблицы вертикальнаяпрокруткаформы вертикальноеположение вертикальноеположениеэлемента видгруппыформы виддекорацииформы виддополненияэлементаформы видизмененияданных видкнопкиформы видпереключателя видподписейкдиаграмме видполяформы видфлажка влияниеразмеранапузырекдиаграммы горизонтальноеположение горизонтальноеположениеэлемента группировкаколонок группировкаподчиненныхэлементовформы группыиэлементы действиеперетаскивания дополнительныйрежимотображения допустимыедействияперетаскивания интервалмеждуэлементамиформы использованиевывода использованиеполосыпрокрутки используемоезначениеточкибиржевойдиаграммы историявыборапривводе источникзначенийоситочекдиаграммы источникзначенияразмерапузырькадиаграммы категориягруппыкоманд максимумсерий начальноеотображениедерева начальноеотображениесписка обновлениетекстаредактирования ориентациядендрограммы ориентациядиаграммы ориентацияметокдиаграммы ориентацияметоксводнойдиаграммы ориентацияэлементаформы отображениевдиаграмме отображениевлегендедиаграммы отображениегруппыкнопок отображениезаголовкашкалыдиаграммы отображениезначенийсводнойдиаграммы отображениезначенияизмерительнойдиаграммы отображениеинтерваладиаграммыганта отображениекнопки отображениекнопкивыбора отображениеобсужденийформы отображениеобычнойгруппы отображениеотрицательныхзначенийпузырьковойдиаграммы отображениепанелипоиска отображениеподсказки отображениепредупрежденияприредактировании отображениеразметкиполосырегулирования отображениестраницформы отображениетаблицы отображениетекстазначениядиаграммыганта отображениеуправленияобычнойгруппы отображениефигурыкнопки палитрацветовдиаграммы поведениеобычнойгруппы поддержкамасштабадендрограммы поддержкамасштабадиаграммыганта поддержкамасштабасводнойдиаграммы поисквтаблицепривводе положениезаголовкаэлементаформы положениекартинкикнопкиформы положениекартинкиэлементаграфическойсхемы положениекоманднойпанелиформы положениекоманднойпанелиэлементаформы положениеопорнойточкиотрисовки положениеподписейкдиаграмме положениеподписейшкалызначенийизмерительнойдиаграммы положениесостоянияпросмотра положениестрокипоиска положениетекстасоединительнойлинии положениеуправленияпоиском положениешкалывремени порядокотображенияточекгоризонтальнойгистограммы порядоксерийвлегендедиаграммы размеркартинки расположениезаголовкашкалыдиаграммы растягиваниеповертикалидиаграммыганта режимавтоотображениясостояния режимвводастроктаблицы режимвыборанезаполненного режимвыделениядаты режимвыделениястрокитаблицы режимвыделениятаблицы режимизмененияразмера режимизменениясвязанногозначения режимиспользованиядиалогапечати режимиспользованияпараметракоманды режиммасштабированияпросмотра режимосновногоокнаклиентскогоприложения режимоткрытияокнаформы режимотображениявыделения режимотображениягеографическойсхемы режимотображениязначенийсерии режимотрисовкисеткиграфическойсхемы режимполупрозрачностидиаграммы режимпробеловдиаграммы режимразмещениянастранице режимредактированияколонки режимсглаживаниядиаграммы режимсглаживанияиндикатора режимсписказадач сквозноевыравнивание сохранениеданныхформывнастройках способзаполнениятекстазаголовкашкалыдиаграммы способопределенияограничивающегозначениядиаграммы стандартнаягруппакоманд стандартноеоформление статусоповещенияпользователя стильстрелки типаппроксимациилиниитрендадиаграммы типдиаграммы типединицышкалывремени типимпортасерийслоягеографическойсхемы типлиниигеографическойсхемы типлиниидиаграммы типмаркерагеографическойсхемы типмаркерадиаграммы типобластиоформления типорганизацииисточникаданныхгеографическойсхемы типотображениясериислоягеографическойсхемы типотображенияточечногообъектагеографическойсхемы типотображенияшкалыэлементалегендыгеографическойсхемы типпоискаобъектовгеографическойсхемы типпроекциигеографическойсхемы типразмещенияизмерений типразмещенияреквизитовизмерений типрамкиэлементауправления типсводнойдиаграммы типсвязидиаграммыганта типсоединениязначенийпосериямдиаграммы типсоединенияточекдиаграммы типсоединительнойлинии типстороныэлементаграфическойсхемы типформыотчета типшкалырадарнойдиаграммы факторлиниитрендадиаграммы фигуракнопки фигурыграфическойсхемы фиксациявтаблице форматдняшкалывремени форматкартинки ширинаподчиненныхэлементовформы ",g="виддвижениябухгалтерии виддвижениянакопления видпериодарегистрарасчета видсчета видточкимаршрутабизнеспроцесса использованиеагрегатарегистранакопления использованиегруппиэлементов использованиережимапроведения использованиесреза периодичностьагрегатарегистранакопления режимавтовремя режимзаписидокумента режимпроведениядокумента ",f="авторегистрацияизменений допустимыйномерсообщения отправкаэлементаданных получениеэлементаданных ",_="использованиерасшифровкитабличногодокумента ориентациястраницы положениеитоговколоноксводнойтаблицы положениеитоговстроксводнойтаблицы положениетекстаотносительнокартинки расположениезаголовкагруппировкитабличногодокумента способчтениязначенийтабличногодокумента типдвустороннейпечати типзаполненияобластитабличногодокумента типкурсоровтабличногодокумента типлиниирисункатабличногодокумента типлинииячейкитабличногодокумента типнаправленияпереходатабличногодокумента типотображениявыделениятабличногодокумента типотображениялинийсводнойтаблицы типразмещениятекстатабличногодокумента типрисункатабличногодокумента типсмещениятабличногодокумента типузоратабличногодокумента типфайлатабличногодокумента точностьпечати чередованиерасположениястраниц ",h="отображениевремениэлементовпланировщика ",v="типфайлаформатированногодокумента ",y="обходрезультатазапроса типзаписизапроса ",S="видзаполнениярасшифровкипостроителяотчета типдобавленияпредставлений типизмеренияпостроителяотчета типразмещенияитогов ",C="доступкфайлу режимдиалогавыборафайла режимоткрытияфайла ",x="типизмеренияпостроителязапроса ",E="видданныханализа методкластеризации типединицыинтервалавременианализаданных типзаполнениятаблицырезультатаанализаданных типиспользованиячисловыхзначенийанализаданных типисточникаданныхпоискаассоциаций типколонкианализаданныхдереворешений типколонкианализаданныхкластеризация типколонкианализаданныхобщаястатистика типколонкианализаданныхпоискассоциаций типколонкианализаданныхпоискпоследовательностей типколонкимоделипрогноза типмерырасстоянияанализаданных типотсеченияправилассоциации типполяанализаданных типстандартизациианализаданных типупорядочиванияправилассоциациианализаданных типупорядочиванияшаблоновпоследовательностейанализаданных типупрощениядереварешений ",N="wsнаправлениепараметра вариантxpathxs вариантзаписидатыjson вариантпростоготипаxs видгруппымоделиxs видфасетаxdto действиепостроителяdom завершенностьпростоготипаxs завершенностьсоставноготипаxs завершенностьсхемыxs запрещенныеподстановкиxs исключениягруппподстановкиxs категорияиспользованияатрибутаxs категорияограниченияидентичностиxs категорияограниченияпространствименxs методнаследованияxs модельсодержимогоxs назначениетипаxml недопустимыеподстановкиxs обработкапробельныхсимволовxs обработкасодержимогоxs ограничениезначенияxs параметрыотбораузловdom переносстрокjson позициявдокументеdom пробельныесимволыxml типатрибутаxml типзначенияjson типканоническогоxml типкомпонентыxs типпроверкиxml типрезультатаdomxpath типузлаdom типузлаxml формаxml формапредставленияxs форматдатыjson экранированиесимволовjson ",T="видсравнениякомпоновкиданных действиеобработкирасшифровкикомпоновкиданных направлениесортировкикомпоновкиданных расположениевложенныхэлементоврезультатакомпоновкиданных расположениеитоговкомпоновкиданных расположениегруппировкикомпоновкиданных расположениеполейгруппировкикомпоновкиданных расположениеполякомпоновкиданных расположениереквизитовкомпоновкиданных расположениересурсовкомпоновкиданных типбухгалтерскогоостаткакомпоновкиданных типвыводатекстакомпоновкиданных типгруппировкикомпоновкиданных типгруппыэлементовотборакомпоновкиданных типдополненияпериодакомпоновкиданных типзаголовкаполейкомпоновкиданных типмакетагруппировкикомпоновкиданных типмакетаобластикомпоновкиданных типостаткакомпоновкиданных типпериодакомпоновкиданных типразмещениятекстакомпоновкиданных типсвязинаборовданныхкомпоновкиданных типэлементарезультатакомпоновкиданных расположениелегендыдиаграммыкомпоновкиданных типпримененияотборакомпоновкиданных режимотображенияэлементанастройкикомпоновкиданных режимотображениянастроеккомпоновкиданных состояниеэлементанастройкикомпоновкиданных способвосстановлениянастроеккомпоновкиданных режимкомпоновкирезультата использованиепараметракомпоновкиданных автопозицияресурсовкомпоновкиданных вариантиспользованиягруппировкикомпоновкиданных расположениересурсоввдиаграммекомпоновкиданных фиксациякомпоновкиданных использованиеусловногооформлениякомпоновкиданных ",w="важностьинтернетпочтовогосообщения обработкатекстаинтернетпочтовогосообщения способкодированияинтернетпочтовоговложения способкодированиянеasciiсимволовинтернетпочтовогосообщения типтекстапочтовогосообщения протоколинтернетпочты статусразборапочтовогосообщения ",A="режимтранзакциизаписижурналарегистрации статустранзакциизаписижурналарегистрации уровеньжурналарегистрации ",M="расположениехранилищасертификатовкриптографии режимвключениясертификатовкриптографии режимпроверкисертификатакриптографии типхранилищасертификатовкриптографии ",D="кодировкаименфайловвzipфайле методсжатияzip методшифрованияzip режимвосстановленияпутейфайловzip режимобработкиподкаталоговzip режимсохраненияпутейzip уровеньсжатияzip ",I="звуковоеоповещение направлениепереходакстроке позициявпотоке порядокбайтов режимблокировкиданных режимуправленияблокировкойданных сервисвстроенныхпокупок состояниефоновогозадания типподписчикадоставляемыхуведомлений уровеньиспользованиязащищенногосоединенияftp ",k="направлениепорядкасхемызапроса типдополненияпериодамисхемызапроса типконтрольнойточкисхемызапроса типобъединениясхемызапроса типпараметрадоступнойтаблицысхемызапроса типсоединениясхемызапроса ",R="httpметод автоиспользованиеобщегореквизита автопрефиксномеразадачи вариантвстроенногоязыка видиерархии видрегистранакопления видтаблицывнешнегоисточникаданных записьдвиженийприпроведении заполнениепоследовательностей индексирование использованиебазыпланавидоврасчета использованиебыстроговыбора использованиеобщегореквизита использованиеподчинения использованиеполнотекстовогопоиска использованиеразделяемыхданныхобщегореквизита использованиереквизита назначениеиспользованияприложения назначениерасширенияконфигурации направлениепередачи обновлениепредопределенныхданных оперативноепроведение основноепредставлениевидарасчета основноепредставлениевидахарактеристики основноепредставлениезадачи основноепредставлениепланаобмена основноепредставлениесправочника основноепредставлениесчета перемещениеграницыприпроведении периодичностьномерабизнеспроцесса периодичностьномерадокумента периодичностьрегистрарасчета периодичностьрегистрасведений повторноеиспользованиевозвращаемыхзначений полнотекстовыйпоискпривводепостроке принадлежностьобъекта проведение разделениеаутентификацииобщегореквизита разделениеданныхобщегореквизита разделениерасширенийконфигурацииобщегореквизита режимавтонумерацииобъектов режимзаписирегистра режимиспользованиямодальности режимиспользованиясинхронныхвызововрасширенийплатформыивнешнихкомпонент режимповторногоиспользованиясеансов режимполученияданныхвыборапривводепостроке режимсовместимости режимсовместимостиинтерфейса режимуправленияблокировкойданныхпоумолчанию сериикодовпланавидовхарактеристик сериикодовпланасчетов сериикодовсправочника созданиепривводе способвыбора способпоискастрокипривводепостроке способредактирования типданныхтаблицывнешнегоисточникаданных типкодапланавидоврасчета типкодасправочника типмакета типномерабизнеспроцесса типномерадокумента типномеразадачи типформы удалениедвижений ",L="важностьпроблемыприменениярасширенияконфигурации вариантинтерфейсаклиентскогоприложения вариантмасштабаформклиентскогоприложения вариантосновногошрифтаклиентскогоприложения вариантстандартногопериода вариантстандартнойдатыначала видграницы видкартинки видотображенияполнотекстовогопоиска видрамки видсравнения видцвета видчисловогозначения видшрифта допустимаядлина допустимыйзнак использованиеbyteordermark использованиеметаданныхполнотекстовогопоиска источникрасширенийконфигурации клавиша кодвозвратадиалога кодировкаxbase кодировкатекста направлениепоиска направлениесортировки обновлениепредопределенныхданных обновлениеприизмененииданных отображениепанелиразделов проверказаполнения режимдиалогавопрос режимзапускаклиентскогоприложения режимокругления режимоткрытияформприложения режимполнотекстовогопоиска скоростьклиентскогосоединения состояниевнешнегоисточникаданных состояниеобновленияконфигурациибазыданных способвыборасертификатаwindows способкодированиястроки статуссообщения типвнешнейкомпоненты типплатформы типповеденияклавишиenter типэлементаинформацииовыполненииобновленияконфигурациибазыданных уровеньизоляциитранзакций хешфункция частидаты",P=u+b+g+f+_+h+v+y+S+C+x+E+N+T+w+A+M+D+I+k+R+L,O="comобъект ftpсоединение httpзапрос httpсервисответ httpсоединение wsопределения wsпрокси xbase анализданных аннотацияxs блокировкаданных буфердвоичныхданных включениеxs выражениекомпоновкиданных генераторслучайныхчисел географическаясхема географическиекоординаты графическаясхема группамоделиxs данныерасшифровкикомпоновкиданных двоичныеданные дендрограмма диаграмма диаграммаганта диалогвыборафайла диалогвыборацвета диалогвыборашрифта диалограсписаниярегламентногозадания диалогредактированиястандартногопериода диапазон документdom документhtml документацияxs доставляемоеуведомление записьdom записьfastinfoset записьhtml записьjson записьxml записьzipфайла записьданных записьтекста записьузловdom запрос защищенноесоединениеopenssl значенияполейрасшифровкикомпоновкиданных извлечениетекста импортxs интернетпочта интернетпочтовоесообщение интернетпочтовыйпрофиль интернетпрокси интернетсоединение информациядляприложенияxs использованиеатрибутаxs использованиесобытияжурналарегистрации источникдоступныхнастроеккомпоновкиданных итераторузловdom картинка квалификаторыдаты квалификаторыдвоичныхданных квалификаторыстроки квалификаторычисла компоновщикмакетакомпоновкиданных компоновщикнастроеккомпоновкиданных конструктормакетаоформлениякомпоновкиданных конструкторнастроеккомпоновкиданных конструкторформатнойстроки линия макеткомпоновкиданных макетобластикомпоновкиданных макетоформлениякомпоновкиданных маскаxs менеджеркриптографии наборсхемxml настройкикомпоновкиданных настройкисериализацииjson обработкакартинок обработкарасшифровкикомпоновкиданных обходдереваdom объявлениеатрибутаxs объявлениенотацииxs объявлениеэлементаxs описаниеиспользованиясобытиядоступжурналарегистрации описаниеиспользованиясобытияотказвдоступежурналарегистрации описаниеобработкирасшифровкикомпоновкиданных описаниепередаваемогофайла описаниетипов определениегруппыатрибутовxs определениегруппымоделиxs определениеограниченияидентичностиxs определениепростоготипаxs определениесоставноготипаxs определениетипадокументаdom определенияxpathxs отборкомпоновкиданных пакетотображаемыхдокументов параметрвыбора параметркомпоновкиданных параметрызаписиjson параметрызаписиxml параметрычтенияxml переопределениеxs планировщик полеанализаданных полекомпоновкиданных построительdom построительзапроса построительотчета построительотчетаанализаданных построительсхемxml поток потоквпамяти почта почтовоесообщение преобразованиеxsl преобразованиекканоническомуxml процессорвыводарезультатакомпоновкиданныхвколлекциюзначений процессорвыводарезультатакомпоновкиданныхвтабличныйдокумент процессоркомпоновкиданных разыменовательпространствименdom рамка расписаниерегламентногозадания расширенноеимяxml результатчтенияданных своднаядиаграмма связьпараметравыбора связьпотипу связьпотипукомпоновкиданных сериализаторxdto сертификатклиентаwindows сертификатклиентафайл сертификаткриптографии сертификатыудостоверяющихцентровwindows сертификатыудостоверяющихцентровфайл сжатиеданных системнаяинформация сообщениепользователю сочетаниеклавиш сравнениезначений стандартнаядатаначала стандартныйпериод схемаxml схемакомпоновкиданных табличныйдокумент текстовыйдокумент тестируемоеприложение типданныхxml уникальныйидентификатор фабрикаxdto файл файловыйпоток фасетдлиныxs фасетколичестваразрядовдробнойчастиxs фасетмаксимальноговключающегозначенияxs фасетмаксимальногоисключающегозначенияxs фасетмаксимальнойдлиныxs фасетминимальноговключающегозначенияxs фасетминимальногоисключающегозначенияxs фасетминимальнойдлиныxs фасетобразцаxs фасетобщегоколичестваразрядовxs фасетперечисленияxs фасетпробельныхсимволовxs фильтрузловdom форматированнаястрока форматированныйдокумент фрагментxs хешированиеданных хранилищезначения цвет чтениеfastinfoset чтениеhtml чтениеjson чтениеxml чтениеzipфайла чтениеданных чтениетекста чтениеузловdom шрифт элементрезультатакомпоновкиданных ",F="comsafearray деревозначений массив соответствие списокзначений структура таблицазначений фиксированнаяструктура фиксированноесоответствие фиксированныймассив ",B=O+F,G="null истина ложь неопределено",q=e.inherit(e.NM),U={ -cN:"string",b:'"|\\|',e:'"|$',c:[{b:'""'}]},z={b:"'",e:"'",eB:!0,eE:!0,c:[{cN:"number",b:"\\d{4}([\\.\\\\/:-]?\\d{2}){0,5}"}]},$=e.inherit(e.CLCM),V={cN:"meta",l:t,b:"#|&",e:"$",k:{"meta-keyword":i+s},c:[$]},W={cN:"symbol",b:"~",e:";|:",eE:!0},H={cN:"function",l:t,v:[{b:"процедура|функция",e:"\\)",k:"процедура функция"},{b:"конецпроцедуры|конецфункции",k:"конецпроцедуры конецфункции"}],c:[{b:"\\(",e:"\\)",endsParent:!0,c:[{cN:"params",l:t,b:t,e:",",eE:!0,eW:!0,k:{keyword:"знач",literal:G},c:[q,U,z]},$]},e.inherit(e.TM,{b:t})]};return{cI:!0,l:t,k:{keyword:i,built_in:m,"class":P,type:B,literal:G},c:[V,H,$,W,q,U,z]}}),e.registerLanguage("abnf",function(e){var t={ruleDeclaration:"^[a-zA-Z][a-zA-Z0-9-]*",unexpectedChars:"[!@#$^&',?+~`|:]"},r=["ALPHA","BIT","CHAR","CR","CRLF","CTL","DIGIT","DQUOTE","HEXDIG","HTAB","LF","LWSP","OCTET","SP","VCHAR","WSP"],a=e.C(";","$"),i={cN:"symbol",b:/%b[0-1]+(-[0-1]+|(\.[0-1]+)+){0,1}/},n={cN:"symbol",b:/%d[0-9]+(-[0-9]+|(\.[0-9]+)+){0,1}/},o={cN:"symbol",b:/%x[0-9A-F]+(-[0-9A-F]+|(\.[0-9A-F]+)+){0,1}/},s={cN:"symbol",b:/%[si]/},l={b:t.ruleDeclaration+"\\s*=",rB:!0,e:/=/,r:0,c:[{cN:"attribute",b:t.ruleDeclaration}]};return{i:t.unexpectedChars,k:r.join(" "),c:[l,a,i,n,o,s,e.QSM,e.NM]}}),e.registerLanguage("accesslog",function(e){return{c:[{cN:"number",b:"\\b\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}(:\\d{1,5})?\\b"},{cN:"number",b:"\\b\\d+\\b",r:0},{cN:"string",b:'"(GET|POST|HEAD|PUT|DELETE|CONNECT|OPTIONS|PATCH|TRACE)',e:'"',k:"GET POST HEAD PUT DELETE CONNECT OPTIONS PATCH TRACE",i:"\\n",r:10},{cN:"string",b:/\[/,e:/\]/,i:"\\n"},{cN:"string",b:'"',e:'"',i:"\\n"}]}}),e.registerLanguage("actionscript",function(e){var t="[a-zA-Z_$][a-zA-Z0-9_$]*",r="([*]|[a-zA-Z_$][a-zA-Z0-9_$]*)",a={cN:"rest_arg",b:"[.]{3}",e:t,r:10};return{aliases:["as"],k:{keyword:"as break case catch class const continue default delete do dynamic each else extends final finally for function get if implements import in include instanceof interface internal is namespace native new override package private protected public return set static super switch this throw try typeof use var void while with",literal:"true false null undefined"},c:[e.ASM,e.QSM,e.CLCM,e.CBCM,e.CNM,{cN:"class",bK:"package",e:"{",c:[e.TM]},{cN:"class",bK:"class interface",e:"{",eE:!0,c:[{bK:"extends implements"},e.TM]},{cN:"meta",bK:"import include",e:";",k:{"meta-keyword":"import include"}},{cN:"function",bK:"function",e:"[{;]",eE:!0,i:"\\S",c:[e.TM,{cN:"params",b:"\\(",e:"\\)",c:[e.ASM,e.QSM,e.CLCM,e.CBCM,a]},{b:":\\s*"+r}]},e.METHOD_GUARD],i:/#/}}),e.registerLanguage("ada",function(e){var t="\\d(_|\\d)*",r="[eE][-+]?"+t,a=t+"(\\."+t+")?("+r+")?",i="\\w+",n=t+"#"+i+"(\\."+i+")?#("+r+")?",o="\\b("+n+"|"+a+")",s="[A-Za-z](_?[A-Za-z0-9.])*",l="[]{}%#'\"",c=e.C("--","$"),d={b:"\\s+:\\s+",e:"\\s*(:=|;|\\)|=>|$)",i:l,c:[{bK:"loop for declare others",endsParent:!0},{cN:"keyword",bK:"not null constant access function procedure in out aliased exception"},{cN:"type",b:s,endsParent:!0,r:0}]};return{cI:!0,k:{keyword:"abort else new return abs elsif not reverse abstract end accept entry select access exception of separate aliased exit or some all others subtype and for out synchronized array function overriding at tagged generic package task begin goto pragma terminate body private then if procedure type case in protected constant interface is raise use declare range delay limited record when delta loop rem while digits renames with do mod requeue xor",literal:"True False"},c:[c,{cN:"string",b:/"/,e:/"/,c:[{b:/""/,r:0}]},{cN:"string",b:/'.'/},{cN:"number",b:o,r:0},{cN:"symbol",b:"'"+s},{cN:"title",b:"(\\bwith\\s+)?(\\bprivate\\s+)?\\bpackage\\s+(\\bbody\\s+)?",e:"(is|$)",k:"package body",eB:!0,eE:!0,i:l},{b:"(\\b(with|overriding)\\s+)?\\b(function|procedure)\\s+",e:"(\\bis|\\bwith|\\brenames|\\)\\s*;)",k:"overriding function procedure with is renames return",rB:!0,c:[c,{cN:"title",b:"(\\bwith\\s+)?\\b(function|procedure)\\s+",e:"(\\(|\\s+|$)",eB:!0,eE:!0,i:l},d,{cN:"type",b:"\\breturn\\s+",e:"(\\s+|;|$)",k:"return",eB:!0,eE:!0,endsParent:!0,i:l}]},{cN:"type",b:"\\b(sub)?type\\s+",e:"\\s+",k:"type",eB:!0,i:l},d]}}),e.registerLanguage("apache",function(e){var t={cN:"number",b:"[\\$%]\\d+"};return{aliases:["apacheconf"],cI:!0,c:[e.HCM,{cN:"section",b:""},{cN:"attribute",b:/\w+/,r:0,k:{nomarkup:"order deny allow setenv rewriterule rewriteengine rewritecond documentroot sethandler errordocument loadmodule options header listen serverroot servername"},starts:{e:/$/,r:0,k:{literal:"on off all"},c:[{cN:"meta",b:"\\s\\[",e:"\\]$"},{cN:"variable",b:"[\\$%]\\{",e:"\\}",c:["self",t]},t,e.QSM]}}],i:/\S/}}),e.registerLanguage("applescript",function(e){var t=e.inherit(e.QSM,{i:""}),r={cN:"params",b:"\\(",e:"\\)",c:["self",e.CNM,t]},a=e.C("--","$"),i=e.C("\\(\\*","\\*\\)",{c:["self",a]}),n=[a,i,e.HCM];return{aliases:["osascript"],k:{keyword:"about above after against and around as at back before beginning behind below beneath beside between but by considering contain contains continue copy div does eighth else end equal equals error every exit fifth first for fourth from front get given global if ignoring in into is it its last local me middle mod my ninth not of on onto or over prop property put ref reference repeat returning script second set seventh since sixth some tell tenth that the|0 then third through thru timeout times to transaction try until where while whose with without",literal:"AppleScript false linefeed return pi quote result space tab true",built_in:"alias application boolean class constant date file integer list number real record string text activate beep count delay launch log offset read round run say summarize write character characters contents day frontmost id item length month name paragraph paragraphs rest reverse running time version weekday word words year"},c:[t,e.CNM,{cN:"built_in",b:"\\b(clipboard info|the clipboard|info for|list (disks|folder)|mount volume|path to|(close|open for) access|(get|set) eof|current date|do shell script|get volume settings|random number|set volume|system attribute|system info|time to GMT|(load|run|store) script|scripting components|ASCII (character|number)|localized string|choose (application|color|file|file name|folder|from list|remote application|URL)|display (alert|dialog))\\b|^\\s*return\\b"},{cN:"literal",b:"\\b(text item delimiters|current application|missing value)\\b"},{cN:"keyword",b:"\\b(apart from|aside from|instead of|out of|greater than|isn't|(doesn't|does not) (equal|come before|come after|contain)|(greater|less) than( or equal)?|(starts?|ends|begins?) with|contained by|comes (before|after)|a (ref|reference)|POSIX file|POSIX path|(date|time) string|quoted form)\\b"},{bK:"on",i:"[${=;\\n]",c:[e.UTM,r]}].concat(n),i:"//|->|=>|\\[\\["}}),e.registerLanguage("cpp",function(e){var t={cN:"keyword",b:"\\b[a-z\\d_]*_t\\b"},r={cN:"string",v:[{b:'(u8?|U)?L?"',e:'"',i:"\\n",c:[e.BE]},{b:'(u8?|U)?R"',e:'"',c:[e.BE]},{b:"'\\\\?.",e:"'",i:"."}]},a={cN:"number",v:[{b:"\\b(0b[01']+)"},{b:"(-?)\\b([\\d']+(\\.[\\d']*)?|\\.[\\d']+)(u|U|l|L|ul|UL|f|F|b|B)"},{b:"(-?)(\\b0[xX][a-fA-F0-9']+|(\\b[\\d']+(\\.[\\d']*)?|\\.[\\d']+)([eE][-+]?[\\d']+)?)"}],r:0},i={cN:"meta",b:/#\s*[a-z]+\b/,e:/$/,k:{"meta-keyword":"if else elif endif define undef warning error line pragma ifdef ifndef include"},c:[{b:/\\\n/,r:0},e.inherit(r,{cN:"meta-string"}),{cN:"meta-string",b:/<[^\n>]*>/,e:/$/,i:"\\n"},e.CLCM,e.CBCM]},n=e.IR+"\\s*\\(",o={keyword:"int float while private char catch import module export virtual operator sizeof dynamic_cast|10 typedef const_cast|10 const for static_cast|10 union namespace unsigned long volatile static protected bool template mutable if public friend do goto auto void enum else break extern using asm case typeid short reinterpret_cast|10 default double register explicit signed typename try this switch continue inline delete alignof constexpr decltype noexcept static_assert thread_local restrict _Bool complex _Complex _Imaginary atomic_bool atomic_char atomic_schar atomic_uchar atomic_short atomic_ushort atomic_int atomic_uint atomic_long atomic_ulong atomic_llong atomic_ullong new throw return and or not",built_in:"std string cin cout cerr clog stdin stdout stderr stringstream istringstream ostringstream auto_ptr deque list queue stack vector map set bitset multiset multimap unordered_set unordered_map unordered_multiset unordered_multimap array shared_ptr abort abs acos asin atan2 atan calloc ceil cosh cos exit exp fabs floor fmod fprintf fputs free frexp fscanf isalnum isalpha iscntrl isdigit isgraph islower isprint ispunct isspace isupper isxdigit tolower toupper labs ldexp log10 log malloc realloc memchr memcmp memcpy memset modf pow printf putchar puts scanf sinh sin snprintf sprintf sqrt sscanf strcat strchr strcmp strcpy strcspn strlen strncat strncmp strncpy strpbrk strrchr strspn strstr tanh tan vfprintf vprintf vsprintf endl initializer_list unique_ptr",literal:"true false nullptr NULL"},s=[t,e.CLCM,e.CBCM,a,r];return{aliases:["c","cc","h","c++","h++","hpp"],k:o,i:"",k:o,c:["self",t]},{b:e.IR+"::",k:o},{v:[{b:/=/,e:/;/},{b:/\(/,e:/\)/},{bK:"new throw return else",e:/;/}],k:o,c:s.concat([{b:/\(/,e:/\)/,k:o,c:s.concat(["self"]),r:0}]),r:0},{cN:"function",b:"("+e.IR+"[\\*&\\s]+)+"+n,rB:!0,e:/[{;=]/,eE:!0,k:o,i:/[^\w\s\*&]/,c:[{b:n,rB:!0,c:[e.TM],r:0},{cN:"params",b:/\(/,e:/\)/,k:o,r:0,c:[e.CLCM,e.CBCM,r,a,t]},e.CLCM,e.CBCM,i]},{cN:"class",bK:"class struct",e:/[{;:]/,c:[{b://,c:["self"]},e.TM]}]),exports:{preprocessor:i,strings:r,k:o}}}),e.registerLanguage("arduino",function(e){var t=e.getLanguage("cpp").exports;return{k:{keyword:"boolean byte word string String array "+t.k.keyword,built_in:"setup loop while catch for if do goto try switch case else default break continue return KeyboardController MouseController SoftwareSerial EthernetServer EthernetClient LiquidCrystal RobotControl GSMVoiceCall EthernetUDP EsploraTFT HttpClient RobotMotor WiFiClient GSMScanner FileSystem Scheduler GSMServer YunClient YunServer IPAddress GSMClient GSMModem Keyboard Ethernet Console GSMBand Esplora Stepper Process WiFiUDP GSM_SMS Mailbox USBHost Firmata PImage Client Server GSMPIN FileIO Bridge Serial EEPROM Stream Mouse Audio Servo File Task GPRS WiFi Wire TFT GSM SPI SD runShellCommandAsynchronously analogWriteResolution retrieveCallingNumber printFirmwareVersion analogReadResolution sendDigitalPortPair noListenOnLocalhost readJoystickButton setFirmwareVersion readJoystickSwitch scrollDisplayRight getVoiceCallStatus scrollDisplayLeft writeMicroseconds delayMicroseconds beginTransmission getSignalStrength runAsynchronously getAsynchronously listenOnLocalhost getCurrentCarrier readAccelerometer messageAvailable sendDigitalPorts lineFollowConfig countryNameWrite runShellCommand readStringUntil rewindDirectory readTemperature setClockDivider readLightSensor endTransmission analogReference detachInterrupt countryNameRead attachInterrupt encryptionType readBytesUntil robotNameWrite readMicrophone robotNameRead cityNameWrite userNameWrite readJoystickY readJoystickX mouseReleased openNextFile scanNetworks noInterrupts digitalWrite beginSpeaker mousePressed isActionDone mouseDragged displayLogos noAutoscroll addParameter remoteNumber getModifiers keyboardRead userNameRead waitContinue processInput parseCommand printVersion readNetworks writeMessage blinkVersion cityNameRead readMessage setDataMode parsePacket isListening setBitOrder beginPacket isDirectory motorsWrite drawCompass digitalRead clearScreen serialEvent rightToLeft setTextSize leftToRight requestFrom keyReleased compassRead analogWrite interrupts WiFiServer disconnect playMelody parseFloat autoscroll getPINUsed setPINUsed setTimeout sendAnalog readSlider analogRead beginWrite createChar motorsStop keyPressed tempoWrite readButton subnetMask debugPrint macAddress writeGreen randomSeed attachGPRS readString sendString remotePort releaseAll mouseMoved background getXChange getYChange answerCall getResult voiceCall endPacket constrain getSocket writeJSON getButton available connected findUntil readBytes exitValue readGreen writeBlue startLoop IPAddress isPressed sendSysex pauseMode gatewayIP setCursor getOemKey tuneWrite noDisplay loadImage switchPIN onRequest onReceive changePIN playFile noBuffer parseInt overflow checkPIN knobRead beginTFT bitClear updateIR bitWrite position writeRGB highByte writeRed setSpeed readBlue noStroke remoteIP transfer shutdown hangCall beginSMS endWrite attached maintain noCursor checkReg checkPUK shiftOut isValid shiftIn pulseIn connect println localIP pinMode getIMEI display noBlink process getBand running beginSD drawBMP lowByte setBand release bitRead prepare pointTo readRed setMode noFill remove listen stroke detach attach noTone exists buffer height bitSet circle config cursor random IRread setDNS endSMS getKey micros millis begin print write ready flush width isPIN blink clear press mkdir rmdir close point yield image BSSID click delay read text move peek beep rect line open seek fill size turn stop home find step tone sqrt RSSI SSID end bit tan cos sin pow map abs max min get run put",literal:"DIGITAL_MESSAGE FIRMATA_STRING ANALOG_MESSAGE REPORT_DIGITAL REPORT_ANALOG INPUT_PULLUP SET_PIN_MODE INTERNAL2V56 SYSTEM_RESET LED_BUILTIN INTERNAL1V1 SYSEX_START INTERNAL EXTERNAL DEFAULT OUTPUT INPUT HIGH LOW"},c:[t.preprocessor,e.CLCM,e.CBCM,e.ASM,e.QSM,e.CNM]}}),e.registerLanguage("armasm",function(e){return{cI:!0,aliases:["arm"],l:"\\.?"+e.IR,k:{meta:".2byte .4byte .align .ascii .asciz .balign .byte .code .data .else .end .endif .endm .endr .equ .err .exitm .extern .global .hword .if .ifdef .ifndef .include .irp .long .macro .rept .req .section .set .skip .space .text .word .arm .thumb .code16 .code32 .force_thumb .thumb_func .ltorg ALIAS ALIGN ARM AREA ASSERT ATTR CN CODE CODE16 CODE32 COMMON CP DATA DCB DCD DCDU DCDO DCFD DCFDU DCI DCQ DCQU DCW DCWU DN ELIF ELSE END ENDFUNC ENDIF ENDP ENTRY EQU EXPORT EXPORTAS EXTERN FIELD FILL FUNCTION GBLA GBLL GBLS GET GLOBAL IF IMPORT INCBIN INCLUDE INFO KEEP LCLA LCLL LCLS LTORG MACRO MAP MEND MEXIT NOFP OPT PRESERVE8 PROC QN READONLY RELOC REQUIRE REQUIRE8 RLIST FN ROUT SETA SETL SETS SN SPACE SUBT THUMB THUMBX TTL WHILE WEND ",built_in:"r0 r1 r2 r3 r4 r5 r6 r7 r8 r9 r10 r11 r12 r13 r14 r15 pc lr sp ip sl sb fp a1 a2 a3 a4 v1 v2 v3 v4 v5 v6 v7 v8 f0 f1 f2 f3 f4 f5 f6 f7 p0 p1 p2 p3 p4 p5 p6 p7 p8 p9 p10 p11 p12 p13 p14 p15 c0 c1 c2 c3 c4 c5 c6 c7 c8 c9 c10 c11 c12 c13 c14 c15 q0 q1 q2 q3 q4 q5 q6 q7 q8 q9 q10 q11 q12 q13 q14 q15 cpsr_c cpsr_x cpsr_s cpsr_f cpsr_cx cpsr_cxs cpsr_xs cpsr_xsf cpsr_sf cpsr_cxsf spsr_c spsr_x spsr_s spsr_f spsr_cx spsr_cxs spsr_xs spsr_xsf spsr_sf spsr_cxsf s0 s1 s2 s3 s4 s5 s6 s7 s8 s9 s10 s11 s12 s13 s14 s15 s16 s17 s18 s19 s20 s21 s22 s23 s24 s25 s26 s27 s28 s29 s30 s31 d0 d1 d2 d3 d4 d5 d6 d7 d8 d9 d10 d11 d12 d13 d14 d15 d16 d17 d18 d19 d20 d21 d22 d23 d24 d25 d26 d27 d28 d29 d30 d31 {PC} {VAR} {TRUE} {FALSE} {OPT} {CONFIG} {ENDIAN} {CODESIZE} {CPU} {FPU} {ARCHITECTURE} {PCSTOREOFFSET} {ARMASM_VERSION} {INTER} {ROPI} {RWPI} {SWST} {NOSWST} . @"},c:[{cN:"keyword",b:"\\b(adc|(qd?|sh?|u[qh]?)?add(8|16)?|usada?8|(q|sh?|u[qh]?)?(as|sa)x|and|adrl?|sbc|rs[bc]|asr|b[lx]?|blx|bxj|cbn?z|tb[bh]|bic|bfc|bfi|[su]bfx|bkpt|cdp2?|clz|clrex|cmp|cmn|cpsi[ed]|cps|setend|dbg|dmb|dsb|eor|isb|it[te]{0,3}|lsl|lsr|ror|rrx|ldm(([id][ab])|f[ds])?|ldr((s|ex)?[bhd])?|movt?|mvn|mra|mar|mul|[us]mull|smul[bwt][bt]|smu[as]d|smmul|smmla|mla|umlaal|smlal?([wbt][bt]|d)|mls|smlsl?[ds]|smc|svc|sev|mia([bt]{2}|ph)?|mrr?c2?|mcrr2?|mrs|msr|orr|orn|pkh(tb|bt)|rbit|rev(16|sh)?|sel|[su]sat(16)?|nop|pop|push|rfe([id][ab])?|stm([id][ab])?|str(ex)?[bhd]?|(qd?)?sub|(sh?|q|u[qh]?)?sub(8|16)|[su]xt(a?h|a?b(16)?)|srs([id][ab])?|swpb?|swi|smi|tst|teq|wfe|wfi|yield)(eq|ne|cs|cc|mi|pl|vs|vc|hi|ls|ge|lt|gt|le|al|hs|lo)?[sptrx]?",e:"\\s"},e.C("[;@]","$",{r:0}),e.CBCM,e.QSM,{cN:"string",b:"'",e:"[^\\\\]'",r:0},{cN:"title",b:"\\|",e:"\\|",i:"\\n",r:0},{cN:"number",v:[{b:"[#$=]?0x[0-9a-f]+"},{b:"[#$=]?0b[01]+"},{b:"[#$=]\\d+"},{b:"\\b\\d+"}],r:0},{cN:"symbol",v:[{b:"^[a-z_\\.\\$][a-z0-9_\\.\\$]+"},{b:"^\\s*[a-z_\\.\\$][a-z0-9_\\.\\$]+:"},{b:"[=#]\\w+"}],r:0}]}}),e.registerLanguage("xml",function(e){var t="[A-Za-z0-9\\._:-]+",r={eW:!0,i:/`]+/}]}]}]};return{aliases:["html","xhtml","rss","atom","xjb","xsd","xsl","plist"],cI:!0,c:[{cN:"meta",b:"",r:10,c:[{b:"\\[",e:"\\]"}]},e.C("",{r:10}),{b:"<\\!\\[CDATA\\[",e:"\\]\\]>",r:10},{b:/<\?(php)?/,e:/\?>/,sL:"php",c:[{b:"/\\*",e:"\\*/",skip:!0}]},{cN:"tag",b:"|$)",e:">",k:{name:"style"},c:[r],starts:{e:"",rE:!0,sL:["css","xml"]}},{cN:"tag",b:"|$)",e:">",k:{name:"script"},c:[r],starts:{e:"",rE:!0,sL:["actionscript","javascript","handlebars","xml"]}},{cN:"meta",v:[{b:/<\?xml/,e:/\?>/,r:10},{b:/<\?\w+/,e:/\?>/}]},{cN:"tag",b:"",c:[{cN:"name",b:/[^\/><\s]+/,r:0},r]}]}}),e.registerLanguage("asciidoc",function(e){return{aliases:["adoc"],c:[e.C("^/{4,}\\n","\\n/{4,}$",{r:10}),e.C("^//","$",{r:0}),{cN:"title",b:"^\\.\\w.*$"},{b:"^[=\\*]{4,}\\n",e:"\\n^[=\\*]{4,}$",r:10},{cN:"section",r:10,v:[{b:"^(={1,5}) .+?( \\1)?$"},{b:"^[^\\[\\]\\n]+?\\n[=\\-~\\^\\+]{2,}$"}]},{cN:"meta",b:"^:.+?:",e:"\\s",eE:!0,r:10},{cN:"meta",b:"^\\[.+?\\]$",r:0},{cN:"quote",b:"^_{4,}\\n",e:"\\n_{4,}$",r:10},{cN:"code",b:"^[\\-\\.]{4,}\\n",e:"\\n[\\-\\.]{4,}$",r:10},{b:"^\\+{4,}\\n",e:"\\n\\+{4,}$",c:[{b:"<",e:">",sL:"xml",r:0}],r:10},{cN:"bullet",b:"^(\\*+|\\-+|\\.+|[^\\n]+?::)\\s+"},{cN:"symbol",b:"^(NOTE|TIP|IMPORTANT|WARNING|CAUTION):\\s+",r:10},{cN:"strong",b:"\\B\\*(?![\\*\\s])",e:"(\\n{2}|\\*)",c:[{b:"\\\\*\\w",r:0}]},{cN:"emphasis",b:"\\B'(?!['\\s])",e:"(\\n{2}|')",c:[{b:"\\\\'\\w",r:0}],r:0},{cN:"emphasis",b:"_(?![_\\s])",e:"(\\n{2}|_)",r:0},{cN:"string",v:[{b:"``.+?''"},{b:"`.+?'"}]},{cN:"code",b:"(`.+?`|\\+.+?\\+)",r:0},{cN:"code",b:"^[ \\t]",e:"$",r:0},{b:"^'{3,}[ \\t]*$",r:10},{b:"(link:)?(http|https|ftp|file|irc|image:?):\\S+\\[.*?\\]",rB:!0,c:[{b:"(link|image:?):",r:0},{cN:"link",b:"\\w",e:"[^\\[]+",r:0},{cN:"string",b:"\\[",e:"\\]",eB:!0,eE:!0,r:0}],r:10}]}}),e.registerLanguage("aspectj",function(e){var t="false synchronized int abstract float private char boolean static null if const for true while long throw strictfp finally protected import native final return void enum else extends implements break transient new catch instanceof byte super volatile case assert short package default double public try this switch continue throws privileged aspectOf adviceexecution proceed cflowbelow cflow initialization preinitialization staticinitialization withincode target within execution getWithinTypeName handler thisJoinPoint thisJoinPointStaticPart thisEnclosingJoinPointStaticPart declare parents warning error soft precedence thisAspectInstance",r="get set args call";return{k:t,i:/<\/|#/,c:[e.C("/\\*\\*","\\*/",{r:0,c:[{b:/\w+@/,r:0},{cN:"doctag",b:"@[A-Za-z]+"}]}),e.CLCM,e.CBCM,e.ASM,e.QSM,{cN:"class",bK:"aspect",e:/[{;=]/,eE:!0,i:/[:;"\[\]]/,c:[{bK:"extends implements pertypewithin perthis pertarget percflowbelow percflow issingleton"},e.UTM,{b:/\([^\)]*/,e:/[)]+/,k:t+" "+r,eE:!1}]},{cN:"class",bK:"class interface",e:/[{;=]/,eE:!0,r:0,k:"class interface",i:/[:"\[\]]/,c:[{bK:"extends implements"},e.UTM]},{bK:"pointcut after before around throwing returning",e:/[)]/,eE:!1,i:/["\[\]]/,c:[{b:e.UIR+"\\s*\\(",rB:!0,c:[e.UTM]}]},{b:/[:]/,rB:!0,e:/[{;]/,r:0,eE:!1,k:t,i:/["\[\]]/,c:[{b:e.UIR+"\\s*\\(",k:t+" "+r,r:0},e.QSM]},{bK:"new throw",r:0},{cN:"function",b:/\w+ +\w+(\.)?\w+\s*\([^\)]*\)\s*((throws)[\w\s,]+)?[\{;]/,rB:!0,e:/[{;=]/,k:t,eE:!0,c:[{b:e.UIR+"\\s*\\(",rB:!0,r:0,c:[e.UTM]},{cN:"params",b:/\(/,e:/\)/,r:0,k:t,c:[e.ASM,e.QSM,e.CNM,e.CBCM]},e.CLCM,e.CBCM]},e.CNM,{cN:"meta",b:"@[A-Za-z]+"}]}}),e.registerLanguage("autohotkey",function(e){var t={b:"`[\\s\\S]"};return{cI:!0,aliases:["ahk"],k:{keyword:"Break Continue Critical Exit ExitApp Gosub Goto New OnExit Pause return SetBatchLines SetTimer Suspend Thread Throw Until ahk_id ahk_class ahk_pid ahk_exe ahk_group",literal:"A|0 true false NOT AND OR",built_in:"ComSpec Clipboard ClipboardAll ErrorLevel"},c:[{cN:"built_in",b:"A_[a-zA-Z0-9]+"},t,e.inherit(e.QSM,{c:[t]}),e.C(";","$",{r:0}),e.CBCM,{cN:"number",b:e.NR,r:0},{cN:"subst",b:"%(?=[a-zA-Z0-9#_$@])",e:"%",i:"[^a-zA-Z0-9#_$@]"},{cN:"built_in",b:"^\\s*\\w+\\s*,"},{cN:"meta",b:"^\\s*#w+",e:"$",r:0},{cN:"symbol",c:[t],v:[{b:'^[^\\n";]+::(?!=)'},{b:'^[^\\n";]+:(?!=)',r:0}]},{b:",\\s*,"}]}}),e.registerLanguage("autoit",function(e){var t="ByRef Case Const ContinueCase ContinueLoop Default Dim Do Else ElseIf EndFunc EndIf EndSelect EndSwitch EndWith Enum Exit ExitLoop For Func Global If In Local Next ReDim Return Select Static Step Switch Then To Until Volatile WEnd While With",r="True False And Null Not Or",a="Abs ACos AdlibRegister AdlibUnRegister Asc AscW ASin Assign ATan AutoItSetOption AutoItWinGetTitle AutoItWinSetTitle Beep Binary BinaryLen BinaryMid BinaryToString BitAND BitNOT BitOR BitRotate BitShift BitXOR BlockInput Break Call CDTray Ceiling Chr ChrW ClipGet ClipPut ConsoleRead ConsoleWrite ConsoleWriteError ControlClick ControlCommand ControlDisable ControlEnable ControlFocus ControlGetFocus ControlGetHandle ControlGetPos ControlGetText ControlHide ControlListView ControlMove ControlSend ControlSetText ControlShow ControlTreeView Cos Dec DirCopy DirCreate DirGetSize DirMove DirRemove DllCall DllCallAddress DllCallbackFree DllCallbackGetPtr DllCallbackRegister DllClose DllOpen DllStructCreate DllStructGetData DllStructGetPtr DllStructGetSize DllStructSetData DriveGetDrive DriveGetFileSystem DriveGetLabel DriveGetSerial DriveGetType DriveMapAdd DriveMapDel DriveMapGet DriveSetLabel DriveSpaceFree DriveSpaceTotal DriveStatus EnvGet EnvSet EnvUpdate Eval Execute Exp FileChangeDir FileClose FileCopy FileCreateNTFSLink FileCreateShortcut FileDelete FileExists FileFindFirstFile FileFindNextFile FileFlush FileGetAttrib FileGetEncoding FileGetLongName FileGetPos FileGetShortcut FileGetShortName FileGetSize FileGetTime FileGetVersion FileInstall FileMove FileOpen FileOpenDialog FileRead FileReadLine FileReadToArray FileRecycle FileRecycleEmpty FileSaveDialog FileSelectFolder FileSetAttrib FileSetEnd FileSetPos FileSetTime FileWrite FileWriteLine Floor FtpSetProxy FuncName GUICreate GUICtrlCreateAvi GUICtrlCreateButton GUICtrlCreateCheckbox GUICtrlCreateCombo GUICtrlCreateContextMenu GUICtrlCreateDate GUICtrlCreateDummy GUICtrlCreateEdit GUICtrlCreateGraphic GUICtrlCreateGroup GUICtrlCreateIcon GUICtrlCreateInput GUICtrlCreateLabel GUICtrlCreateList GUICtrlCreateListView GUICtrlCreateListViewItem GUICtrlCreateMenu GUICtrlCreateMenuItem GUICtrlCreateMonthCal GUICtrlCreateObj GUICtrlCreatePic GUICtrlCreateProgress GUICtrlCreateRadio GUICtrlCreateSlider GUICtrlCreateTab GUICtrlCreateTabItem GUICtrlCreateTreeView GUICtrlCreateTreeViewItem GUICtrlCreateUpdown GUICtrlDelete GUICtrlGetHandle GUICtrlGetState GUICtrlRead GUICtrlRecvMsg GUICtrlRegisterListViewSort GUICtrlSendMsg GUICtrlSendToDummy GUICtrlSetBkColor GUICtrlSetColor GUICtrlSetCursor GUICtrlSetData GUICtrlSetDefBkColor GUICtrlSetDefColor GUICtrlSetFont GUICtrlSetGraphic GUICtrlSetImage GUICtrlSetLimit GUICtrlSetOnEvent GUICtrlSetPos GUICtrlSetResizing GUICtrlSetState GUICtrlSetStyle GUICtrlSetTip GUIDelete GUIGetCursorInfo GUIGetMsg GUIGetStyle GUIRegisterMsg GUISetAccelerators GUISetBkColor GUISetCoord GUISetCursor GUISetFont GUISetHelp GUISetIcon GUISetOnEvent GUISetState GUISetStyle GUIStartGroup GUISwitch Hex HotKeySet HttpSetProxy HttpSetUserAgent HWnd InetClose InetGet InetGetInfo InetGetSize InetRead IniDelete IniRead IniReadSection IniReadSectionNames IniRenameSection IniWrite IniWriteSection InputBox Int IsAdmin IsArray IsBinary IsBool IsDeclared IsDllStruct IsFloat IsFunc IsHWnd IsInt IsKeyword IsNumber IsObj IsPtr IsString Log MemGetStats Mod MouseClick MouseClickDrag MouseDown MouseGetCursor MouseGetPos MouseMove MouseUp MouseWheel MsgBox Number ObjCreate ObjCreateInterface ObjEvent ObjGet ObjName OnAutoItExitRegister OnAutoItExitUnRegister Ping PixelChecksum PixelGetColor PixelSearch ProcessClose ProcessExists ProcessGetStats ProcessList ProcessSetPriority ProcessWait ProcessWaitClose ProgressOff ProgressOn ProgressSet Ptr Random RegDelete RegEnumKey RegEnumVal RegRead RegWrite Round Run RunAs RunAsWait RunWait Send SendKeepActive SetError SetExtended ShellExecute ShellExecuteWait Shutdown Sin Sleep SoundPlay SoundSetWaveVolume SplashImageOn SplashOff SplashTextOn Sqrt SRandom StatusbarGetText StderrRead StdinWrite StdioClose StdoutRead String StringAddCR StringCompare StringFormat StringFromASCIIArray StringInStr StringIsAlNum StringIsAlpha StringIsASCII StringIsDigit StringIsFloat StringIsInt StringIsLower StringIsSpace StringIsUpper StringIsXDigit StringLeft StringLen StringLower StringMid StringRegExp StringRegExpReplace StringReplace StringReverse StringRight StringSplit StringStripCR StringStripWS StringToASCIIArray StringToBinary StringTrimLeft StringTrimRight StringUpper Tan TCPAccept TCPCloseSocket TCPConnect TCPListen TCPNameToIP TCPRecv TCPSend TCPShutdown, UDPShutdown TCPStartup, UDPStartup TimerDiff TimerInit ToolTip TrayCreateItem TrayCreateMenu TrayGetMsg TrayItemDelete TrayItemGetHandle TrayItemGetState TrayItemGetText TrayItemSetOnEvent TrayItemSetState TrayItemSetText TraySetClick TraySetIcon TraySetOnEvent TraySetPauseIcon TraySetState TraySetToolTip TrayTip UBound UDPBind UDPCloseSocket UDPOpen UDPRecv UDPSend VarGetType WinActivate WinActive WinClose WinExists WinFlash WinGetCaretPos WinGetClassList WinGetClientSize WinGetHandle WinGetPos WinGetProcess WinGetState WinGetText WinGetTitle WinKill WinList WinMenuSelectItem WinMinimizeAll WinMinimizeAllUndo WinMove WinSetOnTop WinSetState WinSetTitle WinSetTrans WinWait",i={v:[e.C(";","$",{r:0}),e.C("#cs","#ce"),e.C("#comments-start","#comments-end")]},n={b:"\\$[A-z0-9_]+"},o={cN:"string",v:[{b:/"/,e:/"/,c:[{b:/""/,r:0}]},{b:/'/,e:/'/,c:[{b:/''/,r:0}]}]},s={v:[e.BNM,e.CNM]},l={cN:"meta",b:"#",e:"$",k:{"meta-keyword":"comments include include-once NoTrayIcon OnAutoItStartRegister pragma compile RequireAdmin"},c:[{b:/\\\n/,r:0},{bK:"include",k:{"meta-keyword":"include"},e:"$",c:[o,{cN:"meta-string",v:[{b:"<",e:">"},{b:/"/,e:/"/,c:[{b:/""/,r:0}]},{b:/'/,e:/'/,c:[{b:/''/,r:0}]}]}]},o,i]},c={cN:"symbol",b:"@[A-z0-9_]+"},d={cN:"function",bK:"Func",e:"$",i:"\\$|\\[|%",c:[e.UTM,{cN:"params",b:"\\(",e:"\\)",c:[n,o,s]}]};return{cI:!0,i:/\/\*/,k:{keyword:t,built_in:a,literal:r},c:[i,n,o,s,l,c,d]}}),e.registerLanguage("avrasm",function(e){return{cI:!0,l:"\\.?"+e.IR,k:{keyword:"adc add adiw and andi asr bclr bld brbc brbs brcc brcs break breq brge brhc brhs brid brie brlo brlt brmi brne brpl brsh brtc brts brvc brvs bset bst call cbi cbr clc clh cli cln clr cls clt clv clz com cp cpc cpi cpse dec eicall eijmp elpm eor fmul fmuls fmulsu icall ijmp in inc jmp ld ldd ldi lds lpm lsl lsr mov movw mul muls mulsu neg nop or ori out pop push rcall ret reti rjmp rol ror sbc sbr sbrc sbrs sec seh sbi sbci sbic sbis sbiw sei sen ser ses set sev sez sleep spm st std sts sub subi swap tst wdr",built_in:"r0 r1 r2 r3 r4 r5 r6 r7 r8 r9 r10 r11 r12 r13 r14 r15 r16 r17 r18 r19 r20 r21 r22 r23 r24 r25 r26 r27 r28 r29 r30 r31 x|0 xh xl y|0 yh yl z|0 zh zl ucsr1c udr1 ucsr1a ucsr1b ubrr1l ubrr1h ucsr0c ubrr0h tccr3c tccr3a tccr3b tcnt3h tcnt3l ocr3ah ocr3al ocr3bh ocr3bl ocr3ch ocr3cl icr3h icr3l etimsk etifr tccr1c ocr1ch ocr1cl twcr twdr twar twsr twbr osccal xmcra xmcrb eicra spmcsr spmcr portg ddrg ping portf ddrf sreg sph spl xdiv rampz eicrb eimsk gimsk gicr eifr gifr timsk tifr mcucr mcucsr tccr0 tcnt0 ocr0 assr tccr1a tccr1b tcnt1h tcnt1l ocr1ah ocr1al ocr1bh ocr1bl icr1h icr1l tccr2 tcnt2 ocr2 ocdr wdtcr sfior eearh eearl eedr eecr porta ddra pina portb ddrb pinb portc ddrc pinc portd ddrd pind spdr spsr spcr udr0 ucsr0a ucsr0b ubrr0l acsr admux adcsr adch adcl porte ddre pine pinf",meta:".byte .cseg .db .def .device .dseg .dw .endmacro .equ .eseg .exit .include .list .listmac .macro .nolist .org .set"},c:[e.CBCM,e.C(";","$",{r:0}),e.CNM,e.BNM,{cN:"number",b:"\\b(\\$[a-zA-Z0-9]+|0o[0-7]+)"},e.QSM,{cN:"string",b:"'",e:"[^\\\\]'",i:"[^\\\\][^']"},{cN:"symbol",b:"^[A-Za-z0-9_.$]+:"},{cN:"meta",b:"#",e:"$"},{cN:"subst",b:"@[0-9]+"}]}}),e.registerLanguage("awk",function(e){var t={cN:"variable",v:[{b:/\$[\w\d#@][\w\d_]*/},{b:/\$\{(.*?)}/}]},r="BEGIN END if else while do for in break continue delete next nextfile function func exit|10",a={cN:"string",c:[e.BE],v:[{b:/(u|b)?r?'''/,e:/'''/,r:10},{b:/(u|b)?r?"""/,e:/"""/,r:10},{b:/(u|r|ur)'/,e:/'/,r:10},{b:/(u|r|ur)"/,e:/"/,r:10},{b:/(b|br)'/,e:/'/},{b:/(b|br)"/,e:/"/},e.ASM,e.QSM]};return{k:{keyword:r},c:[t,a,e.RM,e.HCM,e.NM]}}),e.registerLanguage("axapta",function(e){return{k:"false int abstract private char boolean static null if for true while long throw finally protected final return void enum else break new catch byte super case short default double public try this switch continue reverse firstfast firstonly forupdate nofetch sum avg minof maxof count order group by asc desc index hint like dispaly edit client server ttsbegin ttscommit str real date container anytype common div mod",c:[e.CLCM,e.CBCM,e.ASM,e.QSM,e.CNM,{cN:"meta",b:"#",e:"$"},{cN:"class",bK:"class interface",e:"{",eE:!0,i:":",c:[{bK:"extends implements"},e.UTM]}]}}),e.registerLanguage("bash",function(e){var t={cN:"variable",v:[{b:/\$[\w\d#@][\w\d_]*/},{b:/\$\{(.*?)}/}]},r={cN:"string",b:/"/,e:/"/,c:[e.BE,t,{cN:"variable",b:/\$\(/,e:/\)/,c:[e.BE]}]},a={cN:"string",b:/'/,e:/'/};return{aliases:["sh","zsh"],l:/\b-?[a-z\._]+\b/,k:{keyword:"if then else elif fi for while in do done case esac function",literal:"true false",built_in:"break cd continue eval exec exit export getopts hash pwd readonly return shift test times trap umask unset alias bind builtin caller command declare echo enable help let local logout mapfile printf read readarray source type typeset ulimit unalias set shopt autoload bg bindkey bye cap chdir clone comparguments compcall compctl compdescribe compfiles compgroups compquote comptags comptry compvalues dirs disable disown echotc echoti emulate fc fg float functions getcap getln history integer jobs kill limit log noglob popd print pushd pushln rehash sched setcap setopt stat suspend ttyctl unfunction unhash unlimit unsetopt vared wait whence where which zcompile zformat zftp zle zmodload zparseopts zprof zpty zregexparse zsocket zstyle ztcp",_:"-ne -eq -lt -gt -f -d -e -s -l -a"},c:[{cN:"meta",b:/^#![^\n]+sh\s*$/,r:10},{cN:"function",b:/\w[\w\d_]*\s*\(\s*\)\s*\{/,rB:!0,c:[e.inherit(e.TM,{b:/\w[\w\d_]*/})],r:0},e.HCM,r,a,t]}}),e.registerLanguage("basic",function(e){return{cI:!0,i:"^.",l:"[a-zA-Z][a-zA-Z0-9_$%!#]*",k:{keyword:"ABS ASC AND ATN AUTO|0 BEEP BLOAD|10 BSAVE|10 CALL CALLS CDBL CHAIN CHDIR CHR$|10 CINT CIRCLE CLEAR CLOSE CLS COLOR COM COMMON CONT COS CSNG CSRLIN CVD CVI CVS DATA DATE$ DEFDBL DEFINT DEFSNG DEFSTR DEF|0 SEG USR DELETE DIM DRAW EDIT END ENVIRON ENVIRON$ EOF EQV ERASE ERDEV ERDEV$ ERL ERR ERROR EXP FIELD FILES FIX FOR|0 FRE GET GOSUB|10 GOTO HEX$ IF|0 THEN ELSE|0 INKEY$ INP INPUT INPUT# INPUT$ INSTR IMP INT IOCTL IOCTL$ KEY ON OFF LIST KILL LEFT$ LEN LET LINE LLIST LOAD LOC LOCATE LOF LOG LPRINT USING LSET MERGE MID$ MKDIR MKD$ MKI$ MKS$ MOD NAME NEW NEXT NOISE NOT OCT$ ON OR PEN PLAY STRIG OPEN OPTION BASE OUT PAINT PALETTE PCOPY PEEK PMAP POINT POKE POS PRINT PRINT] PSET PRESET PUT RANDOMIZE READ REM RENUM RESET|0 RESTORE RESUME RETURN|0 RIGHT$ RMDIR RND RSET RUN SAVE SCREEN SGN SHELL SIN SOUND SPACE$ SPC SQR STEP STICK STOP STR$ STRING$ SWAP SYSTEM TAB TAN TIME$ TIMER TROFF TRON TO USR VAL VARPTR VARPTR$ VIEW WAIT WHILE WEND WIDTH WINDOW WRITE XOR" -},c:[e.QSM,e.C("REM","$",{r:10}),e.C("'","$",{r:0}),{cN:"symbol",b:"^[0-9]+ ",r:10},{cN:"number",b:"\\b([0-9]+[0-9edED.]*[#!]?)",r:0},{cN:"number",b:"(&[hH][0-9a-fA-F]{1,4})"},{cN:"number",b:"(&[oO][0-7]{1,6})"}]}}),e.registerLanguage("bnf",function(e){return{c:[{cN:"attribute",b://},{b:/::=/,starts:{e:/$/,c:[{b://},e.CLCM,e.CBCM,e.ASM,e.QSM]}}]}}),e.registerLanguage("brainfuck",function(e){var t={cN:"literal",b:"[\\+\\-]",r:0};return{aliases:["bf"],c:[e.C("[^\\[\\]\\.,\\+\\-<> \r\n]","[\\[\\]\\.,\\+\\-<> \r\n]",{rE:!0,r:0}),{cN:"title",b:"[\\[\\]]",r:0},{cN:"string",b:"[\\.,]",r:0},{b:/\+\+|\-\-/,rB:!0,c:[t]},t]}}),e.registerLanguage("cal",function(e){var t="div mod in and or not xor asserterror begin case do downto else end exit for if of repeat then to until while with var",r="false true",a=[e.CLCM,e.C(/\{/,/\}/,{r:0}),e.C(/\(\*/,/\*\)/,{r:10})],i={cN:"string",b:/'/,e:/'/,c:[{b:/''/}]},n={cN:"string",b:/(#\d+)+/},o={cN:"number",b:"\\b\\d+(\\.\\d+)?(DT|D|T)",r:0},s={cN:"string",b:'"',e:'"'},l={cN:"function",bK:"procedure",e:/[:;]/,k:"procedure|10",c:[e.TM,{cN:"params",b:/\(/,e:/\)/,k:t,c:[i,n]}].concat(a)},c={cN:"class",b:"OBJECT (Table|Form|Report|Dataport|Codeunit|XMLport|MenuSuite|Page|Query) (\\d+) ([^\\r\\n]+)",rB:!0,c:[e.TM,l]};return{cI:!0,k:{keyword:t,literal:r},i:/\/\*/,c:[i,n,o,s,e.NM,c,l]}}),e.registerLanguage("capnproto",function(e){return{aliases:["capnp"],k:{keyword:"struct enum interface union group import using const annotation extends in of on as with from fixed",built_in:"Void Bool Int8 Int16 Int32 Int64 UInt8 UInt16 UInt32 UInt64 Float32 Float64 Text Data AnyPointer AnyStruct Capability List",literal:"true false"},c:[e.QSM,e.NM,e.HCM,{cN:"meta",b:/@0x[\w\d]{16};/,i:/\n/},{cN:"symbol",b:/@\d+\b/},{cN:"class",bK:"struct enum",e:/\{/,i:/\n/,c:[e.inherit(e.TM,{starts:{eW:!0,eE:!0}})]},{cN:"class",bK:"interface",e:/\{/,i:/\n/,c:[e.inherit(e.TM,{starts:{eW:!0,eE:!0}})]}]}}),e.registerLanguage("ceylon",function(e){var t="assembly module package import alias class interface object given value assign void function new of extends satisfies abstracts in out return break continue throw assert dynamic if else switch case for while try catch finally then let this outer super is exists nonempty",r="shared abstract formal default actual variable late native deprecatedfinal sealed annotation suppressWarnings small",a="doc by license see throws tagged",i={cN:"subst",eB:!0,eE:!0,b:/``/,e:/``/,k:t,r:10},n=[{cN:"string",b:'"""',e:'"""',r:10},{cN:"string",b:'"',e:'"',c:[i]},{cN:"string",b:"'",e:"'"},{cN:"number",b:"#[0-9a-fA-F_]+|\\$[01_]+|[0-9_]+(?:\\.[0-9_](?:[eE][+-]?\\d+)?)?[kMGTPmunpf]?",r:0}];return i.c=n,{k:{keyword:t+" "+r,meta:a},i:"\\$[^01]|#[^0-9a-fA-F]",c:[e.CLCM,e.C("/\\*","\\*/",{c:["self"]}),{cN:"meta",b:'@[a-z]\\w*(?:\\:"[^"]*")?'}].concat(n)}}),e.registerLanguage("clean",function(e){return{aliases:["clean","icl","dcl"],k:{keyword:"if let in with where case of class instance otherwise implementation definition system module from import qualified as special code inline foreign export ccall stdcall generic derive infix infixl infixr",literal:"True False"},c:[e.CLCM,e.CBCM,e.ASM,e.QSM,e.CNM,{b:"->|<-[|:]?|::|#!?|>>=|\\{\\||\\|\\}|:==|=:|\\.\\.|<>|`"}]}}),e.registerLanguage("clojure",function(e){var t={"builtin-name":"def defonce cond apply if-not if-let if not not= = < > <= >= == + / * - rem quot neg? pos? delay? symbol? keyword? true? false? integer? empty? coll? list? set? ifn? fn? associative? sequential? sorted? counted? reversible? number? decimal? class? distinct? isa? float? rational? reduced? ratio? odd? even? char? seq? vector? string? map? nil? contains? zero? instance? not-every? not-any? libspec? -> ->> .. . inc compare do dotimes mapcat take remove take-while drop letfn drop-last take-last drop-while while intern condp case reduced cycle split-at split-with repeat replicate iterate range merge zipmap declare line-seq sort comparator sort-by dorun doall nthnext nthrest partition eval doseq await await-for let agent atom send send-off release-pending-sends add-watch mapv filterv remove-watch agent-error restart-agent set-error-handler error-handler set-error-mode! error-mode shutdown-agents quote var fn loop recur throw try monitor-enter monitor-exit defmacro defn defn- macroexpand macroexpand-1 for dosync and or when when-not when-let comp juxt partial sequence memoize constantly complement identity assert peek pop doto proxy defstruct first rest cons defprotocol cast coll deftype defrecord last butlast sigs reify second ffirst fnext nfirst nnext defmulti defmethod meta with-meta ns in-ns create-ns import refer keys select-keys vals key val rseq name namespace promise into transient persistent! conj! assoc! dissoc! pop! disj! use class type num float double short byte boolean bigint biginteger bigdec print-method print-dup throw-if printf format load compile get-in update-in pr pr-on newline flush read slurp read-line subvec with-open memfn time re-find re-groups rand-int rand mod locking assert-valid-fdecl alias resolve ref deref refset swap! reset! set-validator! compare-and-set! alter-meta! reset-meta! commute get-validator alter ref-set ref-history-count ref-min-history ref-max-history ensure sync io! new next conj set! to-array future future-call into-array aset gen-class reduce map filter find empty hash-map hash-set sorted-map sorted-map-by sorted-set sorted-set-by vec vector seq flatten reverse assoc dissoc list disj get union difference intersection extend extend-type extend-protocol int nth delay count concat chunk chunk-buffer chunk-append chunk-first chunk-rest max min dec unchecked-inc-int unchecked-inc unchecked-dec-inc unchecked-dec unchecked-negate unchecked-add-int unchecked-add unchecked-subtract-int unchecked-subtract chunk-next chunk-cons chunked-seq? prn vary-meta lazy-seq spread list* str find-keyword keyword symbol gensym force rationalize"},r="a-zA-Z_\\-!.?+*=<>&#'",a="["+r+"]["+r+"0-9/;:]*",i="[-+]?\\d+(\\.\\d+)?",n={b:a,r:0},o={cN:"number",b:i,r:0},s=e.inherit(e.QSM,{i:null}),l=e.C(";","$",{r:0}),c={cN:"literal",b:/\b(true|false|nil)\b/},d={b:"[\\[\\{]",e:"[\\]\\}]"},p={cN:"comment",b:"\\^"+a},m=e.C("\\^\\{","\\}"),u={cN:"symbol",b:"[:]{1,2}"+a},b={b:"\\(",e:"\\)"},g={eW:!0,r:0},f={k:t,l:a,cN:"name",b:a,starts:g},_=[b,s,p,m,l,u,d,o,c,n];return b.c=[e.C("comment",""),f,g],g.c=_,d.c=_,m.c=[d],{aliases:["clj"],i:/\S/,c:[b,s,p,m,l,u,d,o,c]}}),e.registerLanguage("clojure-repl",function(e){return{c:[{cN:"meta",b:/^([\w.-]+|\s*#_)=>/,starts:{e:/$/,sL:"clojure"}}]}}),e.registerLanguage("cmake",function(e){return{aliases:["cmake.in"],cI:!0,k:{keyword:"add_custom_command add_custom_target add_definitions add_dependencies add_executable add_library add_subdirectory add_test aux_source_directory break build_command cmake_minimum_required cmake_policy configure_file create_test_sourcelist define_property else elseif enable_language enable_testing endforeach endfunction endif endmacro endwhile execute_process export find_file find_library find_package find_path find_program fltk_wrap_ui foreach function get_cmake_property get_directory_property get_filename_component get_property get_source_file_property get_target_property get_test_property if include include_directories include_external_msproject include_regular_expression install link_directories load_cache load_command macro mark_as_advanced message option output_required_files project qt_wrap_cpp qt_wrap_ui remove_definitions return separate_arguments set set_directory_properties set_property set_source_files_properties set_target_properties set_tests_properties site_name source_group string target_link_libraries try_compile try_run unset variable_watch while build_name exec_program export_library_dependencies install_files install_programs install_targets link_libraries make_directory remove subdir_depends subdirs use_mangled_mesa utility_source variable_requires write_file qt5_use_modules qt5_use_package qt5_wrap_cpp on off true false and or equal less greater strless strgreater strequal matches"},c:[{cN:"variable",b:"\\${",e:"}"},e.HCM,e.QSM,e.NM]}}),e.registerLanguage("coffeescript",function(e){var t={keyword:"in if for while finally new do return else break catch instanceof throw try this switch continue typeof delete debugger super yield import export from as default await then unless until loop of by when and or is isnt not",literal:"true false null undefined yes no on off",built_in:"npm require console print module global window document"},r="[A-Za-z$_][0-9A-Za-z$_]*",a={cN:"subst",b:/#\{/,e:/}/,k:t},i=[e.BNM,e.inherit(e.CNM,{starts:{e:"(\\s*/)?",r:0}}),{cN:"string",v:[{b:/'''/,e:/'''/,c:[e.BE]},{b:/'/,e:/'/,c:[e.BE]},{b:/"""/,e:/"""/,c:[e.BE,a]},{b:/"/,e:/"/,c:[e.BE,a]}]},{cN:"regexp",v:[{b:"///",e:"///",c:[a,e.HCM]},{b:"//[gim]*",r:0},{b:/\/(?![ *])(\\\/|.)*?\/[gim]*(?=\W|$)/}]},{b:"@"+r},{sL:"javascript",eB:!0,eE:!0,v:[{b:"```",e:"```"},{b:"`",e:"`"}]}];a.c=i;var n=e.inherit(e.TM,{b:r}),o="(\\(.*\\))?\\s*\\B[-=]>",s={cN:"params",b:"\\([^\\(]",rB:!0,c:[{b:/\(/,e:/\)/,k:t,c:["self"].concat(i)}]};return{aliases:["coffee","cson","iced"],k:t,i:/\/\*/,c:i.concat([e.C("###","###"),e.HCM,{cN:"function",b:"^\\s*"+r+"\\s*=\\s*"+o,e:"[-=]>",rB:!0,c:[n,s]},{b:/[:\(,=]\s*/,r:0,c:[{cN:"function",b:o,e:"[-=]>",rB:!0,c:[s]}]},{cN:"class",bK:"class",e:"$",i:/[:="\[\]]/,c:[{bK:"extends",eW:!0,i:/[:="\[\]]/,c:[n]},n]},{b:r+":",e:":",rB:!0,rE:!0,r:0}])}}),e.registerLanguage("coq",function(e){return{k:{keyword:"_ as at cofix else end exists exists2 fix for forall fun if IF in let match mod Prop return Set then Type using where with Abort About Add Admit Admitted All Arguments Assumptions Axiom Back BackTo Backtrack Bind Blacklist Canonical Cd Check Class Classes Close Coercion Coercions CoFixpoint CoInductive Collection Combined Compute Conjecture Conjectures Constant constr Constraint Constructors Context Corollary CreateHintDb Cut Declare Defined Definition Delimit Dependencies DependentDerive Drop eauto End Equality Eval Example Existential Existentials Existing Export exporting Extern Extract Extraction Fact Field Fields File Fixpoint Focus for From Function Functional Generalizable Global Goal Grab Grammar Graph Guarded Heap Hint HintDb Hints Hypotheses Hypothesis ident Identity If Immediate Implicit Import Include Inductive Infix Info Initial Inline Inspect Instance Instances Intro Intros Inversion Inversion_clear Language Left Lemma Let Libraries Library Load LoadPath Local Locate Ltac ML Mode Module Modules Monomorphic Morphism Next NoInline Notation Obligation Obligations Opaque Open Optimize Options Parameter Parameters Parametric Path Paths pattern Polymorphic Preterm Print Printing Program Projections Proof Proposition Pwd Qed Quit Rec Record Recursive Redirect Relation Remark Remove Require Reserved Reset Resolve Restart Rewrite Right Ring Rings Save Scheme Scope Scopes Script Search SearchAbout SearchHead SearchPattern SearchRewrite Section Separate Set Setoid Show Solve Sorted Step Strategies Strategy Structure SubClass Table Tables Tactic Term Test Theorem Time Timeout Transparent Type Typeclasses Types Undelimit Undo Unfocus Unfocused Unfold Universe Universes Unset Unshelve using Variable Variables Variant Verbose Visibility where with",built_in:"abstract absurd admit after apply as assert assumption at auto autorewrite autounfold before bottom btauto by case case_eq cbn cbv change classical_left classical_right clear clearbody cofix compare compute congruence constr_eq constructor contradict contradiction cut cutrewrite cycle decide decompose dependent destruct destruction dintuition discriminate discrR do double dtauto eapply eassumption eauto ecase econstructor edestruct ediscriminate eelim eexact eexists einduction einjection eleft elim elimtype enough equality erewrite eright esimplify_eq esplit evar exact exactly_once exfalso exists f_equal fail field field_simplify field_simplify_eq first firstorder fix fold fourier functional generalize generalizing gfail give_up has_evar hnf idtac in induction injection instantiate intro intro_pattern intros intuition inversion inversion_clear is_evar is_var lapply lazy left lia lra move native_compute nia nsatz omega once pattern pose progress proof psatz quote record red refine reflexivity remember rename repeat replace revert revgoals rewrite rewrite_strat right ring ring_simplify rtauto set setoid_reflexivity setoid_replace setoid_rewrite setoid_symmetry setoid_transitivity shelve shelve_unifiable simpl simple simplify_eq solve specialize split split_Rabs split_Rmult stepl stepr subst sum swap symmetry tactic tauto time timeout top transitivity trivial try tryif unfold unify until using vm_compute with"},c:[e.QSM,e.C("\\(\\*","\\*\\)"),e.CNM,{cN:"type",eB:!0,b:"\\|\\s*",e:"\\w+"},{b:/[-=]>/}]}}),e.registerLanguage("cos",function(e){var t={cN:"string",v:[{b:'"',e:'"',c:[{b:'""',r:0}]}]},r={cN:"number",b:"\\b(\\d+(\\.\\d*)?|\\.\\d+)",r:0},a="property parameter class classmethod clientmethod extends as break catch close continue do d|0 else elseif for goto halt hang h|0 if job j|0 kill k|0 lock l|0 merge new open quit q|0 read r|0 return set s|0 tcommit throw trollback try tstart use view while write w|0 xecute x|0 zkill znspace zn ztrap zwrite zw zzdump zzwrite print zbreak zinsert zload zprint zremove zsave zzprint mv mvcall mvcrt mvdim mvprint zquit zsync ascii";return{cI:!0,aliases:["cos","cls"],k:a,c:[r,t,e.CLCM,e.CBCM,{cN:"comment",b:/;/,e:"$",r:0},{cN:"built_in",b:/(?:\$\$?|\.\.)\^?[a-zA-Z]+/},{cN:"built_in",b:/\$\$\$[a-zA-Z]+/},{cN:"built_in",b:/%[a-z]+(?:\.[a-z]+)*/},{cN:"symbol",b:/\^%?[a-zA-Z][\w]*/},{cN:"keyword",b:/##class|##super|#define|#dim/},{b:/&sql\(/,e:/\)/,eB:!0,eE:!0,sL:"sql"},{b:/&(js|jscript|javascript)/,eB:!0,eE:!0,sL:"javascript"},{b:/&html<\s*\s*>/,sL:"xml"}]}}),e.registerLanguage("crmsh",function(e){var t="primitive rsc_template",r="group clone ms master location colocation order fencing_topology rsc_ticket acl_target acl_group user role tag xml",a="property rsc_defaults op_defaults",i="params meta operations op rule attributes utilization",n="read write deny defined not_defined in_range date spec in ref reference attribute type xpath version and or lt gt tag lte gte eq ne \\",o="number string",s="Master Started Slave Stopped start promote demote stop monitor true false";return{aliases:["crm","pcmk"],cI:!0,k:{keyword:i+" "+n+" "+o,literal:s},c:[e.HCM,{bK:"node",starts:{e:"\\s*([\\w_-]+:)?",starts:{cN:"title",e:"\\s*[\\$\\w_][\\w_-]*"}}},{bK:t,starts:{cN:"title",e:"\\s*[\\$\\w_][\\w_-]*",starts:{e:"\\s*@?[\\w_][\\w_\\.:-]*"}}},{b:"\\b("+r.split(" ").join("|")+")\\s+",k:r,starts:{cN:"title",e:"[\\$\\w_][\\w_-]*"}},{bK:a,starts:{cN:"title",e:"\\s*([\\w_-]+:)?"}},e.QSM,{cN:"meta",b:"(ocf|systemd|service|lsb):[\\w_:-]+",r:0},{cN:"number",b:"\\b\\d+(\\.\\d+)?(ms|s|h|m)?",r:0},{cN:"literal",b:"[-]?(infinity|inf)",r:0},{cN:"attr",b:/([A-Za-z\$_\#][\w_-]+)=/,r:0},{cN:"tag",b:"",r:0}]}}),e.registerLanguage("crystal",function(e){function t(e,t){var r=[{b:e,e:t}];return r[0].c=r,r}var r="(_[uif](8|16|32|64))?",a="[a-zA-Z_]\\w*[!?=]?",i="!=|!==|%|%=|&|&&|&=|\\*|\\*=|\\+|\\+=|,|-|-=|/=|/|:|;|<<|<<=|<=|<|===|==|=|>>>=|>>=|>=|>>>|>>|>|\\[|\\{|\\(|\\^|\\^=|\\||\\|=|\\|\\||~",n="[a-zA-Z_]\\w*[!?=]?|[-+~]\\@|<<|>>|=~|===?|<=>|[<>]=?|\\*\\*|[-/+%^&*~`|]|\\[\\][=?]?",o={keyword:"abstract alias as as? asm begin break case class def do else elsif end ensure enum extend for fun if include instance_sizeof is_a? lib macro module next nil? of out pointerof private protected rescue responds_to? return require select self sizeof struct super then type typeof union uninitialized unless until when while with yield __DIR__ __END_LINE__ __FILE__ __LINE__",literal:"false nil true"},s={cN:"subst",b:"#{",e:"}",k:o},l={cN:"template-variable",v:[{b:"\\{\\{",e:"\\}\\}"},{b:"\\{%",e:"%\\}"}],k:o},c={cN:"string",c:[e.BE,s],v:[{b:/'/,e:/'/},{b:/"/,e:/"/},{b:/`/,e:/`/},{b:"%w?\\(",e:"\\)",c:t("\\(","\\)")},{b:"%w?\\[",e:"\\]",c:t("\\[","\\]")},{b:"%w?{",e:"}",c:t("{","}")},{b:"%w?<",e:">",c:t("<",">")},{b:"%w?/",e:"/"},{b:"%w?%",e:"%"},{b:"%w?-",e:"-"},{b:"%w?\\|",e:"\\|"},{b:/<<-\w+$/,e:/^\s*\w+$/}],r:0},d={cN:"string",v:[{b:"%q\\(",e:"\\)",c:t("\\(","\\)")},{b:"%q\\[",e:"\\]",c:t("\\[","\\]")},{b:"%q{",e:"}",c:t("{","}")},{b:"%q<",e:">",c:t("<",">")},{b:"%q/",e:"/"},{b:"%q%",e:"%"},{b:"%q-",e:"-"},{b:"%q\\|",e:"\\|"},{b:/<<-'\w+'$/,e:/^\s*\w+$/}],r:0},p={b:"("+i+")\\s*",c:[{cN:"regexp",c:[e.BE,s],v:[{b:"//[a-z]*",r:0},{b:"/",e:"/[a-z]*"},{b:"%r\\(",e:"\\)",c:t("\\(","\\)")},{b:"%r\\[",e:"\\]",c:t("\\[","\\]")},{b:"%r{",e:"}",c:t("{","}")},{b:"%r<",e:">",c:t("<",">")},{b:"%r/",e:"/"},{b:"%r%",e:"%"},{b:"%r-",e:"-"},{b:"%r\\|",e:"\\|"}]}],r:0},m={cN:"regexp",c:[e.BE,s],v:[{b:"%r\\(",e:"\\)",c:t("\\(","\\)")},{b:"%r\\[",e:"\\]",c:t("\\[","\\]")},{b:"%r{",e:"}",c:t("{","}")},{b:"%r<",e:">",c:t("<",">")},{b:"%r/",e:"/"},{b:"%r%",e:"%"},{b:"%r-",e:"-"},{b:"%r\\|",e:"\\|"}],r:0},u={cN:"meta",b:"@\\[",e:"\\]",c:[e.inherit(e.QSM,{cN:"meta-string"})]},b=[l,c,d,p,m,u,e.HCM,{cN:"class",bK:"class module struct",e:"$|;",i:/=/,c:[e.HCM,e.inherit(e.TM,{b:"[A-Za-z_]\\w*(::\\w+)*(\\?|\\!)?"}),{b:"<"}]},{cN:"class",bK:"lib enum union",e:"$|;",i:/=/,c:[e.HCM,e.inherit(e.TM,{b:"[A-Za-z_]\\w*(::\\w+)*(\\?|\\!)?"})],r:10},{cN:"function",bK:"def",e:/\B\b/,c:[e.inherit(e.TM,{b:n,endsParent:!0})]},{cN:"function",bK:"fun macro",e:/\B\b/,c:[e.inherit(e.TM,{b:n,endsParent:!0})],r:5},{cN:"symbol",b:e.UIR+"(\\!|\\?)?:",r:0},{cN:"symbol",b:":",c:[c,{b:n}],r:0},{cN:"number",v:[{b:"\\b0b([01_]*[01])"+r},{b:"\\b0o([0-7_]*[0-7])"+r},{b:"\\b0x([A-Fa-f0-9_]*[A-Fa-f0-9])"+r},{b:"\\b(([0-9][0-9_]*[0-9]|[0-9])(\\.[0-9_]*[0-9])?([eE][+-]?[0-9_]*[0-9])?)"+r}],r:0}];return s.c=b,l.c=b.slice(1),{aliases:["cr"],l:a,k:o,c:b}}),e.registerLanguage("cs",function(e){var t={keyword:"abstract as base bool break byte case catch char checked const continue decimal default delegate do double enum event explicit extern finally fixed float for foreach goto if implicit in int interface internal is lock long nameof object operator out override params private protected public readonly ref sbyte sealed short sizeof stackalloc static string struct switch this try typeof uint ulong unchecked unsafe ushort using virtual void volatile while add alias ascending async await by descending dynamic equals from get global group into join let on orderby partial remove select set value var where yield",literal:"null false true"},r={cN:"string",b:'@"',e:'"',c:[{b:'""'}]},a=e.inherit(r,{i:/\n/}),i={cN:"subst",b:"{",e:"}",k:t},n=e.inherit(i,{i:/\n/}),o={cN:"string",b:/\$"/,e:'"',i:/\n/,c:[{b:"{{"},{b:"}}"},e.BE,n]},s={cN:"string",b:/\$@"/,e:'"',c:[{b:"{{"},{b:"}}"},{b:'""'},i]},l=e.inherit(s,{i:/\n/,c:[{b:"{{"},{b:"}}"},{b:'""'},n]});i.c=[s,o,r,e.ASM,e.QSM,e.CNM,e.CBCM],n.c=[l,o,a,e.ASM,e.QSM,e.CNM,e.inherit(e.CBCM,{i:/\n/})];var c={v:[s,o,r,e.ASM,e.QSM]},d=e.IR+"(<"+e.IR+"(\\s*,\\s*"+e.IR+")*>)?(\\[\\])?";return{aliases:["csharp"],k:t,i:/::/,c:[e.C("///","$",{rB:!0,c:[{cN:"doctag",v:[{b:"///",r:0},{b:""},{b:""}]}]}),e.CLCM,e.CBCM,{cN:"meta",b:"#",e:"$",k:{"meta-keyword":"if else elif endif define undef warning error line region endregion pragma checksum"}},c,e.CNM,{bK:"class interface",e:/[{;=]/,i:/[^\s:]/,c:[e.TM,e.CLCM,e.CBCM]},{bK:"namespace",e:/[{;=]/,i:/[^\s:]/,c:[e.inherit(e.TM,{b:"[a-zA-Z](\\.?\\w)*"}),e.CLCM,e.CBCM]},{cN:"meta",b:"^\\s*\\[",eB:!0,e:"\\]",eE:!0,c:[{cN:"meta-string",b:/"/,e:/"/}]},{bK:"new return throw await else",r:0},{cN:"function",b:"("+d+"\\s+)+"+e.IR+"\\s*\\(",rB:!0,e:/[{;=]/,eE:!0,k:t,c:[{b:e.IR+"\\s*\\(",rB:!0,c:[e.TM],r:0},{cN:"params",b:/\(/,e:/\)/,eB:!0,eE:!0,k:t,r:0,c:[c,e.CNM,e.CBCM]},e.CLCM,e.CBCM]}]}}),e.registerLanguage("csp",function(e){return{cI:!1,l:"[a-zA-Z][a-zA-Z0-9_-]*",k:{keyword:"base-uri child-src connect-src default-src font-src form-action frame-ancestors frame-src img-src media-src object-src plugin-types report-uri sandbox script-src style-src"},c:[{cN:"string",b:"'",e:"'"},{cN:"attribute",b:"^Content",e:":",eE:!0}]}}),e.registerLanguage("css",function(e){var t="[a-zA-Z-][a-zA-Z0-9_-]*",r={b:/[A-Z\_\.\-]+\s*:/,rB:!0,e:";",eW:!0,c:[{cN:"attribute",b:/\S/,e:":",eE:!0,starts:{eW:!0,eE:!0,c:[{b:/[\w-]+\(/,rB:!0,c:[{cN:"built_in",b:/[\w-]+/},{b:/\(/,e:/\)/,c:[e.ASM,e.QSM]}]},e.CSSNM,e.QSM,e.ASM,e.CBCM,{cN:"number",b:"#[0-9A-Fa-f]+"},{cN:"meta",b:"!important"}]}}]};return{cI:!0,i:/[=\/|'\$]/,c:[e.CBCM,{cN:"selector-id",b:/#[A-Za-z0-9_-]+/},{cN:"selector-class",b:/\.[A-Za-z0-9_-]+/},{cN:"selector-attr",b:/\[/,e:/\]/,i:"$"},{cN:"selector-pseudo",b:/:(:)?[a-zA-Z0-9\_\-\+\(\)"'.]+/},{b:"@(font-face|page)",l:"[a-z-]+",k:"font-face page"},{b:"@",e:"[{;]",i:/:/,c:[{cN:"keyword",b:/\w+/},{b:/\s/,eW:!0,eE:!0,r:0,c:[e.ASM,e.QSM,e.CSSNM]}]},{cN:"selector-tag",b:t,r:0},{b:"{",e:"}",i:/\S/,c:[e.CBCM,r]}]}}),e.registerLanguage("d",function(e){var t={keyword:"abstract alias align asm assert auto body break byte case cast catch class const continue debug default delete deprecated do else enum export extern final finally for foreach foreach_reverse|10 goto if immutable import in inout int interface invariant is lazy macro mixin module new nothrow out override package pragma private protected public pure ref return scope shared static struct super switch synchronized template this throw try typedef typeid typeof union unittest version void volatile while with __FILE__ __LINE__ __gshared|10 __thread __traits __DATE__ __EOF__ __TIME__ __TIMESTAMP__ __VENDOR__ __VERSION__",built_in:"bool cdouble cent cfloat char creal dchar delegate double dstring float function idouble ifloat ireal long real short string ubyte ucent uint ulong ushort wchar wstring",literal:"false null true"},r="(0|[1-9][\\d_]*)",a="(0|[1-9][\\d_]*|\\d[\\d_]*|[\\d_]+?\\d)",i="0[bB][01_]+",n="([\\da-fA-F][\\da-fA-F_]*|_[\\da-fA-F][\\da-fA-F_]*)",o="0[xX]"+n,s="([eE][+-]?"+a+")",l="("+a+"(\\.\\d*|"+s+")|\\d+\\."+a+a+"|\\."+r+s+"?)",c="(0[xX]("+n+"\\."+n+"|\\.?"+n+")[pP][+-]?"+a+")",d="("+r+"|"+i+"|"+o+")",p="("+c+"|"+l+")",m="\\\\(['\"\\?\\\\abfnrtv]|u[\\dA-Fa-f]{4}|[0-7]{1,3}|x[\\dA-Fa-f]{2}|U[\\dA-Fa-f]{8})|&[a-zA-Z\\d]{2,};",u={cN:"number",b:"\\b"+d+"(L|u|U|Lu|LU|uL|UL)?",r:0},b={cN:"number",b:"\\b("+p+"([fF]|L|i|[fF]i|Li)?|"+d+"(i|[fF]i|Li))",r:0},g={cN:"string",b:"'("+m+"|.)",e:"'",i:"."},f={b:m,r:0},_={cN:"string",b:'"',c:[f],e:'"[cwd]?'},h={cN:"string",b:'[rq]"',e:'"[cwd]?',r:5},v={cN:"string",b:"`",e:"`[cwd]?"},y={cN:"string",b:'x"[\\da-fA-F\\s\\n\\r]*"[cwd]?',r:10},S={cN:"string",b:'q"\\{',e:'\\}"'},C={cN:"meta",b:"^#!",e:"$",r:5},x={cN:"meta",b:"#(line)",e:"$",r:5},E={cN:"keyword",b:"@[a-zA-Z_][a-zA-Z_\\d]*"},N=e.C("\\/\\+","\\+\\/",{c:["self"],r:10});return{l:e.UIR,k:t,c:[e.CLCM,e.CBCM,N,y,_,h,v,S,b,u,g,C,x,E]}}),e.registerLanguage("markdown",function(e){return{aliases:["md","mkdown","mkd"],c:[{cN:"section",v:[{b:"^#{1,6}",e:"$"},{b:"^.+?\\n[=-]{2,}$"}]},{b:"<",e:">",sL:"xml",r:0},{cN:"bullet",b:"^([*+-]|(\\d+\\.))\\s+"},{cN:"strong",b:"[*_]{2}.+?[*_]{2}"},{cN:"emphasis",v:[{b:"\\*.+?\\*"},{b:"_.+?_",r:0}]},{cN:"quote",b:"^>\\s+",e:"$"},{cN:"code",v:[{b:"^```w*s*$",e:"^```s*$"},{b:"`.+?`"},{b:"^( {4}| )",e:"$",r:0}]},{b:"^[-\\*]{3,}",e:"$"},{b:"\\[.+?\\][\\(\\[].*?[\\)\\]]",rB:!0,c:[{cN:"string",b:"\\[",e:"\\]",eB:!0,rE:!0,r:0},{cN:"link",b:"\\]\\(",e:"\\)",eB:!0,eE:!0},{cN:"symbol",b:"\\]\\[",e:"\\]",eB:!0,eE:!0}],r:10},{b:/^\[[^\n]+\]:/,rB:!0,c:[{cN:"symbol",b:/\[/,e:/\]/,eB:!0,eE:!0},{cN:"link",b:/:\s*/,e:/$/,eB:!0}]}]}}),e.registerLanguage("dart",function(e){var t={cN:"subst",b:"\\$\\{",e:"}",k:"true false null this is new super"},r={cN:"string",v:[{b:"r'''",e:"'''"},{b:'r"""',e:'"""'},{b:"r'",e:"'",i:"\\n"},{b:'r"',e:'"',i:"\\n"},{b:"'''",e:"'''",c:[e.BE,t]},{b:'"""',e:'"""',c:[e.BE,t]},{b:"'",e:"'",i:"\\n",c:[e.BE,t]},{b:'"',e:'"',i:"\\n",c:[e.BE,t]}]};t.c=[e.CNM,r];var a={keyword:"assert async await break case catch class const continue default do else enum extends false final finally for if in is new null rethrow return super switch sync this throw true try var void while with yield abstract as dynamic export external factory get implements import library operator part set static typedef",built_in:"print Comparable DateTime Duration Function Iterable Iterator List Map Match Null Object Pattern RegExp Set Stopwatch String StringBuffer StringSink Symbol Type Uri bool double int num document window querySelector querySelectorAll Element ElementList"};return{k:a,c:[r,e.C("/\\*\\*","\\*/",{sL:"markdown"}),e.C("///","$",{sL:"markdown"}),e.CLCM,e.CBCM,{cN:"class",bK:"class interface",e:"{",eE:!0,c:[{bK:"extends implements"},e.UTM]},e.CNM,{cN:"meta",b:"@[A-Za-z]+"},{b:"=>"}]}}),e.registerLanguage("delphi",function(e){var t="exports register file shl array record property for mod while set ally label uses raise not stored class safecall var interface or private static exit index inherited to else stdcall override shr asm far resourcestring finalization packed virtual out and protected library do xorwrite goto near function end div overload object unit begin string on inline repeat until destructor write message program with read initialization except default nil if case cdecl in downto threadvar of try pascal const external constructor type public then implementation finally published procedure absolute reintroduce operator as is abstract alias assembler bitpacked break continue cppdecl cvar enumerator experimental platform deprecated unimplemented dynamic export far16 forward generic helper implements interrupt iochecks local name nodefault noreturn nostackframe oldfpccall otherwise saveregisters softfloat specialize strict unaligned varargs ",r=[e.CLCM,e.C(/\{/,/\}/,{r:0}),e.C(/\(\*/,/\*\)/,{r:10})],a={cN:"meta",v:[{b:/\{\$/,e:/\}/},{b:/\(\*\$/,e:/\*\)/}]},i={cN:"string",b:/'/,e:/'/,c:[{b:/''/}]},n={cN:"string",b:/(#\d+)+/},o={b:e.IR+"\\s*=\\s*class\\s*\\(",rB:!0,c:[e.TM]},s={cN:"function",bK:"function constructor destructor procedure",e:/[:;]/,k:"function constructor|10 destructor|10 procedure|10",c:[e.TM,{cN:"params",b:/\(/,e:/\)/,k:t,c:[i,n,a].concat(r)},a].concat(r)};return{aliases:["dpr","dfm","pas","pascal","freepascal","lazarus","lpr","lfm"],cI:!0,k:t,i:/"|\$[G-Zg-z]|\/\*|<\/|\|/,c:[i,n,e.NM,o,s,a].concat(r)}}),e.registerLanguage("diff",function(e){return{aliases:["patch"],c:[{cN:"meta",r:10,v:[{b:/^@@ +\-\d+,\d+ +\+\d+,\d+ +@@$/},{b:/^\*\*\* +\d+,\d+ +\*\*\*\*$/},{b:/^\-\-\- +\d+,\d+ +\-\-\-\-$/}]},{cN:"comment",v:[{b:/Index: /,e:/$/},{b:/={3,}/,e:/$/},{b:/^\-{3}/,e:/$/},{b:/^\*{3} /,e:/$/},{b:/^\+{3}/,e:/$/},{b:/\*{5}/,e:/\*{5}$/}]},{cN:"addition",b:"^\\+",e:"$"},{cN:"deletion",b:"^\\-",e:"$"},{cN:"addition",b:"^\\!",e:"$"}]}}),e.registerLanguage("django",function(e){var t={b:/\|[A-Za-z]+:?/,k:{name:"truncatewords removetags linebreaksbr yesno get_digit timesince random striptags filesizeformat escape linebreaks length_is ljust rjust cut urlize fix_ampersands title floatformat capfirst pprint divisibleby add make_list unordered_list urlencode timeuntil urlizetrunc wordcount stringformat linenumbers slice date dictsort dictsortreversed default_if_none pluralize lower join center default truncatewords_html upper length phone2numeric wordwrap time addslashes slugify first escapejs force_escape iriencode last safe safeseq truncatechars localize unlocalize localtime utc timezone"},c:[e.QSM,e.ASM]};return{aliases:["jinja"],cI:!0,sL:"xml",c:[e.C(/\{%\s*comment\s*%}/,/\{%\s*endcomment\s*%}/),e.C(/\{#/,/#}/),{cN:"template-tag",b:/\{%/,e:/%}/,c:[{cN:"name",b:/\w+/,k:{name:"comment endcomment load templatetag ifchanged endifchanged if endif firstof for endfor ifnotequal endifnotequal widthratio extends include spaceless endspaceless regroup ifequal endifequal ssi now with cycle url filter endfilter debug block endblock else autoescape endautoescape csrf_token empty elif endwith static trans blocktrans endblocktrans get_static_prefix get_media_prefix plural get_current_language language get_available_languages get_current_language_bidi get_language_info get_language_info_list localize endlocalize localtime endlocaltime timezone endtimezone get_current_timezone verbatim"},starts:{eW:!0,k:"in by as",c:[t],r:0}}]},{cN:"template-variable",b:/\{\{/,e:/}}/,c:[t]}]}}),e.registerLanguage("dns",function(e){return{aliases:["bind","zone"],k:{keyword:"IN A AAAA AFSDB APL CAA CDNSKEY CDS CERT CNAME DHCID DLV DNAME DNSKEY DS HIP IPSECKEY KEY KX LOC MX NAPTR NS NSEC NSEC3 NSEC3PARAM PTR RRSIG RP SIG SOA SRV SSHFP TA TKEY TLSA TSIG TXT"},c:[e.C(";","$",{r:0}),{cN:"meta",b:/^\$(TTL|GENERATE|INCLUDE|ORIGIN)\b/},{cN:"number",b:"((([0-9A-Fa-f]{1,4}:){7}([0-9A-Fa-f]{1,4}|:))|(([0-9A-Fa-f]{1,4}:){6}(:[0-9A-Fa-f]{1,4}|((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3})|:))|(([0-9A-Fa-f]{1,4}:){5}(((:[0-9A-Fa-f]{1,4}){1,2})|:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3})|:))|(([0-9A-Fa-f]{1,4}:){4}(((:[0-9A-Fa-f]{1,4}){1,3})|((:[0-9A-Fa-f]{1,4})?:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){3}(((:[0-9A-Fa-f]{1,4}){1,4})|((:[0-9A-Fa-f]{1,4}){0,2}:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){2}(((:[0-9A-Fa-f]{1,4}){1,5})|((:[0-9A-Fa-f]{1,4}){0,3}:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){1}(((:[0-9A-Fa-f]{1,4}){1,6})|((:[0-9A-Fa-f]{1,4}){0,4}:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3}))|:))|(:(((:[0-9A-Fa-f]{1,4}){1,7})|((:[0-9A-Fa-f]{1,4}){0,5}:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3}))|:)))\\b"},{cN:"number",b:"((25[0-5]|(2[0-4]|1{0,1}[0-9]){0,1}[0-9]).){3,3}(25[0-5]|(2[0-4]|1{0,1}[0-9]){0,1}[0-9])\\b"},e.inherit(e.NM,{b:/\b\d+[dhwm]?/})]}}),e.registerLanguage("dockerfile",function(e){return{aliases:["docker"],cI:!0,k:"from maintainer expose env arg user onbuild stopsignal",c:[e.HCM,e.ASM,e.QSM,e.NM,{bK:"run cmd entrypoint volume add copy workdir label healthcheck shell",starts:{e:/[^\\]\n/,sL:"bash"}}],i:"", -i:"\\n"}]},t,e.CLCM,e.CBCM]},i={cN:"variable",b:"\\&[a-z\\d_]*\\b"},n={cN:"meta-keyword",b:"/[a-z][a-z\\d-]*/"},o={cN:"symbol",b:"^\\s*[a-zA-Z_][a-zA-Z\\d_]*:"},s={cN:"params",b:"<",e:">",c:[r,i]},l={cN:"class",b:/[a-zA-Z_][a-zA-Z\d_@]*\s{/,e:/[{;=]/,rB:!0,eE:!0},c={cN:"class",b:"/\\s*{",e:"};",r:10,c:[i,n,o,l,s,e.CLCM,e.CBCM,r,t]};return{k:"",c:[c,i,n,o,l,s,e.CLCM,e.CBCM,r,t,a,{b:e.IR+"::",k:""}]}}),e.registerLanguage("dust",function(e){var t="if eq ne lt lte gt gte select default math sep";return{aliases:["dst"],cI:!0,sL:"xml",c:[{cN:"template-tag",b:/\{[#\/]/,e:/\}/,i:/;/,c:[{cN:"name",b:/[a-zA-Z\.-]+/,starts:{eW:!0,r:0,c:[e.QSM]}}]},{cN:"template-variable",b:/\{/,e:/\}/,i:/;/,k:t}]}}),e.registerLanguage("ebnf",function(e){var t=e.C(/\(\*/,/\*\)/),r={cN:"attribute",b:/^[ ]*[a-zA-Z][a-zA-Z-]*([\s-]+[a-zA-Z][a-zA-Z]*)*/},a={cN:"meta",b:/\?.*\?/},i={b:/=/,e:/;/,c:[t,a,e.ASM,e.QSM]};return{i:/\S/,c:[t,r,i]}}),e.registerLanguage("elixir",function(e){var t="[a-zA-Z_][a-zA-Z0-9_]*(\\!|\\?)?",r="[a-zA-Z_]\\w*[!?=]?|[-+~]\\@|<<|>>|=~|===?|<=>|[<>]=?|\\*\\*|[-/+%^&*~`|]|\\[\\]=?",a="and false then defined module in return redo retry end for true self when next until do begin unless nil break not case cond alias while ensure or include use alias fn quote",i={cN:"subst",b:"#\\{",e:"}",l:t,k:a},n={cN:"string",c:[e.BE,i],v:[{b:/'/,e:/'/},{b:/"/,e:/"/}]},o={cN:"function",bK:"def defp defmacro",e:/\B\b/,c:[e.inherit(e.TM,{b:t,endsParent:!0})]},s=e.inherit(o,{cN:"class",bK:"defimpl defmodule defprotocol defrecord",e:/\bdo\b|$|;/}),l=[n,e.HCM,s,o,{cN:"symbol",b:":(?!\\s)",c:[n,{b:r}],r:0},{cN:"symbol",b:t+":",r:0},{cN:"number",b:"(\\b0[0-7_]+)|(\\b0x[0-9a-fA-F_]+)|(\\b[1-9][0-9_]*(\\.[0-9_]+)?)|[0_]\\b",r:0},{cN:"variable",b:"(\\$\\W)|((\\$|\\@\\@?)(\\w+))"},{b:"->"},{b:"("+e.RSR+")\\s*",c:[e.HCM,{cN:"regexp",i:"\\n",c:[e.BE,i],v:[{b:"/",e:"/[a-z]*"},{b:"%r\\[",e:"\\][a-z]*"}]}],r:0}];return i.c=l,{l:t,k:a,c:l}}),e.registerLanguage("elm",function(e){var t={v:[e.C("--","$"),e.C("{-","-}",{c:["self"]})]},r={cN:"type",b:"\\b[A-Z][\\w']*",r:0},a={b:"\\(",e:"\\)",i:'"',c:[{cN:"type",b:"\\b[A-Z][\\w]*(\\((\\.\\.|,|\\w+)\\))?"},t]},i={b:"{",e:"}",c:a.c};return{k:"let in if then else case of where module import exposing type alias as infix infixl infixr port effect command subscription",c:[{bK:"port effect module",e:"exposing",k:"port effect module where command subscription exposing",c:[a,t],i:"\\W\\.|;"},{b:"import",e:"$",k:"import as exposing",c:[a,t],i:"\\W\\.|;"},{b:"type",e:"$",k:"type alias",c:[r,a,i,t]},{bK:"infix infixl infixr",e:"$",c:[e.CNM,t]},{b:"port",e:"$",k:"port",c:[t]},e.QSM,e.CNM,r,e.inherit(e.TM,{b:"^[_a-z][\\w']*"}),t,{b:"->|<-"}],i:/;/}}),e.registerLanguage("ruby",function(e){var t="[a-zA-Z_]\\w*[!?=]?|[-+~]\\@|<<|>>|=~|===?|<=>|[<>]=?|\\*\\*|[-/+%^&*~`|]|\\[\\]=?",r={keyword:"and then defined module in return redo if BEGIN retry end for self when next until do begin unless END rescue else break undef not super class case require yield alias while ensure elsif or include attr_reader attr_writer attr_accessor",literal:"true false nil"},a={cN:"doctag",b:"@[A-Za-z]+"},i={b:"#<",e:">"},n=[e.C("#","$",{c:[a]}),e.C("^\\=begin","^\\=end",{c:[a],r:10}),e.C("^__END__","\\n$")],o={cN:"subst",b:"#\\{",e:"}",k:r},s={cN:"string",c:[e.BE,o],v:[{b:/'/,e:/'/},{b:/"/,e:/"/},{b:/`/,e:/`/},{b:"%[qQwWx]?\\(",e:"\\)"},{b:"%[qQwWx]?\\[",e:"\\]"},{b:"%[qQwWx]?{",e:"}"},{b:"%[qQwWx]?<",e:">"},{b:"%[qQwWx]?/",e:"/"},{b:"%[qQwWx]?%",e:"%"},{b:"%[qQwWx]?-",e:"-"},{b:"%[qQwWx]?\\|",e:"\\|"},{b:/\B\?(\\\d{1,3}|\\x[A-Fa-f0-9]{1,2}|\\u[A-Fa-f0-9]{4}|\\?\S)\b/},{b:/<<(-?)\w+$/,e:/^\s*\w+$/}]},l={cN:"params",b:"\\(",e:"\\)",endsParent:!0,k:r},c=[s,i,{cN:"class",bK:"class module",e:"$|;",i:/=/,c:[e.inherit(e.TM,{b:"[A-Za-z_]\\w*(::\\w+)*(\\?|\\!)?"}),{b:"<\\s*",c:[{b:"("+e.IR+"::)?"+e.IR}]}].concat(n)},{cN:"function",bK:"def",e:"$|;",c:[e.inherit(e.TM,{b:t}),l].concat(n)},{b:e.IR+"::"},{cN:"symbol",b:e.UIR+"(\\!|\\?)?:",r:0},{cN:"symbol",b:":(?!\\s)",c:[s,{b:t}],r:0},{cN:"number",b:"(\\b0[0-7_]+)|(\\b0x[0-9a-fA-F_]+)|(\\b[1-9][0-9_]*(\\.[0-9_]+)?)|[0_]\\b",r:0},{b:"(\\$\\W)|((\\$|\\@\\@?)(\\w+))"},{cN:"params",b:/\|/,e:/\|/,k:r},{b:"("+e.RSR+"|unless)\\s*",k:"unless",c:[i,{cN:"regexp",c:[e.BE,o],i:/\n/,v:[{b:"/",e:"/[a-z]*"},{b:"%r{",e:"}[a-z]*"},{b:"%r\\(",e:"\\)[a-z]*"},{b:"%r!",e:"![a-z]*"},{b:"%r\\[",e:"\\][a-z]*"}]}].concat(n),r:0}].concat(n);o.c=c,l.c=c;var d="[>?]>",p="[\\w#]+\\(\\w+\\):\\d+:\\d+>",m="(\\w+-)?\\d+\\.\\d+\\.\\d(p\\d+)?[^>]+>",u=[{b:/^\s*=>/,starts:{e:"$",c:c}},{cN:"meta",b:"^("+d+"|"+p+"|"+m+")",starts:{e:"$",c:c}}];return{aliases:["rb","gemspec","podspec","thor","irb"],k:r,i:/\/\*/,c:n.concat(u).concat(c)}}),e.registerLanguage("erb",function(e){return{sL:"xml",c:[e.C("<%#","%>"),{b:"<%[%=-]?",e:"[%-]?%>",sL:"ruby",eB:!0,eE:!0}]}}),e.registerLanguage("erlang-repl",function(e){return{k:{built_in:"spawn spawn_link self",keyword:"after and andalso|10 band begin bnot bor bsl bsr bxor case catch cond div end fun if let not of or orelse|10 query receive rem try when xor"},c:[{cN:"meta",b:"^[0-9]+> ",r:10},e.C("%","$"),{cN:"number",b:"\\b(\\d+#[a-fA-F0-9]+|\\d+(\\.\\d+)?([eE][-+]?\\d+)?)",r:0},e.ASM,e.QSM,{b:"\\?(::)?([A-Z]\\w*(::)?)+"},{b:"->"},{b:"ok"},{b:"!"},{b:"(\\b[a-z'][a-zA-Z0-9_']*:[a-z'][a-zA-Z0-9_']*)|(\\b[a-z'][a-zA-Z0-9_']*)",r:0},{b:"[A-Z][a-zA-Z0-9_']*",r:0}]}}),e.registerLanguage("erlang",function(e){var t="[a-z'][a-zA-Z0-9_']*",r="("+t+":"+t+"|"+t+")",a={keyword:"after and andalso|10 band begin bnot bor bsl bzr bxor case catch cond div end fun if let not of orelse|10 query receive rem try when xor",literal:"false true"},i=e.C("%","$"),n={cN:"number",b:"\\b(\\d+#[a-fA-F0-9]+|\\d+(\\.\\d+)?([eE][-+]?\\d+)?)",r:0},o={b:"fun\\s+"+t+"/\\d+"},s={b:r+"\\(",e:"\\)",rB:!0,r:0,c:[{b:r,r:0},{b:"\\(",e:"\\)",eW:!0,rE:!0,r:0}]},l={b:"{",e:"}",r:0},c={b:"\\b_([A-Z][A-Za-z0-9_]*)?",r:0},d={b:"[A-Z][a-zA-Z0-9_]*",r:0},p={b:"#"+e.UIR,r:0,rB:!0,c:[{b:"#"+e.UIR,r:0},{b:"{",e:"}",r:0}]},m={bK:"fun receive if try case",e:"end",k:a};m.c=[i,o,e.inherit(e.ASM,{cN:""}),m,s,e.QSM,n,l,c,d,p];var u=[i,o,m,s,e.QSM,n,l,c,d,p];s.c[1].c=u,l.c=u,p.c[1].c=u;var b={cN:"params",b:"\\(",e:"\\)",c:u};return{aliases:["erl"],k:a,i:"(",rB:!0,i:"\\(|#|//|/\\*|\\\\|:|;",c:[b,e.inherit(e.TM,{b:t})],starts:{e:";|\\.",k:a,c:u}},i,{b:"^-",e:"\\.",r:0,eE:!0,rB:!0,l:"-"+e.IR,k:"-module -record -undef -export -ifdef -ifndef -author -copyright -doc -vsn -import -include -include_lib -compile -define -else -endif -file -behaviour -behavior -spec",c:[b]},n,e.QSM,p,c,d,l,{b:/\.$/}]}}),e.registerLanguage("excel",function(e){return{aliases:["xlsx","xls"],cI:!0,l:/[a-zA-Z][\w\.]*/,k:{built_in:"ABS ACCRINT ACCRINTM ACOS ACOSH ACOT ACOTH AGGREGATE ADDRESS AMORDEGRC AMORLINC AND ARABIC AREAS ASC ASIN ASINH ATAN ATAN2 ATANH AVEDEV AVERAGE AVERAGEA AVERAGEIF AVERAGEIFS BAHTTEXT BASE BESSELI BESSELJ BESSELK BESSELY BETADIST BETA.DIST BETAINV BETA.INV BIN2DEC BIN2HEX BIN2OCT BINOMDIST BINOM.DIST BINOM.DIST.RANGE BINOM.INV BITAND BITLSHIFT BITOR BITRSHIFT BITXOR CALL CEILING CEILING.MATH CEILING.PRECISE CELL CHAR CHIDIST CHIINV CHITEST CHISQ.DIST CHISQ.DIST.RT CHISQ.INV CHISQ.INV.RT CHISQ.TEST CHOOSE CLEAN CODE COLUMN COLUMNS COMBIN COMBINA COMPLEX CONCAT CONCATENATE CONFIDENCE CONFIDENCE.NORM CONFIDENCE.T CONVERT CORREL COS COSH COT COTH COUNT COUNTA COUNTBLANK COUNTIF COUNTIFS COUPDAYBS COUPDAYS COUPDAYSNC COUPNCD COUPNUM COUPPCD COVAR COVARIANCE.P COVARIANCE.S CRITBINOM CSC CSCH CUBEKPIMEMBER CUBEMEMBER CUBEMEMBERPROPERTY CUBERANKEDMEMBER CUBESET CUBESETCOUNT CUBEVALUE CUMIPMT CUMPRINC DATE DATEDIF DATEVALUE DAVERAGE DAY DAYS DAYS360 DB DBCS DCOUNT DCOUNTA DDB DEC2BIN DEC2HEX DEC2OCT DECIMAL DEGREES DELTA DEVSQ DGET DISC DMAX DMIN DOLLAR DOLLARDE DOLLARFR DPRODUCT DSTDEV DSTDEVP DSUM DURATION DVAR DVARP EDATE EFFECT ENCODEURL EOMONTH ERF ERF.PRECISE ERFC ERFC.PRECISE ERROR.TYPE EUROCONVERT EVEN EXACT EXP EXPON.DIST EXPONDIST FACT FACTDOUBLE FALSE|0 F.DIST FDIST F.DIST.RT FILTERXML FIND FINDB F.INV F.INV.RT FINV FISHER FISHERINV FIXED FLOOR FLOOR.MATH FLOOR.PRECISE FORECAST FORECAST.ETS FORECAST.ETS.CONFINT FORECAST.ETS.SEASONALITY FORECAST.ETS.STAT FORECAST.LINEAR FORMULATEXT FREQUENCY F.TEST FTEST FV FVSCHEDULE GAMMA GAMMA.DIST GAMMADIST GAMMA.INV GAMMAINV GAMMALN GAMMALN.PRECISE GAUSS GCD GEOMEAN GESTEP GETPIVOTDATA GROWTH HARMEAN HEX2BIN HEX2DEC HEX2OCT HLOOKUP HOUR HYPERLINK HYPGEOM.DIST HYPGEOMDIST IF|0 IFERROR IFNA IFS IMABS IMAGINARY IMARGUMENT IMCONJUGATE IMCOS IMCOSH IMCOT IMCSC IMCSCH IMDIV IMEXP IMLN IMLOG10 IMLOG2 IMPOWER IMPRODUCT IMREAL IMSEC IMSECH IMSIN IMSINH IMSQRT IMSUB IMSUM IMTAN INDEX INDIRECT INFO INT INTERCEPT INTRATE IPMT IRR ISBLANK ISERR ISERROR ISEVEN ISFORMULA ISLOGICAL ISNA ISNONTEXT ISNUMBER ISODD ISREF ISTEXT ISO.CEILING ISOWEEKNUM ISPMT JIS KURT LARGE LCM LEFT LEFTB LEN LENB LINEST LN LOG LOG10 LOGEST LOGINV LOGNORM.DIST LOGNORMDIST LOGNORM.INV LOOKUP LOWER MATCH MAX MAXA MAXIFS MDETERM MDURATION MEDIAN MID MIDBs MIN MINIFS MINA MINUTE MINVERSE MIRR MMULT MOD MODE MODE.MULT MODE.SNGL MONTH MROUND MULTINOMIAL MUNIT N NA NEGBINOM.DIST NEGBINOMDIST NETWORKDAYS NETWORKDAYS.INTL NOMINAL NORM.DIST NORMDIST NORMINV NORM.INV NORM.S.DIST NORMSDIST NORM.S.INV NORMSINV NOT NOW NPER NPV NUMBERVALUE OCT2BIN OCT2DEC OCT2HEX ODD ODDFPRICE ODDFYIELD ODDLPRICE ODDLYIELD OFFSET OR PDURATION PEARSON PERCENTILE.EXC PERCENTILE.INC PERCENTILE PERCENTRANK.EXC PERCENTRANK.INC PERCENTRANK PERMUT PERMUTATIONA PHI PHONETIC PI PMT POISSON.DIST POISSON POWER PPMT PRICE PRICEDISC PRICEMAT PROB PRODUCT PROPER PV QUARTILE QUARTILE.EXC QUARTILE.INC QUOTIENT RADIANS RAND RANDBETWEEN RANK.AVG RANK.EQ RANK RATE RECEIVED REGISTER.ID REPLACE REPLACEB REPT RIGHT RIGHTB ROMAN ROUND ROUNDDOWN ROUNDUP ROW ROWS RRI RSQ RTD SEARCH SEARCHB SEC SECH SECOND SERIESSUM SHEET SHEETS SIGN SIN SINH SKEW SKEW.P SLN SLOPE SMALL SQL.REQUEST SQRT SQRTPI STANDARDIZE STDEV STDEV.P STDEV.S STDEVA STDEVP STDEVPA STEYX SUBSTITUTE SUBTOTAL SUM SUMIF SUMIFS SUMPRODUCT SUMSQ SUMX2MY2 SUMX2PY2 SUMXMY2 SWITCH SYD T TAN TANH TBILLEQ TBILLPRICE TBILLYIELD T.DIST T.DIST.2T T.DIST.RT TDIST TEXT TEXTJOIN TIME TIMEVALUE T.INV T.INV.2T TINV TODAY TRANSPOSE TREND TRIM TRIMMEAN TRUE|0 TRUNC T.TEST TTEST TYPE UNICHAR UNICODE UPPER VALUE VAR VAR.P VAR.S VARA VARP VARPA VDB VLOOKUP WEBSERVICE WEEKDAY WEEKNUM WEIBULL WEIBULL.DIST WORKDAY WORKDAY.INTL XIRR XNPV XOR YEAR YEARFRAC YIELD YIELDDISC YIELDMAT Z.TEST ZTEST"},c:[{b:/^=/,e:/[^=]/,rE:!0,i:/=/,r:10},{cN:"symbol",b:/\b[A-Z]{1,2}\d+\b/,e:/[^\d]/,eE:!0,r:0},{cN:"symbol",b:/[A-Z]{0,2}\d*:[A-Z]{0,2}\d*/,r:0},e.BE,e.QSM,{cN:"number",b:e.NR+"(%)?",r:0},e.C(/\bN\(/,/\)/,{eB:!0,eE:!0,i:/\n/})]}}),e.registerLanguage("fix",function(e){return{c:[{b:/[^\u2401\u0001]+/,e:/[\u2401\u0001]/,eE:!0,rB:!0,rE:!1,c:[{b:/([^\u2401\u0001=]+)/,e:/=([^\u2401\u0001=]+)/,rE:!0,rB:!1,cN:"attr"},{b:/=/,e:/([\u2401\u0001])/,eE:!0,eB:!0,cN:"string"}]}],cI:!0}}),e.registerLanguage("flix",function(e){var t={cN:"string",b:/'(.|\\[xXuU][a-zA-Z0-9]+)'/},r={cN:"string",v:[{b:'"',e:'"'}]},a={cN:"title",b:/[^0-9\n\t "'(),.`{}\[\]:;][^\n\t "'(),.`{}\[\]:;]+|[^0-9\n\t "'(),.`{}\[\]:;=]/},i={cN:"function",bK:"def",e:/[:={\[(\n;]/,eE:!0,c:[a]};return{k:{literal:"true false",keyword:"case class def else enum if impl import in lat rel index let match namespace switch type yield with"},c:[e.CLCM,e.CBCM,t,r,i,e.CNM]}}),e.registerLanguage("fortran",function(e){var t={cN:"params",b:"\\(",e:"\\)"},r={literal:".False. .True.",keyword:"kind do while private call intrinsic where elsewhere type endtype endmodule endselect endinterface end enddo endif if forall endforall only contains default return stop then public subroutine|10 function program .and. .or. .not. .le. .eq. .ge. .gt. .lt. goto save else use module select case access blank direct exist file fmt form formatted iostat name named nextrec number opened rec recl sequential status unformatted unit continue format pause cycle exit c_null_char c_alert c_backspace c_form_feed flush wait decimal round iomsg synchronous nopass non_overridable pass protected volatile abstract extends import non_intrinsic value deferred generic final enumerator class associate bind enum c_int c_short c_long c_long_long c_signed_char c_size_t c_int8_t c_int16_t c_int32_t c_int64_t c_int_least8_t c_int_least16_t c_int_least32_t c_int_least64_t c_int_fast8_t c_int_fast16_t c_int_fast32_t c_int_fast64_t c_intmax_t C_intptr_t c_float c_double c_long_double c_float_complex c_double_complex c_long_double_complex c_bool c_char c_null_ptr c_null_funptr c_new_line c_carriage_return c_horizontal_tab c_vertical_tab iso_c_binding c_loc c_funloc c_associated c_f_pointer c_ptr c_funptr iso_fortran_env character_storage_size error_unit file_storage_size input_unit iostat_end iostat_eor numeric_storage_size output_unit c_f_procpointer ieee_arithmetic ieee_support_underflow_control ieee_get_underflow_mode ieee_set_underflow_mode newunit contiguous recursive pad position action delim readwrite eor advance nml interface procedure namelist include sequence elemental pure integer real character complex logical dimension allocatable|10 parameter external implicit|10 none double precision assign intent optional pointer target in out common equivalence data",built_in:"alog alog10 amax0 amax1 amin0 amin1 amod cabs ccos cexp clog csin csqrt dabs dacos dasin datan datan2 dcos dcosh ddim dexp dint dlog dlog10 dmax1 dmin1 dmod dnint dsign dsin dsinh dsqrt dtan dtanh float iabs idim idint idnint ifix isign max0 max1 min0 min1 sngl algama cdabs cdcos cdexp cdlog cdsin cdsqrt cqabs cqcos cqexp cqlog cqsin cqsqrt dcmplx dconjg derf derfc dfloat dgamma dimag dlgama iqint qabs qacos qasin qatan qatan2 qcmplx qconjg qcos qcosh qdim qerf qerfc qexp qgamma qimag qlgama qlog qlog10 qmax1 qmin1 qmod qnint qsign qsin qsinh qsqrt qtan qtanh abs acos aimag aint anint asin atan atan2 char cmplx conjg cos cosh exp ichar index int log log10 max min nint sign sin sinh sqrt tan tanh print write dim lge lgt lle llt mod nullify allocate deallocate adjustl adjustr all allocated any associated bit_size btest ceiling count cshift date_and_time digits dot_product eoshift epsilon exponent floor fraction huge iand ibclr ibits ibset ieor ior ishft ishftc lbound len_trim matmul maxexponent maxloc maxval merge minexponent minloc minval modulo mvbits nearest pack present product radix random_number random_seed range repeat reshape rrspacing scale scan selected_int_kind selected_real_kind set_exponent shape size spacing spread sum system_clock tiny transpose trim ubound unpack verify achar iachar transfer dble entry dprod cpu_time command_argument_count get_command get_command_argument get_environment_variable is_iostat_end ieee_arithmetic ieee_support_underflow_control ieee_get_underflow_mode ieee_set_underflow_mode is_iostat_eor move_alloc new_line selected_char_kind same_type_as extends_type_ofacosh asinh atanh bessel_j0 bessel_j1 bessel_jn bessel_y0 bessel_y1 bessel_yn erf erfc erfc_scaled gamma log_gamma hypot norm2 atomic_define atomic_ref execute_command_line leadz trailz storage_size merge_bits bge bgt ble blt dshiftl dshiftr findloc iall iany iparity image_index lcobound ucobound maskl maskr num_images parity popcnt poppar shifta shiftl shiftr this_image"};return{cI:!0,aliases:["f90","f95"],k:r,i:/\/\*/,c:[e.inherit(e.ASM,{cN:"string",r:0}),e.inherit(e.QSM,{cN:"string",r:0}),{cN:"function",bK:"subroutine function program",i:"[${=\\n]",c:[e.UTM,t]},e.C("!","$",{r:0}),{cN:"number",b:"(?=\\b|\\+|\\-|\\.)(?=\\.\\d|\\d)(?:\\d+)?(?:\\.?\\d*)(?:[de][+-]?\\d+)?\\b\\.?",r:0}]}}),e.registerLanguage("fsharp",function(e){var t={b:"<",e:">",c:[e.inherit(e.TM,{b:/'[a-zA-Z0-9_]+/})]};return{aliases:["fs"],k:"abstract and as assert base begin class default delegate do done downcast downto elif else end exception extern false finally for fun function global if in inherit inline interface internal lazy let match member module mutable namespace new null of open or override private public rec return sig static struct then to true try type upcast use val void when while with yield",i:/\/\*/,c:[{cN:"keyword",b:/\b(yield|return|let|do)!/},{cN:"string",b:'@"',e:'"',c:[{b:'""'}]},{cN:"string",b:'"""',e:'"""'},e.C("\\(\\*","\\*\\)"),{cN:"class",bK:"type",e:"\\(|=|$",eE:!0,c:[e.UTM,t]},{cN:"meta",b:"\\[<",e:">\\]",r:10},{cN:"symbol",b:"\\B('[A-Za-z])\\b",c:[e.BE]},e.CLCM,e.inherit(e.QSM,{i:null}),e.CNM]}}),e.registerLanguage("gams",function(e){var t={keyword:"abort acronym acronyms alias all and assign binary card diag display else eq file files for free ge gt if integer le loop lt maximizing minimizing model models ne negative no not option options or ord positive prod put putpage puttl repeat sameas semicont semiint smax smin solve sos1 sos2 sum system table then until using while xor yes",literal:"eps inf na","built-in":"abs arccos arcsin arctan arctan2 Beta betaReg binomial ceil centropy cos cosh cvPower div div0 eDist entropy errorf execSeed exp fact floor frac gamma gammaReg log logBeta logGamma log10 log2 mapVal max min mod ncpCM ncpF ncpVUpow ncpVUsin normal pi poly power randBinomial randLinear randTriangle round rPower sigmoid sign signPower sin sinh slexp sllog10 slrec sqexp sqlog10 sqr sqrec sqrt tan tanh trunc uniform uniformInt vcPower bool_and bool_eqv bool_imp bool_not bool_or bool_xor ifThen rel_eq rel_ge rel_gt rel_le rel_lt rel_ne gday gdow ghour gleap gmillisec gminute gmonth gsecond gyear jdate jnow jstart jtime errorLevel execError gamsRelease gamsVersion handleCollect handleDelete handleStatus handleSubmit heapFree heapLimit heapSize jobHandle jobKill jobStatus jobTerminate licenseLevel licenseStatus maxExecError sleep timeClose timeComp timeElapsed timeExec timeStart"},r={cN:"params",b:/\(/,e:/\)/,eB:!0,eE:!0},a={cN:"symbol",v:[{b:/\=[lgenxc]=/},{b:/\$/}]},i={cN:"comment",v:[{b:"'",e:"'"},{b:'"',e:'"'}],i:"\\n",c:[e.BE]},n={b:"/",e:"/",k:t,c:[i,e.CLCM,e.CBCM,e.QSM,e.ASM,e.CNM]},o={b:/[a-z][a-z0-9_]*(\([a-z0-9_, ]*\))?[ \t]+/,eB:!0,e:"$",eW:!0,c:[i,n,{cN:"comment",b:/([ ]*[a-z0-9&#*=?@>\\<:\-,()$\[\]_.{}!+%^]+)+/,r:0}]};return{aliases:["gms"],cI:!0,k:t,c:[e.C(/^\$ontext/,/^\$offtext/),{cN:"meta",b:"^\\$[a-z0-9]+",e:"$",rB:!0,c:[{cN:"meta-keyword",b:"^\\$[a-z0-9]+"}]},e.C("^\\*","$"),e.CLCM,e.CBCM,e.QSM,e.ASM,{bK:"set sets parameter parameters variable variables scalar scalars equation equations",e:";",c:[e.C("^\\*","$"),e.CLCM,e.CBCM,e.QSM,e.ASM,n,o]},{bK:"table",e:";",rB:!0,c:[{bK:"table",e:"$",c:[o]},e.C("^\\*","$"),e.CLCM,e.CBCM,e.QSM,e.ASM,e.CNM]},{cN:"function",b:/^[a-z][a-z0-9_,\-+' ()$]+\.{2}/,rB:!0,c:[{cN:"title",b:/^[a-z0-9_]+/},r,a]},e.CNM,a]}}),e.registerLanguage("gauss",function(e){var t={keyword:"and bool break call callexe checkinterrupt clear clearg closeall cls comlog compile continue create debug declare delete disable dlibrary dllcall do dos ed edit else elseif enable end endfor endif endp endo errorlog errorlogat expr external fn for format goto gosub graph if keyword let lib library line load loadarray loadexe loadf loadk loadm loadp loads loadx local locate loopnextindex lprint lpwidth lshow matrix msym ndpclex new not open or output outwidth plot plotsym pop prcsn print printdos proc push retp return rndcon rndmod rndmult rndseed run save saveall screen scroll setarray show sparse stop string struct system trace trap threadfor threadendfor threadbegin threadjoin threadstat threadend until use while winprint",built_in:"abs acf aconcat aeye amax amean AmericanBinomCall AmericanBinomCall_Greeks AmericanBinomCall_ImpVol AmericanBinomPut AmericanBinomPut_Greeks AmericanBinomPut_ImpVol AmericanBSCall AmericanBSCall_Greeks AmericanBSCall_ImpVol AmericanBSPut AmericanBSPut_Greeks AmericanBSPut_ImpVol amin amult annotationGetDefaults annotationSetBkd annotationSetFont annotationSetLineColor annotationSetLineStyle annotationSetLineThickness annualTradingDays arccos arcsin areshape arrayalloc arrayindex arrayinit arraytomat asciiload asclabel astd astds asum atan atan2 atranspose axmargin balance band bandchol bandcholsol bandltsol bandrv bandsolpd bar base10 begwind besselj bessely beta box boxcox cdfBeta cdfBetaInv cdfBinomial cdfBinomialInv cdfBvn cdfBvn2 cdfBvn2e cdfCauchy cdfCauchyInv cdfChic cdfChii cdfChinc cdfChincInv cdfExp cdfExpInv cdfFc cdfFnc cdfFncInv cdfGam cdfGenPareto cdfHyperGeo cdfLaplace cdfLaplaceInv cdfLogistic cdfLogisticInv cdfmControlCreate cdfMvn cdfMvn2e cdfMvnce cdfMvne cdfMvt2e cdfMvtce cdfMvte cdfN cdfN2 cdfNc cdfNegBinomial cdfNegBinomialInv cdfNi cdfPoisson cdfPoissonInv cdfRayleigh cdfRayleighInv cdfTc cdfTci cdfTnc cdfTvn cdfWeibull cdfWeibullInv cdir ceil ChangeDir chdir chiBarSquare chol choldn cholsol cholup chrs close code cols colsf combinate combinated complex con cond conj cons ConScore contour conv convertsatostr convertstrtosa corrm corrms corrvc corrx corrxs cos cosh counts countwts crossprd crout croutp csrcol csrlin csvReadM csvReadSA cumprodc cumsumc curve cvtos datacreate datacreatecomplex datalist dataload dataloop dataopen datasave date datestr datestring datestrymd dayinyr dayofweek dbAddDatabase dbClose dbCommit dbCreateQuery dbExecQuery dbGetConnectOptions dbGetDatabaseName dbGetDriverName dbGetDrivers dbGetHostName dbGetLastErrorNum dbGetLastErrorText dbGetNumericalPrecPolicy dbGetPassword dbGetPort dbGetTableHeaders dbGetTables dbGetUserName dbHasFeature dbIsDriverAvailable dbIsOpen dbIsOpenError dbOpen dbQueryBindValue dbQueryClear dbQueryCols dbQueryExecPrepared dbQueryFetchAllM dbQueryFetchAllSA dbQueryFetchOneM dbQueryFetchOneSA dbQueryFinish dbQueryGetBoundValue dbQueryGetBoundValues dbQueryGetField dbQueryGetLastErrorNum dbQueryGetLastErrorText dbQueryGetLastInsertID dbQueryGetLastQuery dbQueryGetPosition dbQueryIsActive dbQueryIsForwardOnly dbQueryIsNull dbQueryIsSelect dbQueryIsValid dbQueryPrepare dbQueryRows dbQuerySeek dbQuerySeekFirst dbQuerySeekLast dbQuerySeekNext dbQuerySeekPrevious dbQuerySetForwardOnly dbRemoveDatabase dbRollback dbSetConnectOptions dbSetDatabaseName dbSetHostName dbSetNumericalPrecPolicy dbSetPort dbSetUserName dbTransaction DeleteFile delif delrows denseToSp denseToSpRE denToZero design det detl dfft dffti diag diagrv digamma doswin DOSWinCloseall DOSWinOpen dotfeq dotfeqmt dotfge dotfgemt dotfgt dotfgtmt dotfle dotflemt dotflt dotfltmt dotfne dotfnemt draw drop dsCreate dstat dstatmt dstatmtControlCreate dtdate dtday dttime dttodtv dttostr dttoutc dtvnormal dtvtodt dtvtoutc dummy dummybr dummydn eig eigh eighv eigv elapsedTradingDays endwind envget eof eqSolve eqSolvemt eqSolvemtControlCreate eqSolvemtOutCreate eqSolveset erf erfc erfccplx erfcplx error etdays ethsec etstr EuropeanBinomCall EuropeanBinomCall_Greeks EuropeanBinomCall_ImpVol EuropeanBinomPut EuropeanBinomPut_Greeks EuropeanBinomPut_ImpVol EuropeanBSCall EuropeanBSCall_Greeks EuropeanBSCall_ImpVol EuropeanBSPut EuropeanBSPut_Greeks EuropeanBSPut_ImpVol exctsmpl exec execbg exp extern eye fcheckerr fclearerr feq feqmt fflush fft ffti fftm fftmi fftn fge fgemt fgets fgetsa fgetsat fgetst fgt fgtmt fileinfo filesa fle flemt floor flt fltmt fmod fne fnemt fonts fopen formatcv formatnv fputs fputst fseek fstrerror ftell ftocv ftos ftostrC gamma gammacplx gammaii gausset gdaAppend gdaCreate gdaDStat gdaDStatMat gdaGetIndex gdaGetName gdaGetNames gdaGetOrders gdaGetType gdaGetTypes gdaGetVarInfo gdaIsCplx gdaLoad gdaPack gdaRead gdaReadByIndex gdaReadSome gdaReadSparse gdaReadStruct gdaReportVarInfo gdaSave gdaUpdate gdaUpdateAndPack gdaVars gdaWrite gdaWrite32 gdaWriteSome getarray getdims getf getGAUSShome getmatrix getmatrix4D getname getnamef getNextTradingDay getNextWeekDay getnr getorders getpath getPreviousTradingDay getPreviousWeekDay getRow getscalar3D getscalar4D getTrRow getwind glm gradcplx gradMT gradMTm gradMTT gradMTTm gradp graphprt graphset hasimag header headermt hess hessMT hessMTg hessMTgw hessMTm hessMTmw hessMTT hessMTTg hessMTTgw hessMTTm hessMTw hessp hist histf histp hsec imag indcv indexcat indices indices2 indicesf indicesfn indnv indsav integrate1d integrateControlCreate intgrat2 intgrat3 inthp1 inthp2 inthp3 inthp4 inthpControlCreate intquad1 intquad2 intquad3 intrleav intrleavsa intrsect intsimp inv invpd invswp iscplx iscplxf isden isinfnanmiss ismiss key keyav keyw lag lag1 lagn lapEighb lapEighi lapEighvb lapEighvi lapgEig lapgEigh lapgEighv lapgEigv lapgSchur lapgSvdcst lapgSvds lapgSvdst lapSvdcusv lapSvds lapSvdusv ldlp ldlsol linSolve listwise ln lncdfbvn lncdfbvn2 lncdfmvn lncdfn lncdfn2 lncdfnc lnfact lngammacplx lnpdfmvn lnpdfmvt lnpdfn lnpdft loadd loadstruct loadwind loess loessmt loessmtControlCreate log loglog logx logy lower lowmat lowmat1 ltrisol lu lusol machEpsilon make makevars makewind margin matalloc matinit mattoarray maxbytes maxc maxindc maxv maxvec mbesselei mbesselei0 mbesselei1 mbesseli mbesseli0 mbesseli1 meanc median mergeby mergevar minc minindc minv miss missex missrv moment momentd movingave movingaveExpwgt movingaveWgt nextindex nextn nextnevn nextwind ntos null null1 numCombinations ols olsmt olsmtControlCreate olsqr olsqr2 olsqrmt ones optn optnevn orth outtyp pacf packedToSp packr parse pause pdfCauchy pdfChi pdfExp pdfGenPareto pdfHyperGeo pdfLaplace pdfLogistic pdfn pdfPoisson pdfRayleigh pdfWeibull pi pinv pinvmt plotAddArrow plotAddBar plotAddBox plotAddHist plotAddHistF plotAddHistP plotAddPolar plotAddScatter plotAddShape plotAddTextbox plotAddTS plotAddXY plotArea plotBar plotBox plotClearLayout plotContour plotCustomLayout plotGetDefaults plotHist plotHistF plotHistP plotLayout plotLogLog plotLogX plotLogY plotOpenWindow plotPolar plotSave plotScatter plotSetAxesPen plotSetBar plotSetBarFill plotSetBarStacked plotSetBkdColor plotSetFill plotSetGrid plotSetLegend plotSetLineColor plotSetLineStyle plotSetLineSymbol plotSetLineThickness plotSetNewWindow plotSetTitle plotSetWhichYAxis plotSetXAxisShow plotSetXLabel plotSetXRange plotSetXTicInterval plotSetXTicLabel plotSetYAxisShow plotSetYLabel plotSetYRange plotSetZAxisShow plotSetZLabel plotSurface plotTS plotXY polar polychar polyeval polygamma polyint polymake polymat polymroot polymult polyroot pqgwin previousindex princomp printfm printfmt prodc psi putarray putf putvals pvCreate pvGetIndex pvGetParNames pvGetParVector pvLength pvList pvPack pvPacki pvPackm pvPackmi pvPacks pvPacksi pvPacksm pvPacksmi pvPutParVector pvTest pvUnpack QNewton QNewtonmt QNewtonmtControlCreate QNewtonmtOutCreate QNewtonSet QProg QProgmt QProgmtInCreate qqr qqre qqrep qr qre qrep qrsol qrtsol qtyr qtyre qtyrep quantile quantiled qyr qyre qyrep qz rank rankindx readr real reclassify reclassifyCuts recode recserar recsercp recserrc rerun rescale reshape rets rev rfft rffti rfftip rfftn rfftnp rfftp rndBernoulli rndBeta rndBinomial rndCauchy rndChiSquare rndCon rndCreateState rndExp rndGamma rndGeo rndGumbel rndHyperGeo rndi rndKMbeta rndKMgam rndKMi rndKMn rndKMnb rndKMp rndKMu rndKMvm rndLaplace rndLCbeta rndLCgam rndLCi rndLCn rndLCnb rndLCp rndLCu rndLCvm rndLogNorm rndMTu rndMVn rndMVt rndn rndnb rndNegBinomial rndp rndPoisson rndRayleigh rndStateSkip rndu rndvm rndWeibull rndWishart rotater round rows rowsf rref sampleData satostrC saved saveStruct savewind scale scale3d scalerr scalinfnanmiss scalmiss schtoc schur searchsourcepath seekr select selif seqa seqm setdif setdifsa setvars setvwrmode setwind shell shiftr sin singleindex sinh sleep solpd sortc sortcc sortd sorthc sorthcc sortind sortindc sortmc sortr sortrc spBiconjGradSol spChol spConjGradSol spCreate spDenseSubmat spDiagRvMat spEigv spEye spLDL spline spLU spNumNZE spOnes spreadSheetReadM spreadSheetReadSA spreadSheetWrite spScale spSubmat spToDense spTrTDense spTScalar spZeros sqpSolve sqpSolveMT sqpSolveMTControlCreate sqpSolveMTlagrangeCreate sqpSolveMToutCreate sqpSolveSet sqrt statements stdc stdsc stocv stof strcombine strindx strlen strput strrindx strsect strsplit strsplitPad strtodt strtof strtofcplx strtriml strtrimr strtrunc strtruncl strtruncpad strtruncr submat subscat substute subvec sumc sumr surface svd svd1 svd2 svdcusv svds svdusv sysstate tab tan tanh tempname threadBegin threadEnd threadEndFor threadFor threadJoin threadStat time timedt timestr timeutc title tkf2eps tkf2ps tocart todaydt toeplitz token topolar trapchk trigamma trimr trunc type typecv typef union unionsa uniqindx uniqindxsa unique uniquesa upmat upmat1 upper utctodt utctodtv utrisol vals varCovMS varCovXS varget vargetl varmall varmares varput varputl vartypef vcm vcms vcx vcxs vec vech vecr vector vget view viewxyz vlist vnamecv volume vput vread vtypecv wait waitc walkindex where window writer xlabel xlsGetSheetCount xlsGetSheetSize xlsGetSheetTypes xlsMakeRange xlsReadM xlsReadSA xlsWrite xlsWriteM xlsWriteSA xpnd xtics xy xyz ylabel ytics zeros zeta zlabel ztics cdfEmpirical dot h5create h5open h5read h5readAttribute h5write h5writeAttribute ldl plotAddErrorBar plotAddSurface plotCDFEmpirical plotSetColormap plotSetContourLabels plotSetLegendFont plotSetTextInterpreter plotSetXTicCount plotSetYTicCount plotSetZLevels powerm strjoin strtrim sylvester",literal:"DB_AFTER_LAST_ROW DB_ALL_TABLES DB_BATCH_OPERATIONS DB_BEFORE_FIRST_ROW DB_BLOB DB_EVENT_NOTIFICATIONS DB_FINISH_QUERY DB_HIGH_PRECISION DB_LAST_INSERT_ID DB_LOW_PRECISION_DOUBLE DB_LOW_PRECISION_INT32 DB_LOW_PRECISION_INT64 DB_LOW_PRECISION_NUMBERS DB_MULTIPLE_RESULT_SETS DB_NAMED_PLACEHOLDERS DB_POSITIONAL_PLACEHOLDERS DB_PREPARED_QUERIES DB_QUERY_SIZE DB_SIMPLE_LOCKING DB_SYSTEM_TABLES DB_TABLES DB_TRANSACTIONS DB_UNICODE DB_VIEWS"},r={cN:"meta",b:"#",e:"$",k:{"meta-keyword":"define definecs|10 undef ifdef ifndef iflight ifdllcall ifmac ifos2win ifunix else endif lineson linesoff srcfile srcline"},c:[{b:/\\\n/,r:0},{bK:"include",e:"$",k:{"meta-keyword":"include"},c:[{cN:"meta-string",b:'"',e:'"',i:"\\n"}]},e.CLCM,e.CBCM]},a=e.UIR+"\\s*\\(?",i=[{cN:"params",b:/\(/,e:/\)/,k:t,r:0,c:[e.CNM,e.CLCM,e.CBCM]}];return{aliases:["gss"],cI:!0,k:t,i:"(\\{[%#]|[%#]\\})",c:[e.CNM,e.CLCM,e.CBCM,e.C("@","@"),r,{cN:"string",b:'"',e:'"',c:[e.BE]},{cN:"function",bK:"proc keyword",e:";",eE:!0,k:t,c:[{b:a,rB:!0,c:[e.UTM],r:0},e.CNM,e.CLCM,e.CBCM,r].concat(i)},{cN:"function",bK:"fn",e:";",eE:!0,k:t,c:[{b:a+e.IR+"\\)?\\s*\\=\\s*",rB:!0,c:[e.UTM],r:0},e.CNM,e.CLCM,e.CBCM].concat(i)},{cN:"function",b:"\\bexternal (proc|keyword|fn)\\s+",e:";",eE:!0,k:t,c:[{b:a,rB:!0,c:[e.UTM],r:0},e.CLCM,e.CBCM]},{cN:"function",b:"\\bexternal (matrix|string|array|sparse matrix|struct "+e.IR+")\\s+",e:";",eE:!0,k:t,c:[e.CLCM,e.CBCM]}]}}),e.registerLanguage("gcode",function(e){var t="[A-Z_][A-Z0-9_.]*",r="\\%",a="IF DO WHILE ENDWHILE CALL ENDIF SUB ENDSUB GOTO REPEAT ENDREPEAT EQ LT GT NE GE LE OR XOR",i={cN:"meta",b:"([O])([0-9]+)"},n=[e.CLCM,e.CBCM,e.C(/\(/,/\)/),e.inherit(e.CNM,{b:"([-+]?([0-9]*\\.?[0-9]+\\.?))|"+e.CNR}),e.inherit(e.ASM,{i:null}),e.inherit(e.QSM,{i:null}),{cN:"name",b:"([G])([0-9]+\\.?[0-9]?)"},{cN:"name",b:"([M])([0-9]+\\.?[0-9]?)"},{cN:"attr",b:"(VC|VS|#)",e:"(\\d+)"},{cN:"attr",b:"(VZOFX|VZOFY|VZOFZ)"},{cN:"built_in",b:"(ATAN|ABS|ACOS|ASIN|SIN|COS|EXP|FIX|FUP|ROUND|LN|TAN)(\\[)",e:"([-+]?([0-9]*\\.?[0-9]+\\.?))(\\])"},{cN:"symbol",v:[{b:"N",e:"\\d+",i:"\\W"}]}];return{aliases:["nc"],cI:!0,l:t,k:a,c:[{cN:"meta",b:r},i].concat(n)}}),e.registerLanguage("gherkin",function(e){return{aliases:["feature"],k:"Feature Background Ability Business Need Scenario Scenarios Scenario Outline Scenario Template Examples Given And Then But When",c:[{cN:"symbol",b:"\\*",r:0},{cN:"meta",b:"@[^@\\s]+"},{b:"\\|",e:"\\|\\w*$",c:[{cN:"string",b:"[^|]+"}]},{cN:"variable",b:"<",e:">"},e.HCM,{cN:"string",b:'"""',e:'"""'},e.QSM]}}),e.registerLanguage("glsl",function(e){return{k:{keyword:"break continue discard do else for if return while switch case default attribute binding buffer ccw centroid centroid varying coherent column_major const cw depth_any depth_greater depth_less depth_unchanged early_fragment_tests equal_spacing flat fractional_even_spacing fractional_odd_spacing highp in index inout invariant invocations isolines layout line_strip lines lines_adjacency local_size_x local_size_y local_size_z location lowp max_vertices mediump noperspective offset origin_upper_left out packed patch pixel_center_integer point_mode points precise precision quads r11f_g11f_b10f r16 r16_snorm r16f r16i r16ui r32f r32i r32ui r8 r8_snorm r8i r8ui readonly restrict rg16 rg16_snorm rg16f rg16i rg16ui rg32f rg32i rg32ui rg8 rg8_snorm rg8i rg8ui rgb10_a2 rgb10_a2ui rgba16 rgba16_snorm rgba16f rgba16i rgba16ui rgba32f rgba32i rgba32ui rgba8 rgba8_snorm rgba8i rgba8ui row_major sample shared smooth std140 std430 stream triangle_strip triangles triangles_adjacency uniform varying vertices volatile writeonly", -type:"atomic_uint bool bvec2 bvec3 bvec4 dmat2 dmat2x2 dmat2x3 dmat2x4 dmat3 dmat3x2 dmat3x3 dmat3x4 dmat4 dmat4x2 dmat4x3 dmat4x4 double dvec2 dvec3 dvec4 float iimage1D iimage1DArray iimage2D iimage2DArray iimage2DMS iimage2DMSArray iimage2DRect iimage3D iimageBufferiimageCube iimageCubeArray image1D image1DArray image2D image2DArray image2DMS image2DMSArray image2DRect image3D imageBuffer imageCube imageCubeArray int isampler1D isampler1DArray isampler2D isampler2DArray isampler2DMS isampler2DMSArray isampler2DRect isampler3D isamplerBuffer isamplerCube isamplerCubeArray ivec2 ivec3 ivec4 mat2 mat2x2 mat2x3 mat2x4 mat3 mat3x2 mat3x3 mat3x4 mat4 mat4x2 mat4x3 mat4x4 sampler1D sampler1DArray sampler1DArrayShadow sampler1DShadow sampler2D sampler2DArray sampler2DArrayShadow sampler2DMS sampler2DMSArray sampler2DRect sampler2DRectShadow sampler2DShadow sampler3D samplerBuffer samplerCube samplerCubeArray samplerCubeArrayShadow samplerCubeShadow image1D uimage1DArray uimage2D uimage2DArray uimage2DMS uimage2DMSArray uimage2DRect uimage3D uimageBuffer uimageCube uimageCubeArray uint usampler1D usampler1DArray usampler2D usampler2DArray usampler2DMS usampler2DMSArray usampler2DRect usampler3D samplerBuffer usamplerCube usamplerCubeArray uvec2 uvec3 uvec4 vec2 vec3 vec4 void",built_in:"gl_MaxAtomicCounterBindings gl_MaxAtomicCounterBufferSize gl_MaxClipDistances gl_MaxClipPlanes gl_MaxCombinedAtomicCounterBuffers gl_MaxCombinedAtomicCounters gl_MaxCombinedImageUniforms gl_MaxCombinedImageUnitsAndFragmentOutputs gl_MaxCombinedTextureImageUnits gl_MaxComputeAtomicCounterBuffers gl_MaxComputeAtomicCounters gl_MaxComputeImageUniforms gl_MaxComputeTextureImageUnits gl_MaxComputeUniformComponents gl_MaxComputeWorkGroupCount gl_MaxComputeWorkGroupSize gl_MaxDrawBuffers gl_MaxFragmentAtomicCounterBuffers gl_MaxFragmentAtomicCounters gl_MaxFragmentImageUniforms gl_MaxFragmentInputComponents gl_MaxFragmentInputVectors gl_MaxFragmentUniformComponents gl_MaxFragmentUniformVectors gl_MaxGeometryAtomicCounterBuffers gl_MaxGeometryAtomicCounters gl_MaxGeometryImageUniforms gl_MaxGeometryInputComponents gl_MaxGeometryOutputComponents gl_MaxGeometryOutputVertices gl_MaxGeometryTextureImageUnits gl_MaxGeometryTotalOutputComponents gl_MaxGeometryUniformComponents gl_MaxGeometryVaryingComponents gl_MaxImageSamples gl_MaxImageUnits gl_MaxLights gl_MaxPatchVertices gl_MaxProgramTexelOffset gl_MaxTessControlAtomicCounterBuffers gl_MaxTessControlAtomicCounters gl_MaxTessControlImageUniforms gl_MaxTessControlInputComponents gl_MaxTessControlOutputComponents gl_MaxTessControlTextureImageUnits gl_MaxTessControlTotalOutputComponents gl_MaxTessControlUniformComponents gl_MaxTessEvaluationAtomicCounterBuffers gl_MaxTessEvaluationAtomicCounters gl_MaxTessEvaluationImageUniforms gl_MaxTessEvaluationInputComponents gl_MaxTessEvaluationOutputComponents gl_MaxTessEvaluationTextureImageUnits gl_MaxTessEvaluationUniformComponents gl_MaxTessGenLevel gl_MaxTessPatchComponents gl_MaxTextureCoords gl_MaxTextureImageUnits gl_MaxTextureUnits gl_MaxVaryingComponents gl_MaxVaryingFloats gl_MaxVaryingVectors gl_MaxVertexAtomicCounterBuffers gl_MaxVertexAtomicCounters gl_MaxVertexAttribs gl_MaxVertexImageUniforms gl_MaxVertexOutputComponents gl_MaxVertexOutputVectors gl_MaxVertexTextureImageUnits gl_MaxVertexUniformComponents gl_MaxVertexUniformVectors gl_MaxViewports gl_MinProgramTexelOffset gl_BackColor gl_BackLightModelProduct gl_BackLightProduct gl_BackMaterial gl_BackSecondaryColor gl_ClipDistance gl_ClipPlane gl_ClipVertex gl_Color gl_DepthRange gl_EyePlaneQ gl_EyePlaneR gl_EyePlaneS gl_EyePlaneT gl_Fog gl_FogCoord gl_FogFragCoord gl_FragColor gl_FragCoord gl_FragData gl_FragDepth gl_FrontColor gl_FrontFacing gl_FrontLightModelProduct gl_FrontLightProduct gl_FrontMaterial gl_FrontSecondaryColor gl_GlobalInvocationID gl_InstanceID gl_InvocationID gl_Layer gl_LightModel gl_LightSource gl_LocalInvocationID gl_LocalInvocationIndex gl_ModelViewMatrix gl_ModelViewMatrixInverse gl_ModelViewMatrixInverseTranspose gl_ModelViewMatrixTranspose gl_ModelViewProjectionMatrix gl_ModelViewProjectionMatrixInverse gl_ModelViewProjectionMatrixInverseTranspose gl_ModelViewProjectionMatrixTranspose gl_MultiTexCoord0 gl_MultiTexCoord1 gl_MultiTexCoord2 gl_MultiTexCoord3 gl_MultiTexCoord4 gl_MultiTexCoord5 gl_MultiTexCoord6 gl_MultiTexCoord7 gl_Normal gl_NormalMatrix gl_NormalScale gl_NumSamples gl_NumWorkGroups gl_ObjectPlaneQ gl_ObjectPlaneR gl_ObjectPlaneS gl_ObjectPlaneT gl_PatchVerticesIn gl_Point gl_PointCoord gl_PointSize gl_Position gl_PrimitiveID gl_PrimitiveIDIn gl_ProjectionMatrix gl_ProjectionMatrixInverse gl_ProjectionMatrixInverseTranspose gl_ProjectionMatrixTranspose gl_SampleID gl_SampleMask gl_SampleMaskIn gl_SamplePosition gl_SecondaryColor gl_TessCoord gl_TessLevelInner gl_TessLevelOuter gl_TexCoord gl_TextureEnvColor gl_TextureMatrix gl_TextureMatrixInverse gl_TextureMatrixInverseTranspose gl_TextureMatrixTranspose gl_Vertex gl_VertexID gl_ViewportIndex gl_WorkGroupID gl_WorkGroupSize gl_in gl_out EmitStreamVertex EmitVertex EndPrimitive EndStreamPrimitive abs acos acosh all any asin asinh atan atanh atomicAdd atomicAnd atomicCompSwap atomicCounter atomicCounterDecrement atomicCounterIncrement atomicExchange atomicMax atomicMin atomicOr atomicXor barrier bitCount bitfieldExtract bitfieldInsert bitfieldReverse ceil clamp cos cosh cross dFdx dFdy degrees determinant distance dot equal exp exp2 faceforward findLSB findMSB floatBitsToInt floatBitsToUint floor fma fract frexp ftransform fwidth greaterThan greaterThanEqual groupMemoryBarrier imageAtomicAdd imageAtomicAnd imageAtomicCompSwap imageAtomicExchange imageAtomicMax imageAtomicMin imageAtomicOr imageAtomicXor imageLoad imageSize imageStore imulExtended intBitsToFloat interpolateAtCentroid interpolateAtOffset interpolateAtSample inverse inversesqrt isinf isnan ldexp length lessThan lessThanEqual log log2 matrixCompMult max memoryBarrier memoryBarrierAtomicCounter memoryBarrierBuffer memoryBarrierImage memoryBarrierShared min mix mod modf noise1 noise2 noise3 noise4 normalize not notEqual outerProduct packDouble2x32 packHalf2x16 packSnorm2x16 packSnorm4x8 packUnorm2x16 packUnorm4x8 pow radians reflect refract round roundEven shadow1D shadow1DLod shadow1DProj shadow1DProjLod shadow2D shadow2DLod shadow2DProj shadow2DProjLod sign sin sinh smoothstep sqrt step tan tanh texelFetch texelFetchOffset texture texture1D texture1DLod texture1DProj texture1DProjLod texture2D texture2DLod texture2DProj texture2DProjLod texture3D texture3DLod texture3DProj texture3DProjLod textureCube textureCubeLod textureGather textureGatherOffset textureGatherOffsets textureGrad textureGradOffset textureLod textureLodOffset textureOffset textureProj textureProjGrad textureProjGradOffset textureProjLod textureProjLodOffset textureProjOffset textureQueryLevels textureQueryLod textureSize transpose trunc uaddCarry uintBitsToFloat umulExtended unpackDouble2x32 unpackHalf2x16 unpackSnorm2x16 unpackSnorm4x8 unpackUnorm2x16 unpackUnorm4x8 usubBorrow",literal:"true false"},i:'"',c:[e.CLCM,e.CBCM,e.CNM,{cN:"meta",b:"#",e:"$"}]}}),e.registerLanguage("go",function(e){var t={keyword:"break default func interface select case map struct chan else goto package switch const fallthrough if range type continue for import return var go defer bool byte complex64 complex128 float32 float64 int8 int16 int32 int64 string uint8 uint16 uint32 uint64 int uint uintptr rune",literal:"true false iota nil",built_in:"append cap close complex copy imag len make new panic print println real recover delete"};return{aliases:["golang"],k:t,i:"",e:",\\s+",rB:!0,eW:!0,c:[{cN:"attr",b:":\\w+"},e.ASM,e.QSM,{b:"\\w+",r:0}]}]},{b:"\\(\\s*",e:"\\s*\\)",eE:!0,c:[{b:"\\w+\\s*=",e:"\\s+",rB:!0,eW:!0,c:[{cN:"attr",b:"\\w+",r:0},e.ASM,e.QSM,{b:"\\w+",r:0}]}]}]},{b:"^\\s*[=~]\\s*"},{b:"#{",starts:{e:"}",sL:"ruby"}}]}}),e.registerLanguage("handlebars",function(e){var t={"builtin-name":"each in with if else unless bindattr action collection debugger log outlet template unbound view yield"};return{aliases:["hbs","html.hbs","html.handlebars"],cI:!0,sL:"xml",c:[e.C("{{!(--)?","(--)?}}"),{cN:"template-tag",b:/\{\{[#\/]/,e:/\}\}/,c:[{cN:"name",b:/[a-zA-Z\.-]+/,k:t,starts:{eW:!0,r:0,c:[e.QSM]}}]},{cN:"template-variable",b:/\{\{/,e:/\}\}/,k:t}]}}),e.registerLanguage("haskell",function(e){var t={v:[e.C("--","$"),e.C("{-","-}",{c:["self"]})]},r={cN:"meta",b:"{-#",e:"#-}"},a={cN:"meta",b:"^#",e:"$"},i={cN:"type",b:"\\b[A-Z][\\w']*",r:0},n={b:"\\(",e:"\\)",i:'"',c:[r,a,{cN:"type",b:"\\b[A-Z][\\w]*(\\((\\.\\.|,|\\w+)\\))?"},e.inherit(e.TM,{b:"[_a-z][\\w']*"}),t]},o={b:"{",e:"}",c:n.c};return{aliases:["hs"],k:"let in if then else case of where do module import hiding qualified type data newtype deriving class instance as default infix infixl infixr foreign export ccall stdcall cplusplus jvm dotnet safe unsafe family forall mdo proc rec",c:[{bK:"module",e:"where",k:"module where",c:[n,t],i:"\\W\\.|;"},{b:"\\bimport\\b",e:"$",k:"import qualified as hiding",c:[n,t],i:"\\W\\.|;"},{cN:"class",b:"^(\\s*)?(class|instance)\\b",e:"where",k:"class family instance where",c:[i,n,t]},{cN:"class",b:"\\b(data|(new)?type)\\b",e:"$",k:"data family type newtype deriving",c:[r,i,n,o,t]},{bK:"default",e:"$",c:[i,n,t]},{bK:"infix infixl infixr",e:"$",c:[e.CNM,t]},{b:"\\bforeign\\b",e:"$",k:"foreign import export ccall stdcall cplusplus jvm dotnet safe unsafe",c:[i,e.QSM,t]},{cN:"meta",b:"#!\\/usr\\/bin\\/env runhaskell",e:"$"},r,a,e.QSM,e.CNM,i,e.inherit(e.TM,{b:"^[_a-z][\\w']*"}),t,{b:"->|<-"}]}}),e.registerLanguage("haxe",function(e){var t="Int Float String Bool Dynamic Void Array ";return{aliases:["hx"],k:{keyword:"break case cast catch continue default do dynamic else enum extern for function here if import in inline never new override package private get set public return static super switch this throw trace try typedef untyped using var while "+t,built_in:"trace this",literal:"true false null _"},c:[{cN:"string",b:"'",e:"'",c:[e.BE,{cN:"subst",b:"\\$\\{",e:"\\}"},{cN:"subst",b:"\\$",e:"\\W}"}]},e.QSM,e.CLCM,e.CBCM,e.CNM,{cN:"meta",b:"@:",e:"$"},{cN:"meta",b:"#",e:"$",k:{"meta-keyword":"if else elseif end error"}},{cN:"type",b:":[ ]*",e:"[^A-Za-z0-9_ \\->]",eB:!0,eE:!0,r:0},{cN:"type",b:":[ ]*",e:"\\W",eB:!0,eE:!0},{cN:"type",b:"new *",e:"\\W",eB:!0,eE:!0},{cN:"class",bK:"enum",e:"\\{",c:[e.TM]},{cN:"class",bK:"abstract",e:"[\\{$]",c:[{cN:"type",b:"\\(",e:"\\)",eB:!0,eE:!0},{cN:"type",b:"from +",e:"\\W",eB:!0,eE:!0},{cN:"type",b:"to +",e:"\\W",eB:!0,eE:!0},e.TM],k:{keyword:"abstract from to"}},{cN:"class",b:"\\b(class|interface) +",e:"[\\{$]",eE:!0,k:"class interface",c:[{cN:"keyword",b:"\\b(extends|implements) +",k:"extends implements",c:[{cN:"type",b:e.IR,r:0}]},e.TM]},{cN:"function",bK:"function",e:"\\(",eE:!0,i:"\\S",c:[e.TM]}],i:/<\//}}),e.registerLanguage("hsp",function(e){return{cI:!0,l:/[\w\._]+/,k:"goto gosub return break repeat loop continue wait await dim sdim foreach dimtype dup dupptr end stop newmod delmod mref run exgoto on mcall assert logmes newlab resume yield onexit onerror onkey onclick oncmd exist delete mkdir chdir dirlist bload bsave bcopy memfile if else poke wpoke lpoke getstr chdpm memexpand memcpy memset notesel noteadd notedel noteload notesave randomize noteunsel noteget split strrep setease button chgdisp exec dialog mmload mmplay mmstop mci pset pget syscolor mes print title pos circle cls font sysfont objsize picload color palcolor palette redraw width gsel gcopy gzoom gmode bmpsave hsvcolor getkey listbox chkbox combox input mesbox buffer screen bgscr mouse objsel groll line clrobj boxf objprm objmode stick grect grotate gsquare gradf objimage objskip objenable celload celdiv celput newcom querycom delcom cnvstow comres axobj winobj sendmsg comevent comevarg sarrayconv callfunc cnvwtos comevdisp libptr system hspstat hspver stat cnt err strsize looplev sublev iparam wparam lparam refstr refdval int rnd strlen length length2 length3 length4 vartype gettime peek wpeek lpeek varptr varuse noteinfo instr abs limit getease str strmid strf getpath strtrim sin cos tan atan sqrt double absf expf logf limitf powf geteasef mousex mousey mousew hwnd hinstance hdc ginfo objinfo dirinfo sysinfo thismod __hspver__ __hsp30__ __date__ __time__ __line__ __file__ _debug __hspdef__ and or xor not screen_normal screen_palette screen_hide screen_fixedsize screen_tool screen_frame gmode_gdi gmode_mem gmode_rgb0 gmode_alpha gmode_rgb0alpha gmode_add gmode_sub gmode_pixela ginfo_mx ginfo_my ginfo_act ginfo_sel ginfo_wx1 ginfo_wy1 ginfo_wx2 ginfo_wy2 ginfo_vx ginfo_vy ginfo_sizex ginfo_sizey ginfo_winx ginfo_winy ginfo_mesx ginfo_mesy ginfo_r ginfo_g ginfo_b ginfo_paluse ginfo_dispx ginfo_dispy ginfo_cx ginfo_cy ginfo_intid ginfo_newid ginfo_sx ginfo_sy objinfo_mode objinfo_bmscr objinfo_hwnd notemax notesize dir_cur dir_exe dir_win dir_sys dir_cmdline dir_desktop dir_mydoc dir_tv font_normal font_bold font_italic font_underline font_strikeout font_antialias objmode_normal objmode_guifont objmode_usefont gsquare_grad msgothic msmincho do until while wend for next _break _continue switch case default swbreak swend ddim ldim alloc m_pi rad2deg deg2rad ease_linear ease_quad_in ease_quad_out ease_quad_inout ease_cubic_in ease_cubic_out ease_cubic_inout ease_quartic_in ease_quartic_out ease_quartic_inout ease_bounce_in ease_bounce_out ease_bounce_inout ease_shake_in ease_shake_out ease_shake_inout ease_loop",c:[e.CLCM,e.CBCM,e.QSM,e.ASM,{cN:"string",b:'{"',e:'"}',c:[e.BE]},e.C(";","$",{r:0}),{cN:"meta",b:"#",e:"$",k:{"meta-keyword":"addion cfunc cmd cmpopt comfunc const defcfunc deffunc define else endif enum epack func global if ifdef ifndef include modcfunc modfunc modinit modterm module pack packopt regcmd runtime undef usecom uselib"},c:[e.inherit(e.QSM,{cN:"meta-string"}),e.NM,e.CNM,e.CLCM,e.CBCM]},{cN:"symbol",b:"^\\*(\\w+|@)"},e.NM,e.CNM]}}),e.registerLanguage("htmlbars",function(e){var t="action collection component concat debugger each each-in else get hash if input link-to loc log mut outlet partial query-params render textarea unbound unless with yield view",r={i:/\}\}/,b:/[a-zA-Z0-9_]+=/,rB:!0,r:0,c:[{cN:"attr",b:/[a-zA-Z0-9_]+/}]},a=({i:/\}\}/,b:/\)/,e:/\)/,c:[{b:/[a-zA-Z\.\-]+/,k:{built_in:t},starts:{eW:!0,r:0,c:[e.QSM]}}]},{eW:!0,r:0,k:{keyword:"as",built_in:t},c:[e.QSM,r,e.NM]});return{cI:!0,sL:"xml",c:[e.C("{{!(--)?","(--)?}}"),{cN:"template-tag",b:/\{\{[#\/]/,e:/\}\}/,c:[{cN:"name",b:/[a-zA-Z\.\-]+/,k:{"builtin-name":t},starts:a}]},{cN:"template-variable",b:/\{\{[a-zA-Z][a-zA-Z\-]+/,e:/\}\}/,k:{keyword:"as",built_in:t},c:[e.QSM]}]}}),e.registerLanguage("http",function(e){var t="HTTP/[0-9\\.]+";return{aliases:["https"],i:"\\S",c:[{b:"^"+t,e:"$",c:[{cN:"number",b:"\\b\\d{3}\\b"}]},{b:"^[A-Z]+ (.*?) "+t+"$",rB:!0,e:"$",c:[{cN:"string",b:" ",e:" ",eB:!0,eE:!0},{b:t},{cN:"keyword",b:"[A-Z]+"}]},{cN:"attribute",b:"^\\w",e:": ",eE:!0,i:"\\n|\\s|=",starts:{e:"$",r:0}},{b:"\\n\\n",starts:{sL:[],eW:!0}}]}}),e.registerLanguage("hy",function(e){var t={"builtin-name":"!= % %= & &= * ** **= *= *map + += , --build-class-- --import-- -= . / // //= /= < << <<= <= = > >= >> >>= @ @= ^ ^= abs accumulate all and any ap-compose ap-dotimes ap-each ap-each-while ap-filter ap-first ap-if ap-last ap-map ap-map-when ap-pipe ap-reduce ap-reject apply as-> ascii assert assoc bin break butlast callable calling-module-name car case cdr chain chr coll? combinations compile compress cond cons cons? continue count curry cut cycle dec def default-method defclass defmacro defmacro-alias defmacro/g! defmain defmethod defmulti defn defn-alias defnc defnr defreader defseq del delattr delete-route dict-comp dir disassemble dispatch-reader-macro distinct divmod do doto drop drop-last drop-while empty? end-sequence eval eval-and-compile eval-when-compile even? every? except exec filter first flatten float? fn fnc fnr for for* format fraction genexpr gensym get getattr global globals group-by hasattr hash hex id identity if if* if-not if-python2 import in inc input instance? integer integer-char? integer? interleave interpose is is-coll is-cons is-empty is-even is-every is-float is-instance is-integer is-integer-char is-iterable is-iterator is-keyword is-neg is-none is-not is-numeric is-odd is-pos is-string is-symbol is-zero isinstance islice issubclass iter iterable? iterate iterator? keyword keyword? lambda last len let lif lif-not list* list-comp locals loop macro-error macroexpand macroexpand-1 macroexpand-all map max merge-with method-decorator min multi-decorator multicombinations name neg? next none? nonlocal not not-in not? nth numeric? oct odd? open or ord partition permutations pos? post-route postwalk pow prewalk print product profile/calls profile/cpu put-route quasiquote quote raise range read read-str recursive-replace reduce remove repeat repeatedly repr require rest round route route-with-methods rwm second seq set-comp setattr setv some sorted string string? sum switch symbol? take take-nth take-while tee try unless unquote unquote-splicing vars walk when while with with* with-decorator with-gensyms xi xor yield yield-from zero? zip zip-longest | |= ~"},r="a-zA-Z_\\-!.?+*=<>&#'",a="["+r+"]["+r+"0-9/;:]*",i="[-+]?\\d+(\\.\\d+)?",n={cN:"meta",b:"^#!",e:"$"},o={b:a,r:0},s={cN:"number",b:i,r:0},l=e.inherit(e.QSM,{i:null}),c=e.C(";","$",{r:0}),d={cN:"literal",b:/\b([Tt]rue|[Ff]alse|nil|None)\b/},p={b:"[\\[\\{]",e:"[\\]\\}]"},m={cN:"comment",b:"\\^"+a},u=e.C("\\^\\{","\\}"),b={cN:"symbol",b:"[:]{1,2}"+a},g={b:"\\(",e:"\\)"},f={eW:!0,r:0},_={k:t,l:a,cN:"name",b:a,starts:f},h=[g,l,m,u,c,b,p,s,d,o];return g.c=[e.C("comment",""),_,f],f.c=h,p.c=h,{aliases:["hylang"],i:/\S/,c:[n,g,l,m,u,c,b,p,s,d]}}),e.registerLanguage("inform7",function(e){var t="\\[",r="\\]";return{aliases:["i7"],cI:!0,k:{keyword:"thing room person man woman animal container supporter backdrop door scenery open closed locked inside gender is are say understand kind of rule"},c:[{cN:"string",b:'"',e:'"',r:0,c:[{cN:"subst",b:t,e:r}]},{cN:"section",b:/^(Volume|Book|Part|Chapter|Section|Table)\b/,e:"$"},{b:/^(Check|Carry out|Report|Instead of|To|Rule|When|Before|After)\b/,e:":",c:[{b:"\\(This",e:"\\)"}]},{cN:"comment",b:t,e:r,c:["self"]}]}}),e.registerLanguage("ini",function(e){var t={cN:"string",c:[e.BE],v:[{b:"'''",e:"'''",r:10},{b:'"""',e:'"""',r:10},{b:'"',e:'"'},{b:"'",e:"'"}]};return{aliases:["toml"],cI:!0,i:/\S/,c:[e.C(";","$"),e.HCM,{cN:"section",b:/^\s*\[+/,e:/\]+/},{b:/^[a-z0-9\[\]_-]+\s*=\s*/,e:"$",rB:!0,c:[{cN:"attr",b:/[a-z0-9\[\]_-]+/},{b:/=/,eW:!0,r:0,c:[{cN:"literal",b:/\bon|off|true|false|yes|no\b/},{cN:"variable",v:[{b:/\$[\w\d"][\w\d_]*/},{b:/\$\{(.*?)}/}]},t,{cN:"number",b:/([\+\-]+)?[\d]+_[\d_]+/},e.NM]}]}]}}),e.registerLanguage("irpf90",function(e){var t={cN:"params",b:"\\(",e:"\\)"},r={literal:".False. .True.",keyword:"kind do while private call intrinsic where elsewhere type endtype endmodule endselect endinterface end enddo endif if forall endforall only contains default return stop then public subroutine|10 function program .and. .or. .not. .le. .eq. .ge. .gt. .lt. goto save else use module select case access blank direct exist file fmt form formatted iostat name named nextrec number opened rec recl sequential status unformatted unit continue format pause cycle exit c_null_char c_alert c_backspace c_form_feed flush wait decimal round iomsg synchronous nopass non_overridable pass protected volatile abstract extends import non_intrinsic value deferred generic final enumerator class associate bind enum c_int c_short c_long c_long_long c_signed_char c_size_t c_int8_t c_int16_t c_int32_t c_int64_t c_int_least8_t c_int_least16_t c_int_least32_t c_int_least64_t c_int_fast8_t c_int_fast16_t c_int_fast32_t c_int_fast64_t c_intmax_t C_intptr_t c_float c_double c_long_double c_float_complex c_double_complex c_long_double_complex c_bool c_char c_null_ptr c_null_funptr c_new_line c_carriage_return c_horizontal_tab c_vertical_tab iso_c_binding c_loc c_funloc c_associated c_f_pointer c_ptr c_funptr iso_fortran_env character_storage_size error_unit file_storage_size input_unit iostat_end iostat_eor numeric_storage_size output_unit c_f_procpointer ieee_arithmetic ieee_support_underflow_control ieee_get_underflow_mode ieee_set_underflow_mode newunit contiguous recursive pad position action delim readwrite eor advance nml interface procedure namelist include sequence elemental pure integer real character complex logical dimension allocatable|10 parameter external implicit|10 none double precision assign intent optional pointer target in out common equivalence data begin_provider &begin_provider end_provider begin_shell end_shell begin_template end_template subst assert touch soft_touch provide no_dep free irp_if irp_else irp_endif irp_write irp_read",built_in:"alog alog10 amax0 amax1 amin0 amin1 amod cabs ccos cexp clog csin csqrt dabs dacos dasin datan datan2 dcos dcosh ddim dexp dint dlog dlog10 dmax1 dmin1 dmod dnint dsign dsin dsinh dsqrt dtan dtanh float iabs idim idint idnint ifix isign max0 max1 min0 min1 sngl algama cdabs cdcos cdexp cdlog cdsin cdsqrt cqabs cqcos cqexp cqlog cqsin cqsqrt dcmplx dconjg derf derfc dfloat dgamma dimag dlgama iqint qabs qacos qasin qatan qatan2 qcmplx qconjg qcos qcosh qdim qerf qerfc qexp qgamma qimag qlgama qlog qlog10 qmax1 qmin1 qmod qnint qsign qsin qsinh qsqrt qtan qtanh abs acos aimag aint anint asin atan atan2 char cmplx conjg cos cosh exp ichar index int log log10 max min nint sign sin sinh sqrt tan tanh print write dim lge lgt lle llt mod nullify allocate deallocate adjustl adjustr all allocated any associated bit_size btest ceiling count cshift date_and_time digits dot_product eoshift epsilon exponent floor fraction huge iand ibclr ibits ibset ieor ior ishft ishftc lbound len_trim matmul maxexponent maxloc maxval merge minexponent minloc minval modulo mvbits nearest pack present product radix random_number random_seed range repeat reshape rrspacing scale scan selected_int_kind selected_real_kind set_exponent shape size spacing spread sum system_clock tiny transpose trim ubound unpack verify achar iachar transfer dble entry dprod cpu_time command_argument_count get_command get_command_argument get_environment_variable is_iostat_end ieee_arithmetic ieee_support_underflow_control ieee_get_underflow_mode ieee_set_underflow_mode is_iostat_eor move_alloc new_line selected_char_kind same_type_as extends_type_ofacosh asinh atanh bessel_j0 bessel_j1 bessel_jn bessel_y0 bessel_y1 bessel_yn erf erfc erfc_scaled gamma log_gamma hypot norm2 atomic_define atomic_ref execute_command_line leadz trailz storage_size merge_bits bge bgt ble blt dshiftl dshiftr findloc iall iany iparity image_index lcobound ucobound maskl maskr num_images parity popcnt poppar shifta shiftl shiftr this_image IRP_ALIGN irp_here"};return{cI:!0,k:r,i:/\/\*/,c:[e.inherit(e.ASM,{cN:"string",r:0}),e.inherit(e.QSM,{cN:"string",r:0}),{cN:"function",bK:"subroutine function program",i:"[${=\\n]",c:[e.UTM,t]},e.C("!","$",{r:0}),e.C("begin_doc","end_doc",{r:10}),{cN:"number",b:"(?=\\b|\\+|\\-|\\.)(?=\\.\\d|\\d)(?:\\d+)?(?:\\.?\\d*)(?:[de][+-]?\\d+)?\\b\\.?",r:0}]}}),e.registerLanguage("java",function(e){var t="[À-ʸa-zA-Z_$][À-ʸa-zA-Z_$0-9]*",r=t+"(<"+t+"(\\s*,\\s*"+t+")*>)?",a="false synchronized int abstract float private char boolean static null if const for true while long strictfp finally protected import native final void enum else break transient catch instanceof byte super volatile case assert short package default double public try this switch continue throws protected public private module requires exports do",i="\\b(0[bB]([01]+[01_]+[01]+|[01]+)|0[xX]([a-fA-F0-9]+[a-fA-F0-9_]+[a-fA-F0-9]+|[a-fA-F0-9]+)|(([\\d]+[\\d_]+[\\d]+|[\\d]+)(\\.([\\d]+[\\d_]+[\\d]+|[\\d]+))?|\\.([\\d]+[\\d_]+[\\d]+|[\\d]+))([eE][-+]?\\d+)?)[lLfF]?",n={cN:"number",b:i,r:0};return{aliases:["jsp"],k:a,i:/<\/|#/,c:[e.C("/\\*\\*","\\*/",{r:0,c:[{b:/\w+@/,r:0},{cN:"doctag",b:"@[A-Za-z]+"}]}),e.CLCM,e.CBCM,e.ASM,e.QSM,{cN:"class",bK:"class interface",e:/[{;=]/,eE:!0,k:"class interface",i:/[:"\[\]]/,c:[{bK:"extends implements"},e.UTM]},{bK:"new throw return else",r:0},{cN:"function",b:"("+r+"\\s+)+"+e.UIR+"\\s*\\(",rB:!0,e:/[{;=]/,eE:!0,k:a,c:[{b:e.UIR+"\\s*\\(",rB:!0,r:0,c:[e.UTM]},{cN:"params",b:/\(/,e:/\)/,k:a,r:0,c:[e.ASM,e.QSM,e.CNM,e.CBCM]},e.CLCM,e.CBCM]},n,{cN:"meta",b:"@[A-Za-z]+"}]}}),e.registerLanguage("javascript",function(e){var t="[A-Za-z$_][0-9A-Za-z$_]*",r={keyword:"in of if for while finally var new function do return void else break catch instanceof with throw case default try this switch continue typeof delete let yield const export super debugger as async await static import from as",literal:"true false null undefined NaN Infinity",built_in:"eval isFinite isNaN parseFloat parseInt decodeURI decodeURIComponent encodeURI encodeURIComponent escape unescape Object Function Boolean Error EvalError InternalError RangeError ReferenceError StopIteration SyntaxError TypeError URIError Number Math Date String RegExp Array Float32Array Float64Array Int16Array Int32Array Int8Array Uint16Array Uint32Array Uint8Array Uint8ClampedArray ArrayBuffer DataView JSON Intl arguments require module console window document Symbol Set Map WeakSet WeakMap Proxy Reflect Promise"},a={cN:"number",v:[{b:"\\b(0[bB][01]+)"},{b:"\\b(0[oO][0-7]+)"},{b:e.CNR}],r:0},i={cN:"subst",b:"\\$\\{",e:"\\}",k:r,c:[]},n={cN:"string",b:"`",e:"`",c:[e.BE,i]};i.c=[e.ASM,e.QSM,n,a,e.RM];var o=i.c.concat([e.CBCM,e.CLCM]);return{aliases:["js","jsx"],k:r,c:[{cN:"meta",r:10,b:/^\s*['"]use (strict|asm)['"]/},{cN:"meta",b:/^#!/,e:/$/},e.ASM,e.QSM,n,e.CLCM,e.CBCM,a,{b:/[{,]\s*/,r:0,c:[{b:t+"\\s*:",rB:!0,r:0,c:[{cN:"attr",b:t,r:0}]}]},{b:"("+e.RSR+"|\\b(case|return|throw)\\b)\\s*",k:"return throw case",c:[e.CLCM,e.CBCM,e.RM,{cN:"function",b:"(\\(.*?\\)|"+t+")\\s*=>",rB:!0,e:"\\s*=>",c:[{cN:"params",v:[{b:t},{b:/\(\s*\)/},{b:/\(/,e:/\)/,eB:!0,eE:!0,k:r,c:o}]}]},{b://,sL:"xml",c:[{b:/<\w+\s*\/>/,skip:!0},{b:/<\w+/,e:/(\/\w+|\w+\/)>/,skip:!0,c:[{b:/<\w+\s*\/>/,skip:!0},"self"]}]}],r:0},{cN:"function",bK:"function",e:/\{/,eE:!0,c:[e.inherit(e.TM,{b:t}),{cN:"params",b:/\(/,e:/\)/,eB:!0,eE:!0,c:o}],i:/\[|%/},{b:/\$[(.]/},e.METHOD_GUARD,{cN:"class",bK:"class",e:/[{;=]/,eE:!0,i:/[:"\[\]]/,c:[{bK:"extends"},e.UTM]},{bK:"constructor",e:/\{/,eE:!0}],i:/#(?!!)/}}),e.registerLanguage("jboss-cli",function(e){var t={b:/[\w-]+ *=/,rB:!0,r:0,c:[{cN:"attr",b:/[\w-]+/}]},r={cN:"params",b:/\(/,e:/\)/,c:[t],r:0},a={cN:"function",b:/:[\w\-.]+/,r:0},i={cN:"string",b:/\B(([\/.])[\w\-.\/=]+)+/},n={cN:"params",b:/--[\w\-=\/]+/};return{aliases:["wildfly-cli"],l:"[a-z-]+",k:{keyword:"alias batch cd clear command connect connection-factory connection-info data-source deploy deployment-info deployment-overlay echo echo-dmr help history if jdbc-driver-info jms-queue|20 jms-topic|20 ls patch pwd quit read-attribute read-operation reload rollout-plan run-batch set shutdown try unalias undeploy unset version xa-data-source",literal:"true false"},c:[e.HCM,e.QSM,n,a,i,r]}}),e.registerLanguage("json",function(e){var t={literal:"true false null"},r=[e.QSM,e.CNM],a={e:",",eW:!0,eE:!0,c:r,k:t},i={b:"{",e:"}",c:[{cN:"attr",b:/"/,e:/"/,c:[e.BE],i:"\\n"},e.inherit(a,{b:/:/})],i:"\\S"},n={b:"\\[",e:"\\]",c:[e.inherit(a)],i:"\\S"};return r.splice(r.length,0,i,n),{c:r,k:t,i:"\\S"}}),e.registerLanguage("julia",function(e){var t={keyword:"in isa where baremodule begin break catch ccall const continue do else elseif end export false finally for function global if import importall let local macro module quote return true try using while type immutable abstract bitstype typealias ",literal:"true false ARGS C_NULL DevNull ENDIAN_BOM ENV I Inf Inf16 Inf32 Inf64 InsertionSort JULIA_HOME LOAD_PATH MergeSort NaN NaN16 NaN32 NaN64 PROGRAM_FILE QuickSort RoundDown RoundFromZero RoundNearest RoundNearestTiesAway RoundNearestTiesUp RoundToZero RoundUp STDERR STDIN STDOUT VERSION catalan e|0 eu|0 eulergamma golden im nothing pi γ π φ ",built_in:"ANY AbstractArray AbstractChannel AbstractFloat AbstractMatrix AbstractRNG AbstractSerializer AbstractSet AbstractSparseArray AbstractSparseMatrix AbstractSparseVector AbstractString AbstractUnitRange AbstractVecOrMat AbstractVector Any ArgumentError Array AssertionError Associative Base64DecodePipe Base64EncodePipe Bidiagonal BigFloat BigInt BitArray BitMatrix BitVector Bool BoundsError BufferStream CachingPool CapturedException CartesianIndex CartesianRange Cchar Cdouble Cfloat Channel Char Cint Cintmax_t Clong Clonglong ClusterManager Cmd CodeInfo Colon Complex Complex128 Complex32 Complex64 CompositeException Condition ConjArray ConjMatrix ConjVector Cptrdiff_t Cshort Csize_t Cssize_t Cstring Cuchar Cuint Cuintmax_t Culong Culonglong Cushort Cwchar_t Cwstring DataType Date DateFormat DateTime DenseArray DenseMatrix DenseVecOrMat DenseVector Diagonal Dict DimensionMismatch Dims DirectIndexString Display DivideError DomainError EOFError EachLine Enum Enumerate ErrorException Exception ExponentialBackOff Expr Factorization FileMonitor Float16 Float32 Float64 Function Future GlobalRef GotoNode HTML Hermitian IO IOBuffer IOContext IOStream IPAddr IPv4 IPv6 IndexCartesian IndexLinear IndexStyle InexactError InitError Int Int128 Int16 Int32 Int64 Int8 IntSet Integer InterruptException InvalidStateException Irrational KeyError LabelNode LinSpace LineNumberNode LoadError LowerTriangular MIME Matrix MersenneTwister Method MethodError MethodTable Module NTuple NewvarNode NullException Nullable Number ObjectIdDict OrdinalRange OutOfMemoryError OverflowError Pair ParseError PartialQuickSort PermutedDimsArray Pipe PollingFileWatcher ProcessExitedException Ptr QuoteNode RandomDevice Range RangeIndex Rational RawFD ReadOnlyMemoryError Real ReentrantLock Ref Regex RegexMatch RemoteChannel RemoteException RevString RoundingMode RowVector SSAValue SegmentationFault SerializationState Set SharedArray SharedMatrix SharedVector Signed SimpleVector Slot SlotNumber SparseMatrixCSC SparseVector StackFrame StackOverflowError StackTrace StepRange StepRangeLen StridedArray StridedMatrix StridedVecOrMat StridedVector String SubArray SubString SymTridiagonal Symbol Symmetric SystemError TCPSocket Task Text TextDisplay Timer Tridiagonal Tuple Type TypeError TypeMapEntry TypeMapLevel TypeName TypeVar TypedSlot UDPSocket UInt UInt128 UInt16 UInt32 UInt64 UInt8 UndefRefError UndefVarError UnicodeError UniformScaling Union UnionAll UnitRange Unsigned UpperTriangular Val Vararg VecElement VecOrMat Vector VersionNumber Void WeakKeyDict WeakRef WorkerConfig WorkerPool " -},r="[A-Za-z_\\u00A1-\\uFFFF][A-Za-z_0-9\\u00A1-\\uFFFF]*",a={l:r,k:t,i:/<\//},i={cN:"number",b:/(\b0x[\d_]*(\.[\d_]*)?|0x\.\d[\d_]*)p[-+]?\d+|\b0[box][a-fA-F0-9][a-fA-F0-9_]*|(\b\d[\d_]*(\.[\d_]*)?|\.\d[\d_]*)([eEfF][-+]?\d+)?/,r:0},n={cN:"string",b:/'(.|\\[xXuU][a-zA-Z0-9]+)'/},o={cN:"subst",b:/\$\(/,e:/\)/,k:t},s={cN:"variable",b:"\\$"+r},l={cN:"string",c:[e.BE,o,s],v:[{b:/\w*"""/,e:/"""\w*/,r:10},{b:/\w*"/,e:/"\w*/}]},c={cN:"string",c:[e.BE,o,s],b:"`",e:"`"},d={cN:"meta",b:"@"+r},p={cN:"comment",v:[{b:"#=",e:"=#",r:10},{b:"#",e:"$"}]};return a.c=[i,n,l,c,d,p,e.HCM,{cN:"keyword",b:"\\b(((abstract|primitive)\\s+)type|(mutable\\s+)?struct)\\b"},{b:/<:/}],o.c=a.c,a}),e.registerLanguage("julia-repl",function(e){return{c:[{cN:"meta",b:/^julia>/,r:10,starts:{e:/^(?![ ]{6})/,sL:"julia"},aliases:["jldoctest"]}]}}),e.registerLanguage("kotlin",function(e){var t={keyword:"abstract as val var vararg get set class object open private protected public noinline crossinline dynamic final enum if else do while for when throw try catch finally import package is in fun override companion reified inline lateinit initinterface annotation data sealed internal infix operator out by constructor super trait volatile transient native default",built_in:"Byte Short Char Int Long Boolean Float Double Void Unit Nothing",literal:"true false null"},r={cN:"keyword",b:/\b(break|continue|return|this)\b/,starts:{c:[{cN:"symbol",b:/@\w+/}]}},a={cN:"symbol",b:e.UIR+"@"},i={cN:"subst",b:"\\${",e:"}",c:[e.ASM,e.CNM]},n={cN:"variable",b:"\\$"+e.UIR},o={cN:"string",v:[{b:'"""',e:'"""',c:[n,i]},{b:"'",e:"'",i:/\n/,c:[e.BE]},{b:'"',e:'"',i:/\n/,c:[e.BE,n,i]}]},s={cN:"meta",b:"@(?:file|property|field|get|set|receiver|param|setparam|delegate)\\s*:(?:\\s*"+e.UIR+")?"},l={cN:"meta",b:"@"+e.UIR,c:[{b:/\(/,e:/\)/,c:[e.inherit(o,{cN:"meta-string"})]}]};return{k:t,c:[e.C("/\\*\\*","\\*/",{r:0,c:[{cN:"doctag",b:"@[A-Za-z]+"}]}),e.CLCM,e.CBCM,r,a,s,l,{cN:"function",bK:"fun",e:"[(]|$",rB:!0,eE:!0,k:t,i:/fun\s+(<.*>)?[^\s\(]+(\s+[^\s\(]+)\s*=/,r:5,c:[{b:e.UIR+"\\s*\\(",rB:!0,r:0,c:[e.UTM]},{cN:"type",b://,k:"reified",r:0},{cN:"params",b:/\(/,e:/\)/,endsParent:!0,k:t,r:0,c:[{b:/:/,e:/[=,\/]/,eW:!0,c:[{cN:"type",b:e.UIR},e.CLCM,e.CBCM],r:0},e.CLCM,e.CBCM,s,l,o,e.CNM]},e.CBCM]},{cN:"class",bK:"class interface trait",e:/[:\{(]|$/,eE:!0,i:"extends implements",c:[{bK:"public protected internal private constructor"},e.UTM,{cN:"type",b://,eB:!0,eE:!0,r:0},{cN:"type",b:/[,:]\s*/,e:/[<\(,]|$/,eB:!0,rE:!0},s,l]},o,{cN:"meta",b:"^#!/usr/bin/env",e:"$",i:"\n"},e.CNM]}}),e.registerLanguage("lasso",function(e){var t="[a-zA-Z_][\\w.]*",r="<\\?(lasso(script)?|=)",a="\\]|\\?>",i={literal:"true false none minimal full all void and or not bw nbw ew new cn ncn lt lte gt gte eq neq rx nrx ft",built_in:"array date decimal duration integer map pair string tag xml null boolean bytes keyword list locale queue set stack staticarray local var variable global data self inherited currentcapture givenblock",keyword:"cache database_names database_schemanames database_tablenames define_tag define_type email_batch encode_set html_comment handle handle_error header if inline iterate ljax_target link link_currentaction link_currentgroup link_currentrecord link_detail link_firstgroup link_firstrecord link_lastgroup link_lastrecord link_nextgroup link_nextrecord link_prevgroup link_prevrecord log loop namespace_using output_none portal private protect records referer referrer repeating resultset rows search_args search_arguments select sort_args sort_arguments thread_atomic value_list while abort case else fail_if fail_ifnot fail if_empty if_false if_null if_true loop_abort loop_continue loop_count params params_up return return_value run_children soap_definetag soap_lastrequest soap_lastresponse tag_name ascending average by define descending do equals frozen group handle_failure import in into join let match max min on order parent protected provide public require returnhome skip split_thread sum take thread to trait type where with yield yieldhome"},n=e.C("",{r:0}),o={cN:"meta",b:"\\[noprocess\\]",starts:{e:"\\[/noprocess\\]",rE:!0,c:[n]}},s={cN:"meta",b:"\\[/noprocess|"+r},l={cN:"symbol",b:"'"+t+"'"},c=[e.CLCM,e.CBCM,e.inherit(e.CNM,{b:e.CNR+"|(-?infinity|NaN)\\b"}),e.inherit(e.ASM,{i:null}),e.inherit(e.QSM,{i:null}),{cN:"string",b:"`",e:"`"},{v:[{b:"[#$]"+t},{b:"#",e:"\\d+",i:"\\W"}]},{cN:"type",b:"::\\s*",e:t,i:"\\W"},{cN:"params",v:[{b:"-(?!infinity)"+t,r:0},{b:"(\\.\\.\\.)"}]},{b:/(->|\.)\s*/,r:0,c:[l]},{cN:"class",bK:"define",rE:!0,e:"\\(|=>",c:[e.inherit(e.TM,{b:t+"(=(?!>))?|[-+*/%](?!>)"})]}];return{aliases:["ls","lassoscript"],cI:!0,l:t+"|&[lg]t;",k:i,c:[{cN:"meta",b:a,r:0,starts:{e:"\\[|"+r,rE:!0,r:0,c:[n]}},o,s,{cN:"meta",b:"\\[no_square_brackets",starts:{e:"\\[/no_square_brackets\\]",l:t+"|&[lg]t;",k:i,c:[{cN:"meta",b:a,r:0,starts:{e:"\\[noprocess\\]|"+r,rE:!0,c:[n]}},o,s].concat(c)}},{cN:"meta",b:"\\[",r:0},{cN:"meta",b:"^#!",e:"lasso9$",r:10}].concat(c)}}),e.registerLanguage("ldif",function(e){return{c:[{cN:"attribute",b:"^dn",e:": ",eE:!0,starts:{e:"$",r:0},r:10},{cN:"attribute",b:"^\\w",e:": ",eE:!0,starts:{e:"$",r:0}},{cN:"literal",b:"^-",e:"$"},e.HCM]}}),e.registerLanguage("leaf",function(e){return{c:[{cN:"function",b:"#+[A-Za-z_0-9]*\\(",e:" {",rB:!0,eE:!0,c:[{cN:"keyword",b:"#+"},{cN:"title",b:"[A-Za-z_][A-Za-z_0-9]*"},{cN:"params",b:"\\(",e:"\\)",endsParent:!0,c:[{cN:"string",b:'"',e:'"'},{cN:"variable",b:"[A-Za-z_][A-Za-z_0-9]*"}]}]}]}}),e.registerLanguage("less",function(e){var t="[\\w-]+",r="("+t+"|@{"+t+"})",a=[],i=[],n=function(e){return{cN:"string",b:"~?"+e+".*?"+e}},o=function(e,t,r){return{cN:e,b:t,r:r}},s={b:"\\(",e:"\\)",c:i,r:0};i.push(e.CLCM,e.CBCM,n("'"),n('"'),e.CSSNM,{b:"(url|data-uri)\\(",starts:{cN:"string",e:"[\\)\\n]",eE:!0}},o("number","#[0-9A-Fa-f]+\\b"),s,o("variable","@@?"+t,10),o("variable","@{"+t+"}"),o("built_in","~?`[^`]*?`"),{cN:"attribute",b:t+"\\s*:",e:":",rB:!0,eE:!0},{cN:"meta",b:"!important"});var l=i.concat({b:"{",e:"}",c:a}),c={bK:"when",eW:!0,c:[{bK:"and not"}].concat(i)},d={b:r+"\\s*:",rB:!0,e:"[;}]",r:0,c:[{cN:"attribute",b:r,e:":",eE:!0,starts:{eW:!0,i:"[<=$]",r:0,c:i}}]},p={cN:"keyword",b:"@(import|media|charset|font-face|(-[a-z]+-)?keyframes|supports|document|namespace|page|viewport|host)\\b",starts:{e:"[;{}]",rE:!0,c:i,r:0}},m={cN:"variable",v:[{b:"@"+t+"\\s*:",r:15},{b:"@"+t}],starts:{e:"[;}]",rE:!0,c:l}},u={v:[{b:"[\\.#:&\\[>]",e:"[;{}]"},{b:r,e:"{"}],rB:!0,rE:!0,i:"[<='$\"]",r:0,c:[e.CLCM,e.CBCM,c,o("keyword","all\\b"),o("variable","@{"+t+"}"),o("selector-tag",r+"%?",0),o("selector-id","#"+r),o("selector-class","\\."+r,0),o("selector-tag","&",0),{cN:"selector-attr",b:"\\[",e:"\\]"},{cN:"selector-pseudo",b:/:(:)?[a-zA-Z0-9\_\-\+\(\)"'.]+/},{b:"\\(",e:"\\)",c:l},{b:"!important"}]};return a.push(e.CLCM,e.CBCM,p,m,d,u),{cI:!0,i:"[=>'/<($\"]",c:a}}),e.registerLanguage("lisp",function(e){var t="[a-zA-Z_\\-\\+\\*\\/\\<\\=\\>\\&\\#][a-zA-Z0-9_\\-\\+\\*\\/\\<\\=\\>\\&\\#!]*",r="\\|[^]*?\\|",a="(\\-|\\+)?\\d+(\\.\\d+|\\/\\d+)?((d|e|f|l|s|D|E|F|L|S)(\\+|\\-)?\\d+)?",i={cN:"meta",b:"^#!",e:"$"},n={cN:"literal",b:"\\b(t{1}|nil)\\b"},o={cN:"number",v:[{b:a,r:0},{b:"#(b|B)[0-1]+(/[0-1]+)?"},{b:"#(o|O)[0-7]+(/[0-7]+)?"},{b:"#(x|X)[0-9a-fA-F]+(/[0-9a-fA-F]+)?"},{b:"#(c|C)\\("+a+" +"+a,e:"\\)"}]},s=e.inherit(e.QSM,{i:null}),l=e.C(";","$",{r:0}),c={b:"\\*",e:"\\*"},d={cN:"symbol",b:"[:&]"+t},p={b:t,r:0},m={b:r},u={b:"\\(",e:"\\)",c:["self",n,s,o,p]},b={c:[o,s,c,d,u,p],v:[{b:"['`]\\(",e:"\\)"},{b:"\\(quote ",e:"\\)",k:{name:"quote"}},{b:"'"+r}]},g={v:[{b:"'"+t},{b:"#'"+t+"(::"+t+")*"}]},f={b:"\\(\\s*",e:"\\)"},_={eW:!0,r:0};return f.c=[{cN:"name",v:[{b:t},{b:r}]},_],_.c=[b,g,f,n,o,s,l,c,d,m,p],{i:/\S/,c:[o,i,n,s,l,b,g,f,p]}}),e.registerLanguage("livecodeserver",function(e){var t={b:"\\b[gtps][A-Z]+[A-Za-z0-9_\\-]*\\b|\\$_[A-Z]+",r:0},r=[e.CBCM,e.HCM,e.C("--","$"),e.C("[^:]//","$")],a=e.inherit(e.TM,{v:[{b:"\\b_*rig[A-Z]+[A-Za-z0-9_\\-]*"},{b:"\\b_[a-z0-9\\-]+"}]}),i=e.inherit(e.TM,{b:"\\b([A-Za-z0-9_\\-]+)\\b"});return{cI:!1,k:{keyword:"$_COOKIE $_FILES $_GET $_GET_BINARY $_GET_RAW $_POST $_POST_BINARY $_POST_RAW $_SESSION $_SERVER codepoint codepoints segment segments codeunit codeunits sentence sentences trueWord trueWords paragraph after byte bytes english the until http forever descending using line real8 with seventh for stdout finally element word words fourth before black ninth sixth characters chars stderr uInt1 uInt1s uInt2 uInt2s stdin string lines relative rel any fifth items from middle mid at else of catch then third it file milliseconds seconds second secs sec int1 int1s int4 int4s internet int2 int2s normal text item last long detailed effective uInt4 uInt4s repeat end repeat URL in try into switch to words https token binfile each tenth as ticks tick system real4 by dateItems without char character ascending eighth whole dateTime numeric short first ftp integer abbreviated abbr abbrev private case while if div mod wrap and or bitAnd bitNot bitOr bitXor among not in a an within contains ends with begins the keys of keys",literal:"SIX TEN FORMFEED NINE ZERO NONE SPACE FOUR FALSE COLON CRLF PI COMMA ENDOFFILE EOF EIGHT FIVE QUOTE EMPTY ONE TRUE RETURN CR LINEFEED RIGHT BACKSLASH NULL SEVEN TAB THREE TWO six ten formfeed nine zero none space four false colon crlf pi comma endoffile eof eight five quote empty one true return cr linefeed right backslash null seven tab three two RIVERSION RISTATE FILE_READ_MODE FILE_WRITE_MODE FILE_WRITE_MODE DIR_WRITE_MODE FILE_READ_UMASK FILE_WRITE_UMASK DIR_READ_UMASK DIR_WRITE_UMASK",built_in:"put abs acos aliasReference annuity arrayDecode arrayEncode asin atan atan2 average avg avgDev base64Decode base64Encode baseConvert binaryDecode binaryEncode byteOffset byteToNum cachedURL cachedURLs charToNum cipherNames codepointOffset codepointProperty codepointToNum codeunitOffset commandNames compound compress constantNames cos date dateFormat decompress directories diskSpace DNSServers exp exp1 exp2 exp10 extents files flushEvents folders format functionNames geometricMean global globals hasMemory harmonicMean hostAddress hostAddressToName hostName hostNameToAddress isNumber ISOToMac itemOffset keys len length libURLErrorData libUrlFormData libURLftpCommand libURLLastHTTPHeaders libURLLastRHHeaders libUrlMultipartFormAddPart libUrlMultipartFormData libURLVersion lineOffset ln ln1 localNames log log2 log10 longFilePath lower macToISO matchChunk matchText matrixMultiply max md5Digest median merge millisec millisecs millisecond milliseconds min monthNames nativeCharToNum normalizeText num number numToByte numToChar numToCodepoint numToNativeChar offset open openfiles openProcesses openProcessIDs openSockets paragraphOffset paramCount param params peerAddress pendingMessages platform popStdDev populationStandardDeviation populationVariance popVariance processID random randomBytes replaceText result revCreateXMLTree revCreateXMLTreeFromFile revCurrentRecord revCurrentRecordIsFirst revCurrentRecordIsLast revDatabaseColumnCount revDatabaseColumnIsNull revDatabaseColumnLengths revDatabaseColumnNames revDatabaseColumnNamed revDatabaseColumnNumbered revDatabaseColumnTypes revDatabaseConnectResult revDatabaseCursors revDatabaseID revDatabaseTableNames revDatabaseType revDataFromQuery revdb_closeCursor revdb_columnbynumber revdb_columncount revdb_columnisnull revdb_columnlengths revdb_columnnames revdb_columntypes revdb_commit revdb_connect revdb_connections revdb_connectionerr revdb_currentrecord revdb_cursorconnection revdb_cursorerr revdb_cursors revdb_dbtype revdb_disconnect revdb_execute revdb_iseof revdb_isbof revdb_movefirst revdb_movelast revdb_movenext revdb_moveprev revdb_query revdb_querylist revdb_recordcount revdb_rollback revdb_tablenames revGetDatabaseDriverPath revNumberOfRecords revOpenDatabase revOpenDatabases revQueryDatabase revQueryDatabaseBlob revQueryResult revQueryIsAtStart revQueryIsAtEnd revUnixFromMacPath revXMLAttribute revXMLAttributes revXMLAttributeValues revXMLChildContents revXMLChildNames revXMLCreateTreeFromFileWithNamespaces revXMLCreateTreeWithNamespaces revXMLDataFromXPathQuery revXMLEvaluateXPath revXMLFirstChild revXMLMatchingNode revXMLNextSibling revXMLNodeContents revXMLNumberOfChildren revXMLParent revXMLPreviousSibling revXMLRootNode revXMLRPC_CreateRequest revXMLRPC_Documents revXMLRPC_Error revXMLRPC_GetHost revXMLRPC_GetMethod revXMLRPC_GetParam revXMLText revXMLRPC_Execute revXMLRPC_GetParamCount revXMLRPC_GetParamNode revXMLRPC_GetParamType revXMLRPC_GetPath revXMLRPC_GetPort revXMLRPC_GetProtocol revXMLRPC_GetRequest revXMLRPC_GetResponse revXMLRPC_GetSocket revXMLTree revXMLTrees revXMLValidateDTD revZipDescribeItem revZipEnumerateItems revZipOpenArchives round sampVariance sec secs seconds sentenceOffset sha1Digest shell shortFilePath sin specialFolderPath sqrt standardDeviation statRound stdDev sum sysError systemVersion tan tempName textDecode textEncode tick ticks time to tokenOffset toLower toUpper transpose truewordOffset trunc uniDecode uniEncode upper URLDecode URLEncode URLStatus uuid value variableNames variance version waitDepth weekdayNames wordOffset xsltApplyStylesheet xsltApplyStylesheetFromFile xsltLoadStylesheet xsltLoadStylesheetFromFile add breakpoint cancel clear local variable file word line folder directory URL close socket process combine constant convert create new alias folder directory decrypt delete variable word line folder directory URL dispatch divide do encrypt filter get include intersect kill libURLDownloadToFile libURLFollowHttpRedirects libURLftpUpload libURLftpUploadFile libURLresetAll libUrlSetAuthCallback libURLSetCustomHTTPHeaders libUrlSetExpect100 libURLSetFTPListCommand libURLSetFTPMode libURLSetFTPStopTime libURLSetStatusCallback load multiply socket prepare process post seek rel relative read from process rename replace require resetAll resolve revAddXMLNode revAppendXML revCloseCursor revCloseDatabase revCommitDatabase revCopyFile revCopyFolder revCopyXMLNode revDeleteFolder revDeleteXMLNode revDeleteAllXMLTrees revDeleteXMLTree revExecuteSQL revGoURL revInsertXMLNode revMoveFolder revMoveToFirstRecord revMoveToLastRecord revMoveToNextRecord revMoveToPreviousRecord revMoveToRecord revMoveXMLNode revPutIntoXMLNode revRollBackDatabase revSetDatabaseDriverPath revSetXMLAttribute revXMLRPC_AddParam revXMLRPC_DeleteAllDocuments revXMLAddDTD revXMLRPC_Free revXMLRPC_FreeAll revXMLRPC_DeleteDocument revXMLRPC_DeleteParam revXMLRPC_SetHost revXMLRPC_SetMethod revXMLRPC_SetPort revXMLRPC_SetProtocol revXMLRPC_SetSocket revZipAddItemWithData revZipAddItemWithFile revZipAddUncompressedItemWithData revZipAddUncompressedItemWithFile revZipCancel revZipCloseArchive revZipDeleteItem revZipExtractItemToFile revZipExtractItemToVariable revZipSetProgressCallback revZipRenameItem revZipReplaceItemWithData revZipReplaceItemWithFile revZipOpenArchive send set sort split start stop subtract union unload wait write"},c:[t,{cN:"keyword",b:"\\bend\\sif\\b"},{cN:"function",bK:"function",e:"$",c:[t,i,e.ASM,e.QSM,e.BNM,e.CNM,a]},{cN:"function",b:"\\bend\\s+",e:"$",k:"end",c:[i,a],r:0},{bK:"command on",e:"$",c:[t,i,e.ASM,e.QSM,e.BNM,e.CNM,a]},{cN:"meta",v:[{b:"<\\?(rev|lc|livecode)",r:10},{b:"<\\?"},{b:"\\?>"}]},e.ASM,e.QSM,e.BNM,e.CNM,a].concat(r),i:";$|^\\[|^=|&|{"}}),e.registerLanguage("livescript",function(e){var t={keyword:"in if for while finally new do return else break catch instanceof throw try this switch continue typeof delete debugger case default function var with then unless until loop of by when and or is isnt not it that otherwise from to til fallthrough super case default function var void const let enum export import native __hasProp __extends __slice __bind __indexOf",literal:"true false null undefined yes no on off it that void",built_in:"npm require console print module global window document"},r="[A-Za-z$_](?:-[0-9A-Za-z$_]|[0-9A-Za-z$_])*",a=e.inherit(e.TM,{b:r}),i={cN:"subst",b:/#\{/,e:/}/,k:t},n={cN:"subst",b:/#[A-Za-z$_]/,e:/(?:\-[0-9A-Za-z$_]|[0-9A-Za-z$_])*/,k:t},o=[e.BNM,{cN:"number",b:"(\\b0[xX][a-fA-F0-9_]+)|(\\b\\d(\\d|_\\d)*(\\.(\\d(\\d|_\\d)*)?)?(_*[eE]([-+]\\d(_\\d|\\d)*)?)?[_a-z]*)",r:0,starts:{e:"(\\s*/)?",r:0}},{cN:"string",v:[{b:/'''/,e:/'''/,c:[e.BE]},{b:/'/,e:/'/,c:[e.BE]},{b:/"""/,e:/"""/,c:[e.BE,i,n]},{b:/"/,e:/"/,c:[e.BE,i,n]},{b:/\\/,e:/(\s|$)/,eE:!0}]},{cN:"regexp",v:[{b:"//",e:"//[gim]*",c:[i,e.HCM]},{b:/\/(?![ *])(\\\/|.)*?\/[gim]*(?=\W|$)/}]},{b:"@"+r},{b:"``",e:"``",eB:!0,eE:!0,sL:"javascript"}];i.c=o;var s={cN:"params",b:"\\(",rB:!0,c:[{b:/\(/,e:/\)/,k:t,c:["self"].concat(o)}]};return{aliases:["ls"],k:t,i:/\/\*/,c:o.concat([e.C("\\/\\*","\\*\\/"),e.HCM,{cN:"function",c:[a,s],rB:!0,v:[{b:"("+r+"\\s*(?:=|:=)\\s*)?(\\(.*\\))?\\s*\\B\\->\\*?",e:"\\->\\*?"},{b:"("+r+"\\s*(?:=|:=)\\s*)?!?(\\(.*\\))?\\s*\\B[-~]{1,2}>\\*?",e:"[-~]{1,2}>\\*?"},{b:"("+r+"\\s*(?:=|:=)\\s*)?(\\(.*\\))?\\s*\\B!?[-~]{1,2}>\\*?",e:"!?[-~]{1,2}>\\*?"}]},{cN:"class",bK:"class",e:"$",i:/[:="\[\]]/,c:[{bK:"extends",eW:!0,i:/[:="\[\]]/,c:[a]},a]},{b:r+":",e:":",rB:!0,rE:!0,r:0}])}}),e.registerLanguage("llvm",function(e){var t="([-a-zA-Z$._][\\w\\-$.]*)";return{k:"begin end true false declare define global constant private linker_private internal available_externally linkonce linkonce_odr weak weak_odr appending dllimport dllexport common default hidden protected extern_weak external thread_local zeroinitializer undef null to tail target triple datalayout volatile nuw nsw nnan ninf nsz arcp fast exact inbounds align addrspace section alias module asm sideeffect gc dbg linker_private_weak attributes blockaddress initialexec localdynamic localexec prefix unnamed_addr ccc fastcc coldcc x86_stdcallcc x86_fastcallcc arm_apcscc arm_aapcscc arm_aapcs_vfpcc ptx_device ptx_kernel intel_ocl_bicc msp430_intrcc spir_func spir_kernel x86_64_sysvcc x86_64_win64cc x86_thiscallcc cc c signext zeroext inreg sret nounwind noreturn noalias nocapture byval nest readnone readonly inlinehint noinline alwaysinline optsize ssp sspreq noredzone noimplicitfloat naked builtin cold nobuiltin noduplicate nonlazybind optnone returns_twice sanitize_address sanitize_memory sanitize_thread sspstrong uwtable returned type opaque eq ne slt sgt sle sge ult ugt ule uge oeq one olt ogt ole oge ord uno ueq une x acq_rel acquire alignstack atomic catch cleanup filter inteldialect max min monotonic nand personality release seq_cst singlethread umax umin unordered xchg add fadd sub fsub mul fmul udiv sdiv fdiv urem srem frem shl lshr ashr and or xor icmp fcmp phi call trunc zext sext fptrunc fpext uitofp sitofp fptoui fptosi inttoptr ptrtoint bitcast addrspacecast select va_arg ret br switch invoke unwind unreachable indirectbr landingpad resume malloc alloca free load store getelementptr extractelement insertelement shufflevector getresult extractvalue insertvalue atomicrmw cmpxchg fence argmemonly double",c:[{cN:"keyword",b:"i\\d+"},e.C(";","\\n",{r:0}),e.QSM,{cN:"string",v:[{b:'"',e:'[^\\\\]"'}],r:0},{cN:"title",v:[{b:"@"+t},{b:"@\\d+"},{b:"!"+t},{b:"!\\d+"+t}]},{cN:"symbol",v:[{b:"%"+t},{b:"%\\d+"},{b:"#\\d+"}]},{cN:"number",v:[{b:"0[xX][a-fA-F0-9]+"},{b:"-?\\d+(?:[.]\\d+)?(?:[eE][-+]?\\d+(?:[.]\\d+)?)?"}],r:0}]}}),e.registerLanguage("lsl",function(e){var t={cN:"subst",b:/\\[tn"\\]/},r={cN:"string",b:'"',e:'"',c:[t]},a={cN:"number",b:e.CNR},i={cN:"literal",v:[{b:"\\b(?:PI|TWO_PI|PI_BY_TWO|DEG_TO_RAD|RAD_TO_DEG|SQRT2)\\b"},{b:"\\b(?:XP_ERROR_(?:EXPERIENCES_DISABLED|EXPERIENCE_(?:DISABLED|SUSPENDED)|INVALID_(?:EXPERIENCE|PARAMETERS)|KEY_NOT_FOUND|MATURITY_EXCEEDED|NONE|NOT_(?:FOUND|PERMITTED(?:_LAND)?)|NO_EXPERIENCE|QUOTA_EXCEEDED|RETRY_UPDATE|STORAGE_EXCEPTION|STORE_DISABLED|THROTTLED|UNKNOWN_ERROR)|JSON_APPEND|STATUS_(?:PHYSICS|ROTATE_[XYZ]|PHANTOM|SANDBOX|BLOCK_GRAB(?:_OBJECT)?|(?:DIE|RETURN)_AT_EDGE|CAST_SHADOWS|OK|MALFORMED_PARAMS|TYPE_MISMATCH|BOUNDS_ERROR|NOT_(?:FOUND|SUPPORTED)|INTERNAL_ERROR|WHITELIST_FAILED)|AGENT(?:_(?:BY_(?:LEGACY_|USER)NAME|FLYING|ATTACHMENTS|SCRIPTED|MOUSELOOK|SITTING|ON_OBJECT|AWAY|WALKING|IN_AIR|TYPING|CROUCHING|BUSY|ALWAYS_RUN|AUTOPILOT|LIST_(?:PARCEL(?:_OWNER)?|REGION)))?|CAMERA_(?:PITCH|DISTANCE|BEHINDNESS_(?:ANGLE|LAG)|(?:FOCUS|POSITION)(?:_(?:THRESHOLD|LOCKED|LAG))?|FOCUS_OFFSET|ACTIVE)|ANIM_ON|LOOP|REVERSE|PING_PONG|SMOOTH|ROTATE|SCALE|ALL_SIDES|LINK_(?:ROOT|SET|ALL_(?:OTHERS|CHILDREN)|THIS)|ACTIVE|PASS(?:IVE|_(?:ALWAYS|IF_NOT_HANDLED|NEVER))|SCRIPTED|CONTROL_(?:FWD|BACK|(?:ROT_)?(?:LEFT|RIGHT)|UP|DOWN|(?:ML_)?LBUTTON)|PERMISSION_(?:RETURN_OBJECTS|DEBIT|OVERRIDE_ANIMATIONS|SILENT_ESTATE_MANAGEMENT|TAKE_CONTROLS|TRIGGER_ANIMATION|ATTACH|CHANGE_LINKS|(?:CONTROL|TRACK)_CAMERA|TELEPORT)|INVENTORY_(?:TEXTURE|SOUND|OBJECT|SCRIPT|LANDMARK|CLOTHING|NOTECARD|BODYPART|ANIMATION|GESTURE|ALL|NONE)|CHANGED_(?:INVENTORY|COLOR|SHAPE|SCALE|TEXTURE|LINK|ALLOWED_DROP|OWNER|REGION(?:_START)?|TELEPORT|MEDIA)|OBJECT_(?:CLICK_ACTION|HOVER_HEIGHT|LAST_OWNER_ID|(?:PHYSICS|SERVER|STREAMING)_COST|UNKNOWN_DETAIL|CHARACTER_TIME|PHANTOM|PHYSICS|TEMP_ON_REZ|NAME|DESC|POS|PRIM_(?:COUNT|EQUIVALENCE)|RETURN_(?:PARCEL(?:_OWNER)?|REGION)|REZZER_KEY|ROO?T|VELOCITY|OMEGA|OWNER|GROUP|CREATOR|ATTACHED_POINT|RENDER_WEIGHT|(?:BODY_SHAPE|PATHFINDING)_TYPE|(?:RUNNING|TOTAL)_SCRIPT_COUNT|TOTAL_INVENTORY_COUNT|SCRIPT_(?:MEMORY|TIME))|TYPE_(?:INTEGER|FLOAT|STRING|KEY|VECTOR|ROTATION|INVALID)|(?:DEBUG|PUBLIC)_CHANNEL|ATTACH_(?:AVATAR_CENTER|CHEST|HEAD|BACK|PELVIS|MOUTH|CHIN|NECK|NOSE|BELLY|[LR](?:SHOULDER|HAND|FOOT|EAR|EYE|[UL](?:ARM|LEG)|HIP)|(?:LEFT|RIGHT)_PEC|HUD_(?:CENTER_[12]|TOP_(?:RIGHT|CENTER|LEFT)|BOTTOM(?:_(?:RIGHT|LEFT))?)|[LR]HAND_RING1|TAIL_(?:BASE|TIP)|[LR]WING|FACE_(?:JAW|[LR]EAR|[LR]EYE|TOUNGE)|GROIN|HIND_[LR]FOOT)|LAND_(?:LEVEL|RAISE|LOWER|SMOOTH|NOISE|REVERT)|DATA_(?:ONLINE|NAME|BORN|SIM_(?:POS|STATUS|RATING)|PAYINFO)|PAYMENT_INFO_(?:ON_FILE|USED)|REMOTE_DATA_(?:CHANNEL|REQUEST|REPLY)|PSYS_(?:PART_(?:BF_(?:ZERO|ONE(?:_MINUS_(?:DEST_COLOR|SOURCE_(ALPHA|COLOR)))?|DEST_COLOR|SOURCE_(ALPHA|COLOR))|BLEND_FUNC_(DEST|SOURCE)|FLAGS|(?:START|END)_(?:COLOR|ALPHA|SCALE|GLOW)|MAX_AGE|(?:RIBBON|WIND|INTERP_(?:COLOR|SCALE)|BOUNCE|FOLLOW_(?:SRC|VELOCITY)|TARGET_(?:POS|LINEAR)|EMISSIVE)_MASK)|SRC_(?:MAX_AGE|PATTERN|ANGLE_(?:BEGIN|END)|BURST_(?:RATE|PART_COUNT|RADIUS|SPEED_(?:MIN|MAX))|ACCEL|TEXTURE|TARGET_KEY|OMEGA|PATTERN_(?:DROP|EXPLODE|ANGLE(?:_CONE(?:_EMPTY)?)?)))|VEHICLE_(?:REFERENCE_FRAME|TYPE_(?:NONE|SLED|CAR|BOAT|AIRPLANE|BALLOON)|(?:LINEAR|ANGULAR)_(?:FRICTION_TIMESCALE|MOTOR_DIRECTION)|LINEAR_MOTOR_OFFSET|HOVER_(?:HEIGHT|EFFICIENCY|TIMESCALE)|BUOYANCY|(?:LINEAR|ANGULAR)_(?:DEFLECTION_(?:EFFICIENCY|TIMESCALE)|MOTOR_(?:DECAY_)?TIMESCALE)|VERTICAL_ATTRACTION_(?:EFFICIENCY|TIMESCALE)|BANKING_(?:EFFICIENCY|MIX|TIMESCALE)|FLAG_(?:NO_DEFLECTION_UP|LIMIT_(?:ROLL_ONLY|MOTOR_UP)|HOVER_(?:(?:WATER|TERRAIN|UP)_ONLY|GLOBAL_HEIGHT)|MOUSELOOK_(?:STEER|BANK)|CAMERA_DECOUPLED))|PRIM_(?:ALPHA_MODE(?:_(?:BLEND|EMISSIVE|MASK|NONE))?|NORMAL|SPECULAR|TYPE(?:_(?:BOX|CYLINDER|PRISM|SPHERE|TORUS|TUBE|RING|SCULPT))?|HOLE_(?:DEFAULT|CIRCLE|SQUARE|TRIANGLE)|MATERIAL(?:_(?:STONE|METAL|GLASS|WOOD|FLESH|PLASTIC|RUBBER))?|SHINY_(?:NONE|LOW|MEDIUM|HIGH)|BUMP_(?:NONE|BRIGHT|DARK|WOOD|BARK|BRICKS|CHECKER|CONCRETE|TILE|STONE|DISKS|GRAVEL|BLOBS|SIDING|LARGETILE|STUCCO|SUCTION|WEAVE)|TEXGEN_(?:DEFAULT|PLANAR)|SCULPT_(?:TYPE_(?:SPHERE|TORUS|PLANE|CYLINDER|MASK)|FLAG_(?:MIRROR|INVERT))|PHYSICS(?:_(?:SHAPE_(?:CONVEX|NONE|PRIM|TYPE)))?|(?:POS|ROT)_LOCAL|SLICE|TEXT|FLEXIBLE|POINT_LIGHT|TEMP_ON_REZ|PHANTOM|POSITION|SIZE|ROTATION|TEXTURE|NAME|OMEGA|DESC|LINK_TARGET|COLOR|BUMP_SHINY|FULLBRIGHT|TEXGEN|GLOW|MEDIA_(?:ALT_IMAGE_ENABLE|CONTROLS|(?:CURRENT|HOME)_URL|AUTO_(?:LOOP|PLAY|SCALE|ZOOM)|FIRST_CLICK_INTERACT|(?:WIDTH|HEIGHT)_PIXELS|WHITELIST(?:_ENABLE)?|PERMS_(?:INTERACT|CONTROL)|PARAM_MAX|CONTROLS_(?:STANDARD|MINI)|PERM_(?:NONE|OWNER|GROUP|ANYONE)|MAX_(?:URL_LENGTH|WHITELIST_(?:SIZE|COUNT)|(?:WIDTH|HEIGHT)_PIXELS)))|MASK_(?:BASE|OWNER|GROUP|EVERYONE|NEXT)|PERM_(?:TRANSFER|MODIFY|COPY|MOVE|ALL)|PARCEL_(?:MEDIA_COMMAND_(?:STOP|PAUSE|PLAY|LOOP|TEXTURE|URL|TIME|AGENT|UNLOAD|AUTO_ALIGN|TYPE|SIZE|DESC|LOOP_SET)|FLAG_(?:ALLOW_(?:FLY|(?:GROUP_)?SCRIPTS|LANDMARK|TERRAFORM|DAMAGE|CREATE_(?:GROUP_)?OBJECTS)|USE_(?:ACCESS_(?:GROUP|LIST)|BAN_LIST|LAND_PASS_LIST)|LOCAL_SOUND_ONLY|RESTRICT_PUSHOBJECT|ALLOW_(?:GROUP|ALL)_OBJECT_ENTRY)|COUNT_(?:TOTAL|OWNER|GROUP|OTHER|SELECTED|TEMP)|DETAILS_(?:NAME|DESC|OWNER|GROUP|AREA|ID|SEE_AVATARS))|LIST_STAT_(?:MAX|MIN|MEAN|MEDIAN|STD_DEV|SUM(?:_SQUARES)?|NUM_COUNT|GEOMETRIC_MEAN|RANGE)|PAY_(?:HIDE|DEFAULT)|REGION_FLAG_(?:ALLOW_DAMAGE|FIXED_SUN|BLOCK_TERRAFORM|SANDBOX|DISABLE_(?:COLLISIONS|PHYSICS)|BLOCK_FLY|ALLOW_DIRECT_TELEPORT|RESTRICT_PUSHOBJECT)|HTTP_(?:METHOD|MIMETYPE|BODY_(?:MAXLENGTH|TRUNCATED)|CUSTOM_HEADER|PRAGMA_NO_CACHE|VERBOSE_THROTTLE|VERIFY_CERT)|STRING_(?:TRIM(?:_(?:HEAD|TAIL))?)|CLICK_ACTION_(?:NONE|TOUCH|SIT|BUY|PAY|OPEN(?:_MEDIA)?|PLAY|ZOOM)|TOUCH_INVALID_FACE|PROFILE_(?:NONE|SCRIPT_MEMORY)|RC_(?:DATA_FLAGS|DETECT_PHANTOM|GET_(?:LINK_NUM|NORMAL|ROOT_KEY)|MAX_HITS|REJECT_(?:TYPES|AGENTS|(?:NON)?PHYSICAL|LAND))|RCERR_(?:CAST_TIME_EXCEEDED|SIM_PERF_LOW|UNKNOWN)|ESTATE_ACCESS_(?:ALLOWED_(?:AGENT|GROUP)_(?:ADD|REMOVE)|BANNED_AGENT_(?:ADD|REMOVE))|DENSITY|FRICTION|RESTITUTION|GRAVITY_MULTIPLIER|KFM_(?:COMMAND|CMD_(?:PLAY|STOP|PAUSE)|MODE|FORWARD|LOOP|PING_PONG|REVERSE|DATA|ROTATION|TRANSLATION)|ERR_(?:GENERIC|PARCEL_PERMISSIONS|MALFORMED_PARAMS|RUNTIME_PERMISSIONS|THROTTLED)|CHARACTER_(?:CMD_(?:(?:SMOOTH_)?STOP|JUMP)|DESIRED_(?:TURN_)?SPEED|RADIUS|STAY_WITHIN_PARCEL|LENGTH|ORIENTATION|ACCOUNT_FOR_SKIPPED_FRAMES|AVOIDANCE_MODE|TYPE(?:_(?:[ABCD]|NONE))?|MAX_(?:DECEL|TURN_RADIUS|(?:ACCEL|SPEED)))|PURSUIT_(?:OFFSET|FUZZ_FACTOR|GOAL_TOLERANCE|INTERCEPT)|REQUIRE_LINE_OF_SIGHT|FORCE_DIRECT_PATH|VERTICAL|HORIZONTAL|AVOID_(?:CHARACTERS|DYNAMIC_OBSTACLES|NONE)|PU_(?:EVADE_(?:HIDDEN|SPOTTED)|FAILURE_(?:DYNAMIC_PATHFINDING_DISABLED|INVALID_(?:GOAL|START)|NO_(?:NAVMESH|VALID_DESTINATION)|OTHER|TARGET_GONE|(?:PARCEL_)?UNREACHABLE)|(?:GOAL|SLOWDOWN_DISTANCE)_REACHED)|TRAVERSAL_TYPE(?:_(?:FAST|NONE|SLOW))?|CONTENT_TYPE_(?:ATOM|FORM|HTML|JSON|LLSD|RSS|TEXT|XHTML|XML)|GCNP_(?:RADIUS|STATIC)|(?:PATROL|WANDER)_PAUSE_AT_WAYPOINTS|OPT_(?:AVATAR|CHARACTER|EXCLUSION_VOLUME|LEGACY_LINKSET|MATERIAL_VOLUME|OTHER|STATIC_OBSTACLE|WALKABLE)|SIM_STAT_PCT_CHARS_STEPPED)\\b"},{b:"\\b(?:FALSE|TRUE)\\b"},{b:"\\b(?:ZERO_ROTATION)\\b"},{b:"\\b(?:EOF|JSON_(?:ARRAY|DELETE|FALSE|INVALID|NULL|NUMBER|OBJECT|STRING|TRUE)|NULL_KEY|TEXTURE_(?:BLANK|DEFAULT|MEDIA|PLYWOOD|TRANSPARENT)|URL_REQUEST_(?:GRANTED|DENIED))\\b"},{b:"\\b(?:ZERO_VECTOR|TOUCH_INVALID_(?:TEXCOORD|VECTOR))\\b"}]},n={cN:"built_in",b:"\\b(?:ll(?:AgentInExperience|(?:Create|DataSize|Delete|KeyCount|Keys|Read|Update)KeyValue|GetExperience(?:Details|ErrorMessage)|ReturnObjectsBy(?:ID|Owner)|Json(?:2List|[GS]etValue|ValueType)|Sin|Cos|Tan|Atan2|Sqrt|Pow|Abs|Fabs|Frand|Floor|Ceil|Round|Vec(?:Mag|Norm|Dist)|Rot(?:Between|2(?:Euler|Fwd|Left|Up))|(?:Euler|Axes)2Rot|Whisper|(?:Region|Owner)?Say|Shout|Listen(?:Control|Remove)?|Sensor(?:Repeat|Remove)?|Detected(?:Name|Key|Owner|Type|Pos|Vel|Grab|Rot|Group|LinkNumber)|Die|Ground|Wind|(?:[GS]et)(?:AnimationOverride|MemoryLimit|PrimMediaParams|ParcelMusicURL|Object(?:Desc|Name)|PhysicsMaterial|Status|Scale|Color|Alpha|Texture|Pos|Rot|Force|Torque)|ResetAnimationOverride|(?:Scale|Offset|Rotate)Texture|(?:Rot)?Target(?:Remove)?|(?:Stop)?MoveToTarget|Apply(?:Rotational)?Impulse|Set(?:KeyframedMotion|ContentType|RegionPos|(?:Angular)?Velocity|Buoyancy|HoverHeight|ForceAndTorque|TimerEvent|ScriptState|Damage|TextureAnim|Sound(?:Queueing|Radius)|Vehicle(?:Type|(?:Float|Vector|Rotation)Param)|(?:Touch|Sit)?Text|Camera(?:Eye|At)Offset|PrimitiveParams|ClickAction|Link(?:Alpha|Color|PrimitiveParams(?:Fast)?|Texture(?:Anim)?|Camera|Media)|RemoteScriptAccessPin|PayPrice|LocalRot)|ScaleByFactor|Get(?:(?:Max|Min)ScaleFactor|ClosestNavPoint|StaticPath|SimStats|Env|PrimitiveParams|Link(?:PrimitiveParams|Number(?:OfSides)?|Key|Name|Media)|HTTPHeader|FreeURLs|Object(?:Details|PermMask|PrimCount)|Parcel(?:MaxPrims|Details|Prim(?:Count|Owners))|Attached(?:List)?|(?:SPMax|Free|Used)Memory|Region(?:Name|TimeDilation|FPS|Corner|AgentCount)|Root(?:Position|Rotation)|UnixTime|(?:Parcel|Region)Flags|(?:Wall|GMT)clock|SimulatorHostname|BoundingBox|GeometricCenter|Creator|NumberOf(?:Prims|NotecardLines|Sides)|Animation(?:List)?|(?:Camera|Local)(?:Pos|Rot)|Vel|Accel|Omega|Time(?:stamp|OfDay)|(?:Object|CenterOf)?Mass|MassMKS|Energy|Owner|(?:Owner)?Key|SunDirection|Texture(?:Offset|Scale|Rot)|Inventory(?:Number|Name|Key|Type|Creator|PermMask)|Permissions(?:Key)?|StartParameter|List(?:Length|EntryType)|Date|Agent(?:Size|Info|Language|List)|LandOwnerAt|NotecardLine|Script(?:Name|State))|(?:Get|Reset|GetAndReset)Time|PlaySound(?:Slave)?|LoopSound(?:Master|Slave)?|(?:Trigger|Stop|Preload)Sound|(?:(?:Get|Delete)Sub|Insert)String|To(?:Upper|Lower)|Give(?:InventoryList|Money)|RezObject|(?:Stop)?LookAt|Sleep|CollisionFilter|(?:Take|Release)Controls|DetachFromAvatar|AttachToAvatar(?:Temp)?|InstantMessage|(?:GetNext)?Email|StopHover|MinEventDelay|RotLookAt|String(?:Length|Trim)|(?:Start|Stop)Animation|TargetOmega|Request(?:Experience)?Permissions|(?:Create|Break)Link|BreakAllLinks|(?:Give|Remove)Inventory|Water|PassTouches|Request(?:Agent|Inventory)Data|TeleportAgent(?:Home|GlobalCoords)?|ModifyLand|CollisionSound|ResetScript|MessageLinked|PushObject|PassCollisions|AxisAngle2Rot|Rot2(?:Axis|Angle)|A(?:cos|sin)|AngleBetween|AllowInventoryDrop|SubStringIndex|List2(?:CSV|Integer|Json|Float|String|Key|Vector|Rot|List(?:Strided)?)|DeleteSubList|List(?:Statistics|Sort|Randomize|(?:Insert|Find|Replace)List)|EdgeOfWorld|AdjustSoundVolume|Key2Name|TriggerSoundLimited|EjectFromLand|(?:CSV|ParseString)2List|OverMyLand|SameGroup|UnSit|Ground(?:Slope|Normal|Contour)|GroundRepel|(?:Set|Remove)VehicleFlags|(?:AvatarOn)?(?:Link)?SitTarget|Script(?:Danger|Profiler)|Dialog|VolumeDetect|ResetOtherScript|RemoteLoadScriptPin|(?:Open|Close)RemoteDataChannel|SendRemoteData|RemoteDataReply|(?:Integer|String)ToBase64|XorBase64|Log(?:10)?|Base64To(?:String|Integer)|ParseStringKeepNulls|RezAtRoot|RequestSimulatorData|ForceMouselook|(?:Load|Release|(?:E|Une)scape)URL|ParcelMedia(?:CommandList|Query)|ModPow|MapDestination|(?:RemoveFrom|AddTo|Reset)Land(?:Pass|Ban)List|(?:Set|Clear)CameraParams|HTTP(?:Request|Response)|TextBox|DetectedTouch(?:UV|Face|Pos|(?:N|Bin)ormal|ST)|(?:MD5|SHA1|DumpList2)String|Request(?:Secure)?URL|Clear(?:Prim|Link)Media|(?:Link)?ParticleSystem|(?:Get|Request)(?:Username|DisplayName)|RegionSayTo|CastRay|GenerateKey|TransferLindenDollars|ManageEstateAccess|(?:Create|Delete)Character|ExecCharacterCmd|Evade|FleeFrom|NavigateTo|PatrolPoints|Pursue|UpdateCharacter|WanderWithin))\\b"};return{i:":",c:[r,{cN:"comment",v:[e.C("//","$"),e.C("/\\*","\\*/")]},a,{cN:"section",v:[{b:"\\b(?:state|default)\\b"},{b:"\\b(?:state_(?:entry|exit)|touch(?:_(?:start|end))?|(?:land_)?collision(?:_(?:start|end))?|timer|listen|(?:no_)?sensor|control|(?:not_)?at_(?:rot_)?target|money|email|experience_permissions(?:_denied)?|run_time_permissions|changed|attach|dataserver|moving_(?:start|end)|link_message|(?:on|object)_rez|remote_data|http_re(?:sponse|quest)|path_update|transaction_result)\\b"}]},n,i,{cN:"type",b:"\\b(?:integer|float|string|key|vector|quaternion|rotation|list)\\b"}]}}),e.registerLanguage("lua",function(e){var t="\\[=*\\[",r="\\]=*\\]",a={b:t,e:r,c:["self"]},i=[e.C("--(?!"+t+")","$"),e.C("--"+t,r,{c:[a],r:10})];return{l:e.UIR,k:{literal:"true false nil",keyword:"and break do else elseif end for goto if in local not or repeat return then until while",built_in:"_G _ENV _VERSION __index __newindex __mode __call __metatable __tostring __len __gc __add __sub __mul __div __mod __pow __concat __unm __eq __lt __le assert collectgarbage dofile error getfenv getmetatable ipairs load loadfile loadstringmodule next pairs pcall print rawequal rawget rawset require select setfenvsetmetatable tonumber tostring type unpack xpcall arg selfcoroutine resume yield status wrap create running debug getupvalue debug sethook getmetatable gethook setmetatable setlocal traceback setfenv getinfo setupvalue getlocal getregistry getfenv io lines write close flush open output type read stderr stdin input stdout popen tmpfile math log max acos huge ldexp pi cos tanh pow deg tan cosh sinh random randomseed frexp ceil floor rad abs sqrt modf asin min mod fmod log10 atan2 exp sin atan os exit setlocale date getenv difftime remove time clock tmpname rename execute package preload loadlib loaded loaders cpath config path seeall string sub upper len gfind rep find match char dump gmatch reverse byte format gsub lower table setn insert getn foreachi maxn foreach concat sort remove" -},c:i.concat([{cN:"function",bK:"function",e:"\\)",c:[e.inherit(e.TM,{b:"([_a-zA-Z]\\w*\\.)*([_a-zA-Z]\\w*:)?[_a-zA-Z]\\w*"}),{cN:"params",b:"\\(",eW:!0,c:i}].concat(i)},e.CNM,e.ASM,e.QSM,{cN:"string",b:t,e:r,c:[a],r:5}])}}),e.registerLanguage("makefile",function(e){var t={cN:"variable",v:[{b:"\\$\\("+e.UIR+"\\)",c:[e.BE]},{b:/\$[@%"},{b:"<=",r:0},{b:"=>",r:0},{b:"/\\\\"},{b:"\\\\/"}]},l={cN:"built_in",v:[{b:":-\\|-->"},{b:"=",r:0}]};return{aliases:["m","moo"],k:t,c:[s,l,r,e.CBCM,a,e.NM,i,n,{b:/:-/}]}}),e.registerLanguage("mipsasm",function(e){return{cI:!0,aliases:["mips"],l:"\\.?"+e.IR,k:{meta:".2byte .4byte .align .ascii .asciz .balign .byte .code .data .else .end .endif .endm .endr .equ .err .exitm .extern .global .hword .if .ifdef .ifndef .include .irp .long .macro .rept .req .section .set .skip .space .text .word .ltorg ",built_in:"$0 $1 $2 $3 $4 $5 $6 $7 $8 $9 $10 $11 $12 $13 $14 $15 $16 $17 $18 $19 $20 $21 $22 $23 $24 $25 $26 $27 $28 $29 $30 $31 zero at v0 v1 a0 a1 a2 a3 a4 a5 a6 a7 t0 t1 t2 t3 t4 t5 t6 t7 t8 t9 s0 s1 s2 s3 s4 s5 s6 s7 s8 k0 k1 gp sp fp ra $f0 $f1 $f2 $f2 $f4 $f5 $f6 $f7 $f8 $f9 $f10 $f11 $f12 $f13 $f14 $f15 $f16 $f17 $f18 $f19 $f20 $f21 $f22 $f23 $f24 $f25 $f26 $f27 $f28 $f29 $f30 $f31 Context Random EntryLo0 EntryLo1 Context PageMask Wired EntryHi HWREna BadVAddr Count Compare SR IntCtl SRSCtl SRSMap Cause EPC PRId EBase Config Config1 Config2 Config3 LLAddr Debug DEPC DESAVE CacheErr ECC ErrorEPC TagLo DataLo TagHi DataHi WatchLo WatchHi PerfCtl PerfCnt "},c:[{cN:"keyword",b:"\\b(addi?u?|andi?|b(al)?|beql?|bgez(al)?l?|bgtzl?|blezl?|bltz(al)?l?|bnel?|cl[oz]|divu?|ext|ins|j(al)?|jalr(.hb)?|jr(.hb)?|lbu?|lhu?|ll|lui|lw[lr]?|maddu?|mfhi|mflo|movn|movz|move|msubu?|mthi|mtlo|mul|multu?|nop|nor|ori?|rotrv?|sb|sc|se[bh]|sh|sllv?|slti?u?|srav?|srlv?|subu?|sw[lr]?|xori?|wsbh|abs.[sd]|add.[sd]|alnv.ps|bc1[ft]l?|c.(s?f|un|u?eq|[ou]lt|[ou]le|ngle?|seq|l[et]|ng[et]).[sd]|(ceil|floor|round|trunc).[lw].[sd]|cfc1|cvt.d.[lsw]|cvt.l.[dsw]|cvt.ps.s|cvt.s.[dlw]|cvt.s.p[lu]|cvt.w.[dls]|div.[ds]|ldx?c1|luxc1|lwx?c1|madd.[sd]|mfc1|mov[fntz]?.[ds]|msub.[sd]|mth?c1|mul.[ds]|neg.[ds]|nmadd.[ds]|nmsub.[ds]|p[lu][lu].ps|recip.fmt|r?sqrt.[ds]|sdx?c1|sub.[ds]|suxc1|swx?c1|break|cache|d?eret|[de]i|ehb|mfc0|mtc0|pause|prefx?|rdhwr|rdpgpr|sdbbp|ssnop|synci?|syscall|teqi?|tgei?u?|tlb(p|r|w[ir])|tlti?u?|tnei?|wait|wrpgpr)",e:"\\s"},e.C("[;#]","$"),e.CBCM,e.QSM,{cN:"string",b:"'",e:"[^\\\\]'",r:0},{cN:"title",b:"\\|",e:"\\|",i:"\\n",r:0},{cN:"number",v:[{b:"0x[0-9a-f]+"},{b:"\\b-?\\d+"}],r:0},{cN:"symbol",v:[{b:"^\\s*[a-z_\\.\\$][a-z0-9_\\.\\$]+:"},{b:"^\\s*[0-9]+:"},{b:"[0-9]+[bf]"}],r:0}],i:"/"}}),e.registerLanguage("mizar",function(e){return{k:"environ vocabularies notations constructors definitions registrations theorems schemes requirements begin end definition registration cluster existence pred func defpred deffunc theorem proof let take assume then thus hence ex for st holds consider reconsider such that and in provided of as from be being by means equals implies iff redefine define now not or attr is mode suppose per cases set thesis contradiction scheme reserve struct correctness compatibility coherence symmetry assymetry reflexivity irreflexivity connectedness uniqueness commutativity idempotence involutiveness projectivity",c:[e.C("::","$")]}}),e.registerLanguage("perl",function(e){var t="getpwent getservent quotemeta msgrcv scalar kill dbmclose undef lc ma syswrite tr send umask sysopen shmwrite vec qx utime local oct semctl localtime readpipe do return format read sprintf dbmopen pop getpgrp not getpwnam rewinddir qqfileno qw endprotoent wait sethostent bless s|0 opendir continue each sleep endgrent shutdown dump chomp connect getsockname die socketpair close flock exists index shmgetsub for endpwent redo lstat msgctl setpgrp abs exit select print ref gethostbyaddr unshift fcntl syscall goto getnetbyaddr join gmtime symlink semget splice x|0 getpeername recv log setsockopt cos last reverse gethostbyname getgrnam study formline endhostent times chop length gethostent getnetent pack getprotoent getservbyname rand mkdir pos chmod y|0 substr endnetent printf next open msgsnd readdir use unlink getsockopt getpriority rindex wantarray hex system getservbyport endservent int chr untie rmdir prototype tell listen fork shmread ucfirst setprotoent else sysseek link getgrgid shmctl waitpid unpack getnetbyname reset chdir grep split require caller lcfirst until warn while values shift telldir getpwuid my getprotobynumber delete and sort uc defined srand accept package seekdir getprotobyname semop our rename seek if q|0 chroot sysread setpwent no crypt getc chown sqrt write setnetent setpriority foreach tie sin msgget map stat getlogin unless elsif truncate exec keys glob tied closedirioctl socket readlink eval xor readline binmode setservent eof ord bind alarm pipe atan2 getgrent exp time push setgrent gt lt or ne m|0 break given say state when",r={cN:"subst",b:"[$@]\\{",e:"\\}",k:t},a={b:"->{",e:"}"},i={v:[{b:/\$\d/},{b:/[\$%@](\^\w\b|#\w+(::\w+)*|{\w+}|\w+(::\w*)*)/},{b:/[\$%@][^\s\w{]/,r:0}]},n=[e.BE,r,i],o=[i,e.HCM,e.C("^\\=\\w","\\=cut",{eW:!0}),a,{cN:"string",c:n,v:[{b:"q[qwxr]?\\s*\\(",e:"\\)",r:5},{b:"q[qwxr]?\\s*\\[",e:"\\]",r:5},{b:"q[qwxr]?\\s*\\{",e:"\\}",r:5},{b:"q[qwxr]?\\s*\\|",e:"\\|",r:5},{b:"q[qwxr]?\\s*\\<",e:"\\>",r:5},{b:"qw\\s+q",e:"q",r:5},{b:"'",e:"'",c:[e.BE]},{b:'"',e:'"'},{b:"`",e:"`",c:[e.BE]},{b:"{\\w+}",c:[],r:0},{b:"-?\\w+\\s*\\=\\>",c:[],r:0}]},{cN:"number",b:"(\\b0[0-7_]+)|(\\b0x[0-9a-fA-F_]+)|(\\b[1-9][0-9_]*(\\.[0-9_]+)?)|[0_]\\b",r:0},{b:"(\\/\\/|"+e.RSR+"|\\b(split|return|print|reverse|grep)\\b)\\s*",k:"split return print reverse grep",r:0,c:[e.HCM,{cN:"regexp",b:"(s|tr|y)/(\\\\.|[^/])*/(\\\\.|[^/])*/[a-z]*",r:10},{cN:"regexp",b:"(m|qr)?/",e:"/[a-z]*",c:[e.BE],r:0}]},{cN:"function",bK:"sub",e:"(\\s*\\(.*?\\))?[;{]",eE:!0,r:5,c:[e.TM]},{b:"-\\w\\b",r:0},{b:"^__DATA__$",e:"^__END__$",sL:"mojolicious",c:[{b:"^@@.*",e:"$",cN:"comment"}]}];return r.c=o,a.c=o,{aliases:["pl","pm"],l:/[\w\.]+/,k:t,c:o}}),e.registerLanguage("mojolicious",function(e){return{sL:"xml",c:[{cN:"meta",b:"^__(END|DATA)__$"},{b:"^\\s*%{1,2}={0,2}",e:"$",sL:"perl"},{b:"<%{1,2}={0,2}",e:"={0,1}%>",sL:"perl",eB:!0,eE:!0}]}}),e.registerLanguage("monkey",function(e){var t={cN:"number",r:0,v:[{b:"[$][a-fA-F0-9]+"},e.NM]};return{cI:!0,k:{keyword:"public private property continue exit extern new try catch eachin not abstract final select case default const local global field end if then else elseif endif while wend repeat until forever for to step next return module inline throw import",built_in:"DebugLog DebugStop Error Print ACos ACosr ASin ASinr ATan ATan2 ATan2r ATanr Abs Abs Ceil Clamp Clamp Cos Cosr Exp Floor Log Max Max Min Min Pow Sgn Sgn Sin Sinr Sqrt Tan Tanr Seed PI HALFPI TWOPI",literal:"true false null and or shl shr mod"},i:/\/\*/,c:[e.C("#rem","#end"),e.C("'","$",{r:0}),{cN:"function",bK:"function method",e:"[(=:]|$",i:/\n/,c:[e.UTM]},{cN:"class",bK:"class interface",e:"$",c:[{bK:"extends implements"},e.UTM]},{cN:"built_in",b:"\\b(self|super)\\b"},{cN:"meta",b:"\\s*#",e:"$",k:{"meta-keyword":"if else elseif endif end then"}},{cN:"meta",b:"^\\s*strict\\b"},{bK:"alias",e:"=",c:[e.UTM]},e.QSM,t]}}),e.registerLanguage("moonscript",function(e){var t={keyword:"if then not for in while do return else elseif break continue switch and or unless when class extends super local import export from using",literal:"true false nil",built_in:"_G _VERSION assert collectgarbage dofile error getfenv getmetatable ipairs load loadfile loadstring module next pairs pcall print rawequal rawget rawset require select setfenv setmetatable tonumber tostring type unpack xpcall coroutine debug io math os package string table"},r="[A-Za-z$_][0-9A-Za-z$_]*",a={cN:"subst",b:/#\{/,e:/}/,k:t},i=[e.inherit(e.CNM,{starts:{e:"(\\s*/)?",r:0}}),{cN:"string",v:[{b:/'/,e:/'/,c:[e.BE]},{b:/"/,e:/"/,c:[e.BE,a]}]},{cN:"built_in",b:"@__"+e.IR},{b:"@"+e.IR},{b:e.IR+"\\\\"+e.IR}];a.c=i;var n=e.inherit(e.TM,{b:r}),o="(\\(.*\\))?\\s*\\B[-=]>",s={cN:"params",b:"\\([^\\(]",rB:!0,c:[{b:/\(/,e:/\)/,k:t,c:["self"].concat(i)}]};return{aliases:["moon"],k:t,i:/\/\*/,c:i.concat([e.C("--","$"),{cN:"function",b:"^\\s*"+r+"\\s*=\\s*"+o,e:"[-=]>",rB:!0,c:[n,s]},{b:/[\(,:=]\s*/,r:0,c:[{cN:"function",b:o,e:"[-=]>",rB:!0,c:[s]}]},{cN:"class",bK:"class",e:"$",i:/[:="\[\]]/,c:[{bK:"extends",eW:!0,i:/[:="\[\]]/,c:[n]},n]},{cN:"name",b:r+":",e:":",rB:!0,rE:!0,r:0}])}}),e.registerLanguage("n1ql",function(e){return{cI:!0,c:[{bK:"build create index delete drop explain infer|10 insert merge prepare select update upsert|10",e:/;/,eW:!0,k:{keyword:"all alter analyze and any array as asc begin between binary boolean break bucket build by call case cast cluster collate collection commit connect continue correlate cover create database dataset datastore declare decrement delete derived desc describe distinct do drop each element else end every except exclude execute exists explain fetch first flatten for force from function grant group gsi having if ignore ilike in include increment index infer inline inner insert intersect into is join key keys keyspace known last left let letting like limit lsm map mapping matched materialized merge minus namespace nest not number object offset on option or order outer over parse partition password path pool prepare primary private privilege procedure public raw realm reduce rename return returning revoke right role rollback satisfies schema select self semi set show some start statistics string system then to transaction trigger truncate under union unique unknown unnest unset update upsert use user using validate value valued values via view when where while with within work xor",literal:"true false null missing|5",built_in:"array_agg array_append array_concat array_contains array_count array_distinct array_ifnull array_length array_max array_min array_position array_prepend array_put array_range array_remove array_repeat array_replace array_reverse array_sort array_sum avg count max min sum greatest least ifmissing ifmissingornull ifnull missingif nullif ifinf ifnan ifnanorinf naninf neginfif posinfif clock_millis clock_str date_add_millis date_add_str date_diff_millis date_diff_str date_part_millis date_part_str date_trunc_millis date_trunc_str duration_to_str millis str_to_millis millis_to_str millis_to_utc millis_to_zone_name now_millis now_str str_to_duration str_to_utc str_to_zone_name decode_json encode_json encoded_size poly_length base64 base64_encode base64_decode meta uuid abs acos asin atan atan2 ceil cos degrees e exp ln log floor pi power radians random round sign sin sqrt tan trunc object_length object_names object_pairs object_inner_pairs object_values object_inner_values object_add object_put object_remove object_unwrap regexp_contains regexp_like regexp_position regexp_replace contains initcap length lower ltrim position repeat replace rtrim split substr title trim upper isarray isatom isboolean isnumber isobject isstring type toarray toatom toboolean tonumber toobject tostring"},c:[{cN:"string",b:"'",e:"'",c:[e.BE],r:0},{cN:"string",b:'"',e:'"',c:[e.BE],r:0},{cN:"symbol",b:"`",e:"`",c:[e.BE],r:2},e.CNM,e.CBCM]},e.CBCM]}}),e.registerLanguage("nginx",function(e){var t={cN:"variable",v:[{b:/\$\d+/},{b:/\$\{/,e:/}/},{b:"[\\$\\@]"+e.UIR}]},r={eW:!0,l:"[a-z/_]+",k:{literal:"on off yes no true false none blocked debug info notice warn error crit select break last permanent redirect kqueue rtsig epoll poll /dev/poll"},r:0,i:"=>",c:[e.HCM,{cN:"string",c:[e.BE,t],v:[{b:/"/,e:/"/},{b:/'/,e:/'/}]},{b:"([a-z]+):/",e:"\\s",eW:!0,eE:!0,c:[t]},{cN:"regexp",c:[e.BE,t],v:[{b:"\\s\\^",e:"\\s|{|;",rE:!0},{b:"~\\*?\\s+",e:"\\s|{|;",rE:!0},{b:"\\*(\\.[a-z\\-]+)+"},{b:"([a-z\\-]+\\.)+\\*"}]},{cN:"number",b:"\\b\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}(:\\d{1,5})?\\b"},{cN:"number",b:"\\b\\d+[kKmMgGdshdwy]*\\b",r:0},t]};return{aliases:["nginxconf"],c:[e.HCM,{b:e.UIR+"\\s+{",rB:!0,e:"{",c:[{cN:"section",b:e.UIR}],r:0},{b:e.UIR+"\\s",e:";|{",rB:!0,c:[{cN:"attribute",b:e.UIR,starts:r}],r:0}],i:"[^\\s\\}]"}}),e.registerLanguage("nimrod",function(e){return{aliases:["nim"],k:{keyword:"addr and as asm bind block break case cast const continue converter discard distinct div do elif else end enum except export finally for from generic if import in include interface is isnot iterator let macro method mixin mod nil not notin object of or out proc ptr raise ref return shl shr static template try tuple type using var when while with without xor yield",literal:"shared guarded stdin stdout stderr result true false",built_in:"int int8 int16 int32 int64 uint uint8 uint16 uint32 uint64 float float32 float64 bool char string cstring pointer expr stmt void auto any range array openarray varargs seq set clong culong cchar cschar cshort cint csize clonglong cfloat cdouble clongdouble cuchar cushort cuint culonglong cstringarray semistatic"},c:[{cN:"meta",b:/{\./,e:/\.}/,r:10},{cN:"string",b:/[a-zA-Z]\w*"/,e:/"/,c:[{b:/""/}]},{cN:"string",b:/([a-zA-Z]\w*)?"""/,e:/"""/},e.QSM,{cN:"type",b:/\b[A-Z]\w+\b/,r:0},{cN:"number",r:0,v:[{b:/\b(0[xX][0-9a-fA-F][_0-9a-fA-F]*)('?[iIuU](8|16|32|64))?/},{b:/\b(0o[0-7][_0-7]*)('?[iIuUfF](8|16|32|64))?/},{b:/\b(0(b|B)[01][_01]*)('?[iIuUfF](8|16|32|64))?/},{b:/\b(\d[_\d]*)('?[iIuUfF](8|16|32|64))?/}]},e.HCM]}}),e.registerLanguage("nix",function(e){var t={keyword:"rec with let in inherit assert if else then",literal:"true false or and null",built_in:"import abort baseNameOf dirOf isNull builtins map removeAttrs throw toString derivation"},r={cN:"subst",b:/\$\{/,e:/}/,k:t},a={b:/[a-zA-Z0-9-_]+(\s*=)/,rB:!0,r:0,c:[{cN:"attr",b:/\S+/}]},i={cN:"string",c:[r],v:[{b:"''",e:"''"},{b:'"',e:'"'}]},n=[e.NM,e.HCM,e.CBCM,i,a];return r.c=n,{aliases:["nixos"],k:t,c:n}}),e.registerLanguage("nsis",function(e){var t={cN:"variable",b:/\$(ADMINTOOLS|APPDATA|CDBURN_AREA|CMDLINE|COMMONFILES32|COMMONFILES64|COMMONFILES|COOKIES|DESKTOP|DOCUMENTS|EXEDIR|EXEFILE|EXEPATH|FAVORITES|FONTS|HISTORY|HWNDPARENT|INSTDIR|INTERNET_CACHE|LANGUAGE|LOCALAPPDATA|MUSIC|NETHOOD|OUTDIR|PICTURES|PLUGINSDIR|PRINTHOOD|PROFILE|PROGRAMFILES32|PROGRAMFILES64|PROGRAMFILES|QUICKLAUNCH|RECENT|RESOURCES_LOCALIZED|RESOURCES|SENDTO|SMPROGRAMS|SMSTARTUP|STARTMENU|SYSDIR|TEMP|TEMPLATES|VIDEOS|WINDIR)/},r={cN:"variable",b:/\$+{[\w\.:-]+}/},a={cN:"variable",b:/\$+\w+/,i:/\(\){}/},i={cN:"variable",b:/\$+\([\w\^\.:-]+\)/},n={cN:"params",b:"(ARCHIVE|FILE_ATTRIBUTE_ARCHIVE|FILE_ATTRIBUTE_NORMAL|FILE_ATTRIBUTE_OFFLINE|FILE_ATTRIBUTE_READONLY|FILE_ATTRIBUTE_SYSTEM|FILE_ATTRIBUTE_TEMPORARY|HKCR|HKCU|HKDD|HKEY_CLASSES_ROOT|HKEY_CURRENT_CONFIG|HKEY_CURRENT_USER|HKEY_DYN_DATA|HKEY_LOCAL_MACHINE|HKEY_PERFORMANCE_DATA|HKEY_USERS|HKLM|HKPD|HKU|IDABORT|IDCANCEL|IDIGNORE|IDNO|IDOK|IDRETRY|IDYES|MB_ABORTRETRYIGNORE|MB_DEFBUTTON1|MB_DEFBUTTON2|MB_DEFBUTTON3|MB_DEFBUTTON4|MB_ICONEXCLAMATION|MB_ICONINFORMATION|MB_ICONQUESTION|MB_ICONSTOP|MB_OK|MB_OKCANCEL|MB_RETRYCANCEL|MB_RIGHT|MB_RTLREADING|MB_SETFOREGROUND|MB_TOPMOST|MB_USERICON|MB_YESNO|NORMAL|OFFLINE|READONLY|SHCTX|SHELL_CONTEXT|SYSTEM|TEMPORARY)"},o={cN:"keyword",b:/\!(addincludedir|addplugindir|appendfile|cd|define|delfile|echo|else|endif|error|execute|finalize|getdllversionsystem|ifdef|ifmacrodef|ifmacrondef|ifndef|if|include|insertmacro|macroend|macro|makensis|packhdr|searchparse|searchreplace|tempfile|undef|verbose|warning)/},s={cN:"subst",b:/\$(\\[nrt]|\$)/},l={cN:"class",b:/\w+\:\:\w+/},c={cN:"string",v:[{b:'"',e:'"'},{b:"'",e:"'"},{b:"`",e:"`"}],i:/\n/,c:[s,t,r,a,i]};return{cI:!1,k:{keyword:"Abort AddBrandingImage AddSize AllowRootDirInstall AllowSkipFiles AutoCloseWindow BGFont BGGradient BrandingText BringToFront Call CallInstDLL Caption ChangeUI CheckBitmap ClearErrors CompletedText ComponentText CopyFiles CRCCheck CreateDirectory CreateFont CreateShortCut Delete DeleteINISec DeleteINIStr DeleteRegKey DeleteRegValue DetailPrint DetailsButtonText DirText DirVar DirVerify EnableWindow EnumRegKey EnumRegValue Exch Exec ExecShell ExecWait ExpandEnvStrings File FileBufSize FileClose FileErrorText FileOpen FileRead FileReadByte FileReadUTF16LE FileReadWord FileSeek FileWrite FileWriteByte FileWriteUTF16LE FileWriteWord FindClose FindFirst FindNext FindWindow FlushINI FunctionEnd GetCurInstType GetCurrentAddress GetDlgItem GetDLLVersion GetDLLVersionLocal GetErrorLevel GetFileTime GetFileTimeLocal GetFullPathName GetFunctionAddress GetInstDirError GetLabelAddress GetTempFileName Goto HideWindow Icon IfAbort IfErrors IfFileExists IfRebootFlag IfSilent InitPluginsDir InstallButtonText InstallColors InstallDir InstallDirRegKey InstProgressFlags InstType InstTypeGetText InstTypeSetText IntCmp IntCmpU IntFmt IntOp IsWindow LangString LicenseBkColor LicenseData LicenseForceSelection LicenseLangString LicenseText LoadLanguageFile LockWindow LogSet LogText ManifestDPIAware ManifestSupportedOS MessageBox MiscButtonText Name Nop OutFile Page PageCallbacks PageExEnd Pop Push Quit ReadEnvStr ReadINIStr ReadRegDWORD ReadRegStr Reboot RegDLL Rename RequestExecutionLevel ReserveFile Return RMDir SearchPath SectionEnd SectionGetFlags SectionGetInstTypes SectionGetSize SectionGetText SectionGroupEnd SectionIn SectionSetFlags SectionSetInstTypes SectionSetSize SectionSetText SendMessage SetAutoClose SetBrandingImage SetCompress SetCompressor SetCompressorDictSize SetCtlColors SetCurInstType SetDatablockOptimize SetDateSave SetDetailsPrint SetDetailsView SetErrorLevel SetErrors SetFileAttributes SetFont SetOutPath SetOverwrite SetRebootFlag SetRegView SetShellVarContext SetSilent ShowInstDetails ShowUninstDetails ShowWindow SilentInstall SilentUnInstall Sleep SpaceTexts StrCmp StrCmpS StrCpy StrLen SubCaption Unicode UninstallButtonText UninstallCaption UninstallIcon UninstallSubCaption UninstallText UninstPage UnRegDLL Var VIAddVersionKey VIFileVersion VIProductVersion WindowIcon WriteINIStr WriteRegBin WriteRegDWORD WriteRegExpandStr WriteRegStr WriteUninstaller XPStyle",literal:"admin all auto both bottom bzip2 colored components current custom directory false force hide highest ifdiff ifnewer instfiles lastused leave left license listonly lzma nevershow none normal notset off on open print right show silent silentlog smooth textonly top true try un.components un.custom un.directory un.instfiles un.license uninstConfirm user Win10 Win7 Win8 WinVista zlib"},c:[e.HCM,e.CBCM,e.C(";","$",{r:0}),{cN:"function",bK:"Function PageEx Section SectionGroup",e:"$"},c,o,r,a,i,n,l,e.NM]}}),e.registerLanguage("objectivec",function(e){var t={cN:"built_in",b:"\\b(AV|CA|CF|CG|CI|CL|CM|CN|CT|MK|MP|MTK|MTL|NS|SCN|SK|UI|WK|XC)\\w+"},r={keyword:"int float while char export sizeof typedef const struct for union unsigned long volatile static bool mutable if do return goto void enum else break extern asm case short default double register explicit signed typename this switch continue wchar_t inline readonly assign readwrite self @synchronized id typeof nonatomic super unichar IBOutlet IBAction strong weak copy in out inout bycopy byref oneway __strong __weak __block __autoreleasing @private @protected @public @try @property @end @throw @catch @finally @autoreleasepool @synthesize @dynamic @selector @optional @required @encode @package @import @defs @compatibility_alias __bridge __bridge_transfer __bridge_retained __bridge_retain __covariant __contravariant __kindof _Nonnull _Nullable _Null_unspecified __FUNCTION__ __PRETTY_FUNCTION__ __attribute__ getter setter retain unsafe_unretained nonnull nullable null_unspecified null_resettable class instancetype NS_DESIGNATED_INITIALIZER NS_UNAVAILABLE NS_REQUIRES_SUPER NS_RETURNS_INNER_POINTER NS_INLINE NS_AVAILABLE NS_DEPRECATED NS_ENUM NS_OPTIONS NS_SWIFT_UNAVAILABLE NS_ASSUME_NONNULL_BEGIN NS_ASSUME_NONNULL_END NS_REFINED_FOR_SWIFT NS_SWIFT_NAME NS_SWIFT_NOTHROW NS_DURING NS_HANDLER NS_ENDHANDLER NS_VALUERETURN NS_VOIDRETURN",literal:"false true FALSE TRUE nil YES NO NULL",built_in:"BOOL dispatch_once_t dispatch_queue_t dispatch_sync dispatch_async dispatch_once"},a=/[a-zA-Z@][a-zA-Z0-9_]*/,i="@interface @class @protocol @implementation";return{aliases:["mm","objc","obj-c"],k:r,l:a,i:""}]}]},{cN:"class",b:"("+i.split(" ").join("|")+")\\b",e:"({|$)",eE:!0,k:i,l:a,c:[e.UTM]},{b:"\\."+e.UIR,r:0}]}}),e.registerLanguage("ocaml",function(e){return{aliases:["ml"],k:{keyword:"and as assert asr begin class constraint do done downto else end exception external for fun function functor if in include inherit! inherit initializer land lazy let lor lsl lsr lxor match method!|10 method mod module mutable new object of open! open or private rec sig struct then to try type val! val virtual when while with parser value",built_in:"array bool bytes char exn|5 float int int32 int64 list lazy_t|5 nativeint|5 string unit in_channel out_channel ref",literal:"true false"},i:/\/\/|>>/,l:"[a-z_]\\w*!?",c:[{cN:"literal",b:"\\[(\\|\\|)?\\]|\\(\\)",r:0},e.C("\\(\\*","\\*\\)",{c:["self"]}),{cN:"symbol",b:"'[A-Za-z_](?!')[\\w']*"},{cN:"type",b:"`[A-Z][\\w']*"},{cN:"type",b:"\\b[A-Z][\\w']*",r:0},{b:"[a-z_]\\w*'[\\w']*",r:0},e.inherit(e.ASM,{cN:"string",r:0}),e.inherit(e.QSM,{i:null}),{cN:"number",b:"\\b(0[xX][a-fA-F0-9_]+[Lln]?|0[oO][0-7_]+[Lln]?|0[bB][01_]+[Lln]?|[0-9][0-9_]*([Lln]|(\\.[0-9_]*)?([eE][-+]?[0-9_]+)?)?)",r:0},{b:/[-=]>/}]}}),e.registerLanguage("openscad",function(e){var t={cN:"keyword",b:"\\$(f[asn]|t|vp[rtd]|children)"},r={cN:"literal",b:"false|true|PI|undef"},a={cN:"number",b:"\\b\\d+(\\.\\d+)?(e-?\\d+)?",r:0},i=e.inherit(e.QSM,{i:null}),n={cN:"meta",k:{"meta-keyword":"include use"},b:"include|use <",e:">"},o={cN:"params",b:"\\(",e:"\\)",c:["self",a,i,t,r]},s={b:"[*!#%]",r:0},l={cN:"function",bK:"module function",e:"\\=|\\{",c:[o,e.UTM]};return{aliases:["scad"],k:{keyword:"function module include use for intersection_for if else \\%",literal:"false true PI undef",built_in:"circle square polygon text sphere cube cylinder polyhedron translate rotate scale resize mirror multmatrix color offset hull minkowski union difference intersection abs sign sin cos tan acos asin atan atan2 floor round ceil ln log pow sqrt exp rands min max concat lookup str chr search version version_num norm cross parent_module echo import import_dxf dxf_linear_extrude linear_extrude rotate_extrude surface projection render children dxf_cross dxf_dim let assign"},c:[e.CLCM,e.CBCM,a,n,i,t,s,l]}}),e.registerLanguage("oxygene",function(e){var t="abstract add and array as asc aspect assembly async begin break block by case class concat const copy constructor continue create default delegate desc distinct div do downto dynamic each else empty end ensure enum equals event except exit extension external false final finalize finalizer finally flags for forward from function future global group has if implementation implements implies in index inherited inline interface into invariants is iterator join locked locking loop matching method mod module namespace nested new nil not notify nullable of old on operator or order out override parallel params partial pinned private procedure property protected public queryable raise read readonly record reintroduce remove repeat require result reverse sealed select self sequence set shl shr skip static step soft take then to true try tuple type union unit unsafe until uses using var virtual raises volatile where while with write xor yield await mapped deprecated stdcall cdecl pascal register safecall overload library platform reference packed strict published autoreleasepool selector strong weak unretained",r=e.C("{","}",{r:0}),a=e.C("\\(\\*","\\*\\)",{r:10}),i={cN:"string",b:"'",e:"'",c:[{b:"''"}]},n={cN:"string",b:"(#\\d+)+"},o={cN:"function",bK:"function constructor destructor procedure method",e:"[:;]",k:"function constructor|10 destructor|10 procedure|10 method|10",c:[e.TM,{cN:"params",b:"\\(",e:"\\)",k:t,c:[i,n]},r,a]};return{cI:!0,l:/\.?\w+/,k:t,i:'("|\\$[G-Zg-z]|\\/\\*||->)',c:[r,a,e.CLCM,i,n,e.NM,o,{cN:"class",b:"=\\bclass\\b",e:"end;",k:t,c:[i,n,r,a,e.CLCM,o]}]}}),e.registerLanguage("parser3",function(e){var t=e.C("{","}",{c:["self"]});return{sL:"xml",r:0,c:[e.C("^#","$"),e.C("\\^rem{","}",{r:10,c:[t]}),{cN:"meta",b:"^@(?:BASE|USE|CLASS|OPTIONS)$",r:10},{cN:"title",b:"@[\\w\\-]+\\[[\\w^;\\-]*\\](?:\\[[\\w^;\\-]*\\])?(?:.*)$"},{cN:"variable",b:"\\$\\{?[\\w\\-\\.\\:]+\\}?"},{cN:"keyword",b:"\\^[\\w\\-\\.\\:]+"},{cN:"number",b:"\\^#[0-9a-fA-F]+"},e.CNM]}}),e.registerLanguage("pf",function(e){var t={cN:"variable",b:/\$[\w\d#@][\w\d_]*/},r={cN:"variable",b:/<(?!\/)/,e:/>/};return{aliases:["pf.conf"],l:/[a-z0-9_<>-]+/,k:{built_in:"block match pass load anchor|5 antispoof|10 set table",keyword:"in out log quick on rdomain inet inet6 proto from port os to routeallow-opts divert-packet divert-reply divert-to flags group icmp-typeicmp6-type label once probability recieved-on rtable prio queuetos tag tagged user keep fragment for os dropaf-to|10 binat-to|10 nat-to|10 rdr-to|10 bitmask least-stats random round-robinsource-hash static-portdup-to reply-to route-toparent bandwidth default min max qlimitblock-policy debug fingerprints hostid limit loginterface optimizationreassemble ruleset-optimization basic none profile skip state-defaultsstate-policy timeoutconst counters persistno modulate synproxy state|5 floating if-bound no-sync pflow|10 sloppysource-track global rule max-src-nodes max-src-states max-src-connmax-src-conn-rate overload flushscrub|5 max-mss min-ttl no-df|10 random-id",literal:"all any no-route self urpf-failed egress|5 unknown"},c:[e.HCM,e.NM,e.QSM,t,r]}}),e.registerLanguage("php",function(e){var t={b:"\\$+[a-zA-Z_-ÿ][a-zA-Z0-9_-ÿ]*"},r={cN:"meta",b:/<\?(php)?|\?>/},a={cN:"string",c:[e.BE,r],v:[{b:'b"',e:'"'},{b:"b'",e:"'"},e.inherit(e.ASM,{i:null}),e.inherit(e.QSM,{i:null})]},i={v:[e.BNM,e.CNM]};return{aliases:["php3","php4","php5","php6"],cI:!0,k:"and include_once list abstract global private echo interface as static endswitch array null if endwhile or const for endforeach self var while isset public protected exit foreach throw elseif include __FILE__ empty require_once do xor return parent clone use __CLASS__ __LINE__ else break print eval new catch __METHOD__ case exception default die require __FUNCTION__ enddeclare final try switch continue endfor endif declare unset true false trait goto instanceof insteadof __DIR__ __NAMESPACE__ yield finally",c:[e.HCM,e.C("//","$",{c:[r]}),e.C("/\\*","\\*/",{c:[{cN:"doctag",b:"@[A-Za-z]+"}]}),e.C("__halt_compiler.+?;",!1,{eW:!0,k:"__halt_compiler",l:e.UIR}),{cN:"string",b:/<<<['"]?\w+['"]?$/,e:/^\w+;?$/,c:[e.BE,{cN:"subst",v:[{b:/\$\w+/},{b:/\{\$/,e:/\}/}]}]},r,{cN:"keyword",b:/\$this\b/},t,{b:/(::|->)+[a-zA-Z_\x7f-\xff][a-zA-Z0-9_\x7f-\xff]*/},{cN:"function",bK:"function",e:/[;{]/,eE:!0,i:"\\$|\\[|%",c:[e.UTM,{cN:"params",b:"\\(",e:"\\)",c:["self",t,e.CBCM,a,i]}]},{cN:"class",bK:"class interface",e:"{",eE:!0,i:/[:\(\$"]/,c:[{bK:"extends implements"},e.UTM]},{bK:"namespace",e:";",i:/[\.']/,c:[e.UTM]},{bK:"use",e:";",c:[e.UTM]},{b:"=>"},a,i]}}),e.registerLanguage("pony",function(e){var t={keyword:"actor addressof and as be break class compile_error compile_intrinsicconsume continue delegate digestof do else elseif embed end errorfor fun if ifdef in interface is isnt lambda let match new not objector primitive recover repeat return struct then trait try type until use var where while with xor",meta:"iso val tag trn box ref",literal:"this false true"},r={cN:"string",b:'"""',e:'"""',r:10},a={cN:"string",b:'"',e:'"',c:[e.BE]},i={cN:"string",b:"'",e:"'",c:[e.BE],r:0},n={cN:"type",b:"\\b_?[A-Z][\\w]*",r:0},o={b:e.IR+"'",r:0},s={cN:"class",bK:"class actor",e:"$",c:[e.TM,e.CLCM]},l={cN:"function",bK:"new fun",e:"=>",c:[e.TM,{b:/\(/,e:/\)/,c:[n,o,e.CNM,e.CBCM]},{b:/:/,eW:!0,c:[n]},e.CLCM]};return{k:t,c:[s,l,n,r,a,i,o,e.CNM,e.CLCM,e.CBCM]}}),e.registerLanguage("powershell",function(e){var t={b:"`[\\s\\S]",r:0},r={cN:"variable",v:[{b:/\$[\w\d][\w\d_:]*/}]},a={cN:"literal",b:/\$(null|true|false)\b/},i={cN:"string",v:[{b:/"/,e:/"/},{b:/@"/,e:/^"@/}],c:[t,r,{cN:"variable",b:/\$[A-z]/,e:/[^A-z]/}]},n={cN:"string",v:[{b:/'/,e:/'/},{b:/@'/,e:/^'@/}]},o={cN:"doctag",v:[{b:/\.(synopsis|description|example|inputs|outputs|notes|link|component|role|functionality)/},{b:/\.(parameter|forwardhelptargetname|forwardhelpcategory|remotehelprunspace|externalhelp)\s+\S+/}]},s=e.inherit(e.C(null,null),{v:[{b:/#/,e:/$/},{b:/<#/,e:/#>/}],c:[o]});return{aliases:["ps"],l:/-?[A-z\.\-]+/,cI:!0,k:{keyword:"if else foreach return function do while until elseif begin for trap data dynamicparam end break throw param continue finally in switch exit filter try process catch",built_in:"Add-Computer Add-Content Add-History Add-JobTrigger Add-Member Add-PSSnapin Add-Type Checkpoint-Computer Clear-Content Clear-EventLog Clear-History Clear-Host Clear-Item Clear-ItemProperty Clear-Variable Compare-Object Complete-Transaction Connect-PSSession Connect-WSMan Convert-Path ConvertFrom-Csv ConvertFrom-Json ConvertFrom-SecureString ConvertFrom-StringData ConvertTo-Csv ConvertTo-Html ConvertTo-Json ConvertTo-SecureString ConvertTo-Xml Copy-Item Copy-ItemProperty Debug-Process Disable-ComputerRestore Disable-JobTrigger Disable-PSBreakpoint Disable-PSRemoting Disable-PSSessionConfiguration Disable-WSManCredSSP Disconnect-PSSession Disconnect-WSMan Disable-ScheduledJob Enable-ComputerRestore Enable-JobTrigger Enable-PSBreakpoint Enable-PSRemoting Enable-PSSessionConfiguration Enable-ScheduledJob Enable-WSManCredSSP Enter-PSSession Exit-PSSession Export-Alias Export-Clixml Export-Console Export-Counter Export-Csv Export-FormatData Export-ModuleMember Export-PSSession ForEach-Object Format-Custom Format-List Format-Table Format-Wide Get-Acl Get-Alias Get-AuthenticodeSignature Get-ChildItem Get-Command Get-ComputerRestorePoint Get-Content Get-ControlPanelItem Get-Counter Get-Credential Get-Culture Get-Date Get-Event Get-EventLog Get-EventSubscriber Get-ExecutionPolicy Get-FormatData Get-Host Get-HotFix Get-Help Get-History Get-IseSnippet Get-Item Get-ItemProperty Get-Job Get-JobTrigger Get-Location Get-Member Get-Module Get-PfxCertificate Get-Process Get-PSBreakpoint Get-PSCallStack Get-PSDrive Get-PSProvider Get-PSSession Get-PSSessionConfiguration Get-PSSnapin Get-Random Get-ScheduledJob Get-ScheduledJobOption Get-Service Get-TraceSource Get-Transaction Get-TypeData Get-UICulture Get-Unique Get-Variable Get-Verb Get-WinEvent Get-WmiObject Get-WSManCredSSP Get-WSManInstance Group-Object Import-Alias Import-Clixml Import-Counter Import-Csv Import-IseSnippet Import-LocalizedData Import-PSSession Import-Module Invoke-AsWorkflow Invoke-Command Invoke-Expression Invoke-History Invoke-Item Invoke-RestMethod Invoke-WebRequest Invoke-WmiMethod Invoke-WSManAction Join-Path Limit-EventLog Measure-Command Measure-Object Move-Item Move-ItemProperty New-Alias New-Event New-EventLog New-IseSnippet New-Item New-ItemProperty New-JobTrigger New-Object New-Module New-ModuleManifest New-PSDrive New-PSSession New-PSSessionConfigurationFile New-PSSessionOption New-PSTransportOption New-PSWorkflowExecutionOption New-PSWorkflowSession New-ScheduledJobOption New-Service New-TimeSpan New-Variable New-WebServiceProxy New-WinEvent New-WSManInstance New-WSManSessionOption Out-Default Out-File Out-GridView Out-Host Out-Null Out-Printer Out-String Pop-Location Push-Location Read-Host Receive-Job Register-EngineEvent Register-ObjectEvent Register-PSSessionConfiguration Register-ScheduledJob Register-WmiEvent Remove-Computer Remove-Event Remove-EventLog Remove-Item Remove-ItemProperty Remove-Job Remove-JobTrigger Remove-Module Remove-PSBreakpoint Remove-PSDrive Remove-PSSession Remove-PSSnapin Remove-TypeData Remove-Variable Remove-WmiObject Remove-WSManInstance Rename-Computer Rename-Item Rename-ItemProperty Reset-ComputerMachinePassword Resolve-Path Restart-Computer Restart-Service Restore-Computer Resume-Job Resume-Service Save-Help Select-Object Select-String Select-Xml Send-MailMessage Set-Acl Set-Alias Set-AuthenticodeSignature Set-Content Set-Date Set-ExecutionPolicy Set-Item Set-ItemProperty Set-JobTrigger Set-Location Set-PSBreakpoint Set-PSDebug Set-PSSessionConfiguration Set-ScheduledJob Set-ScheduledJobOption Set-Service Set-StrictMode Set-TraceSource Set-Variable Set-WmiInstance Set-WSManInstance Set-WSManQuickConfig Show-Command Show-ControlPanelItem Show-EventLog Sort-Object Split-Path Start-Job Start-Process Start-Service Start-Sleep Start-Transaction Start-Transcript Stop-Computer Stop-Job Stop-Process Stop-Service Stop-Transcript Suspend-Job Suspend-Service Tee-Object Test-ComputerSecureChannel Test-Connection Test-ModuleManifest Test-Path Test-PSSessionConfigurationFile Trace-Command Unblock-File Undo-Transaction Unregister-Event Unregister-PSSessionConfiguration Unregister-ScheduledJob Update-FormatData Update-Help Update-List Update-TypeData Use-Transaction Wait-Event Wait-Job Wait-Process Where-Object Write-Debug Write-Error Write-EventLog Write-Host Write-Output Write-Progress Write-Verbose Write-Warning Add-MDTPersistentDrive Disable-MDTMonitorService Enable-MDTMonitorService Get-MDTDeploymentShareStatistics Get-MDTMonitorData Get-MDTOperatingSystemCatalog Get-MDTPersistentDrive Import-MDTApplication Import-MDTDriver Import-MDTOperatingSystem Import-MDTPackage Import-MDTTaskSequence New-MDTDatabase Remove-MDTMonitorData Remove-MDTPersistentDrive Restore-MDTPersistentDrive Set-MDTMonitorData Test-MDTDeploymentShare Test-MDTMonitorData Update-MDTDatabaseSchema Update-MDTDeploymentShare Update-MDTLinkedDS Update-MDTMedia Update-MDTMedia Add-VamtProductKey Export-VamtData Find-VamtManagedMachine Get-VamtConfirmationId Get-VamtProduct Get-VamtProductKey Import-VamtData Initialize-VamtData Install-VamtConfirmationId Install-VamtProductActivation Install-VamtProductKey Update-VamtProduct", -nomarkup:"-ne -eq -lt -gt -ge -le -not -like -notlike -match -notmatch -contains -notcontains -in -notin -replace"},c:[t,e.NM,i,n,a,r,s]}}),e.registerLanguage("processing",function(e){return{k:{keyword:"BufferedReader PVector PFont PImage PGraphics HashMap boolean byte char color double float int long String Array FloatDict FloatList IntDict IntList JSONArray JSONObject Object StringDict StringList Table TableRow XML false synchronized int abstract float private char boolean static null if const for true while long throw strictfp finally protected import native final return void enum else break transient new catch instanceof byte super volatile case assert short package default double public try this switch continue throws protected public private",literal:"P2D P3D HALF_PI PI QUARTER_PI TAU TWO_PI",title:"setup draw",built_in:"displayHeight displayWidth mouseY mouseX mousePressed pmouseX pmouseY key keyCode pixels focused frameCount frameRate height width size createGraphics beginDraw createShape loadShape PShape arc ellipse line point quad rect triangle bezier bezierDetail bezierPoint bezierTangent curve curveDetail curvePoint curveTangent curveTightness shape shapeMode beginContour beginShape bezierVertex curveVertex endContour endShape quadraticVertex vertex ellipseMode noSmooth rectMode smooth strokeCap strokeJoin strokeWeight mouseClicked mouseDragged mouseMoved mousePressed mouseReleased mouseWheel keyPressed keyPressedkeyReleased keyTyped print println save saveFrame day hour millis minute month second year background clear colorMode fill noFill noStroke stroke alpha blue brightness color green hue lerpColor red saturation modelX modelY modelZ screenX screenY screenZ ambient emissive shininess specular add createImage beginCamera camera endCamera frustum ortho perspective printCamera printProjection cursor frameRate noCursor exit loop noLoop popStyle pushStyle redraw binary boolean byte char float hex int str unbinary unhex join match matchAll nf nfc nfp nfs split splitTokens trim append arrayCopy concat expand reverse shorten sort splice subset box sphere sphereDetail createInput createReader loadBytes loadJSONArray loadJSONObject loadStrings loadTable loadXML open parseXML saveTable selectFolder selectInput beginRaw beginRecord createOutput createWriter endRaw endRecord PrintWritersaveBytes saveJSONArray saveJSONObject saveStream saveStrings saveXML selectOutput popMatrix printMatrix pushMatrix resetMatrix rotate rotateX rotateY rotateZ scale shearX shearY translate ambientLight directionalLight lightFalloff lights lightSpecular noLights normal pointLight spotLight image imageMode loadImage noTint requestImage tint texture textureMode textureWrap blend copy filter get loadPixels set updatePixels blendMode loadShader PShaderresetShader shader createFont loadFont text textFont textAlign textLeading textMode textSize textWidth textAscent textDescent abs ceil constrain dist exp floor lerp log mag map max min norm pow round sq sqrt acos asin atan atan2 cos degrees radians sin tan noise noiseDetail noiseSeed random randomGaussian randomSeed"},c:[e.CLCM,e.CBCM,e.ASM,e.QSM,e.CNM]}}),e.registerLanguage("profile",function(e){return{c:[e.CNM,{b:"[a-zA-Z_][\\da-zA-Z_]+\\.[\\da-zA-Z_]{1,3}",e:":",eE:!0},{b:"(ncalls|tottime|cumtime)",e:"$",k:"ncalls tottime|10 cumtime|10 filename",r:10},{b:"function calls",e:"$",c:[e.CNM],r:10},e.ASM,e.QSM,{cN:"string",b:"\\(",e:"\\)$",eB:!0,eE:!0,r:0}]}}),e.registerLanguage("prolog",function(e){var t={b:/[a-z][A-Za-z0-9_]*/,r:0},r={cN:"symbol",v:[{b:/[A-Z][a-zA-Z0-9_]*/},{b:/_[A-Za-z0-9_]*/}],r:0},a={b:/\(/,e:/\)/,r:0},i={b:/\[/,e:/\]/},n={cN:"comment",b:/%/,e:/$/,c:[e.PWM]},o={cN:"string",b:/`/,e:/`/,c:[e.BE]},s={cN:"string",b:/0\'(\\\'|.)/},l={cN:"string",b:/0\'\\s/},c={b:/:-/},d=[t,r,a,c,i,n,e.CBCM,e.QSM,e.ASM,o,s,l,e.CNM];return a.c=d,i.c=d,{c:d.concat([{b:/\.$/}])}}),e.registerLanguage("protobuf",function(e){return{k:{keyword:"package import option optional required repeated group",built_in:"double float int32 int64 uint32 uint64 sint32 sint64 fixed32 fixed64 sfixed32 sfixed64 bool string bytes",literal:"true false"},c:[e.QSM,e.NM,e.CLCM,{cN:"class",bK:"message enum service",e:/\{/,i:/\n/,c:[e.inherit(e.TM,{starts:{eW:!0,eE:!0}})]},{cN:"function",bK:"rpc",e:/;/,eE:!0,k:"rpc returns"},{b:/^\s*[A-Z_]+/,e:/\s*=/,eE:!0}]}}),e.registerLanguage("puppet",function(e){var t={keyword:"and case default else elsif false if in import enherits node or true undef unless main settings $string ",literal:"alias audit before loglevel noop require subscribe tag owner ensure group mode name|0 changes context force incl lens load_path onlyif provider returns root show_diff type_check en_address ip_address realname command environment hour monute month monthday special target weekday creates cwd ogoutput refresh refreshonly tries try_sleep umask backup checksum content ctime force ignore links mtime purge recurse recurselimit replace selinux_ignore_defaults selrange selrole seltype seluser source souirce_permissions sourceselect validate_cmd validate_replacement allowdupe attribute_membership auth_membership forcelocal gid ia_load_module members system host_aliases ip allowed_trunk_vlans description device_url duplex encapsulation etherchannel native_vlan speed principals allow_root auth_class auth_type authenticate_user k_of_n mechanisms rule session_owner shared options device fstype enable hasrestart directory present absent link atboot blockdevice device dump pass remounts poller_tag use message withpath adminfile allow_virtual allowcdrom category configfiles flavor install_options instance package_settings platform responsefile status uninstall_options vendor unless_system_user unless_uid binary control flags hasstatus manifest pattern restart running start stop allowdupe auths expiry gid groups home iterations key_membership keys managehome membership password password_max_age password_min_age profile_membership profiles project purge_ssh_keys role_membership roles salt shell uid baseurl cost descr enabled enablegroups exclude failovermethod gpgcheck gpgkey http_caching include includepkgs keepalive metadata_expire metalink mirrorlist priority protect proxy proxy_password proxy_username repo_gpgcheck s3_enabled skip_if_unavailable sslcacert sslclientcert sslclientkey sslverify mounted",built_in:"architecture augeasversion blockdevices boardmanufacturer boardproductname boardserialnumber cfkey dhcp_servers domain ec2_ ec2_userdata facterversion filesystems ldom fqdn gid hardwareisa hardwaremodel hostname id|0 interfaces ipaddress ipaddress_ ipaddress6 ipaddress6_ iphostnumber is_virtual kernel kernelmajversion kernelrelease kernelversion kernelrelease kernelversion lsbdistcodename lsbdistdescription lsbdistid lsbdistrelease lsbmajdistrelease lsbminordistrelease lsbrelease macaddress macaddress_ macosx_buildversion macosx_productname macosx_productversion macosx_productverson_major macosx_productversion_minor manufacturer memoryfree memorysize netmask metmask_ network_ operatingsystem operatingsystemmajrelease operatingsystemrelease osfamily partitions path physicalprocessorcount processor processorcount productname ps puppetversion rubysitedir rubyversion selinux selinux_config_mode selinux_config_policy selinux_current_mode selinux_current_mode selinux_enforced selinux_policyversion serialnumber sp_ sshdsakey sshecdsakey sshrsakey swapencrypted swapfree swapsize timezone type uniqueid uptime uptime_days uptime_hours uptime_seconds uuid virtual vlans xendomains zfs_version zonenae zones zpool_version"},r=e.C("#","$"),a="([A-Za-z_]|::)(\\w|::)*",i=e.inherit(e.TM,{b:a}),n={cN:"variable",b:"\\$"+a},o={cN:"string",c:[e.BE,n],v:[{b:/'/,e:/'/},{b:/"/,e:/"/}]};return{aliases:["pp"],c:[r,n,o,{bK:"class",e:"\\{|;",i:/=/,c:[i,r]},{bK:"define",e:/\{/,c:[{cN:"section",b:e.IR,endsParent:!0}]},{b:e.IR+"\\s+\\{",rB:!0,e:/\S/,c:[{cN:"keyword",b:e.IR},{b:/\{/,e:/\}/,k:t,r:0,c:[o,r,{b:"[a-zA-Z_]+\\s*=>",rB:!0,e:"=>",c:[{cN:"attr",b:e.IR}]},{cN:"number",b:"(\\b0[0-7_]+)|(\\b0x[0-9a-fA-F_]+)|(\\b[1-9][0-9_]*(\\.[0-9_]+)?)|[0_]\\b",r:0},n]}],r:0}]}}),e.registerLanguage("purebasic",function(e){var t={cN:"string",b:'(~)?"',e:'"',i:"\\n"},r={cN:"symbol",b:"#[a-zA-Z_]\\w*\\$?"};return{aliases:["pb","pbi"],k:"And As Break CallDebugger Case CompilerCase CompilerDefault CompilerElse CompilerEndIf CompilerEndSelect CompilerError CompilerIf CompilerSelect Continue Data DataSection EndDataSection Debug DebugLevel Default Define Dim DisableASM DisableDebugger DisableExplicit Else ElseIf EnableASM EnableDebugger EnableExplicit End EndEnumeration EndIf EndImport EndInterface EndMacro EndProcedure EndSelect EndStructure EndStructureUnion EndWith Enumeration Extends FakeReturn For Next ForEach ForEver Global Gosub Goto If Import ImportC IncludeBinary IncludeFile IncludePath Interface Macro NewList Not Or ProcedureReturn Protected Prototype PrototypeC Read ReDim Repeat Until Restore Return Select Shared Static Step Structure StructureUnion Swap To Wend While With XIncludeFile XOr Procedure ProcedureC ProcedureCDLL ProcedureDLL Declare DeclareC DeclareCDLL DeclareDLL",c:[e.C(";","$",{r:0}),{cN:"function",b:"\\b(Procedure|Declare)(C|CDLL|DLL)?\\b",e:"\\(",eE:!0,rB:!0,c:[{cN:"keyword",b:"(Procedure|Declare)(C|CDLL|DLL)?",eE:!0},{cN:"type",b:"\\.\\w*"},e.UTM]},t,r]}}),e.registerLanguage("python",function(e){var t={keyword:"and elif is global as in if from raise for except finally print import pass return exec else break not with class assert yield try while continue del or def lambda async await nonlocal|10 None True False",built_in:"Ellipsis NotImplemented"},r={cN:"meta",b:/^(>>>|\.\.\.) /},a={cN:"subst",b:/\{/,e:/\}/,k:t,i:/#/},i={cN:"string",c:[e.BE],v:[{b:/(u|b)?r?'''/,e:/'''/,c:[r],r:10},{b:/(u|b)?r?"""/,e:/"""/,c:[r],r:10},{b:/(fr|rf|f)'''/,e:/'''/,c:[r,a]},{b:/(fr|rf|f)"""/,e:/"""/,c:[r,a]},{b:/(u|r|ur)'/,e:/'/,r:10},{b:/(u|r|ur)"/,e:/"/,r:10},{b:/(b|br)'/,e:/'/},{b:/(b|br)"/,e:/"/},{b:/(fr|rf|f)'/,e:/'/,c:[a]},{b:/(fr|rf|f)"/,e:/"/,c:[a]},e.ASM,e.QSM]},n={cN:"number",r:0,v:[{b:e.BNR+"[lLjJ]?"},{b:"\\b(0o[0-7]+)[lLjJ]?"},{b:e.CNR+"[lLjJ]?"}]},o={cN:"params",b:/\(/,e:/\)/,c:["self",r,n,i]};return a.c=[i,n,r],{aliases:["py","gyp"],k:t,i:/(<\/|->|\?)|=>/,c:[r,n,i,e.HCM,{v:[{cN:"function",bK:"def"},{cN:"class",bK:"class"}],e:/:/,i:/[${=;\n,]/,c:[e.UTM,o,{b:/->/,eW:!0,k:"None"}]},{cN:"meta",b:/^[\t ]*@/,e:/$/},{b:/\b(print|exec)\(/}]}}),e.registerLanguage("q",function(e){var t={keyword:"do while select delete by update from",literal:"0b 1b",built_in:"neg not null string reciprocal floor ceiling signum mod xbar xlog and or each scan over prior mmu lsq inv md5 ltime gtime count first var dev med cov cor all any rand sums prds mins maxs fills deltas ratios avgs differ prev next rank reverse iasc idesc asc desc msum mcount mavg mdev xrank mmin mmax xprev rotate distinct group where flip type key til get value attr cut set upsert raze union inter except cross sv vs sublist enlist read0 read1 hopen hclose hdel hsym hcount peach system ltrim rtrim trim lower upper ssr view tables views cols xcols keys xkey xcol xasc xdesc fkeys meta lj aj aj0 ij pj asof uj ww wj wj1 fby xgroup ungroup ej save load rsave rload show csv parse eval min max avg wavg wsum sin cos tan sum",type:"`float `double int `timestamp `timespan `datetime `time `boolean `symbol `char `byte `short `long `real `month `date `minute `second `guid"};return{aliases:["k","kdb"],k:t,l:/(`?)[A-Za-z0-9_]+\b/,c:[e.CLCM,e.QSM,e.CNM]}}),e.registerLanguage("qml",function(e){var t={keyword:"in of on if for while finally var new function do return void else break catch instanceof with throw case default try this switch continue typeof delete let yield const export super debugger as async await import",literal:"true false null undefined NaN Infinity",built_in:"eval isFinite isNaN parseFloat parseInt decodeURI decodeURIComponent encodeURI encodeURIComponent escape unescape Object Function Boolean Error EvalError InternalError RangeError ReferenceError StopIteration SyntaxError TypeError URIError Number Math Date String RegExp Array Float32Array Float64Array Int16Array Int32Array Int8Array Uint16Array Uint32Array Uint8Array Uint8ClampedArray ArrayBuffer DataView JSON Intl arguments require module console window document Symbol Set Map WeakSet WeakMap Proxy Reflect Behavior bool color coordinate date double enumeration font geocircle georectangle geoshape int list matrix4x4 parent point quaternion real rect size string url variant vector2d vector3d vector4dPromise"},r="[a-zA-Z_][a-zA-Z0-9\\._]*",a={cN:"keyword",b:"\\bproperty\\b",starts:{cN:"string",e:"(:|=|;|,|//|/\\*|$)",rE:!0}},i={cN:"keyword",b:"\\bsignal\\b",starts:{cN:"string",e:"(\\(|:|=|;|,|//|/\\*|$)",rE:!0}},n={cN:"attribute",b:"\\bid\\s*:",starts:{cN:"string",e:r,rE:!1}},o={b:r+"\\s*:",rB:!0,c:[{cN:"attribute",b:r,e:"\\s*:",eE:!0,r:0}],r:0},s={b:r+"\\s*{",e:"{",rB:!0,r:0,c:[e.inherit(e.TM,{b:r})]};return{aliases:["qt"],cI:!1,k:t,c:[{cN:"meta",b:/^\s*['"]use (strict|asm)['"]/},e.ASM,e.QSM,{cN:"string",b:"`",e:"`",c:[e.BE,{cN:"subst",b:"\\$\\{",e:"\\}"}]},e.CLCM,e.CBCM,{cN:"number",v:[{b:"\\b(0[bB][01]+)"},{b:"\\b(0[oO][0-7]+)"},{b:e.CNR}],r:0},{b:"("+e.RSR+"|\\b(case|return|throw)\\b)\\s*",k:"return throw case",c:[e.CLCM,e.CBCM,e.RM,{b:/\s*[);\]]/,r:0,sL:"xml"}],r:0},i,a,{cN:"function",bK:"function",e:/\{/,eE:!0,c:[e.inherit(e.TM,{b:/[A-Za-z$_][0-9A-Za-z$_]*/}),{cN:"params",b:/\(/,e:/\)/,eB:!0,eE:!0,c:[e.CLCM,e.CBCM]}],i:/\[|%/},{b:"\\."+e.IR,r:0},n,o,s],i:/#/}}),e.registerLanguage("r",function(e){var t="([a-zA-Z]|\\.[a-zA-Z.])[a-zA-Z0-9._]*";return{c:[e.HCM,{b:t,l:t,k:{keyword:"function if in break next repeat else for return switch while try tryCatch stop warning require library attach detach source setMethod setGeneric setGroupGeneric setClass ...",literal:"NULL NA TRUE FALSE T F Inf NaN NA_integer_|10 NA_real_|10 NA_character_|10 NA_complex_|10"},r:0},{cN:"number",b:"0[xX][0-9a-fA-F]+[Li]?\\b",r:0},{cN:"number",b:"\\d+(?:[eE][+\\-]?\\d*)?L\\b",r:0},{cN:"number",b:"\\d+\\.(?!\\d)(?:i\\b)?",r:0},{cN:"number",b:"\\d+(?:\\.\\d*)?(?:[eE][+\\-]?\\d*)?i?\\b",r:0},{cN:"number",b:"\\.\\d+(?:[eE][+\\-]?\\d*)?i?\\b",r:0},{b:"`",e:"`",r:0},{cN:"string",c:[e.BE],v:[{b:'"',e:'"'},{b:"'",e:"'"}]}]}}),e.registerLanguage("rib",function(e){return{k:"ArchiveRecord AreaLightSource Atmosphere Attribute AttributeBegin AttributeEnd Basis Begin Blobby Bound Clipping ClippingPlane Color ColorSamples ConcatTransform Cone CoordinateSystem CoordSysTransform CropWindow Curves Cylinder DepthOfField Detail DetailRange Disk Displacement Display End ErrorHandler Exposure Exterior Format FrameAspectRatio FrameBegin FrameEnd GeneralPolygon GeometricApproximation Geometry Hider Hyperboloid Identity Illuminate Imager Interior LightSource MakeCubeFaceEnvironment MakeLatLongEnvironment MakeShadow MakeTexture Matte MotionBegin MotionEnd NuPatch ObjectBegin ObjectEnd ObjectInstance Opacity Option Orientation Paraboloid Patch PatchMesh Perspective PixelFilter PixelSamples PixelVariance Points PointsGeneralPolygons PointsPolygons Polygon Procedural Projection Quantize ReadArchive RelativeDetail ReverseOrientation Rotate Scale ScreenWindow ShadingInterpolation ShadingRate Shutter Sides Skew SolidBegin SolidEnd Sphere SubdivisionMesh Surface TextureCoordinates Torus Transform TransformBegin TransformEnd TransformPoints Translate TrimCurve WorldBegin WorldEnd",i:"\]$/},{b:/<\//,e:/>/},{b:/^facet /,e:/\}/},{b:"^1\\.\\.(\\d+)$",e:/$/}],i:/./},e.C("^#","$"),s,l,o,{b:/[\w-]+\=([^\s\{\}\[\]\(\)]+)/,r:0,rB:!0,c:[{cN:"attribute",b:/[^=]+/},{b:/=/,eW:!0,r:0,c:[s,l,o,{cN:"literal",b:"\\b("+i.split(" ").join("|")+")\\b"},{b:/("[^"]*"|[^\s\{\}\[\]]+)/}]}]},{cN:"number",b:/\*[0-9a-fA-F]+/},{b:"\\b("+a.split(" ").join("|")+")([\\s[(]|])",rB:!0,c:[{cN:"builtin-name",b:/\w+/}]},{cN:"built_in",v:[{b:"(\\.\\./|/|\\s)(("+n.split(" ").join("|")+");?\\s)+",r:10},{b:/\.\./}]}]}}),e.registerLanguage("rsl",function(e){return{k:{keyword:"float color point normal vector matrix while for if do return else break extern continue",built_in:"abs acos ambient area asin atan atmosphere attribute calculatenormal ceil cellnoise clamp comp concat cos degrees depth Deriv diffuse distance Du Dv environment exp faceforward filterstep floor format fresnel incident length lightsource log match max min mod noise normalize ntransform opposite option phong pnoise pow printf ptlined radians random reflect refract renderinfo round setcomp setxcomp setycomp setzcomp shadow sign sin smoothstep specular specularbrdf spline sqrt step tan texture textureinfo trace transform vtransform xcomp ycomp zcomp"},i:""}]}}),e.registerLanguage("scala",function(e){var t={cN:"meta",b:"@[A-Za-z]+"},r={cN:"subst",v:[{b:"\\$[A-Za-z0-9_]+"},{b:"\\${",e:"}"}]},a={cN:"string",v:[{b:'"',e:'"',i:"\\n",c:[e.BE]},{b:'"""',e:'"""',r:10},{b:'[a-z]+"',e:'"',i:"\\n",c:[e.BE,r]},{cN:"string",b:'[a-z]+"""',e:'"""',c:[r],r:10}]},i={cN:"symbol",b:"'\\w[\\w\\d_]*(?!')"},n={cN:"type",b:"\\b[A-Z][A-Za-z0-9_]*",r:0},o={cN:"title",b:/[^0-9\n\t "'(),.`{}\[\]:;][^\n\t "'(),.`{}\[\]:;]+|[^0-9\n\t "'(),.`{}\[\]:;=]/,r:0},s={cN:"class",bK:"class object trait type",e:/[:={\[\n;]/,eE:!0,c:[{bK:"extends with",r:10},{b:/\[/,e:/\]/,eB:!0,eE:!0,r:0,c:[n]},{cN:"params",b:/\(/,e:/\)/,eB:!0,eE:!0,r:0,c:[n]},o]},l={cN:"function",bK:"def",e:/[:={\[(\n;]/,eE:!0,c:[o]};return{k:{literal:"true false null",keyword:"type yield lazy override def with val var sealed abstract private trait object if forSome for while throw finally protected extends import final return else break new catch super class case package default try this match continue throws implicit"},c:[e.CLCM,e.CBCM,a,i,n,l,s,e.CNM,t]}}),e.registerLanguage("scheme",function(e){var t="[^\\(\\)\\[\\]\\{\\}\",'`;#|\\\\\\s]+",r="(\\-|\\+)?\\d+([./]\\d+)?",a=r+"[+\\-]"+r+"i",i={"builtin-name":"case-lambda call/cc class define-class exit-handler field import inherit init-field interface let*-values let-values let/ec mixin opt-lambda override protect provide public rename require require-for-syntax syntax syntax-case syntax-error unit/sig unless when with-syntax and begin call-with-current-continuation call-with-input-file call-with-output-file case cond define define-syntax delay do dynamic-wind else for-each if lambda let let* let-syntax letrec letrec-syntax map or syntax-rules ' * + , ,@ - ... / ; < <= = => > >= ` abs acos angle append apply asin assoc assq assv atan boolean? caar cadr call-with-input-file call-with-output-file call-with-values car cdddar cddddr cdr ceiling char->integer char-alphabetic? char-ci<=? char-ci=? char-ci>? char-downcase char-lower-case? char-numeric? char-ready? char-upcase char-upper-case? char-whitespace? char<=? char=? char>? char? close-input-port close-output-port complex? cons cos current-input-port current-output-port denominator display eof-object? eq? equal? eqv? eval even? exact->inexact exact? exp expt floor force gcd imag-part inexact->exact inexact? input-port? integer->char integer? interaction-environment lcm length list list->string list->vector list-ref list-tail list? load log magnitude make-polar make-rectangular make-string make-vector max member memq memv min modulo negative? newline not null-environment null? number->string number? numerator odd? open-input-file open-output-file output-port? pair? peek-char port? positive? procedure? quasiquote quote quotient rational? rationalize read read-char real-part real? remainder reverse round scheme-report-environment set! set-car! set-cdr! sin sqrt string string->list string->number string->symbol string-append string-ci<=? string-ci=? string-ci>? string-copy string-fill! string-length string-ref string-set! string<=? string=? string>? string? substring symbol->string symbol? tan transcript-off transcript-on truncate values vector vector->list vector-fill! vector-length vector-ref vector-set! with-input-from-file with-output-to-file write write-char zero?"},n={cN:"meta",b:"^#!",e:"$"},o={cN:"literal",b:"(#t|#f|#\\\\"+t+"|#\\\\.)"},s={cN:"number",v:[{b:r,r:0},{b:a,r:0},{b:"#b[0-1]+(/[0-1]+)?"},{b:"#o[0-7]+(/[0-7]+)?"},{b:"#x[0-9a-f]+(/[0-9a-f]+)?"}]},l=e.QSM,c=[e.C(";","$",{r:0}),e.C("#\\|","\\|#")],d={b:t,r:0},p={cN:"symbol",b:"'"+t},m={eW:!0,r:0},u={v:[{b:/'/},{b:"`"}],c:[{b:"\\(",e:"\\)",c:["self",o,l,s,d,p]}]},b={cN:"name",b:t,l:t,k:i},g={b:/lambda/,eW:!0,rB:!0,c:[b,{b:/\(/,e:/\)/,endsParent:!0,c:[d]}]},f={v:[{b:"\\(",e:"\\)"},{b:"\\[",e:"\\]"}],c:[g,b,m]};return m.c=[o,s,l,d,p,u,f].concat(c),{i:/\S/,c:[n,s,l,p,u,f].concat(c)}}),e.registerLanguage("scilab",function(e){var t=[e.CNM,{cN:"string",b:"'|\"",e:"'|\"",c:[e.BE,{b:"''"}]}];return{aliases:["sci"],l:/%?\w+/,k:{keyword:"abort break case clear catch continue do elseif else endfunction end for function global if pause return resume select try then while",literal:"%f %F %t %T %pi %eps %inf %nan %e %i %z %s",built_in:"abs and acos asin atan ceil cd chdir clearglobal cosh cos cumprod deff disp error exec execstr exists exp eye gettext floor fprintf fread fsolve imag isdef isempty isinfisnan isvector lasterror length load linspace list listfiles log10 log2 log max min msprintf mclose mopen ones or pathconvert poly printf prod pwd rand real round sinh sin size gsort sprintf sqrt strcat strcmps tring sum system tanh tan type typename warning zeros matrix"},i:'("|#|/\\*|\\s+/\\w+)',c:[{cN:"function",bK:"function",e:"$",c:[e.UTM,{cN:"params",b:"\\(",e:"\\)"}]},{b:"[a-zA-Z_][a-zA-Z_0-9]*('+[\\.']*|[\\.']+)",e:"",r:0},{b:"\\[",e:"\\]'*[\\.']*",r:0,c:t},e.C("//","$")].concat(t)}}),e.registerLanguage("scss",function(e){var t="[a-zA-Z-][a-zA-Z0-9_-]*",r={cN:"variable",b:"(\\$"+t+")\\b"},a={cN:"number",b:"#[0-9A-Fa-f]+"};({cN:"attribute",b:"[A-Z\\_\\.\\-]+",e:":",eE:!0,i:"[^\\s]",starts:{eW:!0,eE:!0,c:[a,e.CSSNM,e.QSM,e.ASM,e.CBCM,{cN:"meta",b:"!important"}]}});return{cI:!0,i:"[=/|']",c:[e.CLCM,e.CBCM,{cN:"selector-id",b:"\\#[A-Za-z0-9_-]+",r:0},{cN:"selector-class",b:"\\.[A-Za-z0-9_-]+",r:0},{cN:"selector-attr",b:"\\[",e:"\\]",i:"$"},{cN:"selector-tag",b:"\\b(a|abbr|acronym|address|area|article|aside|audio|b|base|big|blockquote|body|br|button|canvas|caption|cite|code|col|colgroup|command|datalist|dd|del|details|dfn|div|dl|dt|em|embed|fieldset|figcaption|figure|footer|form|frame|frameset|(h[1-6])|head|header|hgroup|hr|html|i|iframe|img|input|ins|kbd|keygen|label|legend|li|link|map|mark|meta|meter|nav|noframes|noscript|object|ol|optgroup|option|output|p|param|pre|progress|q|rp|rt|ruby|samp|script|section|select|small|span|strike|strong|style|sub|sup|table|tbody|td|textarea|tfoot|th|thead|time|title|tr|tt|ul|var|video)\\b",r:0},{b:":(visited|valid|root|right|required|read-write|read-only|out-range|optional|only-of-type|only-child|nth-of-type|nth-last-of-type|nth-last-child|nth-child|not|link|left|last-of-type|last-child|lang|invalid|indeterminate|in-range|hover|focus|first-of-type|first-line|first-letter|first-child|first|enabled|empty|disabled|default|checked|before|after|active)"},{b:"::(after|before|choices|first-letter|first-line|repeat-index|repeat-item|selection|value)"},r,{cN:"attribute",b:"\\b(z-index|word-wrap|word-spacing|word-break|width|widows|white-space|visibility|vertical-align|unicode-bidi|transition-timing-function|transition-property|transition-duration|transition-delay|transition|transform-style|transform-origin|transform|top|text-underline-position|text-transform|text-shadow|text-rendering|text-overflow|text-indent|text-decoration-style|text-decoration-line|text-decoration-color|text-decoration|text-align-last|text-align|tab-size|table-layout|right|resize|quotes|position|pointer-events|perspective-origin|perspective|page-break-inside|page-break-before|page-break-after|padding-top|padding-right|padding-left|padding-bottom|padding|overflow-y|overflow-x|overflow-wrap|overflow|outline-width|outline-style|outline-offset|outline-color|outline|orphans|order|opacity|object-position|object-fit|normal|none|nav-up|nav-right|nav-left|nav-index|nav-down|min-width|min-height|max-width|max-height|mask|marks|margin-top|margin-right|margin-left|margin-bottom|margin|list-style-type|list-style-position|list-style-image|list-style|line-height|letter-spacing|left|justify-content|initial|inherit|ime-mode|image-orientation|image-resolution|image-rendering|icon|hyphens|height|font-weight|font-variant-ligatures|font-variant|font-style|font-stretch|font-size-adjust|font-size|font-language-override|font-kerning|font-feature-settings|font-family|font|float|flex-wrap|flex-shrink|flex-grow|flex-flow|flex-direction|flex-basis|flex|filter|empty-cells|display|direction|cursor|counter-reset|counter-increment|content|column-width|column-span|column-rule-width|column-rule-style|column-rule-color|column-rule|column-gap|column-fill|column-count|columns|color|clip-path|clip|clear|caption-side|break-inside|break-before|break-after|box-sizing|box-shadow|box-decoration-break|bottom|border-width|border-top-width|border-top-style|border-top-right-radius|border-top-left-radius|border-top-color|border-top|border-style|border-spacing|border-right-width|border-right-style|border-right-color|border-right|border-radius|border-left-width|border-left-style|border-left-color|border-left|border-image-width|border-image-source|border-image-slice|border-image-repeat|border-image-outset|border-image|border-color|border-collapse|border-bottom-width|border-bottom-style|border-bottom-right-radius|border-bottom-left-radius|border-bottom-color|border-bottom|border|background-size|background-repeat|background-position|background-origin|background-image|background-color|background-clip|background-attachment|background-blend-mode|background|backface-visibility|auto|animation-timing-function|animation-play-state|animation-name|animation-iteration-count|animation-fill-mode|animation-duration|animation-direction|animation-delay|animation|align-self|align-items|align-content)\\b", -i:"[^\\s]"},{b:"\\b(whitespace|wait|w-resize|visible|vertical-text|vertical-ideographic|uppercase|upper-roman|upper-alpha|underline|transparent|top|thin|thick|text|text-top|text-bottom|tb-rl|table-header-group|table-footer-group|sw-resize|super|strict|static|square|solid|small-caps|separate|se-resize|scroll|s-resize|rtl|row-resize|ridge|right|repeat|repeat-y|repeat-x|relative|progress|pointer|overline|outside|outset|oblique|nowrap|not-allowed|normal|none|nw-resize|no-repeat|no-drop|newspaper|ne-resize|n-resize|move|middle|medium|ltr|lr-tb|lowercase|lower-roman|lower-alpha|loose|list-item|line|line-through|line-edge|lighter|left|keep-all|justify|italic|inter-word|inter-ideograph|inside|inset|inline|inline-block|inherit|inactive|ideograph-space|ideograph-parenthesis|ideograph-numeric|ideograph-alpha|horizontal|hidden|help|hand|groove|fixed|ellipsis|e-resize|double|dotted|distribute|distribute-space|distribute-letter|distribute-all-lines|disc|disabled|default|decimal|dashed|crosshair|collapse|col-resize|circle|char|center|capitalize|break-word|break-all|bottom|both|bolder|bold|block|bidi-override|below|baseline|auto|always|all-scroll|absolute|table|table-cell)\\b"},{b:":",e:";",c:[r,a,e.CSSNM,e.QSM,e.ASM,{cN:"meta",b:"!important"}]},{b:"@",e:"[{;]",k:"mixin include extend for if else each while charset import debug media page content font-face namespace warn",c:[r,e.QSM,e.ASM,a,e.CSSNM,{b:"\\s[A-Za-z0-9_.-]+",r:0}]}]}}),e.registerLanguage("shell",function(e){return{aliases:["console"],c:[{cN:"meta",b:"^\\s{0,3}[\\w\\d\\[\\]()@-]*[>%$#]",starts:{e:"$",sL:"bash"}}]}}),e.registerLanguage("smali",function(e){var t=["add","and","cmp","cmpg","cmpl","const","div","double","float","goto","if","int","long","move","mul","neg","new","nop","not","or","rem","return","shl","shr","sput","sub","throw","ushr","xor"],r=["aget","aput","array","check","execute","fill","filled","goto/16","goto/32","iget","instance","invoke","iput","monitor","packed","sget","sparse"],a=["transient","constructor","abstract","final","synthetic","public","private","protected","static","bridge","system"];return{aliases:["smali"],c:[{cN:"string",b:'"',e:'"',r:0},e.C("#","$",{r:0}),{cN:"keyword",v:[{b:"\\s*\\.end\\s[a-zA-Z0-9]*"},{b:"^[ ]*\\.[a-zA-Z]*",r:0},{b:"\\s:[a-zA-Z_0-9]*",r:0},{b:"\\s("+a.join("|")+")"}]},{cN:"built_in",v:[{b:"\\s("+t.join("|")+")\\s"},{b:"\\s("+t.join("|")+")((\\-|/)[a-zA-Z0-9]+)+\\s",r:10},{b:"\\s("+r.join("|")+")((\\-|/)[a-zA-Z0-9]+)*\\s",r:10}]},{cN:"class",b:"L[^(;:\n]*;",r:0},{b:"[vp][0-9]+"}]}}),e.registerLanguage("smalltalk",function(e){var t="[a-z][a-zA-Z0-9_]*",r={cN:"string",b:"\\$.{1}"},a={cN:"symbol",b:"#"+e.UIR};return{aliases:["st"],k:"self super nil true false thisContext",c:[e.C('"','"'),e.ASM,{cN:"type",b:"\\b[A-Z][A-Za-z0-9_]*",r:0},{b:t+":",r:0},e.CNM,a,r,{b:"\\|[ ]*"+t+"([ ]+"+t+")*[ ]*\\|",rB:!0,e:/\|/,i:/\S/,c:[{b:"(\\|[ ]*)?"+t}]},{b:"\\#\\(",e:"\\)",c:[e.ASM,r,e.CNM,a]}]}}),e.registerLanguage("sml",function(e){return{aliases:["ml"],k:{keyword:"abstype and andalso as case datatype do else end eqtype exception fn fun functor handle if in include infix infixr let local nonfix of op open orelse raise rec sharing sig signature struct structure then type val with withtype where while",built_in:"array bool char exn int list option order real ref string substring vector unit word",literal:"true false NONE SOME LESS EQUAL GREATER nil"},i:/\/\/|>>/,l:"[a-z_]\\w*!?",c:[{cN:"literal",b:/\[(\|\|)?\]|\(\)/,r:0},e.C("\\(\\*","\\*\\)",{c:["self"]}),{cN:"symbol",b:"'[A-Za-z_](?!')[\\w']*"},{cN:"type",b:"`[A-Z][\\w']*"},{cN:"type",b:"\\b[A-Z][\\w']*",r:0},{b:"[a-z_]\\w*'[\\w']*"},e.inherit(e.ASM,{cN:"string",r:0}),e.inherit(e.QSM,{i:null}),{cN:"number",b:"\\b(0[xX][a-fA-F0-9_]+[Lln]?|0[oO][0-7_]+[Lln]?|0[bB][01_]+[Lln]?|[0-9][0-9_]*([Lln]|(\\.[0-9_]*)?([eE][-+]?[0-9_]+)?)?)",r:0},{b:/[-=]>/}]}}),e.registerLanguage("sqf",function(e){var t=e.getLanguage("cpp").exports,r={cN:"variable",b:/\b_+[a-zA-Z_]\w*/},a={cN:"title",b:/[a-zA-Z][a-zA-Z0-9]+_fnc_\w*/},i={cN:"string",v:[{b:'"',e:'"',c:[{b:'""',r:0}]},{b:"'",e:"'",c:[{b:"''",r:0}]}]};return{aliases:["sqf"],cI:!0,k:{keyword:"case catch default do else exit exitWith for forEach from if switch then throw to try waitUntil while with",built_in:"abs accTime acos action actionIDs actionKeys actionKeysImages actionKeysNames actionKeysNamesArray actionName actionParams activateAddons activatedAddons activateKey add3DENConnection add3DENEventHandler add3DENLayer addAction addBackpack addBackpackCargo addBackpackCargoGlobal addBackpackGlobal addCamShake addCuratorAddons addCuratorCameraArea addCuratorEditableObjects addCuratorEditingArea addCuratorPoints addEditorObject addEventHandler addGoggles addGroupIcon addHandgunItem addHeadgear addItem addItemCargo addItemCargoGlobal addItemPool addItemToBackpack addItemToUniform addItemToVest addLiveStats addMagazine addMagazineAmmoCargo addMagazineCargo addMagazineCargoGlobal addMagazineGlobal addMagazinePool addMagazines addMagazineTurret addMenu addMenuItem addMissionEventHandler addMPEventHandler addMusicEventHandler addOwnedMine addPlayerScores addPrimaryWeaponItem addPublicVariableEventHandler addRating addResources addScore addScoreSide addSecondaryWeaponItem addSwitchableUnit addTeamMember addToRemainsCollector addUniform addVehicle addVest addWaypoint addWeapon addWeaponCargo addWeaponCargoGlobal addWeaponGlobal addWeaponItem addWeaponPool addWeaponTurret agent agents AGLToASL aimedAtTarget aimPos airDensityRTD airportSide AISFinishHeal alive all3DENEntities allControls allCurators allCutLayers allDead allDeadMen allDisplays allGroups allMapMarkers allMines allMissionObjects allow3DMode allowCrewInImmobile allowCuratorLogicIgnoreAreas allowDamage allowDammage allowFileOperations allowFleeing allowGetIn allowSprint allPlayers allSites allTurrets allUnits allUnitsUAV allVariables ammo and animate animateDoor animateSource animationNames animationPhase animationSourcePhase animationState append apply armoryPoints arrayIntersect asin ASLToAGL ASLToATL assert assignAsCargo assignAsCargoIndex assignAsCommander assignAsDriver assignAsGunner assignAsTurret assignCurator assignedCargo assignedCommander assignedDriver assignedGunner assignedItems assignedTarget assignedTeam assignedVehicle assignedVehicleRole assignItem assignTeam assignToAirport atan atan2 atg ATLToASL attachedObject attachedObjects attachedTo attachObject attachTo attackEnabled backpack backpackCargo backpackContainer backpackItems backpackMagazines backpackSpaceFor behaviour benchmark binocular blufor boundingBox boundingBoxReal boundingCenter breakOut breakTo briefingName buildingExit buildingPos buttonAction buttonSetAction cadetMode call callExtension camCommand camCommit camCommitPrepared camCommitted camConstuctionSetParams camCreate camDestroy cameraEffect cameraEffectEnableHUD cameraInterest cameraOn cameraView campaignConfigFile camPreload camPreloaded camPrepareBank camPrepareDir camPrepareDive camPrepareFocus camPrepareFov camPrepareFovRange camPreparePos camPrepareRelPos camPrepareTarget camSetBank camSetDir camSetDive camSetFocus camSetFov camSetFovRange camSetPos camSetRelPos camSetTarget camTarget camUseNVG canAdd canAddItemToBackpack canAddItemToUniform canAddItemToVest cancelSimpleTaskDestination canFire canMove canSlingLoad canStand canSuspend canUnloadInCombat canVehicleCargo captive captiveNum cbChecked cbSetChecked ceil channelEnabled cheatsEnabled checkAIFeature checkVisibility civilian className clearAllItemsFromBackpack clearBackpackCargo clearBackpackCargoGlobal clearGroupIcons clearItemCargo clearItemCargoGlobal clearItemPool clearMagazineCargo clearMagazineCargoGlobal clearMagazinePool clearOverlay clearRadio clearWeaponCargo clearWeaponCargoGlobal clearWeaponPool clientOwner closeDialog closeDisplay closeOverlay collapseObjectTree collect3DENHistory combatMode commandArtilleryFire commandChat commander commandFire commandFollow commandFSM commandGetOut commandingMenu commandMove commandRadio commandStop commandSuppressiveFire commandTarget commandWatch comment commitOverlay compile compileFinal completedFSM composeText configClasses configFile configHierarchy configName configNull configProperties configSourceAddonList configSourceMod configSourceModList connectTerminalToUAV controlNull controlsGroupCtrl copyFromClipboard copyToClipboard copyWaypoints cos count countEnemy countFriendly countSide countType countUnknown create3DENComposition create3DENEntity createAgent createCenter createDialog createDiaryLink createDiaryRecord createDiarySubject createDisplay createGearDialog createGroup createGuardedPoint createLocation createMarker createMarkerLocal createMenu createMine createMissionDisplay createMPCampaignDisplay createSimpleObject createSimpleTask createSite createSoundSource createTask createTeam createTrigger createUnit createVehicle createVehicleCrew createVehicleLocal crew ctrlActivate ctrlAddEventHandler ctrlAngle ctrlAutoScrollDelay ctrlAutoScrollRewind ctrlAutoScrollSpeed ctrlChecked ctrlClassName ctrlCommit ctrlCommitted ctrlCreate ctrlDelete ctrlEnable ctrlEnabled ctrlFade ctrlHTMLLoaded ctrlIDC ctrlIDD ctrlMapAnimAdd ctrlMapAnimClear ctrlMapAnimCommit ctrlMapAnimDone ctrlMapCursor ctrlMapMouseOver ctrlMapScale ctrlMapScreenToWorld ctrlMapWorldToScreen ctrlModel ctrlModelDirAndUp ctrlModelScale ctrlParent ctrlParentControlsGroup ctrlPosition ctrlRemoveAllEventHandlers ctrlRemoveEventHandler ctrlScale ctrlSetActiveColor ctrlSetAngle ctrlSetAutoScrollDelay ctrlSetAutoScrollRewind ctrlSetAutoScrollSpeed ctrlSetBackgroundColor ctrlSetChecked ctrlSetEventHandler ctrlSetFade ctrlSetFocus ctrlSetFont ctrlSetFontH1 ctrlSetFontH1B ctrlSetFontH2 ctrlSetFontH2B ctrlSetFontH3 ctrlSetFontH3B ctrlSetFontH4 ctrlSetFontH4B ctrlSetFontH5 ctrlSetFontH5B ctrlSetFontH6 ctrlSetFontH6B ctrlSetFontHeight ctrlSetFontHeightH1 ctrlSetFontHeightH2 ctrlSetFontHeightH3 ctrlSetFontHeightH4 ctrlSetFontHeightH5 ctrlSetFontHeightH6 ctrlSetFontHeightSecondary ctrlSetFontP ctrlSetFontPB ctrlSetFontSecondary ctrlSetForegroundColor ctrlSetModel ctrlSetModelDirAndUp ctrlSetModelScale ctrlSetPosition ctrlSetScale ctrlSetStructuredText ctrlSetText ctrlSetTextColor ctrlSetTooltip ctrlSetTooltipColorBox ctrlSetTooltipColorShade ctrlSetTooltipColorText ctrlShow ctrlShown ctrlText ctrlTextHeight ctrlType ctrlVisible curatorAddons curatorCamera curatorCameraArea curatorCameraAreaCeiling curatorCoef curatorEditableObjects curatorEditingArea curatorEditingAreaType curatorMouseOver curatorPoints curatorRegisteredObjects curatorSelected curatorWaypointCost current3DENOperation currentChannel currentCommand currentMagazine currentMagazineDetail currentMagazineDetailTurret currentMagazineTurret currentMuzzle currentNamespace currentTask currentTasks currentThrowable currentVisionMode currentWaypoint currentWeapon currentWeaponMode currentWeaponTurret currentZeroing cursorObject cursorTarget customChat customRadio cutFadeOut cutObj cutRsc cutText damage date dateToNumber daytime deActivateKey debriefingText debugFSM debugLog deg delete3DENEntities deleteAt deleteCenter deleteCollection deleteEditorObject deleteGroup deleteIdentity deleteLocation deleteMarker deleteMarkerLocal deleteRange deleteResources deleteSite deleteStatus deleteTeam deleteVehicle deleteVehicleCrew deleteWaypoint detach detectedMines diag_activeMissionFSMs diag_activeScripts diag_activeSQFScripts diag_activeSQSScripts diag_captureFrame diag_captureSlowFrame diag_codePerformance diag_drawMode diag_enable diag_enabled diag_fps diag_fpsMin diag_frameNo diag_list diag_log diag_logSlowFrame diag_mergeConfigFile diag_recordTurretLimits diag_tickTime diag_toggle dialog diarySubjectExists didJIP didJIPOwner difficulty difficultyEnabled difficultyEnabledRTD difficultyOption direction directSay disableAI disableCollisionWith disableConversation disableDebriefingStats disableNVGEquipment disableRemoteSensors disableSerialization disableTIEquipment disableUAVConnectability disableUserInput displayAddEventHandler displayCtrl displayNull displayParent displayRemoveAllEventHandlers displayRemoveEventHandler displaySetEventHandler dissolveTeam distance distance2D distanceSqr distributionRegion do3DENAction doArtilleryFire doFire doFollow doFSM doGetOut doMove doorPhase doStop doSuppressiveFire doTarget doWatch drawArrow drawEllipse drawIcon drawIcon3D drawLine drawLine3D drawLink drawLocation drawPolygon drawRectangle driver drop east echo edit3DENMissionAttributes editObject editorSetEventHandler effectiveCommander emptyPositions enableAI enableAIFeature enableAimPrecision enableAttack enableAudioFeature enableCamShake enableCaustics enableChannel enableCollisionWith enableCopilot enableDebriefingStats enableDiagLegend enableEndDialog enableEngineArtillery enableEnvironment enableFatigue enableGunLights enableIRLasers enableMimics enablePersonTurret enableRadio enableReload enableRopeAttach enableSatNormalOnDetail enableSaving enableSentences enableSimulation enableSimulationGlobal enableStamina enableTeamSwitch enableUAVConnectability enableUAVWaypoints enableVehicleCargo endLoadingScreen endMission engineOn enginesIsOnRTD enginesRpmRTD enginesTorqueRTD entities estimatedEndServerTime estimatedTimeLeft evalObjectArgument everyBackpack everyContainer exec execEditorScript execFSM execVM exp expectedDestination exportJIPMessages eyeDirection eyePos face faction fadeMusic fadeRadio fadeSound fadeSpeech failMission fillWeaponsFromPool find findCover findDisplay findEditorObject findEmptyPosition findEmptyPositionReady findNearestEnemy finishMissionInit finite fire fireAtTarget firstBackpack flag flagOwner flagSide flagTexture fleeing floor flyInHeight flyInHeightASL fog fogForecast fogParams forceAddUniform forcedMap forceEnd forceMap forceRespawn forceSpeed forceWalk forceWeaponFire forceWeatherChange forEachMember forEachMemberAgent forEachMemberTeam format formation formationDirection formationLeader formationMembers formationPosition formationTask formatText formLeader freeLook fromEditor fuel fullCrew gearIDCAmmoCount gearSlotAmmoCount gearSlotData get3DENActionState get3DENAttribute get3DENCamera get3DENConnections get3DENEntity get3DENEntityID get3DENGrid get3DENIconsVisible get3DENLayerEntities get3DENLinesVisible get3DENMissionAttribute get3DENMouseOver get3DENSelected getAimingCoef getAllHitPointsDamage getAllOwnedMines getAmmoCargo getAnimAimPrecision getAnimSpeedCoef getArray getArtilleryAmmo getArtilleryComputerSettings getArtilleryETA getAssignedCuratorLogic getAssignedCuratorUnit getBackpackCargo getBleedingRemaining getBurningValue getCameraViewDirection getCargoIndex getCenterOfMass getClientState getClientStateNumber getConnectedUAV getCustomAimingCoef getDammage getDescription getDir getDirVisual getDLCs getEditorCamera getEditorMode getEditorObjectScope getElevationOffset getFatigue getFriend getFSMVariable getFuelCargo getGroupIcon getGroupIconParams getGroupIcons getHideFrom getHit getHitIndex getHitPointDamage getItemCargo getMagazineCargo getMarkerColor getMarkerPos getMarkerSize getMarkerType getMass getMissionConfig getMissionConfigValue getMissionDLCs getMissionLayerEntities getModelInfo getMousePosition getNumber getObjectArgument getObjectChildren getObjectDLC getObjectMaterials getObjectProxy getObjectTextures getObjectType getObjectViewDistance getOxygenRemaining getPersonUsedDLCs getPilotCameraDirection getPilotCameraPosition getPilotCameraRotation getPilotCameraTarget getPlayerChannel getPlayerScores getPlayerUID getPos getPosASL getPosASLVisual getPosASLW getPosATL getPosATLVisual getPosVisual getPosWorld getRelDir getRelPos getRemoteSensorsDisabled getRepairCargo getResolution getShadowDistance getShotParents getSlingLoad getSpeed getStamina getStatValue getSuppression getTerrainHeightASL getText getUnitLoadout getUnitTrait getVariable getVehicleCargo getWeaponCargo getWeaponSway getWPPos glanceAt globalChat globalRadio goggles goto group groupChat groupFromNetId groupIconSelectable groupIconsVisible groupId groupOwner groupRadio groupSelectedUnits groupSelectUnit grpNull gunner gusts halt handgunItems handgunMagazine handgunWeapon handsHit hasInterface hasPilotCamera hasWeapon hcAllGroups hcGroupParams hcLeader hcRemoveAllGroups hcRemoveGroup hcSelected hcSelectGroup hcSetGroup hcShowBar hcShownBar headgear hideBody hideObject hideObjectGlobal hideSelection hint hintC hintCadet hintSilent hmd hostMission htmlLoad HUDMovementLevels humidity image importAllGroups importance in inArea inAreaArray incapacitatedState independent inflame inflamed inGameUISetEventHandler inheritsFrom initAmbientLife inPolygon inputAction inRangeOfArtillery insertEditorObject intersect is3DEN is3DENMultiplayer isAbleToBreathe isAgent isArray isAutoHoverOn isAutonomous isAutotest isBleeding isBurning isClass isCollisionLightOn isCopilotEnabled isDedicated isDLCAvailable isEngineOn isEqualTo isEqualType isEqualTypeAll isEqualTypeAny isEqualTypeArray isEqualTypeParams isFilePatchingEnabled isFlashlightOn isFlatEmpty isForcedWalk isFormationLeader isHidden isInRemainsCollector isInstructorFigureEnabled isIRLaserOn isKeyActive isKindOf isLightOn isLocalized isManualFire isMarkedForCollection isMultiplayer isMultiplayerSolo isNil isNull isNumber isObjectHidden isObjectRTD isOnRoad isPipEnabled isPlayer isRealTime isRemoteExecuted isRemoteExecutedJIP isServer isShowing3DIcons isSprintAllowed isStaminaEnabled isSteamMission isStreamFriendlyUIEnabled isText isTouchingGround isTurnedOut isTutHintsEnabled isUAVConnectable isUAVConnected isUniformAllowed isVehicleCargo isWalking isWeaponDeployed isWeaponRested itemCargo items itemsWithMagazines join joinAs joinAsSilent joinSilent joinString kbAddDatabase kbAddDatabaseTargets kbAddTopic kbHasTopic kbReact kbRemoveTopic kbTell kbWasSaid keyImage keyName knowsAbout land landAt landResult language laserTarget lbAdd lbClear lbColor lbCurSel lbData lbDelete lbIsSelected lbPicture lbSelection lbSetColor lbSetCurSel lbSetData lbSetPicture lbSetPictureColor lbSetPictureColorDisabled lbSetPictureColorSelected lbSetSelectColor lbSetSelectColorRight lbSetSelected lbSetTooltip lbSetValue lbSize lbSort lbSortByValue lbText lbValue leader leaderboardDeInit leaderboardGetRows leaderboardInit leaveVehicle libraryCredits libraryDisclaimers lifeState lightAttachObject lightDetachObject lightIsOn lightnings limitSpeed linearConversion lineBreak lineIntersects lineIntersectsObjs lineIntersectsSurfaces lineIntersectsWith linkItem list listObjects ln lnbAddArray lnbAddColumn lnbAddRow lnbClear lnbColor lnbCurSelRow lnbData lnbDeleteColumn lnbDeleteRow lnbGetColumnsPosition lnbPicture lnbSetColor lnbSetColumnsPos lnbSetCurSelRow lnbSetData lnbSetPicture lnbSetText lnbSetValue lnbSize lnbText lnbValue load loadAbs loadBackpack loadFile loadGame loadIdentity loadMagazine loadOverlay loadStatus loadUniform loadVest local localize locationNull locationPosition lock lockCameraTo lockCargo lockDriver locked lockedCargo lockedDriver lockedTurret lockIdentity lockTurret lockWP log logEntities logNetwork logNetworkTerminate lookAt lookAtPos magazineCargo magazines magazinesAllTurrets magazinesAmmo magazinesAmmoCargo magazinesAmmoFull magazinesDetail magazinesDetailBackpack magazinesDetailUniform magazinesDetailVest magazinesTurret magazineTurretAmmo mapAnimAdd mapAnimClear mapAnimCommit mapAnimDone mapCenterOnCamera mapGridPosition markAsFinishedOnSteam markerAlpha markerBrush markerColor markerDir markerPos markerShape markerSize markerText markerType max members menuAction menuAdd menuChecked menuClear menuCollapse menuData menuDelete menuEnable menuEnabled menuExpand menuHover menuPicture menuSetAction menuSetCheck menuSetData menuSetPicture menuSetValue menuShortcut menuShortcutText menuSize menuSort menuText menuURL menuValue min mineActive mineDetectedBy missionConfigFile missionDifficulty missionName missionNamespace missionStart missionVersion mod modelToWorld modelToWorldVisual modParams moonIntensity moonPhase morale move move3DENCamera moveInAny moveInCargo moveInCommander moveInDriver moveInGunner moveInTurret moveObjectToEnd moveOut moveTime moveTo moveToCompleted moveToFailed musicVolume name nameSound nearEntities nearestBuilding nearestLocation nearestLocations nearestLocationWithDubbing nearestObject nearestObjects nearestTerrainObjects nearObjects nearObjectsReady nearRoads nearSupplies nearTargets needReload netId netObjNull newOverlay nextMenuItemIndex nextWeatherChange nMenuItems not numberToDate objectCurators objectFromNetId objectParent objNull objStatus onBriefingGroup onBriefingNotes onBriefingPlan onBriefingTeamSwitch onCommandModeChanged onDoubleClick onEachFrame onGroupIconClick onGroupIconOverEnter onGroupIconOverLeave onHCGroupSelectionChanged onMapSingleClick onPlayerConnected onPlayerDisconnected onPreloadFinished onPreloadStarted onShowNewObject onTeamSwitch openCuratorInterface openDLCPage openMap openYoutubeVideo opfor or orderGetIn overcast overcastForecast owner param params parseNumber parseText parsingNamespace particlesQuality pi pickWeaponPool pitch pixelGrid pixelGridBase pixelGridNoUIScale pixelH pixelW playableSlotsNumber playableUnits playAction playActionNow player playerRespawnTime playerSide playersNumber playGesture playMission playMove playMoveNow playMusic playScriptedMission playSound playSound3D position positionCameraToWorld posScreenToWorld posWorldToScreen ppEffectAdjust ppEffectCommit ppEffectCommitted ppEffectCreate ppEffectDestroy ppEffectEnable ppEffectEnabled ppEffectForceInNVG precision preloadCamera preloadObject preloadSound preloadTitleObj preloadTitleRsc preprocessFile preprocessFileLineNumbers primaryWeapon primaryWeaponItems primaryWeaponMagazine priority private processDiaryLink productVersion profileName profileNamespace profileNameSteam progressLoadingScreen progressPosition progressSetPosition publicVariable publicVariableClient publicVariableServer pushBack pushBackUnique putWeaponPool queryItemsPool queryMagazinePool queryWeaponPool rad radioChannelAdd radioChannelCreate radioChannelRemove radioChannelSetCallSign radioChannelSetLabel radioVolume rain rainbow random rank rankId rating rectangular registeredTasks registerTask reload reloadEnabled remoteControl remoteExec remoteExecCall remove3DENConnection remove3DENEventHandler remove3DENLayer removeAction removeAll3DENEventHandlers removeAllActions removeAllAssignedItems removeAllContainers removeAllCuratorAddons removeAllCuratorCameraAreas removeAllCuratorEditingAreas removeAllEventHandlers removeAllHandgunItems removeAllItems removeAllItemsWithMagazines removeAllMissionEventHandlers removeAllMPEventHandlers removeAllMusicEventHandlers removeAllOwnedMines removeAllPrimaryWeaponItems removeAllWeapons removeBackpack removeBackpackGlobal removeCuratorAddons removeCuratorCameraArea removeCuratorEditableObjects removeCuratorEditingArea removeDrawIcon removeDrawLinks removeEventHandler removeFromRemainsCollector removeGoggles removeGroupIcon removeHandgunItem removeHeadgear removeItem removeItemFromBackpack removeItemFromUniform removeItemFromVest removeItems removeMagazine removeMagazineGlobal removeMagazines removeMagazinesTurret removeMagazineTurret removeMenuItem removeMissionEventHandler removeMPEventHandler removeMusicEventHandler removeOwnedMine removePrimaryWeaponItem removeSecondaryWeaponItem removeSimpleTask removeSwitchableUnit removeTeamMember removeUniform removeVest removeWeapon removeWeaponGlobal removeWeaponTurret requiredVersion resetCamShake resetSubgroupDirection resistance resize resources respawnVehicle restartEditorCamera reveal revealMine reverse reversedMouseY roadAt roadsConnectedTo roleDescription ropeAttachedObjects ropeAttachedTo ropeAttachEnabled ropeAttachTo ropeCreate ropeCut ropeDestroy ropeDetach ropeEndPosition ropeLength ropes ropeUnwind ropeUnwound rotorsForcesRTD rotorsRpmRTD round runInitScript safeZoneH safeZoneW safeZoneWAbs safeZoneX safeZoneXAbs safeZoneY save3DENInventory saveGame saveIdentity saveJoysticks saveOverlay saveProfileNamespace saveStatus saveVar savingEnabled say say2D say3D scopeName score scoreSide screenshot screenToWorld scriptDone scriptName scriptNull scudState secondaryWeapon secondaryWeaponItems secondaryWeaponMagazine select selectBestPlaces selectDiarySubject selectedEditorObjects selectEditorObject selectionNames selectionPosition selectLeader selectMax selectMin selectNoPlayer selectPlayer selectRandom selectWeapon selectWeaponTurret sendAUMessage sendSimpleCommand sendTask sendTaskResult sendUDPMessage serverCommand serverCommandAvailable serverCommandExecutable serverName serverTime set set3DENAttribute set3DENAttributes set3DENGrid set3DENIconsVisible set3DENLayer set3DENLinesVisible set3DENMissionAttributes set3DENModelsVisible set3DENObjectType set3DENSelected setAccTime setAirportSide setAmmo setAmmoCargo setAnimSpeedCoef setAperture setApertureNew setArmoryPoints setAttributes setAutonomous setBehaviour setBleedingRemaining setCameraInterest setCamShakeDefParams setCamShakeParams setCamUseTi setCaptive setCenterOfMass setCollisionLight setCombatMode setCompassOscillation setCuratorCameraAreaCeiling setCuratorCoef setCuratorEditingAreaType setCuratorWaypointCost setCurrentChannel setCurrentTask setCurrentWaypoint setCustomAimCoef setDamage setDammage setDate setDebriefingText setDefaultCamera setDestination setDetailMapBlendPars setDir setDirection setDrawIcon setDropInterval setEditorMode setEditorObjectScope setEffectCondition setFace setFaceAnimation setFatigue setFlagOwner setFlagSide setFlagTexture setFog setFormation setFormationTask setFormDir setFriend setFromEditor setFSMVariable setFuel setFuelCargo setGroupIcon setGroupIconParams setGroupIconsSelectable setGroupIconsVisible setGroupId setGroupIdGlobal setGroupOwner setGusts setHideBehind setHit setHitIndex setHitPointDamage setHorizonParallaxCoef setHUDMovementLevels setIdentity setImportance setLeader setLightAmbient setLightAttenuation setLightBrightness setLightColor setLightDayLight setLightFlareMaxDistance setLightFlareSize setLightIntensity setLightnings setLightUseFlare setLocalWindParams setMagazineTurretAmmo setMarkerAlpha setMarkerAlphaLocal setMarkerBrush setMarkerBrushLocal setMarkerColor setMarkerColorLocal setMarkerDir setMarkerDirLocal setMarkerPos setMarkerPosLocal setMarkerShape setMarkerShapeLocal setMarkerSize setMarkerSizeLocal setMarkerText setMarkerTextLocal setMarkerType setMarkerTypeLocal setMass setMimic setMousePosition setMusicEffect setMusicEventHandler setName setNameSound setObjectArguments setObjectMaterial setObjectMaterialGlobal setObjectProxy setObjectTexture setObjectTextureGlobal setObjectViewDistance setOvercast setOwner setOxygenRemaining setParticleCircle setParticleClass setParticleFire setParticleParams setParticleRandom setPilotCameraDirection setPilotCameraRotation setPilotCameraTarget setPilotLight setPiPEffect setPitch setPlayable setPlayerRespawnTime setPos setPosASL setPosASL2 setPosASLW setPosATL setPosition setPosWorld setRadioMsg setRain setRainbow setRandomLip setRank setRectangular setRepairCargo setShadowDistance setShotParents setSide setSimpleTaskAlwaysVisible setSimpleTaskCustomData setSimpleTaskDescription setSimpleTaskDestination setSimpleTaskTarget setSimpleTaskType setSimulWeatherLayers setSize setSkill setSlingLoad setSoundEffect setSpeaker setSpeech setSpeedMode setStamina setStaminaScheme setStatValue setSuppression setSystemOfUnits setTargetAge setTaskResult setTaskState setTerrainGrid setText setTimeMultiplier setTitleEffect setTriggerActivation setTriggerArea setTriggerStatements setTriggerText setTriggerTimeout setTriggerType setType setUnconscious setUnitAbility setUnitLoadout setUnitPos setUnitPosWeak setUnitRank setUnitRecoilCoefficient setUnitTrait setUnloadInCombat setUserActionText setVariable setVectorDir setVectorDirAndUp setVectorUp setVehicleAmmo setVehicleAmmoDef setVehicleArmor setVehicleCargo setVehicleId setVehicleLock setVehiclePosition setVehicleTiPars setVehicleVarName setVelocity setVelocityTransformation setViewDistance setVisibleIfTreeCollapsed setWaves setWaypointBehaviour setWaypointCombatMode setWaypointCompletionRadius setWaypointDescription setWaypointForceBehaviour setWaypointFormation setWaypointHousePosition setWaypointLoiterRadius setWaypointLoiterType setWaypointName setWaypointPosition setWaypointScript setWaypointSpeed setWaypointStatements setWaypointTimeout setWaypointType setWaypointVisible setWeaponReloadingTime setWind setWindDir setWindForce setWindStr setWPPos show3DIcons showChat showCinemaBorder showCommandingMenu showCompass showCuratorCompass showGPS showHUD showLegend showMap shownArtilleryComputer shownChat shownCompass shownCuratorCompass showNewEditorObject shownGPS shownHUD shownMap shownPad shownRadio shownScoretable shownUAVFeed shownWarrant shownWatch showPad showRadio showScoretable showSubtitles showUAVFeed showWarrant showWatch showWaypoint showWaypoints side sideAmbientLife sideChat sideEmpty sideEnemy sideFriendly sideLogic sideRadio sideUnknown simpleTasks simulationEnabled simulCloudDensity simulCloudOcclusion simulInClouds simulWeatherSync sin size sizeOf skill skillFinal skipTime sleep sliderPosition sliderRange sliderSetPosition sliderSetRange sliderSetSpeed sliderSpeed slingLoadAssistantShown soldierMagazines someAmmo sort soundVolume spawn speaker speed speedMode splitString sqrt squadParams stance startLoadingScreen step stop stopEngineRTD stopped str sunOrMoon supportInfo suppressFor surfaceIsWater surfaceNormal surfaceType swimInDepth switchableUnits switchAction switchCamera switchGesture switchLight switchMove synchronizedObjects synchronizedTriggers synchronizedWaypoints synchronizeObjectsAdd synchronizeObjectsRemove synchronizeTrigger synchronizeWaypoint systemChat systemOfUnits tan targetKnowledge targetsAggregate targetsQuery taskAlwaysVisible taskChildren taskCompleted taskCustomData taskDescription taskDestination taskHint taskMarkerOffset taskNull taskParent taskResult taskState taskType teamMember teamMemberNull teamName teams teamSwitch teamSwitchEnabled teamType terminate terrainIntersect terrainIntersectASL text textLog textLogFormat tg time timeMultiplier titleCut titleFadeOut titleObj titleRsc titleText toArray toFixed toLower toString toUpper triggerActivated triggerActivation triggerArea triggerAttachedVehicle triggerAttachObject triggerAttachVehicle triggerStatements triggerText triggerTimeout triggerTimeoutCurrent triggerType turretLocal turretOwner turretUnit tvAdd tvClear tvCollapse tvCount tvCurSel tvData tvDelete tvExpand tvPicture tvSetCurSel tvSetData tvSetPicture tvSetPictureColor tvSetPictureColorDisabled tvSetPictureColorSelected tvSetPictureRight tvSetPictureRightColor tvSetPictureRightColorDisabled tvSetPictureRightColorSelected tvSetText tvSetTooltip tvSetValue tvSort tvSortByValue tvText tvTooltip tvValue type typeName typeOf UAVControl uiNamespace uiSleep unassignCurator unassignItem unassignTeam unassignVehicle underwater uniform uniformContainer uniformItems uniformMagazines unitAddons unitAimPosition unitAimPositionVisual unitBackpack unitIsUAV unitPos unitReady unitRecoilCoefficient units unitsBelowHeight unlinkItem unlockAchievement unregisterTask updateDrawIcon updateMenuItem updateObjectTree useAISteeringComponent useAudioTimeForMoves vectorAdd vectorCos vectorCrossProduct vectorDiff vectorDir vectorDirVisual vectorDistance vectorDistanceSqr vectorDotProduct vectorFromTo vectorMagnitude vectorMagnitudeSqr vectorMultiply vectorNormalized vectorUp vectorUpVisual vehicle vehicleCargoEnabled vehicleChat vehicleRadio vehicles vehicleVarName velocity velocityModelSpace verifySignature vest vestContainer vestItems vestMagazines viewDistance visibleCompass visibleGPS visibleMap visiblePosition visiblePositionASL visibleScoretable visibleWatch waves waypointAttachedObject waypointAttachedVehicle waypointAttachObject waypointAttachVehicle waypointBehaviour waypointCombatMode waypointCompletionRadius waypointDescription waypointForceBehaviour waypointFormation waypointHousePosition waypointLoiterRadius waypointLoiterType waypointName waypointPosition waypoints waypointScript waypointsEnabledUAV waypointShow waypointSpeed waypointStatements waypointTimeout waypointTimeoutCurrent waypointType waypointVisible weaponAccessories weaponAccessoriesCargo weaponCargo weaponDirection weaponInertia weaponLowered weapons weaponsItems weaponsItemsCargo weaponState weaponsTurret weightRTD west WFSideText wind", -literal:"true false nil"},c:[e.CLCM,e.CBCM,e.NM,r,a,i,t.preprocessor],i:/#/}}),e.registerLanguage("sql",function(e){var t=e.C("--","$");return{cI:!0,i:/[<>{}*#]/,c:[{bK:"begin end start commit rollback savepoint lock alter create drop rename call delete do handler insert load replace select truncate update set show pragma grant merge describe use explain help declare prepare execute deallocate release unlock purge reset change stop analyze cache flush optimize repair kill install uninstall checksum restore check backup revoke comment",e:/;/,eW:!0,l:/[\w\.]+/,k:{keyword:"abort abs absolute acc acce accep accept access accessed accessible account acos action activate add addtime admin administer advanced advise aes_decrypt aes_encrypt after agent aggregate ali alia alias allocate allow alter always analyze ancillary and any anydata anydataset anyschema anytype apply archive archived archivelog are as asc ascii asin assembly assertion associate asynchronous at atan atn2 attr attri attrib attribu attribut attribute attributes audit authenticated authentication authid authors auto autoallocate autodblink autoextend automatic availability avg backup badfile basicfile before begin beginning benchmark between bfile bfile_base big bigfile bin binary_double binary_float binlog bit_and bit_count bit_length bit_or bit_xor bitmap blob_base block blocksize body both bound buffer_cache buffer_pool build bulk by byte byteordermark bytes cache caching call calling cancel capacity cascade cascaded case cast catalog category ceil ceiling chain change changed char_base char_length character_length characters characterset charindex charset charsetform charsetid check checksum checksum_agg child choose chr chunk class cleanup clear client clob clob_base clone close cluster_id cluster_probability cluster_set clustering coalesce coercibility col collate collation collect colu colum column column_value columns columns_updated comment commit compact compatibility compiled complete composite_limit compound compress compute concat concat_ws concurrent confirm conn connec connect connect_by_iscycle connect_by_isleaf connect_by_root connect_time connection consider consistent constant constraint constraints constructor container content contents context contributors controlfile conv convert convert_tz corr corr_k corr_s corresponding corruption cos cost count count_big counted covar_pop covar_samp cpu_per_call cpu_per_session crc32 create creation critical cross cube cume_dist curdate current current_date current_time current_timestamp current_user cursor curtime customdatum cycle data database databases datafile datafiles datalength date_add date_cache date_format date_sub dateadd datediff datefromparts datename datepart datetime2fromparts day day_to_second dayname dayofmonth dayofweek dayofyear days db_role_change dbtimezone ddl deallocate declare decode decompose decrement decrypt deduplicate def defa defau defaul default defaults deferred defi defin define degrees delayed delegate delete delete_all delimited demand dense_rank depth dequeue des_decrypt des_encrypt des_key_file desc descr descri describ describe descriptor deterministic diagnostics difference dimension direct_load directory disable disable_all disallow disassociate discardfile disconnect diskgroup distinct distinctrow distribute distributed div do document domain dotnet double downgrade drop dumpfile duplicate duration each edition editionable editions element ellipsis else elsif elt empty enable enable_all enclosed encode encoding encrypt end end-exec endian enforced engine engines enqueue enterprise entityescaping eomonth error errors escaped evalname evaluate event eventdata events except exception exceptions exchange exclude excluding execu execut execute exempt exists exit exp expire explain export export_set extended extent external external_1 external_2 externally extract failed failed_login_attempts failover failure far fast feature_set feature_value fetch field fields file file_name_convert filesystem_like_logging final finish first first_value fixed flash_cache flashback floor flush following follows for forall force form forma format found found_rows freelist freelists freepools fresh from from_base64 from_days ftp full function general generated get get_format get_lock getdate getutcdate global global_name globally go goto grant grants greatest group group_concat group_id grouping grouping_id groups gtid_subtract guarantee guard handler hash hashkeys having hea head headi headin heading heap help hex hierarchy high high_priority hosts hour http id ident_current ident_incr ident_seed identified identity idle_time if ifnull ignore iif ilike ilm immediate import in include including increment index indexes indexing indextype indicator indices inet6_aton inet6_ntoa inet_aton inet_ntoa infile initial initialized initially initrans inmemory inner innodb input insert install instance instantiable instr interface interleaved intersect into invalidate invisible is is_free_lock is_ipv4 is_ipv4_compat is_not is_not_null is_used_lock isdate isnull isolation iterate java join json json_exists keep keep_duplicates key keys kill language large last last_day last_insert_id last_value lax lcase lead leading least leaves left len lenght length less level levels library like like2 like4 likec limit lines link list listagg little ln load load_file lob lobs local localtime localtimestamp locate locator lock locked log log10 log2 logfile logfiles logging logical logical_reads_per_call logoff logon logs long loop low low_priority lower lpad lrtrim ltrim main make_set makedate maketime managed management manual map mapping mask master master_pos_wait match matched materialized max maxextents maximize maxinstances maxlen maxlogfiles maxloghistory maxlogmembers maxsize maxtrans md5 measures median medium member memcompress memory merge microsecond mid migration min minextents minimum mining minus minute minvalue missing mod mode model modification modify module monitoring month months mount move movement multiset mutex name name_const names nan national native natural nav nchar nclob nested never new newline next nextval no no_write_to_binlog noarchivelog noaudit nobadfile nocheck nocompress nocopy nocycle nodelay nodiscardfile noentityescaping noguarantee nokeep nologfile nomapping nomaxvalue nominimize nominvalue nomonitoring none noneditionable nonschema noorder nopr nopro noprom nopromp noprompt norely noresetlogs noreverse normal norowdependencies noschemacheck noswitch not nothing notice notrim novalidate now nowait nth_value nullif nulls num numb numbe nvarchar nvarchar2 object ocicoll ocidate ocidatetime ociduration ociinterval ociloblocator ocinumber ociref ocirefcursor ocirowid ocistring ocitype oct octet_length of off offline offset oid oidindex old on online only opaque open operations operator optimal optimize option optionally or oracle oracle_date oradata ord ordaudio orddicom orddoc order ordimage ordinality ordvideo organization orlany orlvary out outer outfile outline output over overflow overriding package pad parallel parallel_enable parameters parent parse partial partition partitions pascal passing password password_grace_time password_lock_time password_reuse_max password_reuse_time password_verify_function patch path patindex pctincrease pctthreshold pctused pctversion percent percent_rank percentile_cont percentile_disc performance period period_add period_diff permanent physical pi pipe pipelined pivot pluggable plugin policy position post_transaction pow power pragma prebuilt precedes preceding precision prediction prediction_cost prediction_details prediction_probability prediction_set prepare present preserve prior priority private private_sga privileges procedural procedure procedure_analyze processlist profiles project prompt protection public publishingservername purge quarter query quick quiesce quota quotename radians raise rand range rank raw read reads readsize rebuild record records recover recovery recursive recycle redo reduced ref reference referenced references referencing refresh regexp_like register regr_avgx regr_avgy regr_count regr_intercept regr_r2 regr_slope regr_sxx regr_sxy reject rekey relational relative relaylog release release_lock relies_on relocate rely rem remainder rename repair repeat replace replicate replication required reset resetlogs resize resource respect restore restricted result result_cache resumable resume retention return returning returns reuse reverse revoke right rlike role roles rollback rolling rollup round row row_count rowdependencies rowid rownum rows rtrim rules safe salt sample save savepoint sb1 sb2 sb4 scan schema schemacheck scn scope scroll sdo_georaster sdo_topo_geometry search sec_to_time second section securefile security seed segment select self sequence sequential serializable server servererror session session_user sessions_per_user set sets settings sha sha1 sha2 share shared shared_pool short show shrink shutdown si_averagecolor si_colorhistogram si_featurelist si_positionalcolor si_stillimage si_texture siblings sid sign sin size size_t sizes skip slave sleep smalldatetimefromparts smallfile snapshot some soname sort soundex source space sparse spfile split sql sql_big_result sql_buffer_result sql_cache sql_calc_found_rows sql_small_result sql_variant_property sqlcode sqldata sqlerror sqlname sqlstate sqrt square standalone standby start starting startup statement static statistics stats_binomial_test stats_crosstab stats_ks_test stats_mode stats_mw_test stats_one_way_anova stats_t_test_ stats_t_test_indep stats_t_test_one stats_t_test_paired stats_wsr_test status std stddev stddev_pop stddev_samp stdev stop storage store stored str str_to_date straight_join strcmp strict string struct stuff style subdate subpartition subpartitions substitutable substr substring subtime subtring_index subtype success sum suspend switch switchoffset switchover sync synchronous synonym sys sys_xmlagg sysasm sysaux sysdate sysdatetimeoffset sysdba sysoper system system_user sysutcdatetime table tables tablespace tan tdo template temporary terminated tertiary_weights test than then thread through tier ties time time_format time_zone timediff timefromparts timeout timestamp timestampadd timestampdiff timezone_abbr timezone_minute timezone_region to to_base64 to_date to_days to_seconds todatetimeoffset trace tracking transaction transactional translate translation treat trigger trigger_nestlevel triggers trim truncate try_cast try_convert try_parse type ub1 ub2 ub4 ucase unarchived unbounded uncompress under undo unhex unicode uniform uninstall union unique unix_timestamp unknown unlimited unlock unpivot unrecoverable unsafe unsigned until untrusted unusable unused update updated upgrade upped upper upsert url urowid usable usage use use_stored_outlines user user_data user_resources users using utc_date utc_timestamp uuid uuid_short validate validate_password_strength validation valist value values var var_samp varcharc vari varia variab variabl variable variables variance varp varraw varrawc varray verify version versions view virtual visible void wait wallet warning warnings week weekday weekofyear wellformed when whene whenev wheneve whenever where while whitespace with within without work wrapped xdb xml xmlagg xmlattributes xmlcast xmlcolattval xmlelement xmlexists xmlforest xmlindex xmlnamespaces xmlpi xmlquery xmlroot xmlschema xmlserialize xmltable xmltype xor year year_to_month years yearweek",literal:"true false null",built_in:"array bigint binary bit blob boolean char character date dec decimal float int int8 integer interval number numeric real record serial serial8 smallint text varchar varying void"},c:[{cN:"string",b:"'",e:"'",c:[e.BE,{b:"''"}]},{cN:"string",b:'"',e:'"',c:[e.BE,{b:'""'}]},{cN:"string",b:"`",e:"`",c:[e.BE]},e.CNM,e.CBCM,t]},e.CBCM,t]}}),e.registerLanguage("stan",function(e){return{c:[e.HCM,e.CLCM,e.CBCM,{b:e.UIR,l:e.UIR,k:{name:"for in while repeat until if then else",symbol:"bernoulli bernoulli_logit binomial binomial_logit beta_binomial hypergeometric categorical categorical_logit ordered_logistic neg_binomial neg_binomial_2 neg_binomial_2_log poisson poisson_log multinomial normal exp_mod_normal skew_normal student_t cauchy double_exponential logistic gumbel lognormal chi_square inv_chi_square scaled_inv_chi_square exponential inv_gamma weibull frechet rayleigh wiener pareto pareto_type_2 von_mises uniform multi_normal multi_normal_prec multi_normal_cholesky multi_gp multi_gp_cholesky multi_student_t gaussian_dlm_obs dirichlet lkj_corr lkj_corr_cholesky wishart inv_wishart","selector-tag":"int real vector simplex unit_vector ordered positive_ordered row_vector matrix cholesky_factor_corr cholesky_factor_cov corr_matrix cov_matrix",title:"functions model data parameters quantities transformed generated",literal:"true false"},r:0},{cN:"number",b:"0[xX][0-9a-fA-F]+[Li]?\\b",r:0},{cN:"number",b:"0[xX][0-9a-fA-F]+[Li]?\\b",r:0},{cN:"number",b:"\\d+(?:[eE][+\\-]?\\d*)?L\\b",r:0},{cN:"number",b:"\\d+\\.(?!\\d)(?:i\\b)?",r:0},{cN:"number",b:"\\d+(?:\\.\\d*)?(?:[eE][+\\-]?\\d*)?i?\\b",r:0},{cN:"number",b:"\\.\\d+(?:[eE][+\\-]?\\d*)?i?\\b",r:0}]}}),e.registerLanguage("stata",function(e){return{aliases:["do","ado"],cI:!0,k:"if else in foreach for forv forva forval forvalu forvalue forvalues by bys bysort xi quietly qui capture about ac ac_7 acprplot acprplot_7 adjust ado adopath adoupdate alpha ameans an ano anov anova anova_estat anova_terms anovadef aorder ap app appe appen append arch arch_dr arch_estat arch_p archlm areg areg_p args arima arima_dr arima_estat arima_p as asmprobit asmprobit_estat asmprobit_lf asmprobit_mfx__dlg asmprobit_p ass asse asser assert avplot avplot_7 avplots avplots_7 bcskew0 bgodfrey binreg bip0_lf biplot bipp_lf bipr_lf bipr_p biprobit bitest bitesti bitowt blogit bmemsize boot bootsamp bootstrap bootstrap_8 boxco_l boxco_p boxcox boxcox_6 boxcox_p bprobit br break brier bro brow brows browse brr brrstat bs bs_7 bsampl_w bsample bsample_7 bsqreg bstat bstat_7 bstat_8 bstrap bstrap_7 ca ca_estat ca_p cabiplot camat canon canon_8 canon_8_p canon_estat canon_p cap caprojection capt captu captur capture cat cc cchart cchart_7 cci cd censobs_table centile cf char chdir checkdlgfiles checkestimationsample checkhlpfiles checksum chelp ci cii cl class classutil clear cli clis clist clo clog clog_lf clog_p clogi clogi_sw clogit clogit_lf clogit_p clogitp clogl_sw cloglog clonevar clslistarray cluster cluster_measures cluster_stop cluster_tree cluster_tree_8 clustermat cmdlog cnr cnre cnreg cnreg_p cnreg_sw cnsreg codebook collaps4 collapse colormult_nb colormult_nw compare compress conf confi confir confirm conren cons const constr constra constrai constrain constraint continue contract copy copyright copysource cor corc corr corr2data corr_anti corr_kmo corr_smc corre correl correla correlat correlate corrgram cou coun count cox cox_p cox_sw coxbase coxhaz coxvar cprplot cprplot_7 crc cret cretu cretur creturn cross cs cscript cscript_log csi ct ct_is ctset ctst_5 ctst_st cttost cumsp cumsp_7 cumul cusum cusum_7 cutil d|0 datasig datasign datasigna datasignat datasignatu datasignatur datasignature datetof db dbeta de dec deco decod decode deff des desc descr descri describ describe destring dfbeta dfgls dfuller di di_g dir dirstats dis discard disp disp_res disp_s displ displa display distinct do doe doed doedi doedit dotplot dotplot_7 dprobit drawnorm drop ds ds_util dstdize duplicates durbina dwstat dydx e|0 ed edi edit egen eivreg emdef en enc enco encod encode eq erase ereg ereg_lf ereg_p ereg_sw ereghet ereghet_glf ereghet_glf_sh ereghet_gp ereghet_ilf ereghet_ilf_sh ereghet_ip eret eretu eretur ereturn err erro error est est_cfexist est_cfname est_clickable est_expand est_hold est_table est_unhold est_unholdok estat estat_default estat_summ estat_vce_only esti estimates etodow etof etomdy ex exi exit expand expandcl fac fact facto factor factor_estat factor_p factor_pca_rotated factor_rotate factormat fcast fcast_compute fcast_graph fdades fdadesc fdadescr fdadescri fdadescrib fdadescribe fdasav fdasave fdause fh_st file open file read file close file filefilter fillin find_hlp_file findfile findit findit_7 fit fl fli flis flist for5_0 form forma format fpredict frac_154 frac_adj frac_chk frac_cox frac_ddp frac_dis frac_dv frac_in frac_mun frac_pp frac_pq frac_pv frac_wgt frac_xo fracgen fracplot fracplot_7 fracpoly fracpred fron_ex fron_hn fron_p fron_tn fron_tn2 frontier ftodate ftoe ftomdy ftowdate g|0 gamhet_glf gamhet_gp gamhet_ilf gamhet_ip gamma gamma_d2 gamma_p gamma_sw gammahet gdi_hexagon gdi_spokes ge gen gene gener genera generat generate genrank genstd genvmean gettoken gl gladder gladder_7 glim_l01 glim_l02 glim_l03 glim_l04 glim_l05 glim_l06 glim_l07 glim_l08 glim_l09 glim_l10 glim_l11 glim_l12 glim_lf glim_mu glim_nw1 glim_nw2 glim_nw3 glim_p glim_v1 glim_v2 glim_v3 glim_v4 glim_v5 glim_v6 glim_v7 glm glm_6 glm_p glm_sw glmpred glo glob globa global glogit glogit_8 glogit_p gmeans gnbre_lf gnbreg gnbreg_5 gnbreg_p gomp_lf gompe_sw gomper_p gompertz gompertzhet gomphet_glf gomphet_glf_sh gomphet_gp gomphet_ilf gomphet_ilf_sh gomphet_ip gphdot gphpen gphprint gprefs gprobi_p gprobit gprobit_8 gr gr7 gr_copy gr_current gr_db gr_describe gr_dir gr_draw gr_draw_replay gr_drop gr_edit gr_editviewopts gr_example gr_example2 gr_export gr_print gr_qscheme gr_query gr_read gr_rename gr_replay gr_save gr_set gr_setscheme gr_table gr_undo gr_use graph graph7 grebar greigen greigen_7 greigen_8 grmeanby grmeanby_7 gs_fileinfo gs_filetype gs_graphinfo gs_stat gsort gwood h|0 hadimvo hareg hausman haver he heck_d2 heckma_p heckman heckp_lf heckpr_p heckprob hel help hereg hetpr_lf hetpr_p hetprob hettest hexdump hilite hist hist_7 histogram hlogit hlu hmeans hotel hotelling hprobit hreg hsearch icd9 icd9_ff icd9p iis impute imtest inbase include inf infi infil infile infix inp inpu input ins insheet insp inspe inspec inspect integ inten intreg intreg_7 intreg_p intrg2_ll intrg_ll intrg_ll2 ipolate iqreg ir irf irf_create irfm iri is_svy is_svysum isid istdize ivprob_1_lf ivprob_lf ivprobit ivprobit_p ivreg ivreg_footnote ivtob_1_lf ivtob_lf ivtobit ivtobit_p jackknife jacknife jknife jknife_6 jknife_8 jkstat joinby kalarma1 kap kap_3 kapmeier kappa kapwgt kdensity kdensity_7 keep ksm ksmirnov ktau kwallis l|0 la lab labe label labelbook ladder levels levelsof leverage lfit lfit_p li lincom line linktest lis list lloghet_glf lloghet_glf_sh lloghet_gp lloghet_ilf lloghet_ilf_sh lloghet_ip llogi_sw llogis_p llogist llogistic llogistichet lnorm_lf lnorm_sw lnorma_p lnormal lnormalhet lnormhet_glf lnormhet_glf_sh lnormhet_gp lnormhet_ilf lnormhet_ilf_sh lnormhet_ip lnskew0 loadingplot loc loca local log logi logis_lf logistic logistic_p logit logit_estat logit_p loglogs logrank loneway lookfor lookup lowess lowess_7 lpredict lrecomp lroc lroc_7 lrtest ls lsens lsens_7 lsens_x lstat ltable ltable_7 ltriang lv lvr2plot lvr2plot_7 m|0 ma mac macr macro makecns man manova manova_estat manova_p manovatest mantel mark markin markout marksample mat mat_capp mat_order mat_put_rr mat_rapp mata mata_clear mata_describe mata_drop mata_matdescribe mata_matsave mata_matuse mata_memory mata_mlib mata_mosave mata_rename mata_which matalabel matcproc matlist matname matr matri matrix matrix_input__dlg matstrik mcc mcci md0_ md1_ md1debug_ md2_ md2debug_ mds mds_estat mds_p mdsconfig mdslong mdsmat mdsshepard mdytoe mdytof me_derd mean means median memory memsize meqparse mer merg merge mfp mfx mhelp mhodds minbound mixed_ll mixed_ll_reparm mkassert mkdir mkmat mkspline ml ml_5 ml_adjs ml_bhhhs ml_c_d ml_check ml_clear ml_cnt ml_debug ml_defd ml_e0 ml_e0_bfgs ml_e0_cycle ml_e0_dfp ml_e0i ml_e1 ml_e1_bfgs ml_e1_bhhh ml_e1_cycle ml_e1_dfp ml_e2 ml_e2_cycle ml_ebfg0 ml_ebfr0 ml_ebfr1 ml_ebh0q ml_ebhh0 ml_ebhr0 ml_ebr0i ml_ecr0i ml_edfp0 ml_edfr0 ml_edfr1 ml_edr0i ml_eds ml_eer0i ml_egr0i ml_elf ml_elf_bfgs ml_elf_bhhh ml_elf_cycle ml_elf_dfp ml_elfi ml_elfs ml_enr0i ml_enrr0 ml_erdu0 ml_erdu0_bfgs ml_erdu0_bhhh ml_erdu0_bhhhq ml_erdu0_cycle ml_erdu0_dfp ml_erdu0_nrbfgs ml_exde ml_footnote ml_geqnr ml_grad0 ml_graph ml_hbhhh ml_hd0 ml_hold ml_init ml_inv ml_log ml_max ml_mlout ml_mlout_8 ml_model ml_nb0 ml_opt ml_p ml_plot ml_query ml_rdgrd ml_repor ml_s_e ml_score ml_searc ml_technique ml_unhold mleval mlf_ mlmatbysum mlmatsum mlog mlogi mlogit mlogit_footnote mlogit_p mlopts mlsum mlvecsum mnl0_ mor more mov move mprobit mprobit_lf mprobit_p mrdu0_ mrdu1_ mvdecode mvencode mvreg mvreg_estat n|0 nbreg nbreg_al nbreg_lf nbreg_p nbreg_sw nestreg net newey newey_7 newey_p news nl nl_7 nl_9 nl_9_p nl_p nl_p_7 nlcom nlcom_p nlexp2 nlexp2_7 nlexp2a nlexp2a_7 nlexp3 nlexp3_7 nlgom3 nlgom3_7 nlgom4 nlgom4_7 nlinit nllog3 nllog3_7 nllog4 nllog4_7 nlog_rd nlogit nlogit_p nlogitgen nlogittree nlpred no nobreak noi nois noisi noisil noisily note notes notes_dlg nptrend numlabel numlist odbc old_ver olo olog ologi ologi_sw ologit ologit_p ologitp on one onew onewa oneway op_colnm op_comp op_diff op_inv op_str opr opro oprob oprob_sw oprobi oprobi_p oprobit oprobitp opts_exclusive order orthog orthpoly ou out outf outfi outfil outfile outs outsh outshe outshee outsheet ovtest pac pac_7 palette parse parse_dissim pause pca pca_8 pca_display pca_estat pca_p pca_rotate pcamat pchart pchart_7 pchi pchi_7 pcorr pctile pentium pergram pergram_7 permute permute_8 personal peto_st pkcollapse pkcross pkequiv pkexamine pkexamine_7 pkshape pksumm pksumm_7 pl plo plot plugin pnorm pnorm_7 poisgof poiss_lf poiss_sw poisso_p poisson poisson_estat post postclose postfile postutil pperron pr prais prais_e prais_e2 prais_p predict predictnl preserve print pro prob probi probit probit_estat probit_p proc_time procoverlay procrustes procrustes_estat procrustes_p profiler prog progr progra program prop proportion prtest prtesti pwcorr pwd q\\s qby qbys qchi qchi_7 qladder qladder_7 qnorm qnorm_7 qqplot qqplot_7 qreg qreg_c qreg_p qreg_sw qu quadchk quantile quantile_7 que quer query range ranksum ratio rchart rchart_7 rcof recast reclink recode reg reg3 reg3_p regdw regr regre regre_p2 regres regres_p regress regress_estat regriv_p remap ren rena renam rename renpfix repeat replace report reshape restore ret retu retur return rm rmdir robvar roccomp roccomp_7 roccomp_8 rocf_lf rocfit rocfit_8 rocgold rocplot rocplot_7 roctab roctab_7 rolling rologit rologit_p rot rota rotat rotate rotatemat rreg rreg_p ru run runtest rvfplot rvfplot_7 rvpplot rvpplot_7 sa safesum sample sampsi sav save savedresults saveold sc sca scal scala scalar scatter scm_mine sco scob_lf scob_p scobi_sw scobit scor score scoreplot scoreplot_help scree screeplot screeplot_help sdtest sdtesti se search separate seperate serrbar serrbar_7 serset set set_defaults sfrancia sh she shel shell shewhart shewhart_7 signestimationsample signrank signtest simul simul_7 simulate simulate_8 sktest sleep slogit slogit_d2 slogit_p smooth snapspan so sor sort spearman spikeplot spikeplot_7 spikeplt spline_x split sqreg sqreg_p sret sretu sretur sreturn ssc st st_ct st_hc st_hcd st_hcd_sh st_is st_issys st_note st_promo st_set st_show st_smpl st_subid stack statsby statsby_8 stbase stci stci_7 stcox stcox_estat stcox_fr stcox_fr_ll stcox_p stcox_sw stcoxkm stcoxkm_7 stcstat stcurv stcurve stcurve_7 stdes stem stepwise stereg stfill stgen stir stjoin stmc stmh stphplot stphplot_7 stphtest stphtest_7 stptime strate strate_7 streg streg_sw streset sts sts_7 stset stsplit stsum sttocc sttoct stvary stweib su suest suest_8 sum summ summa summar summari summariz summarize sunflower sureg survcurv survsum svar svar_p svmat svy svy_disp svy_dreg svy_est svy_est_7 svy_estat svy_get svy_gnbreg_p svy_head svy_header svy_heckman_p svy_heckprob_p svy_intreg_p svy_ivreg_p svy_logistic_p svy_logit_p svy_mlogit_p svy_nbreg_p svy_ologit_p svy_oprobit_p svy_poisson_p svy_probit_p svy_regress_p svy_sub svy_sub_7 svy_x svy_x_7 svy_x_p svydes svydes_8 svygen svygnbreg svyheckman svyheckprob svyintreg svyintreg_7 svyintrg svyivreg svylc svylog_p svylogit svymarkout svymarkout_8 svymean svymlog svymlogit svynbreg svyolog svyologit svyoprob svyoprobit svyopts svypois svypois_7 svypoisson svyprobit svyprobt svyprop svyprop_7 svyratio svyreg svyreg_p svyregress svyset svyset_7 svyset_8 svytab svytab_7 svytest svytotal sw sw_8 swcnreg swcox swereg swilk swlogis swlogit swologit swoprbt swpois swprobit swqreg swtobit swweib symmetry symmi symplot symplot_7 syntax sysdescribe sysdir sysuse szroeter ta tab tab1 tab2 tab_or tabd tabdi tabdis tabdisp tabi table tabodds tabodds_7 tabstat tabu tabul tabula tabulat tabulate te tempfile tempname tempvar tes test testnl testparm teststd tetrachoric time_it timer tis tob tobi tobit tobit_p tobit_sw token tokeni tokeniz tokenize tostring total translate translator transmap treat_ll treatr_p treatreg trim trnb_cons trnb_mean trpoiss_d2 trunc_ll truncr_p truncreg tsappend tset tsfill tsline tsline_ex tsreport tsrevar tsrline tsset tssmooth tsunab ttest ttesti tut_chk tut_wait tutorial tw tware_st two twoway twoway__fpfit_serset twoway__function_gen twoway__histogram_gen twoway__ipoint_serset twoway__ipoints_serset twoway__kdensity_gen twoway__lfit_serset twoway__normgen_gen twoway__pci_serset twoway__qfit_serset twoway__scatteri_serset twoway__sunflower_gen twoway_ksm_serset ty typ type typeof u|0 unab unabbrev unabcmd update us use uselabel var var_mkcompanion var_p varbasic varfcast vargranger varirf varirf_add varirf_cgraph varirf_create varirf_ctable varirf_describe varirf_dir varirf_drop varirf_erase varirf_graph varirf_ograph varirf_rename varirf_set varirf_table varlist varlmar varnorm varsoc varstable varstable_w varstable_w2 varwle vce vec vec_fevd vec_mkphi vec_p vec_p_w vecirf_create veclmar veclmar_w vecnorm vecnorm_w vecrank vecstable verinst vers versi versio version view viewsource vif vwls wdatetof webdescribe webseek webuse weib1_lf weib2_lf weib_lf weib_lf0 weibhet_glf weibhet_glf_sh weibhet_glfa weibhet_glfa_sh weibhet_gp weibhet_ilf weibhet_ilf_sh weibhet_ilfa weibhet_ilfa_sh weibhet_ip weibu_sw weibul_p weibull weibull_c weibull_s weibullhet wh whelp whi which whil while wilc_st wilcoxon win wind windo window winexec wntestb wntestb_7 wntestq xchart xchart_7 xcorr xcorr_7 xi xi_6 xmlsav xmlsave xmluse xpose xsh xshe xshel xshell xt_iis xt_tis xtab_p xtabond xtbin_p xtclog xtcloglog xtcloglog_8 xtcloglog_d2 xtcloglog_pa_p xtcloglog_re_p xtcnt_p xtcorr xtdata xtdes xtfront_p xtfrontier xtgee xtgee_elink xtgee_estat xtgee_makeivar xtgee_p xtgee_plink xtgls xtgls_p xthaus xthausman xtht_p xthtaylor xtile xtint_p xtintreg xtintreg_8 xtintreg_d2 xtintreg_p xtivp_1 xtivp_2 xtivreg xtline xtline_ex xtlogit xtlogit_8 xtlogit_d2 xtlogit_fe_p xtlogit_pa_p xtlogit_re_p xtmixed xtmixed_estat xtmixed_p xtnb_fe xtnb_lf xtnbreg xtnbreg_pa_p xtnbreg_refe_p xtpcse xtpcse_p xtpois xtpoisson xtpoisson_d2 xtpoisson_pa_p xtpoisson_refe_p xtpred xtprobit xtprobit_8 xtprobit_d2 xtprobit_re_p xtps_fe xtps_lf xtps_ren xtps_ren_8 xtrar_p xtrc xtrc_p xtrchh xtrefe_p xtreg xtreg_be xtreg_fe xtreg_ml xtreg_pa_p xtreg_re xtregar xtrere_p xtset xtsf_ll xtsf_llti xtsum xttab xttest0 xttobit xttobit_8 xttobit_p xttrans yx yxview__barlike_draw yxview_area_draw yxview_bar_draw yxview_dot_draw yxview_dropline_draw yxview_function_draw yxview_iarrow_draw yxview_ilabels_draw yxview_normal_draw yxview_pcarrow_draw yxview_pcbarrow_draw yxview_pccapsym_draw yxview_pcscatter_draw yxview_pcspike_draw yxview_rarea_draw yxview_rbar_draw yxview_rbarm_draw yxview_rcap_draw yxview_rcapsym_draw yxview_rconnected_draw yxview_rline_draw yxview_rscatter_draw yxview_rspike_draw yxview_spike_draw yxview_sunflower_draw zap_s zinb zinb_llf zinb_plf zip zip_llf zip_p zip_plf zt_ct_5 zt_hc_5 zt_hcd_5 zt_is_5 zt_iss_5 zt_sho_5 zt_smp_5 ztbase_5 ztcox_5 ztdes_5 ztereg_5 ztfill_5 ztgen_5 ztir_5 ztjoin_5 ztnb ztnb_p ztp ztp_p zts_5 ztset_5 ztspli_5 ztsum_5 zttoct_5 ztvary_5 ztweib_5",c:[{cN:"symbol",b:/`[a-zA-Z0-9_]+'/},{cN:"variable",b:/\$\{?[a-zA-Z0-9_]+\}?/},{cN:"string",v:[{b:'`"[^\r\n]*?"\''},{b:'"[^\r\n"]*"'}]},{cN:"built_in",v:[{b:"\\b(abs|acos|asin|atan|atan2|atanh|ceil|cloglog|comb|cos|digamma|exp|floor|invcloglog|invlogit|ln|lnfact|lnfactorial|lngamma|log|log10|max|min|mod|reldif|round|sign|sin|sqrt|sum|tan|tanh|trigamma|trunc|betaden|Binomial|binorm|binormal|chi2|chi2tail|dgammapda|dgammapdada|dgammapdadx|dgammapdx|dgammapdxdx|F|Fden|Ftail|gammaden|gammap|ibeta|invbinomial|invchi2|invchi2tail|invF|invFtail|invgammap|invibeta|invnchi2|invnFtail|invnibeta|invnorm|invnormal|invttail|nbetaden|nchi2|nFden|nFtail|nibeta|norm|normal|normalden|normd|npnchi2|tden|ttail|uniform|abbrev|char|index|indexnot|length|lower|ltrim|match|plural|proper|real|regexm|regexr|regexs|reverse|rtrim|string|strlen|strlower|strltrim|strmatch|strofreal|strpos|strproper|strreverse|strrtrim|strtrim|strupper|subinstr|subinword|substr|trim|upper|word|wordcount|_caller|autocode|byteorder|chop|clip|cond|e|epsdouble|epsfloat|group|inlist|inrange|irecode|matrix|maxbyte|maxdouble|maxfloat|maxint|maxlong|mi|minbyte|mindouble|minfloat|minint|minlong|missing|r|recode|replay|return|s|scalar|d|date|day|dow|doy|halfyear|mdy|month|quarter|week|year|d|daily|dofd|dofh|dofm|dofq|dofw|dofy|h|halfyearly|hofd|m|mofd|monthly|q|qofd|quarterly|tin|twithin|w|weekly|wofd|y|yearly|yh|ym|yofd|yq|yw|cholesky|colnumb|colsof|corr|det|diag|diag0cnt|el|get|hadamard|I|inv|invsym|issym|issymmetric|J|matmissing|matuniform|mreldif|nullmat|rownumb|rowsof|sweep|syminv|trace|vec|vecdiag)(?=\\(|$)"}]},e.C("^[ ]*\\*.*$",!1),e.CLCM,e.CBCM]}}),e.registerLanguage("step21",function(e){var t="[A-Z_][A-Z0-9_.]*",r={keyword:"HEADER ENDSEC DATA"},a={cN:"meta",b:"ISO-10303-21;",r:10},i={cN:"meta",b:"END-ISO-10303-21;",r:10};return{aliases:["p21","step","stp"],cI:!0,l:t,k:r,c:[a,i,e.CLCM,e.CBCM,e.C("/\\*\\*!","\\*/"),e.CNM,e.inherit(e.ASM,{i:null}),e.inherit(e.QSM,{i:null}),{cN:"string",b:"'",e:"'"},{cN:"symbol",v:[{b:"#",e:"\\d+",i:"\\W"}]}]}}),e.registerLanguage("stylus",function(e){var t={cN:"variable",b:"\\$"+e.IR},r={cN:"number",b:"#([a-fA-F0-9]{6}|[a-fA-F0-9]{3})"},a=["charset","css","debug","extend","font-face","for","import","include","media","mixin","page","warn","while"],i=["after","before","first-letter","first-line","active","first-child","focus","hover","lang","link","visited"],n=["a","abbr","address","article","aside","audio","b","blockquote","body","button","canvas","caption","cite","code","dd","del","details","dfn","div","dl","dt","em","fieldset","figcaption","figure","footer","form","h1","h2","h3","h4","h5","h6","header","hgroup","html","i","iframe","img","input","ins","kbd","label","legend","li","mark","menu","nav","object","ol","p","q","quote","samp","section","span","strong","summary","sup","table","tbody","td","textarea","tfoot","th","thead","time","tr","ul","var","video"],o="[\\.\\s\\n\\[\\:,]",s=["align-content","align-items","align-self","animation","animation-delay","animation-direction","animation-duration","animation-fill-mode","animation-iteration-count","animation-name","animation-play-state","animation-timing-function","auto","backface-visibility","background","background-attachment","background-clip","background-color","background-image","background-origin","background-position","background-repeat","background-size","border","border-bottom","border-bottom-color","border-bottom-left-radius","border-bottom-right-radius","border-bottom-style","border-bottom-width","border-collapse","border-color","border-image","border-image-outset","border-image-repeat","border-image-slice","border-image-source","border-image-width","border-left","border-left-color","border-left-style","border-left-width","border-radius","border-right","border-right-color","border-right-style","border-right-width","border-spacing","border-style","border-top","border-top-color","border-top-left-radius","border-top-right-radius","border-top-style","border-top-width","border-width","bottom","box-decoration-break","box-shadow","box-sizing","break-after","break-before","break-inside","caption-side","clear","clip","clip-path","color","column-count","column-fill","column-gap","column-rule","column-rule-color","column-rule-style","column-rule-width","column-span","column-width","columns","content","counter-increment","counter-reset","cursor","direction","display","empty-cells","filter","flex","flex-basis","flex-direction","flex-flow","flex-grow","flex-shrink","flex-wrap","float","font","font-family","font-feature-settings","font-kerning","font-language-override","font-size","font-size-adjust","font-stretch","font-style","font-variant","font-variant-ligatures","font-weight","height","hyphens","icon","image-orientation","image-rendering","image-resolution","ime-mode","inherit","initial","justify-content","left","letter-spacing","line-height","list-style","list-style-image","list-style-position","list-style-type","margin","margin-bottom","margin-left","margin-right","margin-top","marks","mask","max-height","max-width","min-height","min-width","nav-down","nav-index","nav-left","nav-right","nav-up","none","normal","object-fit","object-position","opacity","order","orphans","outline","outline-color","outline-offset","outline-style","outline-width","overflow","overflow-wrap","overflow-x","overflow-y","padding","padding-bottom","padding-left","padding-right","padding-top","page-break-after","page-break-before","page-break-inside","perspective","perspective-origin","pointer-events","position","quotes","resize","right","tab-size","table-layout","text-align","text-align-last","text-decoration","text-decoration-color","text-decoration-line","text-decoration-style","text-indent","text-overflow","text-rendering","text-shadow","text-transform","text-underline-position","top","transform","transform-origin","transform-style","transition","transition-delay","transition-duration","transition-property","transition-timing-function","unicode-bidi","vertical-align","visibility","white-space","widows","width","word-break","word-spacing","word-wrap","z-index"],l=["\\?","(\\bReturn\\b)","(\\bEnd\\b)","(\\bend\\b)","(\\bdef\\b)",";","#\\s","\\*\\s","===\\s","\\|","%"]; -return{aliases:["styl"],cI:!1,k:"if else for in",i:"("+l.join("|")+")",c:[e.QSM,e.ASM,e.CLCM,e.CBCM,r,{b:"\\.[a-zA-Z][a-zA-Z0-9_-]*"+o,rB:!0,c:[{cN:"selector-class",b:"\\.[a-zA-Z][a-zA-Z0-9_-]*"}]},{b:"\\#[a-zA-Z][a-zA-Z0-9_-]*"+o,rB:!0,c:[{cN:"selector-id",b:"\\#[a-zA-Z][a-zA-Z0-9_-]*"}]},{b:"\\b("+n.join("|")+")"+o,rB:!0,c:[{cN:"selector-tag",b:"\\b[a-zA-Z][a-zA-Z0-9_-]*"}]},{b:"&?:?:\\b("+i.join("|")+")"+o},{b:"@("+a.join("|")+")\\b"},t,e.CSSNM,e.NM,{cN:"function",b:"^[a-zA-Z][a-zA-Z0-9_-]*\\(.*\\)",i:"[\\n]",rB:!0,c:[{cN:"title",b:"\\b[a-zA-Z][a-zA-Z0-9_-]*"},{cN:"params",b:/\(/,e:/\)/,c:[r,t,e.ASM,e.CSSNM,e.NM,e.QSM]}]},{cN:"attribute",b:"\\b("+s.reverse().join("|")+")\\b",starts:{e:/;|$/,c:[r,t,e.ASM,e.QSM,e.CSSNM,e.NM,e.CBCM],i:/\./,r:0}}]}}),e.registerLanguage("subunit",function(e){var t={cN:"string",b:"\\[\n(multipart)?",e:"\\]\n"},r={cN:"string",b:"\\d{4}-\\d{2}-\\d{2}(\\s+)\\d{2}:\\d{2}:\\d{2}.\\d+Z"},a={cN:"string",b:"(\\+|-)\\d+"},i={cN:"keyword",r:10,v:[{b:"^(test|testing|success|successful|failure|error|skip|xfail|uxsuccess)(:?)\\s+(test)?"},{b:"^progress(:?)(\\s+)?(pop|push)?"},{b:"^tags:"},{b:"^time:"}]};return{cI:!0,c:[t,r,a,i]}}),e.registerLanguage("swift",function(e){var t={keyword:"__COLUMN__ __FILE__ __FUNCTION__ __LINE__ as as! as? associativity break case catch class continue convenience default defer deinit didSet do dynamic dynamicType else enum extension fallthrough false fileprivate final for func get guard if import in indirect infix init inout internal is lazy left let mutating nil none nonmutating open operator optional override postfix precedence prefix private protocol Protocol public repeat required rethrows return right self Self set static struct subscript super switch throw throws true try try! try? Type typealias unowned var weak where while willSet",literal:"true false nil",built_in:"abs advance alignof alignofValue anyGenerator assert assertionFailure bridgeFromObjectiveC bridgeFromObjectiveCUnconditional bridgeToObjectiveC bridgeToObjectiveCUnconditional c contains count countElements countLeadingZeros debugPrint debugPrintln distance dropFirst dropLast dump encodeBitsAsWords enumerate equal fatalError filter find getBridgedObjectiveCType getVaList indices insertionSort isBridgedToObjectiveC isBridgedVerbatimToObjectiveC isUniquelyReferenced isUniquelyReferencedNonObjC join lazy lexicographicalCompare map max maxElement min minElement numericCast overlaps partition posix precondition preconditionFailure print println quickSort readLine reduce reflect reinterpretCast reverse roundUpToAlignment sizeof sizeofValue sort split startsWith stride strideof strideofValue swap toString transcode underestimateCount unsafeAddressOf unsafeBitCast unsafeDowncast unsafeUnwrap unsafeReflect withExtendedLifetime withObjectAtPlusZero withUnsafePointer withUnsafePointerToObject withUnsafeMutablePointer withUnsafeMutablePointers withUnsafePointer withUnsafePointers withVaList zip"},r={cN:"type",b:"\\b[A-Z][\\wÀ-ʸ']*",r:0},a=e.C("/\\*","\\*/",{c:["self"]}),i={cN:"subst",b:/\\\(/,e:"\\)",k:t,c:[]},n={cN:"number",b:"\\b([\\d_]+(\\.[\\deE_]+)?|0x[a-fA-F0-9_]+(\\.[a-fA-F0-9p_]+)?|0b[01_]+|0o[0-7_]+)\\b",r:0},o=e.inherit(e.QSM,{c:[i,e.BE]});return i.c=[n],{k:t,c:[o,e.CLCM,a,r,n,{cN:"function",bK:"func",e:"{",eE:!0,c:[e.inherit(e.TM,{b:/[A-Za-z$_][0-9A-Za-z$_]*/}),{b://},{cN:"params",b:/\(/,e:/\)/,endsParent:!0,k:t,c:["self",n,o,e.CBCM,{b:":"}],i:/["']/}],i:/\[|%/},{cN:"class",bK:"struct protocol class extension enum",k:t,e:"\\{",eE:!0,c:[e.inherit(e.TM,{b:/[A-Za-z$_][\u00C0-\u02B80-9A-Za-z$_]*/})]},{cN:"meta",b:"(@warn_unused_result|@exported|@lazy|@noescape|@NSCopying|@NSManaged|@objc|@convention|@required|@noreturn|@IBAction|@IBDesignable|@IBInspectable|@IBOutlet|@infix|@prefix|@postfix|@autoclosure|@testable|@available|@nonobjc|@NSApplicationMain|@UIApplicationMain)"},{bK:"import",e:/$/,c:[e.CLCM,a]}]}}),e.registerLanguage("taggerscript",function(e){var t={cN:"comment",b:/\$noop\(/,e:/\)/,c:[{b:/\(/,e:/\)/,c:["self",{b:/\\./}]}],r:10},r={cN:"keyword",b:/\$(?!noop)[a-zA-Z][_a-zA-Z0-9]*/,e:/\(/,eE:!0},a={cN:"variable",b:/%[_a-zA-Z0-9:]*/,e:"%"},i={cN:"symbol",b:/\\./};return{c:[t,r,a,i]}}),e.registerLanguage("yaml",function(e){var t="true false yes no null",r="^[ \\-]*",a="[a-zA-Z_][\\w\\-]*",i={cN:"attr",v:[{b:r+a+":"},{b:r+'"'+a+'":'},{b:r+"'"+a+"':"}]},n={cN:"template-variable",v:[{b:"{{",e:"}}"},{b:"%{",e:"}"}]},o={cN:"string",r:0,v:[{b:/'/,e:/'/},{b:/"/,e:/"/},{b:/\S+/}],c:[e.BE,n]};return{cI:!0,aliases:["yml","YAML","yaml"],c:[i,{cN:"meta",b:"^---s*$",r:10},{cN:"string",b:"[\\|>] *$",rE:!0,c:o.c,e:i.v[0].b},{b:"<%[%=-]?",e:"[%-]?%>",sL:"ruby",eB:!0,eE:!0,r:0},{cN:"type",b:"!!"+e.UIR},{cN:"meta",b:"&"+e.UIR+"$"},{cN:"meta",b:"\\*"+e.UIR+"$"},{cN:"bullet",b:"^ *-",r:0},e.HCM,{bK:t,k:{literal:t}},e.CNM,o]}}),e.registerLanguage("tap",function(e){return{cI:!0,c:[e.HCM,{cN:"meta",v:[{b:"^TAP version (\\d+)$"},{b:"^1\\.\\.(\\d+)$"}]},{b:"(s+)?---$",e:"\\.\\.\\.$",sL:"yaml",r:0},{cN:"number",b:" (\\d+) "},{cN:"symbol",v:[{b:"^ok"},{b:"^not ok"}]}]}}),e.registerLanguage("tcl",function(e){return{aliases:["tk"],k:"after append apply array auto_execok auto_import auto_load auto_mkindex auto_mkindex_old auto_qualify auto_reset bgerror binary break catch cd chan clock close concat continue dde dict encoding eof error eval exec exit expr fblocked fconfigure fcopy file fileevent filename flush for foreach format gets glob global history http if incr info interp join lappend|10 lassign|10 lindex|10 linsert|10 list llength|10 load lrange|10 lrepeat|10 lreplace|10 lreverse|10 lsearch|10 lset|10 lsort|10 mathfunc mathop memory msgcat namespace open package parray pid pkg::create pkg_mkIndex platform platform::shell proc puts pwd read refchan regexp registry regsub|10 rename return safe scan seek set socket source split string subst switch tcl_endOfWord tcl_findLibrary tcl_startOfNextWord tcl_startOfPreviousWord tcl_wordBreakAfter tcl_wordBreakBefore tcltest tclvars tell time tm trace unknown unload unset update uplevel upvar variable vwait while",c:[e.C(";[ \\t]*#","$"),e.C("^[ \\t]*#","$"),{bK:"proc",e:"[\\{]",eE:!0,c:[{cN:"title",b:"[ \\t\\n\\r]+(::)?[a-zA-Z_]((::)?[a-zA-Z0-9_])*",e:"[ \\t\\n\\r]",eW:!0,eE:!0}]},{eE:!0,v:[{b:"\\$(\\{)?(::)?[a-zA-Z_]((::)?[a-zA-Z0-9_])*\\(([a-zA-Z0-9_])*\\)",e:"[^a-zA-Z0-9_\\}\\$]"},{b:"\\$(\\{)?(::)?[a-zA-Z_]((::)?[a-zA-Z0-9_])*",e:"(\\))?[^a-zA-Z0-9_\\}\\$]"}]},{cN:"string",c:[e.BE],v:[e.inherit(e.ASM,{i:null}),e.inherit(e.QSM,{i:null})]},{cN:"number",v:[e.BNM,e.CNM]}]}}),e.registerLanguage("tex",function(e){var t={cN:"tag",b:/\\/,r:0,c:[{cN:"name",v:[{b:/[a-zA-Zа-яА-я]+[*]?/},{b:/[^a-zA-Zа-яА-я0-9]/}],starts:{eW:!0,r:0,c:[{cN:"string",v:[{b:/\[/,e:/\]/},{b:/\{/,e:/\}/}]},{b:/\s*=\s*/,eW:!0,r:0,c:[{cN:"number",b:/-?\d*\.?\d+(pt|pc|mm|cm|in|dd|cc|ex|em)?/}]}]}}]};return{c:[t,{cN:"formula",c:[t],r:0,v:[{b:/\$\$/,e:/\$\$/},{b:/\$/,e:/\$/}]},e.C("%","$",{r:0})]}}),e.registerLanguage("thrift",function(e){var t="bool byte i16 i32 i64 double string binary";return{k:{keyword:"namespace const typedef struct enum service exception void oneway set list map required optional",built_in:t,literal:"true false"},c:[e.QSM,e.NM,e.CLCM,e.CBCM,{cN:"class",bK:"struct enum service exception",e:/\{/,i:/\n/,c:[e.inherit(e.TM,{starts:{eW:!0,eE:!0}})]},{b:"\\b(set|list|map)\\s*<",e:">",k:t,c:["self"]}]}}),e.registerLanguage("tp",function(e){var t={cN:"number",b:"[1-9][0-9]*",r:0},r={cN:"symbol",b:":[^\\]]+"},a={cN:"built_in",b:"(AR|P|PAYLOAD|PR|R|SR|RSR|LBL|VR|UALM|MESSAGE|UTOOL|UFRAME|TIMER| TIMER_OVERFLOW|JOINT_MAX_SPEED|RESUME_PROG|DIAG_REC)\\[",e:"\\]",c:["self",t,r]},i={cN:"built_in",b:"(AI|AO|DI|DO|F|RI|RO|UI|UO|GI|GO|SI|SO)\\[",e:"\\]",c:["self",t,e.QSM,r]};return{k:{keyword:"ABORT ACC ADJUST AND AP_LD BREAK CALL CNT COL CONDITION CONFIG DA DB DIV DETECT ELSE END ENDFOR ERR_NUM ERROR_PROG FINE FOR GP GUARD INC IF JMP LINEAR_MAX_SPEED LOCK MOD MONITOR OFFSET Offset OR OVERRIDE PAUSE PREG PTH RT_LD RUN SELECT SKIP Skip TA TB TO TOOL_OFFSET Tool_Offset UF UT UFRAME_NUM UTOOL_NUM UNLOCK WAIT X Y Z W P R STRLEN SUBSTR FINDSTR VOFFSET PROG ATTR MN POS",literal:"ON OFF max_speed LPOS JPOS ENABLE DISABLE START STOP RESET"},c:[a,i,{cN:"keyword",b:"/(PROG|ATTR|MN|POS|END)\\b"},{cN:"keyword",b:"(CALL|RUN|POINT_LOGIC|LBL)\\b"},{cN:"keyword",b:"\\b(ACC|CNT|Skip|Offset|PSPD|RT_LD|AP_LD|Tool_Offset)"},{cN:"number",b:"\\d+(sec|msec|mm/sec|cm/min|inch/min|deg/sec|mm|in|cm)?\\b",r:0},e.C("//","[;$]"),e.C("!","[;$]"),e.C("--eg:","$"),e.QSM,{cN:"string",b:"'",e:"'"},e.CNM,{cN:"variable",b:"\\$[A-Za-z0-9_]+"}]}}),e.registerLanguage("twig",function(e){var t={cN:"params",b:"\\(",e:"\\)"},r="attribute block constant cycle date dump include max min parent random range source template_from_string",a={bK:r,k:{name:r},r:0,c:[t]},i={b:/\|[A-Za-z_]+:?/,k:"abs batch capitalize convert_encoding date date_modify default escape first format join json_encode keys last length lower merge nl2br number_format raw replace reverse round slice sort split striptags title trim upper url_encode",c:[a]},n="autoescape block do embed extends filter flush for if import include macro sandbox set spaceless use verbatim";return n=n+" "+n.split(" ").map(function(e){return"end"+e}).join(" "),{aliases:["craftcms"],cI:!0,sL:"xml",c:[e.C(/\{#/,/#}/),{cN:"template-tag",b:/\{%/,e:/%}/,c:[{cN:"name",b:/\w+/,k:n,starts:{eW:!0,c:[i,a],r:0}}]},{cN:"template-variable",b:/\{\{/,e:/}}/,c:["self",i,a]}]}}),e.registerLanguage("typescript",function(e){var t={keyword:"in if for while finally var new function do return void else break catch instanceof with throw case default try this switch continue typeof delete let yield const class public private protected get set super static implements enum export import declare type namespace abstract as from extends async await",literal:"true false null undefined NaN Infinity",built_in:"eval isFinite isNaN parseFloat parseInt decodeURI decodeURIComponent encodeURI encodeURIComponent escape unescape Object Function Boolean Error EvalError InternalError RangeError ReferenceError StopIteration SyntaxError TypeError URIError Number Math Date String RegExp Array Float32Array Float64Array Int16Array Int32Array Int8Array Uint16Array Uint32Array Uint8Array Uint8ClampedArray ArrayBuffer DataView JSON Intl arguments require module console window document any number boolean string void Promise"};return{aliases:["ts"],k:t,c:[{cN:"meta",b:/^\s*['"]use strict['"]/},e.ASM,e.QSM,{cN:"string",b:"`",e:"`",c:[e.BE,{cN:"subst",b:"\\$\\{",e:"\\}"}]},e.CLCM,e.CBCM,{cN:"number",v:[{b:"\\b(0[bB][01]+)"},{b:"\\b(0[oO][0-7]+)"},{b:e.CNR}],r:0},{b:"("+e.RSR+"|\\b(case|return|throw)\\b)\\s*",k:"return throw case",c:[e.CLCM,e.CBCM,e.RM,{cN:"function",b:"(\\(.*?\\)|"+e.IR+")\\s*=>",rB:!0,e:"\\s*=>",c:[{cN:"params",v:[{b:e.IR},{b:/\(\s*\)/},{b:/\(/,e:/\)/,eB:!0,eE:!0,k:t,c:["self",e.CLCM,e.CBCM]}]}]}],r:0},{cN:"function",b:"function",e:/[\{;]/,eE:!0,k:t,c:["self",e.inherit(e.TM,{b:/[A-Za-z$_][0-9A-Za-z$_]*/}),{cN:"params",b:/\(/,e:/\)/,eB:!0,eE:!0,k:t,c:[e.CLCM,e.CBCM],i:/["'\(]/}],i:/%/,r:0},{bK:"constructor",e:/\{/,eE:!0,c:["self",{cN:"params",b:/\(/,e:/\)/,eB:!0,eE:!0,k:t,c:[e.CLCM,e.CBCM],i:/["'\(]/}]},{b:/module\./,k:{built_in:"module"},r:0},{bK:"module",e:/\{/,eE:!0},{bK:"interface",e:/\{/,eE:!0,k:"interface extends"},{b:/\$[(.]/},{b:"\\."+e.IR,r:0},{cN:"meta",b:"@[A-Za-z]+"}]}}),e.registerLanguage("vala",function(e){return{k:{keyword:"char uchar unichar int uint long ulong short ushort int8 int16 int32 int64 uint8 uint16 uint32 uint64 float double bool struct enum string void weak unowned owned async signal static abstract interface override virtual delegate if while do for foreach else switch case break default return try catch public private protected internal using new this get set const stdout stdin stderr var",built_in:"DBus GLib CCode Gee Object Gtk Posix",literal:"false true null"},c:[{cN:"class",bK:"class interface namespace",e:"{",eE:!0,i:"[^,:\\n\\s\\.]",c:[e.UTM]},e.CLCM,e.CBCM,{cN:"string",b:'"""',e:'"""',r:5},e.ASM,e.QSM,e.CNM,{cN:"meta",b:"^#",e:"$",r:2}]}}),e.registerLanguage("vbnet",function(e){return{aliases:["vb"],cI:!0,k:{keyword:"addhandler addressof alias and andalso aggregate ansi as assembly auto binary by byref byval call case catch class compare const continue custom declare default delegate dim distinct do each equals else elseif end enum erase error event exit explicit finally for friend from function get global goto group handles if implements imports in inherits interface into is isfalse isnot istrue join key let lib like loop me mid mod module mustinherit mustoverride mybase myclass namespace narrowing new next not notinheritable notoverridable of off on operator option optional or order orelse overloads overridable overrides paramarray partial preserve private property protected public raiseevent readonly redim rem removehandler resume return select set shadows shared skip static step stop structure strict sub synclock take text then throw to try unicode until using when where while widening with withevents writeonly xor",built_in:"boolean byte cbool cbyte cchar cdate cdec cdbl char cint clng cobj csbyte cshort csng cstr ctype date decimal directcast double gettype getxmlnamespace iif integer long object sbyte short single string trycast typeof uinteger ulong ushort",literal:"true false nothing"},i:"//|{|}|endif|gosub|variant|wend",c:[e.inherit(e.QSM,{c:[{b:'""'}]}),e.C("'","$",{rB:!0,c:[{cN:"doctag",b:"'''|",c:[e.PWM]},{cN:"doctag",b:"",c:[e.PWM]}]}),e.CNM,{cN:"meta",b:"#",e:"$",k:{"meta-keyword":"if else elseif end region externalsource"}}]}}),e.registerLanguage("vbscript",function(e){return{aliases:["vbs"],cI:!0,k:{keyword:"call class const dim do loop erase execute executeglobal exit for each next function if then else on error option explicit new private property let get public randomize redim rem select case set stop sub while wend with end to elseif is or xor and not class_initialize class_terminate default preserve in me byval byref step resume goto",built_in:"lcase month vartype instrrev ubound setlocale getobject rgb getref string weekdayname rnd dateadd monthname now day minute isarray cbool round formatcurrency conversions csng timevalue second year space abs clng timeserial fixs len asc isempty maths dateserial atn timer isobject filter weekday datevalue ccur isdate instr datediff formatdatetime replace isnull right sgn array snumeric log cdbl hex chr lbound msgbox ucase getlocale cos cdate cbyte rtrim join hour oct typename trim strcomp int createobject loadpicture tan formatnumber mid scriptenginebuildversion scriptengine split scriptengineminorversion cint sin datepart ltrim sqr scriptenginemajorversion time derived eval date formatpercent exp inputbox left ascw chrw regexp server response request cstr err",literal:"true false null nothing empty"},i:"//",c:[e.inherit(e.QSM,{c:[{b:'""'}]}),e.C(/'/,/$/,{r:0}),e.CNM]}}),e.registerLanguage("vbscript-html",function(e){return{sL:"xml",c:[{b:"<%",e:"%>",sL:"vbscript"}]}}),e.registerLanguage("verilog",function(e){var t={keyword:"accept_on alias always always_comb always_ff always_latch and assert assign assume automatic before begin bind bins binsof bit break buf|0 bufif0 bufif1 byte case casex casez cell chandle checker class clocking cmos config const constraint context continue cover covergroup coverpoint cross deassign default defparam design disable dist do edge else end endcase endchecker endclass endclocking endconfig endfunction endgenerate endgroup endinterface endmodule endpackage endprimitive endprogram endproperty endspecify endsequence endtable endtask enum event eventually expect export extends extern final first_match for force foreach forever fork forkjoin function generate|5 genvar global highz0 highz1 if iff ifnone ignore_bins illegal_bins implements implies import incdir include initial inout input inside instance int integer interconnect interface intersect join join_any join_none large let liblist library local localparam logic longint macromodule matches medium modport module nand negedge nettype new nexttime nmos nor noshowcancelled not notif0 notif1 or output package packed parameter pmos posedge primitive priority program property protected pull0 pull1 pulldown pullup pulsestyle_ondetect pulsestyle_onevent pure rand randc randcase randsequence rcmos real realtime ref reg reject_on release repeat restrict return rnmos rpmos rtran rtranif0 rtranif1 s_always s_eventually s_nexttime s_until s_until_with scalared sequence shortint shortreal showcancelled signed small soft solve specify specparam static string strong strong0 strong1 struct super supply0 supply1 sync_accept_on sync_reject_on table tagged task this throughout time timeprecision timeunit tran tranif0 tranif1 tri tri0 tri1 triand trior trireg type typedef union unique unique0 unsigned until until_with untyped use uwire var vectored virtual void wait wait_order wand weak weak0 weak1 while wildcard wire with within wor xnor xor",literal:"null",built_in:"$finish $stop $exit $fatal $error $warning $info $realtime $time $printtimescale $bitstoreal $bitstoshortreal $itor $signed $cast $bits $stime $timeformat $realtobits $shortrealtobits $rtoi $unsigned $asserton $assertkill $assertpasson $assertfailon $assertnonvacuouson $assertoff $assertcontrol $assertpassoff $assertfailoff $assertvacuousoff $isunbounded $sampled $fell $changed $past_gclk $fell_gclk $changed_gclk $rising_gclk $steady_gclk $coverage_control $coverage_get $coverage_save $set_coverage_db_name $rose $stable $past $rose_gclk $stable_gclk $future_gclk $falling_gclk $changing_gclk $display $coverage_get_max $coverage_merge $get_coverage $load_coverage_db $typename $unpacked_dimensions $left $low $increment $clog2 $ln $log10 $exp $sqrt $pow $floor $ceil $sin $cos $tan $countbits $onehot $isunknown $fatal $warning $dimensions $right $high $size $asin $acos $atan $atan2 $hypot $sinh $cosh $tanh $asinh $acosh $atanh $countones $onehot0 $error $info $random $dist_chi_square $dist_erlang $dist_exponential $dist_normal $dist_poisson $dist_t $dist_uniform $q_initialize $q_remove $q_exam $async$and$array $async$nand$array $async$or$array $async$nor$array $sync$and$array $sync$nand$array $sync$or$array $sync$nor$array $q_add $q_full $psprintf $async$and$plane $async$nand$plane $async$or$plane $async$nor$plane $sync$and$plane $sync$nand$plane $sync$or$plane $sync$nor$plane $system $display $displayb $displayh $displayo $strobe $strobeb $strobeh $strobeo $write $readmemb $readmemh $writememh $value$plusargs $dumpvars $dumpon $dumplimit $dumpports $dumpportson $dumpportslimit $writeb $writeh $writeo $monitor $monitorb $monitorh $monitoro $writememb $dumpfile $dumpoff $dumpall $dumpflush $dumpportsoff $dumpportsall $dumpportsflush $fclose $fdisplay $fdisplayb $fdisplayh $fdisplayo $fstrobe $fstrobeb $fstrobeh $fstrobeo $swrite $swriteb $swriteh $swriteo $fscanf $fread $fseek $fflush $feof $fopen $fwrite $fwriteb $fwriteh $fwriteo $fmonitor $fmonitorb $fmonitorh $fmonitoro $sformat $sformatf $fgetc $ungetc $fgets $sscanf $rewind $ftell $ferror"};return{aliases:["v","sv","svh"],cI:!1,k:t,l:/[\w\$]+/,c:[e.CBCM,e.CLCM,e.QSM,{cN:"number",c:[e.BE],v:[{b:"\\b((\\d+'(b|h|o|d|B|H|O|D))[0-9xzXZa-fA-F_]+)"},{b:"\\B(('(b|h|o|d|B|H|O|D))[0-9xzXZa-fA-F_]+)"},{b:"\\b([0-9_])+",r:0}]},{cN:"variable",v:[{b:"#\\((?!parameter).+\\)"},{b:"\\.\\w+",r:0}]},{cN:"meta",b:"`",e:"$",k:{"meta-keyword":"define __FILE__ __LINE__ begin_keywords celldefine default_nettype define else elsif end_keywords endcelldefine endif ifdef ifndef include line nounconnected_drive pragma resetall timescale unconnected_drive undef undefineall"},r:0}]}}),e.registerLanguage("vhdl",function(e){var t="\\d(_|\\d)*",r="[eE][-+]?"+t,a=t+"(\\."+t+")?("+r+")?",i="\\w+",n=t+"#"+i+"(\\."+i+")?#("+r+")?",o="\\b("+n+"|"+a+")";return{cI:!0,k:{keyword:"abs access after alias all and architecture array assert assume assume_guarantee attribute begin block body buffer bus case component configuration constant context cover disconnect downto default else elsif end entity exit fairness file for force function generate generic group guarded if impure in inertial inout is label library linkage literal loop map mod nand new next nor not null of on open or others out package port postponed procedure process property protected pure range record register reject release rem report restrict restrict_guarantee return rol ror select sequence severity shared signal sla sll sra srl strong subtype then to transport type unaffected units until use variable vmode vprop vunit wait when while with xnor xor",built_in:"boolean bit character integer time delay_length natural positive string bit_vector file_open_kind file_open_status std_logic std_logic_vector unsigned signed boolean_vector integer_vector std_ulogic std_ulogic_vector unresolved_unsigned u_unsigned unresolved_signed u_signedreal_vector time_vector",literal:"false true note warning error failure line text side width"},i:"{",c:[e.CBCM,e.C("--","$"),e.QSM,{cN:"number",b:o,r:0},{cN:"string",b:"'(U|X|0|1|Z|W|L|H|-)'",c:[e.BE]},{cN:"symbol",b:"'[A-Za-z](_?[A-Za-z0-9])*",c:[e.BE]}]}}),e.registerLanguage("vim",function(e){return{l:/[!#@\w]+/,k:{keyword:"N|0 P|0 X|0 a|0 ab abc abo al am an|0 ar arga argd arge argdo argg argl argu as au aug aun b|0 bN ba bad bd be bel bf bl bm bn bo bp br brea breaka breakd breakl bro bufdo buffers bun bw c|0 cN cNf ca cabc caddb cad caddf cal cat cb cc ccl cd ce cex cf cfir cgetb cgete cg changes chd che checkt cl cla clo cm cmapc cme cn cnew cnf cno cnorea cnoreme co col colo com comc comp con conf cope cp cpf cq cr cs cst cu cuna cunme cw delm deb debugg delc delf dif diffg diffo diffp diffpu diffs diffthis dig di dl dell dj dli do doautoa dp dr ds dsp e|0 ea ec echoe echoh echom echon el elsei em en endfo endf endt endw ene ex exe exi exu f|0 files filet fin fina fini fir fix fo foldc foldd folddoc foldo for fu go gr grepa gu gv ha helpf helpg helpt hi hid his ia iabc if ij il im imapc ime ino inorea inoreme int is isp iu iuna iunme j|0 ju k|0 keepa kee keepj lN lNf l|0 lad laddb laddf la lan lat lb lc lch lcl lcs le lefta let lex lf lfir lgetb lgete lg lgr lgrepa lh ll lla lli lmak lm lmapc lne lnew lnf ln loadk lo loc lockv lol lope lp lpf lr ls lt lu lua luad luaf lv lvimgrepa lw m|0 ma mak map mapc marks mat me menut mes mk mks mksp mkv mkvie mod mz mzf nbc nb nbs new nm nmapc nme nn nnoreme noa no noh norea noreme norm nu nun nunme ol o|0 om omapc ome on ono onoreme opt ou ounme ow p|0 profd prof pro promptr pc ped pe perld po popu pp pre prev ps pt ptN ptf ptj ptl ptn ptp ptr pts pu pw py3 python3 py3d py3f py pyd pyf quita qa rec red redi redr redraws reg res ret retu rew ri rightb rub rubyd rubyf rund ru rv sN san sa sal sav sb sbN sba sbf sbl sbm sbn sbp sbr scrip scripte scs se setf setg setl sf sfir sh sim sig sil sl sla sm smap smapc sme sn sni sno snor snoreme sor so spelld spe spelli spellr spellu spellw sp spr sre st sta startg startr star stopi stj sts sun sunm sunme sus sv sw sy synti sync tN tabN tabc tabdo tabe tabf tabfir tabl tabm tabnew tabn tabo tabp tabr tabs tab ta tags tc tcld tclf te tf th tj tl tm tn to tp tr try ts tu u|0 undoj undol una unh unl unlo unm unme uns up ve verb vert vim vimgrepa vi viu vie vm vmapc vme vne vn vnoreme vs vu vunme windo w|0 wN wa wh wi winc winp wn wp wq wqa ws wu wv x|0 xa xmapc xm xme xn xnoreme xu xunme y|0 z|0 ~ Next Print append abbreviate abclear aboveleft all amenu anoremenu args argadd argdelete argedit argglobal arglocal argument ascii autocmd augroup aunmenu buffer bNext ball badd bdelete behave belowright bfirst blast bmodified bnext botright bprevious brewind break breakadd breakdel breaklist browse bunload bwipeout change cNext cNfile cabbrev cabclear caddbuffer caddexpr caddfile call catch cbuffer cclose center cexpr cfile cfirst cgetbuffer cgetexpr cgetfile chdir checkpath checktime clist clast close cmap cmapclear cmenu cnext cnewer cnfile cnoremap cnoreabbrev cnoremenu copy colder colorscheme command comclear compiler continue confirm copen cprevious cpfile cquit crewind cscope cstag cunmap cunabbrev cunmenu cwindow delete delmarks debug debuggreedy delcommand delfunction diffupdate diffget diffoff diffpatch diffput diffsplit digraphs display deletel djump dlist doautocmd doautoall deletep drop dsearch dsplit edit earlier echo echoerr echohl echomsg else elseif emenu endif endfor endfunction endtry endwhile enew execute exit exusage file filetype find finally finish first fixdel fold foldclose folddoopen folddoclosed foldopen function global goto grep grepadd gui gvim hardcopy help helpfind helpgrep helptags highlight hide history insert iabbrev iabclear ijump ilist imap imapclear imenu inoremap inoreabbrev inoremenu intro isearch isplit iunmap iunabbrev iunmenu join jumps keepalt keepmarks keepjumps lNext lNfile list laddexpr laddbuffer laddfile last language later lbuffer lcd lchdir lclose lcscope left leftabove lexpr lfile lfirst lgetbuffer lgetexpr lgetfile lgrep lgrepadd lhelpgrep llast llist lmake lmap lmapclear lnext lnewer lnfile lnoremap loadkeymap loadview lockmarks lockvar lolder lopen lprevious lpfile lrewind ltag lunmap luado luafile lvimgrep lvimgrepadd lwindow move mark make mapclear match menu menutranslate messages mkexrc mksession mkspell mkvimrc mkview mode mzscheme mzfile nbclose nbkey nbsart next nmap nmapclear nmenu nnoremap nnoremenu noautocmd noremap nohlsearch noreabbrev noremenu normal number nunmap nunmenu oldfiles open omap omapclear omenu only onoremap onoremenu options ounmap ounmenu ownsyntax print profdel profile promptfind promptrepl pclose pedit perl perldo pop popup ppop preserve previous psearch ptag ptNext ptfirst ptjump ptlast ptnext ptprevious ptrewind ptselect put pwd py3do py3file python pydo pyfile quit quitall qall read recover redo redir redraw redrawstatus registers resize retab return rewind right rightbelow ruby rubydo rubyfile rundo runtime rviminfo substitute sNext sandbox sargument sall saveas sbuffer sbNext sball sbfirst sblast sbmodified sbnext sbprevious sbrewind scriptnames scriptencoding scscope set setfiletype setglobal setlocal sfind sfirst shell simalt sign silent sleep slast smagic smapclear smenu snext sniff snomagic snoremap snoremenu sort source spelldump spellgood spellinfo spellrepall spellundo spellwrong split sprevious srewind stop stag startgreplace startreplace startinsert stopinsert stjump stselect sunhide sunmap sunmenu suspend sview swapname syntax syntime syncbind tNext tabNext tabclose tabedit tabfind tabfirst tablast tabmove tabnext tabonly tabprevious tabrewind tag tcl tcldo tclfile tearoff tfirst throw tjump tlast tmenu tnext topleft tprevious trewind tselect tunmenu undo undojoin undolist unabbreviate unhide unlet unlockvar unmap unmenu unsilent update vglobal version verbose vertical vimgrep vimgrepadd visual viusage view vmap vmapclear vmenu vnew vnoremap vnoremenu vsplit vunmap vunmenu write wNext wall while winsize wincmd winpos wnext wprevious wqall wsverb wundo wviminfo xit xall xmapclear xmap xmenu xnoremap xnoremenu xunmap xunmenu yank",built_in:"synIDtrans atan2 range matcharg did_filetype asin feedkeys xor argv complete_check add getwinposx getqflist getwinposy screencol clearmatches empty extend getcmdpos mzeval garbagecollect setreg ceil sqrt diff_hlID inputsecret get getfperm getpid filewritable shiftwidth max sinh isdirectory synID system inputrestore winline atan visualmode inputlist tabpagewinnr round getregtype mapcheck hasmapto histdel argidx findfile sha256 exists toupper getcmdline taglist string getmatches bufnr strftime winwidth bufexists strtrans tabpagebuflist setcmdpos remote_read printf setloclist getpos getline bufwinnr float2nr len getcmdtype diff_filler luaeval resolve libcallnr foldclosedend reverse filter has_key bufname str2float strlen setline getcharmod setbufvar index searchpos shellescape undofile foldclosed setqflist buflisted strchars str2nr virtcol floor remove undotree remote_expr winheight gettabwinvar reltime cursor tabpagenr finddir localtime acos getloclist search tanh matchend rename gettabvar strdisplaywidth type abs py3eval setwinvar tolower wildmenumode log10 spellsuggest bufloaded synconcealed nextnonblank server2client complete settabwinvar executable input wincol setmatches getftype hlID inputsave searchpair or screenrow line settabvar histadd deepcopy strpart remote_peek and eval getftime submatch screenchar winsaveview matchadd mkdir screenattr getfontname libcall reltimestr getfsize winnr invert pow getbufline byte2line soundfold repeat fnameescape tagfiles sin strwidth spellbadword trunc maparg log lispindent hostname setpos globpath remote_foreground getchar synIDattr fnamemodify cscope_connection stridx winbufnr indent min complete_add nr2char searchpairpos inputdialog values matchlist items hlexists strridx browsedir expand fmod pathshorten line2byte argc count getwinvar glob foldtextresult getreg foreground cosh matchdelete has char2nr simplify histget searchdecl iconv winrestcmd pumvisible writefile foldlevel haslocaldir keys cos matchstr foldtext histnr tan tempname getcwd byteidx getbufvar islocked escape eventhandler remote_send serverlist winrestview synstack pyeval prevnonblank readfile cindent filereadable changenr exp"},i:/;/,c:[e.NM,e.ASM,{cN:"string",b:/"(\\"|\n\\|[^"\n])*"/},e.C('"',"$"),{cN:"variable",b:/[bwtglsav]:[\w\d_]*/},{cN:"function",bK:"function function!",e:"$",r:0,c:[e.TM,{cN:"params",b:"\\(",e:"\\)"}]},{cN:"symbol",b:/<[\w-]+>/}]}}),e.registerLanguage("x86asm",function(e){return{cI:!0,l:"[.%]?"+e.IR,k:{keyword:"lock rep repe repz repne repnz xaquire xrelease bnd nobnd aaa aad aam aas adc add and arpl bb0_reset bb1_reset bound bsf bsr bswap bt btc btr bts call cbw cdq cdqe clc cld cli clts cmc cmp cmpsb cmpsd cmpsq cmpsw cmpxchg cmpxchg486 cmpxchg8b cmpxchg16b cpuid cpu_read cpu_write cqo cwd cwde daa das dec div dmint emms enter equ f2xm1 fabs fadd faddp fbld fbstp fchs fclex fcmovb fcmovbe fcmove fcmovnb fcmovnbe fcmovne fcmovnu fcmovu fcom fcomi fcomip fcomp fcompp fcos fdecstp fdisi fdiv fdivp fdivr fdivrp femms feni ffree ffreep fiadd ficom ficomp fidiv fidivr fild fimul fincstp finit fist fistp fisttp fisub fisubr fld fld1 fldcw fldenv fldl2e fldl2t fldlg2 fldln2 fldpi fldz fmul fmulp fnclex fndisi fneni fninit fnop fnsave fnstcw fnstenv fnstsw fpatan fprem fprem1 fptan frndint frstor fsave fscale fsetpm fsin fsincos fsqrt fst fstcw fstenv fstp fstsw fsub fsubp fsubr fsubrp ftst fucom fucomi fucomip fucomp fucompp fxam fxch fxtract fyl2x fyl2xp1 hlt ibts icebp idiv imul in inc incbin insb insd insw int int01 int1 int03 int3 into invd invpcid invlpg invlpga iret iretd iretq iretw jcxz jecxz jrcxz jmp jmpe lahf lar lds lea leave les lfence lfs lgdt lgs lidt lldt lmsw loadall loadall286 lodsb lodsd lodsq lodsw loop loope loopne loopnz loopz lsl lss ltr mfence monitor mov movd movq movsb movsd movsq movsw movsx movsxd movzx mul mwait neg nop not or out outsb outsd outsw packssdw packsswb packuswb paddb paddd paddsb paddsiw paddsw paddusb paddusw paddw pand pandn pause paveb pavgusb pcmpeqb pcmpeqd pcmpeqw pcmpgtb pcmpgtd pcmpgtw pdistib pf2id pfacc pfadd pfcmpeq pfcmpge pfcmpgt pfmax pfmin pfmul pfrcp pfrcpit1 pfrcpit2 pfrsqit1 pfrsqrt pfsub pfsubr pi2fd pmachriw pmaddwd pmagw pmulhriw pmulhrwa pmulhrwc pmulhw pmullw pmvgezb pmvlzb pmvnzb pmvzb pop popa popad popaw popf popfd popfq popfw por prefetch prefetchw pslld psllq psllw psrad psraw psrld psrlq psrlw psubb psubd psubsb psubsiw psubsw psubusb psubusw psubw punpckhbw punpckhdq punpckhwd punpcklbw punpckldq punpcklwd push pusha pushad pushaw pushf pushfd pushfq pushfw pxor rcl rcr rdshr rdmsr rdpmc rdtsc rdtscp ret retf retn rol ror rdm rsdc rsldt rsm rsts sahf sal salc sar sbb scasb scasd scasq scasw sfence sgdt shl shld shr shrd sidt sldt skinit smi smint smintold smsw stc std sti stosb stosd stosq stosw str sub svdc svldt svts swapgs syscall sysenter sysexit sysret test ud0 ud1 ud2b ud2 ud2a umov verr verw fwait wbinvd wrshr wrmsr xadd xbts xchg xlatb xlat xor cmove cmovz cmovne cmovnz cmova cmovnbe cmovae cmovnb cmovb cmovnae cmovbe cmovna cmovg cmovnle cmovge cmovnl cmovl cmovnge cmovle cmovng cmovc cmovnc cmovo cmovno cmovs cmovns cmovp cmovpe cmovnp cmovpo je jz jne jnz ja jnbe jae jnb jb jnae jbe jna jg jnle jge jnl jl jnge jle jng jc jnc jo jno js jns jpo jnp jpe jp sete setz setne setnz seta setnbe setae setnb setnc setb setnae setcset setbe setna setg setnle setge setnl setl setnge setle setng sets setns seto setno setpe setp setpo setnp addps addss andnps andps cmpeqps cmpeqss cmpleps cmpless cmpltps cmpltss cmpneqps cmpneqss cmpnleps cmpnless cmpnltps cmpnltss cmpordps cmpordss cmpunordps cmpunordss cmpps cmpss comiss cvtpi2ps cvtps2pi cvtsi2ss cvtss2si cvttps2pi cvttss2si divps divss ldmxcsr maxps maxss minps minss movaps movhps movlhps movlps movhlps movmskps movntps movss movups mulps mulss orps rcpps rcpss rsqrtps rsqrtss shufps sqrtps sqrtss stmxcsr subps subss ucomiss unpckhps unpcklps xorps fxrstor fxrstor64 fxsave fxsave64 xgetbv xsetbv xsave xsave64 xsaveopt xsaveopt64 xrstor xrstor64 prefetchnta prefetcht0 prefetcht1 prefetcht2 maskmovq movntq pavgb pavgw pextrw pinsrw pmaxsw pmaxub pminsw pminub pmovmskb pmulhuw psadbw pshufw pf2iw pfnacc pfpnacc pi2fw pswapd maskmovdqu clflush movntdq movnti movntpd movdqa movdqu movdq2q movq2dq paddq pmuludq pshufd pshufhw pshuflw pslldq psrldq psubq punpckhqdq punpcklqdq addpd addsd andnpd andpd cmpeqpd cmpeqsd cmplepd cmplesd cmpltpd cmpltsd cmpneqpd cmpneqsd cmpnlepd cmpnlesd cmpnltpd cmpnltsd cmpordpd cmpordsd cmpunordpd cmpunordsd cmppd comisd cvtdq2pd cvtdq2ps cvtpd2dq cvtpd2pi cvtpd2ps cvtpi2pd cvtps2dq cvtps2pd cvtsd2si cvtsd2ss cvtsi2sd cvtss2sd cvttpd2pi cvttpd2dq cvttps2dq cvttsd2si divpd divsd maxpd maxsd minpd minsd movapd movhpd movlpd movmskpd movupd mulpd mulsd orpd shufpd sqrtpd sqrtsd subpd subsd ucomisd unpckhpd unpcklpd xorpd addsubpd addsubps haddpd haddps hsubpd hsubps lddqu movddup movshdup movsldup clgi stgi vmcall vmclear vmfunc vmlaunch vmload vmmcall vmptrld vmptrst vmread vmresume vmrun vmsave vmwrite vmxoff vmxon invept invvpid pabsb pabsw pabsd palignr phaddw phaddd phaddsw phsubw phsubd phsubsw pmaddubsw pmulhrsw pshufb psignb psignw psignd extrq insertq movntsd movntss lzcnt blendpd blendps blendvpd blendvps dppd dpps extractps insertps movntdqa mpsadbw packusdw pblendvb pblendw pcmpeqq pextrb pextrd pextrq phminposuw pinsrb pinsrd pinsrq pmaxsb pmaxsd pmaxud pmaxuw pminsb pminsd pminud pminuw pmovsxbw pmovsxbd pmovsxbq pmovsxwd pmovsxwq pmovsxdq pmovzxbw pmovzxbd pmovzxbq pmovzxwd pmovzxwq pmovzxdq pmuldq pmulld ptest roundpd roundps roundsd roundss crc32 pcmpestri pcmpestrm pcmpistri pcmpistrm pcmpgtq popcnt getsec pfrcpv pfrsqrtv movbe aesenc aesenclast aesdec aesdeclast aesimc aeskeygenassist vaesenc vaesenclast vaesdec vaesdeclast vaesimc vaeskeygenassist vaddpd vaddps vaddsd vaddss vaddsubpd vaddsubps vandpd vandps vandnpd vandnps vblendpd vblendps vblendvpd vblendvps vbroadcastss vbroadcastsd vbroadcastf128 vcmpeq_ospd vcmpeqpd vcmplt_ospd vcmpltpd vcmple_ospd vcmplepd vcmpunord_qpd vcmpunordpd vcmpneq_uqpd vcmpneqpd vcmpnlt_uspd vcmpnltpd vcmpnle_uspd vcmpnlepd vcmpord_qpd vcmpordpd vcmpeq_uqpd vcmpnge_uspd vcmpngepd vcmpngt_uspd vcmpngtpd vcmpfalse_oqpd vcmpfalsepd vcmpneq_oqpd vcmpge_ospd vcmpgepd vcmpgt_ospd vcmpgtpd vcmptrue_uqpd vcmptruepd vcmplt_oqpd vcmple_oqpd vcmpunord_spd vcmpneq_uspd vcmpnlt_uqpd vcmpnle_uqpd vcmpord_spd vcmpeq_uspd vcmpnge_uqpd vcmpngt_uqpd vcmpfalse_ospd vcmpneq_ospd vcmpge_oqpd vcmpgt_oqpd vcmptrue_uspd vcmppd vcmpeq_osps vcmpeqps vcmplt_osps vcmpltps vcmple_osps vcmpleps vcmpunord_qps vcmpunordps vcmpneq_uqps vcmpneqps vcmpnlt_usps vcmpnltps vcmpnle_usps vcmpnleps vcmpord_qps vcmpordps vcmpeq_uqps vcmpnge_usps vcmpngeps vcmpngt_usps vcmpngtps vcmpfalse_oqps vcmpfalseps vcmpneq_oqps vcmpge_osps vcmpgeps vcmpgt_osps vcmpgtps vcmptrue_uqps vcmptrueps vcmplt_oqps vcmple_oqps vcmpunord_sps vcmpneq_usps vcmpnlt_uqps vcmpnle_uqps vcmpord_sps vcmpeq_usps vcmpnge_uqps vcmpngt_uqps vcmpfalse_osps vcmpneq_osps vcmpge_oqps vcmpgt_oqps vcmptrue_usps vcmpps vcmpeq_ossd vcmpeqsd vcmplt_ossd vcmpltsd vcmple_ossd vcmplesd vcmpunord_qsd vcmpunordsd vcmpneq_uqsd vcmpneqsd vcmpnlt_ussd vcmpnltsd vcmpnle_ussd vcmpnlesd vcmpord_qsd vcmpordsd vcmpeq_uqsd vcmpnge_ussd vcmpngesd vcmpngt_ussd vcmpngtsd vcmpfalse_oqsd vcmpfalsesd vcmpneq_oqsd vcmpge_ossd vcmpgesd vcmpgt_ossd vcmpgtsd vcmptrue_uqsd vcmptruesd vcmplt_oqsd vcmple_oqsd vcmpunord_ssd vcmpneq_ussd vcmpnlt_uqsd vcmpnle_uqsd vcmpord_ssd vcmpeq_ussd vcmpnge_uqsd vcmpngt_uqsd vcmpfalse_ossd vcmpneq_ossd vcmpge_oqsd vcmpgt_oqsd vcmptrue_ussd vcmpsd vcmpeq_osss vcmpeqss vcmplt_osss vcmpltss vcmple_osss vcmpless vcmpunord_qss vcmpunordss vcmpneq_uqss vcmpneqss vcmpnlt_usss vcmpnltss vcmpnle_usss vcmpnless vcmpord_qss vcmpordss vcmpeq_uqss vcmpnge_usss vcmpngess vcmpngt_usss vcmpngtss vcmpfalse_oqss vcmpfalsess vcmpneq_oqss vcmpge_osss vcmpgess vcmpgt_osss vcmpgtss vcmptrue_uqss vcmptruess vcmplt_oqss vcmple_oqss vcmpunord_sss vcmpneq_usss vcmpnlt_uqss vcmpnle_uqss vcmpord_sss vcmpeq_usss vcmpnge_uqss vcmpngt_uqss vcmpfalse_osss vcmpneq_osss vcmpge_oqss vcmpgt_oqss vcmptrue_usss vcmpss vcomisd vcomiss vcvtdq2pd vcvtdq2ps vcvtpd2dq vcvtpd2ps vcvtps2dq vcvtps2pd vcvtsd2si vcvtsd2ss vcvtsi2sd vcvtsi2ss vcvtss2sd vcvtss2si vcvttpd2dq vcvttps2dq vcvttsd2si vcvttss2si vdivpd vdivps vdivsd vdivss vdppd vdpps vextractf128 vextractps vhaddpd vhaddps vhsubpd vhsubps vinsertf128 vinsertps vlddqu vldqqu vldmxcsr vmaskmovdqu vmaskmovps vmaskmovpd vmaxpd vmaxps vmaxsd vmaxss vminpd vminps vminsd vminss vmovapd vmovaps vmovd vmovq vmovddup vmovdqa vmovqqa vmovdqu vmovqqu vmovhlps vmovhpd vmovhps vmovlhps vmovlpd vmovlps vmovmskpd vmovmskps vmovntdq vmovntqq vmovntdqa vmovntpd vmovntps vmovsd vmovshdup vmovsldup vmovss vmovupd vmovups vmpsadbw vmulpd vmulps vmulsd vmulss vorpd vorps vpabsb vpabsw vpabsd vpacksswb vpackssdw vpackuswb vpackusdw vpaddb vpaddw vpaddd vpaddq vpaddsb vpaddsw vpaddusb vpaddusw vpalignr vpand vpandn vpavgb vpavgw vpblendvb vpblendw vpcmpestri vpcmpestrm vpcmpistri vpcmpistrm vpcmpeqb vpcmpeqw vpcmpeqd vpcmpeqq vpcmpgtb vpcmpgtw vpcmpgtd vpcmpgtq vpermilpd vpermilps vperm2f128 vpextrb vpextrw vpextrd vpextrq vphaddw vphaddd vphaddsw vphminposuw vphsubw vphsubd vphsubsw vpinsrb vpinsrw vpinsrd vpinsrq vpmaddwd vpmaddubsw vpmaxsb vpmaxsw vpmaxsd vpmaxub vpmaxuw vpmaxud vpminsb vpminsw vpminsd vpminub vpminuw vpminud vpmovmskb vpmovsxbw vpmovsxbd vpmovsxbq vpmovsxwd vpmovsxwq vpmovsxdq vpmovzxbw vpmovzxbd vpmovzxbq vpmovzxwd vpmovzxwq vpmovzxdq vpmulhuw vpmulhrsw vpmulhw vpmullw vpmulld vpmuludq vpmuldq vpor vpsadbw vpshufb vpshufd vpshufhw vpshuflw vpsignb vpsignw vpsignd vpslldq vpsrldq vpsllw vpslld vpsllq vpsraw vpsrad vpsrlw vpsrld vpsrlq vptest vpsubb vpsubw vpsubd vpsubq vpsubsb vpsubsw vpsubusb vpsubusw vpunpckhbw vpunpckhwd vpunpckhdq vpunpckhqdq vpunpcklbw vpunpcklwd vpunpckldq vpunpcklqdq vpxor vrcpps vrcpss vrsqrtps vrsqrtss vroundpd vroundps vroundsd vroundss vshufpd vshufps vsqrtpd vsqrtps vsqrtsd vsqrtss vstmxcsr vsubpd vsubps vsubsd vsubss vtestps vtestpd vucomisd vucomiss vunpckhpd vunpckhps vunpcklpd vunpcklps vxorpd vxorps vzeroall vzeroupper pclmullqlqdq pclmulhqlqdq pclmullqhqdq pclmulhqhqdq pclmulqdq vpclmullqlqdq vpclmulhqlqdq vpclmullqhqdq vpclmulhqhqdq vpclmulqdq vfmadd132ps vfmadd132pd vfmadd312ps vfmadd312pd vfmadd213ps vfmadd213pd vfmadd123ps vfmadd123pd vfmadd231ps vfmadd231pd vfmadd321ps vfmadd321pd vfmaddsub132ps vfmaddsub132pd vfmaddsub312ps vfmaddsub312pd vfmaddsub213ps vfmaddsub213pd vfmaddsub123ps vfmaddsub123pd vfmaddsub231ps vfmaddsub231pd vfmaddsub321ps vfmaddsub321pd vfmsub132ps vfmsub132pd vfmsub312ps vfmsub312pd vfmsub213ps vfmsub213pd vfmsub123ps vfmsub123pd vfmsub231ps vfmsub231pd vfmsub321ps vfmsub321pd vfmsubadd132ps vfmsubadd132pd vfmsubadd312ps vfmsubadd312pd vfmsubadd213ps vfmsubadd213pd vfmsubadd123ps vfmsubadd123pd vfmsubadd231ps vfmsubadd231pd vfmsubadd321ps vfmsubadd321pd vfnmadd132ps vfnmadd132pd vfnmadd312ps vfnmadd312pd vfnmadd213ps vfnmadd213pd vfnmadd123ps vfnmadd123pd vfnmadd231ps vfnmadd231pd vfnmadd321ps vfnmadd321pd vfnmsub132ps vfnmsub132pd vfnmsub312ps vfnmsub312pd vfnmsub213ps vfnmsub213pd vfnmsub123ps vfnmsub123pd vfnmsub231ps vfnmsub231pd vfnmsub321ps vfnmsub321pd vfmadd132ss vfmadd132sd vfmadd312ss vfmadd312sd vfmadd213ss vfmadd213sd vfmadd123ss vfmadd123sd vfmadd231ss vfmadd231sd vfmadd321ss vfmadd321sd vfmsub132ss vfmsub132sd vfmsub312ss vfmsub312sd vfmsub213ss vfmsub213sd vfmsub123ss vfmsub123sd vfmsub231ss vfmsub231sd vfmsub321ss vfmsub321sd vfnmadd132ss vfnmadd132sd vfnmadd312ss vfnmadd312sd vfnmadd213ss vfnmadd213sd vfnmadd123ss vfnmadd123sd vfnmadd231ss vfnmadd231sd vfnmadd321ss vfnmadd321sd vfnmsub132ss vfnmsub132sd vfnmsub312ss vfnmsub312sd vfnmsub213ss vfnmsub213sd vfnmsub123ss vfnmsub123sd vfnmsub231ss vfnmsub231sd vfnmsub321ss vfnmsub321sd rdfsbase rdgsbase rdrand wrfsbase wrgsbase vcvtph2ps vcvtps2ph adcx adox rdseed clac stac xstore xcryptecb xcryptcbc xcryptctr xcryptcfb xcryptofb montmul xsha1 xsha256 llwpcb slwpcb lwpval lwpins vfmaddpd vfmaddps vfmaddsd vfmaddss vfmaddsubpd vfmaddsubps vfmsubaddpd vfmsubaddps vfmsubpd vfmsubps vfmsubsd vfmsubss vfnmaddpd vfnmaddps vfnmaddsd vfnmaddss vfnmsubpd vfnmsubps vfnmsubsd vfnmsubss vfrczpd vfrczps vfrczsd vfrczss vpcmov vpcomb vpcomd vpcomq vpcomub vpcomud vpcomuq vpcomuw vpcomw vphaddbd vphaddbq vphaddbw vphadddq vphaddubd vphaddubq vphaddubw vphaddudq vphadduwd vphadduwq vphaddwd vphaddwq vphsubbw vphsubdq vphsubwd vpmacsdd vpmacsdqh vpmacsdql vpmacssdd vpmacssdqh vpmacssdql vpmacsswd vpmacssww vpmacswd vpmacsww vpmadcsswd vpmadcswd vpperm vprotb vprotd vprotq vprotw vpshab vpshad vpshaq vpshaw vpshlb vpshld vpshlq vpshlw vbroadcasti128 vpblendd vpbroadcastb vpbroadcastw vpbroadcastd vpbroadcastq vpermd vpermpd vpermps vpermq vperm2i128 vextracti128 vinserti128 vpmaskmovd vpmaskmovq vpsllvd vpsllvq vpsravd vpsrlvd vpsrlvq vgatherdpd vgatherqpd vgatherdps vgatherqps vpgatherdd vpgatherqd vpgatherdq vpgatherqq xabort xbegin xend xtest andn bextr blci blcic blsi blsic blcfill blsfill blcmsk blsmsk blsr blcs bzhi mulx pdep pext rorx sarx shlx shrx tzcnt tzmsk t1mskc valignd valignq vblendmpd vblendmps vbroadcastf32x4 vbroadcastf64x4 vbroadcasti32x4 vbroadcasti64x4 vcompresspd vcompressps vcvtpd2udq vcvtps2udq vcvtsd2usi vcvtss2usi vcvttpd2udq vcvttps2udq vcvttsd2usi vcvttss2usi vcvtudq2pd vcvtudq2ps vcvtusi2sd vcvtusi2ss vexpandpd vexpandps vextractf32x4 vextractf64x4 vextracti32x4 vextracti64x4 vfixupimmpd vfixupimmps vfixupimmsd vfixupimmss vgetexppd vgetexpps vgetexpsd vgetexpss vgetmantpd vgetmantps vgetmantsd vgetmantss vinsertf32x4 vinsertf64x4 vinserti32x4 vinserti64x4 vmovdqa32 vmovdqa64 vmovdqu32 vmovdqu64 vpabsq vpandd vpandnd vpandnq vpandq vpblendmd vpblendmq vpcmpltd vpcmpled vpcmpneqd vpcmpnltd vpcmpnled vpcmpd vpcmpltq vpcmpleq vpcmpneqq vpcmpnltq vpcmpnleq vpcmpq vpcmpequd vpcmpltud vpcmpleud vpcmpnequd vpcmpnltud vpcmpnleud vpcmpud vpcmpequq vpcmpltuq vpcmpleuq vpcmpnequq vpcmpnltuq vpcmpnleuq vpcmpuq vpcompressd vpcompressq vpermi2d vpermi2pd vpermi2ps vpermi2q vpermt2d vpermt2pd vpermt2ps vpermt2q vpexpandd vpexpandq vpmaxsq vpmaxuq vpminsq vpminuq vpmovdb vpmovdw vpmovqb vpmovqd vpmovqw vpmovsdb vpmovsdw vpmovsqb vpmovsqd vpmovsqw vpmovusdb vpmovusdw vpmovusqb vpmovusqd vpmovusqw vpord vporq vprold vprolq vprolvd vprolvq vprord vprorq vprorvd vprorvq vpscatterdd vpscatterdq vpscatterqd vpscatterqq vpsraq vpsravq vpternlogd vpternlogq vptestmd vptestmq vptestnmd vptestnmq vpxord vpxorq vrcp14pd vrcp14ps vrcp14sd vrcp14ss vrndscalepd vrndscaleps vrndscalesd vrndscaless vrsqrt14pd vrsqrt14ps vrsqrt14sd vrsqrt14ss vscalefpd vscalefps vscalefsd vscalefss vscatterdpd vscatterdps vscatterqpd vscatterqps vshuff32x4 vshuff64x2 vshufi32x4 vshufi64x2 kandnw kandw kmovw knotw kortestw korw kshiftlw kshiftrw kunpckbw kxnorw kxorw vpbroadcastmb2q vpbroadcastmw2d vpconflictd vpconflictq vplzcntd vplzcntq vexp2pd vexp2ps vrcp28pd vrcp28ps vrcp28sd vrcp28ss vrsqrt28pd vrsqrt28ps vrsqrt28sd vrsqrt28ss vgatherpf0dpd vgatherpf0dps vgatherpf0qpd vgatherpf0qps vgatherpf1dpd vgatherpf1dps vgatherpf1qpd vgatherpf1qps vscatterpf0dpd vscatterpf0dps vscatterpf0qpd vscatterpf0qps vscatterpf1dpd vscatterpf1dps vscatterpf1qpd vscatterpf1qps prefetchwt1 bndmk bndcl bndcu bndcn bndmov bndldx bndstx sha1rnds4 sha1nexte sha1msg1 sha1msg2 sha256rnds2 sha256msg1 sha256msg2 hint_nop0 hint_nop1 hint_nop2 hint_nop3 hint_nop4 hint_nop5 hint_nop6 hint_nop7 hint_nop8 hint_nop9 hint_nop10 hint_nop11 hint_nop12 hint_nop13 hint_nop14 hint_nop15 hint_nop16 hint_nop17 hint_nop18 hint_nop19 hint_nop20 hint_nop21 hint_nop22 hint_nop23 hint_nop24 hint_nop25 hint_nop26 hint_nop27 hint_nop28 hint_nop29 hint_nop30 hint_nop31 hint_nop32 hint_nop33 hint_nop34 hint_nop35 hint_nop36 hint_nop37 hint_nop38 hint_nop39 hint_nop40 hint_nop41 hint_nop42 hint_nop43 hint_nop44 hint_nop45 hint_nop46 hint_nop47 hint_nop48 hint_nop49 hint_nop50 hint_nop51 hint_nop52 hint_nop53 hint_nop54 hint_nop55 hint_nop56 hint_nop57 hint_nop58 hint_nop59 hint_nop60 hint_nop61 hint_nop62 hint_nop63", -built_in:"ip eip rip al ah bl bh cl ch dl dh sil dil bpl spl r8b r9b r10b r11b r12b r13b r14b r15b ax bx cx dx si di bp sp r8w r9w r10w r11w r12w r13w r14w r15w eax ebx ecx edx esi edi ebp esp eip r8d r9d r10d r11d r12d r13d r14d r15d rax rbx rcx rdx rsi rdi rbp rsp r8 r9 r10 r11 r12 r13 r14 r15 cs ds es fs gs ss st st0 st1 st2 st3 st4 st5 st6 st7 mm0 mm1 mm2 mm3 mm4 mm5 mm6 mm7 xmm0 xmm1 xmm2 xmm3 xmm4 xmm5 xmm6 xmm7 xmm8 xmm9 xmm10 xmm11 xmm12 xmm13 xmm14 xmm15 xmm16 xmm17 xmm18 xmm19 xmm20 xmm21 xmm22 xmm23 xmm24 xmm25 xmm26 xmm27 xmm28 xmm29 xmm30 xmm31 ymm0 ymm1 ymm2 ymm3 ymm4 ymm5 ymm6 ymm7 ymm8 ymm9 ymm10 ymm11 ymm12 ymm13 ymm14 ymm15 ymm16 ymm17 ymm18 ymm19 ymm20 ymm21 ymm22 ymm23 ymm24 ymm25 ymm26 ymm27 ymm28 ymm29 ymm30 ymm31 zmm0 zmm1 zmm2 zmm3 zmm4 zmm5 zmm6 zmm7 zmm8 zmm9 zmm10 zmm11 zmm12 zmm13 zmm14 zmm15 zmm16 zmm17 zmm18 zmm19 zmm20 zmm21 zmm22 zmm23 zmm24 zmm25 zmm26 zmm27 zmm28 zmm29 zmm30 zmm31 k0 k1 k2 k3 k4 k5 k6 k7 bnd0 bnd1 bnd2 bnd3 cr0 cr1 cr2 cr3 cr4 cr8 dr0 dr1 dr2 dr3 dr8 tr3 tr4 tr5 tr6 tr7 r0 r1 r2 r3 r4 r5 r6 r7 r0b r1b r2b r3b r4b r5b r6b r7b r0w r1w r2w r3w r4w r5w r6w r7w r0d r1d r2d r3d r4d r5d r6d r7d r0h r1h r2h r3h r0l r1l r2l r3l r4l r5l r6l r7l r8l r9l r10l r11l r12l r13l r14l r15l db dw dd dq dt ddq do dy dz resb resw resd resq rest resdq reso resy resz incbin equ times byte word dword qword nosplit rel abs seg wrt strict near far a32 ptr",meta:"%define %xdefine %+ %undef %defstr %deftok %assign %strcat %strlen %substr %rotate %elif %else %endif %if %ifmacro %ifctx %ifidn %ifidni %ifid %ifnum %ifstr %iftoken %ifempty %ifenv %error %warning %fatal %rep %endrep %include %push %pop %repl %pathsearch %depend %use %arg %stacksize %local %line %comment %endcomment .nolist __FILE__ __LINE__ __SECT__ __BITS__ __OUTPUT_FORMAT__ __DATE__ __TIME__ __DATE_NUM__ __TIME_NUM__ __UTC_DATE__ __UTC_TIME__ __UTC_DATE_NUM__ __UTC_TIME_NUM__ __PASS__ struc endstruc istruc at iend align alignb sectalign daz nodaz up down zero default option assume public bits use16 use32 use64 default section segment absolute extern global common cpu float __utf16__ __utf16le__ __utf16be__ __utf32__ __utf32le__ __utf32be__ __float8__ __float16__ __float32__ __float64__ __float80m__ __float80e__ __float128l__ __float128h__ __Infinity__ __QNaN__ __SNaN__ Inf NaN QNaN SNaN float8 float16 float32 float64 float80m float80e float128l float128h __FLOAT_DAZ__ __FLOAT_ROUND__ __FLOAT__"},c:[e.C(";","$",{r:0}),{cN:"number",v:[{b:"\\b(?:([0-9][0-9_]*)?\\.[0-9_]*(?:[eE][+-]?[0-9_]+)?|(0[Xx])?[0-9][0-9_]*\\.?[0-9_]*(?:[pP](?:[+-]?[0-9_]+)?)?)\\b",r:0},{b:"\\$[0-9][0-9A-Fa-f]*",r:0},{b:"\\b(?:[0-9A-Fa-f][0-9A-Fa-f_]*[Hh]|[0-9][0-9_]*[DdTt]?|[0-7][0-7_]*[QqOo]|[0-1][0-1_]*[BbYy])\\b"},{b:"\\b(?:0[Xx][0-9A-Fa-f_]+|0[DdTt][0-9_]+|0[QqOo][0-7_]+|0[BbYy][0-1_]+)\\b"}]},e.QSM,{cN:"string",v:[{b:"'",e:"[^\\\\]'"},{b:"`",e:"[^\\\\]`"}],r:0},{cN:"symbol",v:[{b:"^\\s*[A-Za-z._?][A-Za-z0-9_$#@~.?]*(:|\\s+label)"},{b:"^\\s*%%[A-Za-z0-9_$#@~.?]*:"}],r:0},{cN:"subst",b:"%[0-9]+",r:0},{cN:"subst",b:"%!S+",r:0},{cN:"meta",b:/^\s*\.[\w_-]+/}]}}),e.registerLanguage("xl",function(e){var t="ObjectLoader Animate MovieCredits Slides Filters Shading Materials LensFlare Mapping VLCAudioVideo StereoDecoder PointCloud NetworkAccess RemoteControl RegExp ChromaKey Snowfall NodeJS Speech Charts",r={keyword:"if then else do while until for loop import with is as where when by data constant integer real text name boolean symbol infix prefix postfix block tree",literal:"true false nil",built_in:"in mod rem and or xor not abs sign floor ceil sqrt sin cos tan asin acos atan exp expm1 log log2 log10 log1p pi at text_length text_range text_find text_replace contains page slide basic_slide title_slide title subtitle fade_in fade_out fade_at clear_color color line_color line_width texture_wrap texture_transform texture scale_?x scale_?y scale_?z? translate_?x translate_?y translate_?z? rotate_?x rotate_?y rotate_?z? rectangle circle ellipse sphere path line_to move_to quad_to curve_to theme background contents locally time mouse_?x mouse_?y mouse_buttons "+t},a={cN:"string",b:'"',e:'"',i:"\\n"},i={cN:"string",b:"'",e:"'",i:"\\n"},n={cN:"string",b:"<<",e:">>"},o={cN:"number",b:"[0-9]+#[0-9A-Z_]+(\\.[0-9-A-Z_]+)?#?([Ee][+-]?[0-9]+)?"},s={bK:"import",e:"$",k:r,c:[a]},l={cN:"function",b:/[a-z][^\n]*->/,rB:!0,e:/->/,c:[e.inherit(e.TM,{starts:{eW:!0,k:r}})]};return{aliases:["tao"],l:/[a-zA-Z][a-zA-Z0-9_?]*/,k:r,c:[e.CLCM,e.CBCM,a,i,n,l,s,o,e.NM]}}),e.registerLanguage("xquery",function(e){var t="for let if while then else return where group by xquery encoding versionmodule namespace boundary-space preserve strip default collation base-uri orderingcopy-namespaces order declare import schema namespace function option in allowing emptyat tumbling window sliding window start when only end when previous next stable ascendingdescending empty greatest least some every satisfies switch case typeswitch try catch andor to union intersect instance of treat as castable cast map array delete insert intoreplace value rename copy modify update",r="false true xs:string xs:integer element item xs:date xs:datetime xs:float xs:double xs:decimal QName xs:anyURI xs:long xs:int xs:short xs:byte attribute",a={b:/\$[a-zA-Z0-9\-]+/},i={cN:"number",b:"(\\b0[0-7_]+)|(\\b0x[0-9a-fA-F_]+)|(\\b[1-9][0-9_]*(\\.[0-9_]+)?)|[0_]\\b",r:0},n={cN:"string",v:[{b:/"/,e:/"/,c:[{b:/""/,r:0}]},{b:/'/,e:/'/,c:[{b:/''/,r:0}]}]},o={cN:"meta",b:"%\\w+"},s={cN:"comment",b:"\\(:",e:":\\)",r:10,c:[{cN:"doctag",b:"@\\w+"}]},l={b:"{",e:"}"},c=[a,n,i,s,o,l];return l.c=c,{aliases:["xpath","xq"],cI:!1,l:/[a-zA-Z\$][a-zA-Z0-9_:\-]*/,i:/(proc)|(abstract)|(extends)|(until)|(#)/,k:{keyword:t,literal:r},c:c}}),e.registerLanguage("zephir",function(e){var t={cN:"string",c:[e.BE],v:[{b:'b"',e:'"'},{b:"b'",e:"'"},e.inherit(e.ASM,{i:null}),e.inherit(e.QSM,{i:null})]},r={v:[e.BNM,e.CNM]};return{aliases:["zep"],cI:!0,k:"and include_once list abstract global private echo interface as static endswitch array null if endwhile or const for endforeach self var let while isset public protected exit foreach throw elseif include __FILE__ empty require_once do xor return parent clone use __CLASS__ __LINE__ else break print eval new catch __METHOD__ case exception default die require __FUNCTION__ enddeclare final try switch continue endfor endif declare unset true false trait goto instanceof insteadof __DIR__ __NAMESPACE__ yield finally int uint long ulong char uchar double float bool boolean stringlikely unlikely",c:[e.CLCM,e.HCM,e.C("/\\*","\\*/",{c:[{cN:"doctag",b:"@[A-Za-z]+"}]}),e.C("__halt_compiler.+?;",!1,{eW:!0,k:"__halt_compiler",l:e.UIR}),{cN:"string",b:"<<<['\"]?\\w+['\"]?$",e:"^\\w+;",c:[e.BE]},{b:/(::|->)+[a-zA-Z_\x7f-\xff][a-zA-Z0-9_\x7f-\xff]*/},{cN:"function",bK:"function",e:/[;{]/,eE:!0,i:"\\$|\\[|%",c:[e.UTM,{cN:"params",b:"\\(",e:"\\)",c:["self",e.CBCM,t,r]}]},{cN:"class",bK:"class interface",e:"{",eE:!0,i:/[:\(\$"]/,c:[{bK:"extends implements"},e.UTM]},{bK:"namespace",e:";",i:/[\.']/,c:[e.UTM]},{bK:"use",e:";",c:[e.UTM]},{b:"=>"},t,r]}}),e}); -/*! url - v1.8.6 - 2013-11-22 */window.url=function(){function a(a){return!isNaN(parseFloat(a))&&isFinite(a)}return function(b,c){var d=c||window.location.toString();if(!b)return d;b=b.toString(),"//"===d.substring(0,2)?d="http:"+d:1===d.split("://").length&&(d="http://"+d),c=d.split("/");var e={auth:""},f=c[2].split("@");1===f.length?f=f[0].split(":"):(e.auth=f[0],f=f[1].split(":")),e.protocol=c[0],e.hostname=f[0],e.port=f[1]||("https"===e.protocol.split(":")[0].toLowerCase()?"443":"80"),e.pathname=(c.length>3?"/":"")+c.slice(3,c.length).join("/").split("?")[0].split("#")[0];var g=e.pathname;"/"===g.charAt(g.length-1)&&(g=g.substring(0,g.length-1));var h=e.hostname,i=h.split("."),j=g.split("/");if("hostname"===b)return h;if("domain"===b)return/^(([0-9]|[1-9][0-9]|1[0-9]{2}|2[0-4][0-9]|25[0-5])\.){3}([0-9]|[1-9][0-9]|1[0-9]{2}|2[0-4][0-9]|25[0-5])$/.test(h)?h:i.slice(-2).join(".");if("sub"===b)return i.slice(0,i.length-2).join(".");if("port"===b)return e.port;if("protocol"===b)return e.protocol.split(":")[0];if("auth"===b)return e.auth;if("user"===b)return e.auth.split(":")[0];if("pass"===b)return e.auth.split(":")[1]||"";if("path"===b)return e.pathname;if("."===b.charAt(0)){if(b=b.substring(1),a(b))return b=parseInt(b,10),i[0>b?i.length+b:b-1]||""}else{if(a(b))return b=parseInt(b,10),j[0>b?j.length+b:b]||"";if("file"===b)return j.slice(-1)[0];if("filename"===b)return j.slice(-1)[0].split(".")[0];if("fileext"===b)return j.slice(-1)[0].split(".")[1]||"";if("?"===b.charAt(0)||"#"===b.charAt(0)){var k=d,l=null;if("?"===b.charAt(0)?k=(k.split("?")[1]||"").split("#")[0]:"#"===b.charAt(0)&&(k=k.split("#")[1]||""),!b.charAt(1))return k;b=b.substring(1),k=k.split("&");for(var m=0,n=k.length;n>m;m++)if(l=k[m].split("="),l[0]===b)return l[1]||"";return null}}return""}}(),"undefined"!=typeof jQuery&&jQuery.extend({url:function(a,b){return window.url(a,b)}}); -/* - * jQuery Bootstrap Pagination v1.3.1 - * https://github.com/esimakin/twbs-pagination - * - * Copyright 2014-2015 Eugene Simakin - * Released under Apache 2.0 license - * http://apache.org/licenses/LICENSE-2.0.html - */ -!function(a,b,c,d){"use strict";var e=a.fn.twbsPagination,f=function(c,d){if(this.$element=a(c),this.options=a.extend({},a.fn.twbsPagination.defaults,d),this.options.startPage<1||this.options.startPage>this.options.totalPages)throw new Error("Start page option is incorrect");if(this.options.totalPages=parseInt(this.options.totalPages),isNaN(this.options.totalPages))throw new Error("Total pages option is not correct!");if(this.options.visiblePages=parseInt(this.options.visiblePages),isNaN(this.options.visiblePages))throw new Error("Visible pages option is not correct!");if(this.options.totalPages"),this.$listContainer.addClass(this.options.paginationClass),"UL"!==g&&this.$element.append(this.$listContainer),this.render(this.getPages(this.options.startPage)),this.setupEvents(),this.options.initiateStartPageClick&&this.$element.trigger("page",this.options.startPage),this};f.prototype={constructor:f,destroy:function(){return this.$element.empty(),this.$element.removeData("twbs-pagination"),this.$element.off("page"),this},show:function(a){if(1>a||a>this.options.totalPages)throw new Error("Page is incorrect.");return this.render(this.getPages(a)),this.setupEvents(),this.$element.trigger("page",a),this},buildListItems:function(a){var b=[];if(this.options.first&&b.push(this.buildItem("first",1)),this.options.prev){var c=a.currentPage>1?a.currentPage-1:this.options.loop?this.options.totalPages:1;b.push(this.buildItem("prev",c))}for(var d=0;d"),e=a(""),f=null;switch(b){case"page":f=c,d.addClass(this.options.pageClass);break;case"first":f=this.options.first,d.addClass(this.options.firstClass);break;case"prev":f=this.options.prev,d.addClass(this.options.prevClass);break;case"next":f=this.options.next,d.addClass(this.options.nextClass);break;case"last":f=this.options.last,d.addClass(this.options.lastClass)}return d.data("page",c),d.data("page-type",b),d.append(e.attr("href",this.makeHref(c)).html(f)),d},getPages:function(a){var b=[],c=Math.floor(this.options.visiblePages/2),d=a-c+1-this.options.visiblePages%2,e=a+c;0>=d&&(d=1,e=this.options.visiblePages),e>this.options.totalPages&&(d=this.options.totalPages-this.options.visiblePages+1,e=this.options.totalPages);for(var f=d;e>=f;)b.push(f),f++;return{currentPage:a,numeric:b}},render:function(b){var c=this;this.$listContainer.children().remove(),this.$listContainer.append(this.buildListItems(b)),this.$listContainer.children().each(function(){var d=a(this),e=d.data("page-type");switch(e){case"page":d.data("page")===b.currentPage&&d.addClass(c.options.activeClass);break;case"first":d.toggleClass(c.options.disabledClass,1===b.currentPage);break;case"last":d.toggleClass(c.options.disabledClass,b.currentPage===c.options.totalPages);break;case"prev":d.toggleClass(c.options.disabledClass,!c.options.loop&&1===b.currentPage);break;case"next":d.toggleClass(c.options.disabledClass,!c.options.loop&&b.currentPage===c.options.totalPages)}})},setupEvents:function(){var b=this;this.$listContainer.find("li").each(function(){var c=a(this);return c.off(),c.hasClass(b.options.disabledClass)||c.hasClass(b.options.activeClass)?void c.on("click",!1):void c.click(function(a){!b.options.href&&a.preventDefault(),b.show(parseInt(c.data("page")))})})},makeHref:function(a){return this.options.href?this.options.href.replace(this.options.hrefVariable,a):"#"}},a.fn.twbsPagination=function(b){var c,e=Array.prototype.slice.call(arguments,1),g=a(this),h=g.data("twbs-pagination"),i="object"==typeof b&&b;return h||g.data("twbs-pagination",h=new f(this,i)),"string"==typeof b&&(c=h[b].apply(h,e)),c===d?g:c},a.fn.twbsPagination.defaults={totalPages:0,startPage:1,visiblePages:5,initiateStartPageClick:!0,href:!1,hrefVariable:"{{number}}",first:"First",prev:"Previous",next:"Next",last:"Last",loop:!1,onPageClick:null,paginationClass:"pagination",nextClass:"next",prevClass:"prev",lastClass:"last",firstClass:"first",pageClass:"page",activeClass:"active",disabledClass:"disabled"},a.fn.twbsPagination.Constructor=f,a.fn.twbsPagination.noConflict=function(){return a.fn.twbsPagination=e,this}}(window.jQuery,window,document); -/*!*************************************************** -* mark.js v8.11.1 -* https://markjs.io/ -* Copyright (c) 2014–2018, Julian Kühnel -* Released under the MIT license https://git.io/vwTVl -*****************************************************/ -!function(e,t){"object"==typeof exports&&"undefined"!=typeof module?module.exports=t(require("jquery")):"function"==typeof define&&define.amd?define(["jquery"],t):e.Mark=t(e.jQuery)}(this,function(e){"use strict";e=e&&e.hasOwnProperty("default")?e.default:e;var t="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e},n=function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")},r=function(){function e(e,t){for(var n=0;n1&&void 0!==arguments[1])||arguments[1],i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:[],o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:5e3;n(this,e),this.ctx=t,this.iframes=r,this.exclude=i,this.iframesTimeout=o}return r(e,[{key:"getContexts",value:function(){var e=[];return(void 0!==this.ctx&&this.ctx?NodeList.prototype.isPrototypeOf(this.ctx)?Array.prototype.slice.call(this.ctx):Array.isArray(this.ctx)?this.ctx:"string"==typeof this.ctx?Array.prototype.slice.call(document.querySelectorAll(this.ctx)):[this.ctx]:[]).forEach(function(t){var n=e.filter(function(e){return e.contains(t)}).length>0;-1!==e.indexOf(t)||n||e.push(t)}),e}},{key:"getIframeContents",value:function(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:function(){},r=void 0;try{var i=e.contentWindow;if(r=i.document,!i||!r)throw new Error("iframe inaccessible")}catch(e){n()}r&&t(r)}},{key:"isIframeBlank",value:function(e){var t=e.getAttribute("src").trim();return"about:blank"===e.contentWindow.location.href&&"about:blank"!==t&&t}},{key:"observeIframeLoad",value:function(e,t,n){var r=this,i=!1,o=null,a=function a(){if(!i){i=!0,clearTimeout(o);try{r.isIframeBlank(e)||(e.removeEventListener("load",a),r.getIframeContents(e,t,n))}catch(e){n()}}};e.addEventListener("load",a),o=setTimeout(a,this.iframesTimeout)}},{key:"onIframeReady",value:function(e,t,n){try{"complete"===e.contentWindow.document.readyState?this.isIframeBlank(e)?this.observeIframeLoad(e,t,n):this.getIframeContents(e,t,n):this.observeIframeLoad(e,t,n)}catch(e){n()}}},{key:"waitForIframes",value:function(e,t){var n=this,r=0;this.forEachIframe(e,function(){return!0},function(e){r++,n.waitForIframes(e.querySelector("html"),function(){--r||t()})},function(e){e||t()})}},{key:"forEachIframe",value:function(t,n,r){var i=this,o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:function(){},a=t.querySelectorAll("iframe"),s=a.length,c=0;a=Array.prototype.slice.call(a);var u=function(){--s<=0&&o(c)};s||u(),a.forEach(function(t){e.matches(t,i.exclude)?u():i.onIframeReady(t,function(e){n(t)&&(c++,r(e)),u()},u)})}},{key:"createIterator",value:function(e,t,n){return document.createNodeIterator(e,t,n,!1)}},{key:"createInstanceOnIframe",value:function(t){return new e(t.querySelector("html"),this.iframes)}},{key:"compareNodeIframe",value:function(e,t,n){if(e.compareDocumentPosition(n)&Node.DOCUMENT_POSITION_PRECEDING){if(null===t)return!0;if(t.compareDocumentPosition(n)&Node.DOCUMENT_POSITION_FOLLOWING)return!0}return!1}},{key:"getIteratorNode",value:function(e){var t=e.previousNode();return{prevNode:t,node:null===t?e.nextNode():e.nextNode()&&e.nextNode()}}},{key:"checkIframeFilter",value:function(e,t,n,r){var i=!1,o=!1;return r.forEach(function(e,t){e.val===n&&(i=t,o=e.handled)}),this.compareNodeIframe(e,t,n)?(!1!==i||o?!1===i||o||(r[i].handled=!0):r.push({val:n,handled:!0}),!0):(!1===i&&r.push({val:n,handled:!1}),!1)}},{key:"handleOpenIframes",value:function(e,t,n,r){var i=this;e.forEach(function(e){e.handled||i.getIframeContents(e.val,function(e){i.createInstanceOnIframe(e).forEachNode(t,n,r)})})}},{key:"iterateThroughNodes",value:function(e,t,n,r,i){for(var o,a=this,s=this.createIterator(t,e,r),c=[],u=[],l=void 0,h=void 0;void 0,o=a.getIteratorNode(s),h=o.prevNode,l=o.node;)this.iframes&&this.forEachIframe(t,function(e){return a.checkIframeFilter(l,h,e,c)},function(t){a.createInstanceOnIframe(t).forEachNode(e,function(e){return u.push(e)},r)}),u.push(l);u.forEach(function(e){n(e)}),this.iframes&&this.handleOpenIframes(c,e,n,r),i()}},{key:"forEachNode",value:function(e,t,n){var r=this,i=arguments.length>3&&void 0!==arguments[3]?arguments[3]:function(){},o=this.getContexts(),a=o.length;a||i(),o.forEach(function(o){var s=function(){r.iterateThroughNodes(e,o,t,n,function(){--a<=0&&i()})};r.iframes?r.waitForIframes(o,s):s()})}}],[{key:"matches",value:function(e,t){var n="string"==typeof t?[t]:t,r=e.matches||e.matchesSelector||e.msMatchesSelector||e.mozMatchesSelector||e.oMatchesSelector||e.webkitMatchesSelector;if(r){var i=!1;return n.every(function(t){return!r.call(e,t)||(i=!0,!1)}),i}return!1}}]),e}(),a=function(){function e(t){n(this,e),this.ctx=t,this.ie=!1;var r=window.navigator.userAgent;(r.indexOf("MSIE")>-1||r.indexOf("Trident")>-1)&&(this.ie=!0)}return r(e,[{key:"log",value:function(e){var n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"debug",r=this.opt.log;this.opt.debug&&"object"===(void 0===r?"undefined":t(r))&&"function"==typeof r[n]&&r[n]("mark.js: "+e)}},{key:"escapeStr",value:function(e){return e.replace(/[\-\[\]\/\{\}\(\)\*\+\?\.\\\^\$\|]/g,"\\$&")}},{key:"createRegExp",value:function(e){return"disabled"!==this.opt.wildcards&&(e=this.setupWildcardsRegExp(e)),e=this.escapeStr(e),Object.keys(this.opt.synonyms).length&&(e=this.createSynonymsRegExp(e)),(this.opt.ignoreJoiners||this.opt.ignorePunctuation.length)&&(e=this.setupIgnoreJoinersRegExp(e)),this.opt.diacritics&&(e=this.createDiacriticsRegExp(e)),e=this.createMergedBlanksRegExp(e),(this.opt.ignoreJoiners||this.opt.ignorePunctuation.length)&&(e=this.createJoinersRegExp(e)),"disabled"!==this.opt.wildcards&&(e=this.createWildcardsRegExp(e)),e=this.createAccuracyRegExp(e)}},{key:"createSynonymsRegExp",value:function(e){var t=this.opt.synonyms,n=this.opt.caseSensitive?"":"i",r=this.opt.ignoreJoiners||this.opt.ignorePunctuation.length?"\0":"";for(var i in t)if(t.hasOwnProperty(i)){var o=t[i],a="disabled"!==this.opt.wildcards?this.setupWildcardsRegExp(i):this.escapeStr(i),s="disabled"!==this.opt.wildcards?this.setupWildcardsRegExp(o):this.escapeStr(o);""!==a&&""!==s&&(e=e.replace(new RegExp("("+this.escapeStr(a)+"|"+this.escapeStr(s)+")","gm"+n),r+"("+this.processSynomyms(a)+"|"+this.processSynomyms(s)+")"+r))}return e}},{key:"processSynomyms",value:function(e){return(this.opt.ignoreJoiners||this.opt.ignorePunctuation.length)&&(e=this.setupIgnoreJoinersRegExp(e)),e}},{key:"setupWildcardsRegExp",value:function(e){return(e=e.replace(/(?:\\)*\?/g,function(e){return"\\"===e.charAt(0)?"?":""})).replace(/(?:\\)*\*/g,function(e){return"\\"===e.charAt(0)?"*":""})}},{key:"createWildcardsRegExp",value:function(e){var t="withSpaces"===this.opt.wildcards;return e.replace(/\u0001/g,t?"[\\S\\s]?":"\\S?").replace(/\u0002/g,t?"[\\S\\s]*?":"\\S*")}},{key:"setupIgnoreJoinersRegExp",value:function(e){return e.replace(/[^(|)\\]/g,function(e,t,n){var r=n.charAt(t+1);return/[(|)\\]/.test(r)||""===r?e:e+"\0"})}},{key:"createJoinersRegExp",value:function(e){var t=[],n=this.opt.ignorePunctuation;return Array.isArray(n)&&n.length&&t.push(this.escapeStr(n.join(""))),this.opt.ignoreJoiners&&t.push("\\u00ad\\u200b\\u200c\\u200d"),t.length?e.split(/\u0000+/).join("["+t.join("")+"]*"):e}},{key:"createDiacriticsRegExp",value:function(e){var t=this.opt.caseSensitive?"":"i",n=this.opt.caseSensitive?["aàáảãạăằắẳẵặâầấẩẫậäåāą","AÀÁẢÃẠĂẰẮẲẴẶÂẦẤẨẪẬÄÅĀĄ","cçćč","CÇĆČ","dđď","DĐĎ","eèéẻẽẹêềếểễệëěēę","EÈÉẺẼẸÊỀẾỂỄỆËĚĒĘ","iìíỉĩịîïī","IÌÍỈĨỊÎÏĪ","lł","LŁ","nñňń","NÑŇŃ","oòóỏõọôồốổỗộơởỡớờợöøō","OÒÓỎÕỌÔỒỐỔỖỘƠỞỠỚỜỢÖØŌ","rř","RŘ","sšśșş","SŠŚȘŞ","tťțţ","TŤȚŢ","uùúủũụưừứửữựûüůū","UÙÚỦŨỤƯỪỨỬỮỰÛÜŮŪ","yýỳỷỹỵÿ","YÝỲỶỸỴŸ","zžżź","ZŽŻŹ"]:["aàáảãạăằắẳẵặâầấẩẫậäåāąAÀÁẢÃẠĂẰẮẲẴẶÂẦẤẨẪẬÄÅĀĄ","cçćčCÇĆČ","dđďDĐĎ","eèéẻẽẹêềếểễệëěēęEÈÉẺẼẸÊỀẾỂỄỆËĚĒĘ","iìíỉĩịîïīIÌÍỈĨỊÎÏĪ","lłLŁ","nñňńNÑŇŃ","oòóỏõọôồốổỗộơởỡớờợöøōOÒÓỎÕỌÔỒỐỔỖỘƠỞỠỚỜỢÖØŌ","rřRŘ","sšśșşSŠŚȘŞ","tťțţTŤȚŢ","uùúủũụưừứửữựûüůūUÙÚỦŨỤƯỪỨỬỮỰÛÜŮŪ","yýỳỷỹỵÿYÝỲỶỸỴŸ","zžżźZŽŻŹ"],r=[];return e.split("").forEach(function(i){n.every(function(n){if(-1!==n.indexOf(i)){if(r.indexOf(n)>-1)return!1;e=e.replace(new RegExp("["+n+"]","gm"+t),"["+n+"]"),r.push(n)}return!0})}),e}},{key:"createMergedBlanksRegExp",value:function(e){return e.replace(/[\s]+/gim,"[\\s]+")}},{key:"createAccuracyRegExp",value:function(e){var t=this,n=this.opt.accuracy,r="string"==typeof n?n:n.value,i="";switch(("string"==typeof n?[]:n.limiters).forEach(function(e){i+="|"+t.escapeStr(e)}),r){case"partially":default:return"()("+e+")";case"complementary":return"()([^"+(i="\\s"+(i||this.escapeStr("!\"#$%&'()*+,-./:;<=>?@[\\]^_`{|}~¡¿")))+"]*"+e+"[^"+i+"]*)";case"exactly":return"(^|\\s"+i+")("+e+")(?=$|\\s"+i+")"}}},{key:"getSeparatedKeywords",value:function(e){var t=this,n=[];return e.forEach(function(e){t.opt.separateWordSearch?e.split(" ").forEach(function(e){e.trim()&&-1===n.indexOf(e)&&n.push(e)}):e.trim()&&-1===n.indexOf(e)&&n.push(e)}),{keywords:n.sort(function(e,t){return t.length-e.length}),length:n.length}}},{key:"isNumeric",value:function(e){return Number(parseFloat(e))==e}},{key:"checkRanges",value:function(e){var t=this;if(!Array.isArray(e)||"[object Object]"!==Object.prototype.toString.call(e[0]))return this.log("markRanges() will only accept an array of objects"),this.opt.noMatch(e),[];var n=[],r=0;return e.sort(function(e,t){return e.start-t.start}).forEach(function(e){var i=t.callNoMatchOnInvalidRanges(e,r),o=i.start,a=i.end;i.valid&&(e.start=o,e.length=a-o,n.push(e),r=a)}),n}},{key:"callNoMatchOnInvalidRanges",value:function(e,t){var n=void 0,r=void 0,i=!1;return e&&void 0!==e.start?(r=(n=parseInt(e.start,10))+parseInt(e.length,10),this.isNumeric(e.start)&&this.isNumeric(e.length)&&r-t>0&&r-n>0?i=!0:(this.log("Ignoring invalid or overlapping range: "+JSON.stringify(e)),this.opt.noMatch(e))):(this.log("Ignoring invalid range: "+JSON.stringify(e)),this.opt.noMatch(e)),{start:n,end:r,valid:i}}},{key:"checkWhitespaceRanges",value:function(e,t,n){var r=void 0,i=!0,o=n.length,a=t-o,s=parseInt(e.start,10)-a;return(r=(s=s>o?o:s)+parseInt(e.length,10))>o&&(r=o,this.log("End range automatically set to the max value of "+o)),s<0||r-s<0||s>o||r>o?(i=!1,this.log("Invalid range: "+JSON.stringify(e)),this.opt.noMatch(e)):""===n.substring(s,r).replace(/\s+/g,"")&&(i=!1,this.log("Skipping whitespace only range: "+JSON.stringify(e)),this.opt.noMatch(e)),{start:s,end:r,valid:i}}},{key:"getTextNodes",value:function(e){var t=this,n="",r=[];this.iterator.forEachNode(NodeFilter.SHOW_TEXT,function(e){r.push({start:n.length,end:(n+=e.textContent).length,node:e})},function(e){return t.matchesExclude(e.parentNode)?NodeFilter.FILTER_REJECT:NodeFilter.FILTER_ACCEPT},function(){e({value:n,nodes:r})})}},{key:"matchesExclude",value:function(e){return o.matches(e,this.opt.exclude.concat(["script","style","title","head","html"]))}},{key:"wrapRangeInTextNode",value:function(e,t,n){var r=this.opt.element?this.opt.element:"mark",i=e.splitText(t),o=i.splitText(n-t),a=document.createElement(r);return a.setAttribute("data-markjs","true"),this.opt.className&&a.setAttribute("class",this.opt.className),a.textContent=i.textContent,i.parentNode.replaceChild(a,i),o}},{key:"wrapRangeInMappedTextNode",value:function(e,t,n,r,i){var o=this;e.nodes.every(function(a,s){var c=e.nodes[s+1];if(void 0===c||c.start>t){if(!r(a.node))return!1;var u=t-a.start,l=(n>a.end?a.end:n)-a.start,h=e.value.substr(0,a.start),f=e.value.substr(l+a.start);if(a.node=o.wrapRangeInTextNode(a.node,u,l),e.value=h+f,e.nodes.forEach(function(t,n){n>=s&&(e.nodes[n].start>0&&n!==s&&(e.nodes[n].start-=l),e.nodes[n].end-=l)}),n-=l,i(a.node.previousSibling,a.start),!(n>a.end))return!1;t=a.end}return!0})}},{key:"wrapMatches",value:function(e,t,n,r,i){var o=this,a=0===t?0:t+1;this.getTextNodes(function(t){t.nodes.forEach(function(t){t=t.node;for(var i=void 0;null!==(i=e.exec(t.textContent))&&""!==i[a];)if(n(i[a],t)){var s=i.index;if(0!==a)for(var c=1;c .anchorjs-link, .anchorjs-link:focus { opacity: 1; }",e.sheet.cssRules.length),e.sheet.insertRule(" [data-anchorjs-icon]::after { content: attr(data-anchorjs-icon); }",e.sheet.cssRules.length),e.sheet.insertRule(' @font-face { font-family: "anchorjs-icons"; src: url(data:n/a;base64,AAEAAAALAIAAAwAwT1MvMg8yG2cAAAE4AAAAYGNtYXDp3gC3AAABpAAAAExnYXNwAAAAEAAAA9wAAAAIZ2x5ZlQCcfwAAAH4AAABCGhlYWQHFvHyAAAAvAAAADZoaGVhBnACFwAAAPQAAAAkaG10eASAADEAAAGYAAAADGxvY2EACACEAAAB8AAAAAhtYXhwAAYAVwAAARgAAAAgbmFtZQGOH9cAAAMAAAAAunBvc3QAAwAAAAADvAAAACAAAQAAAAEAAHzE2p9fDzz1AAkEAAAAAADRecUWAAAAANQA6R8AAAAAAoACwAAAAAgAAgAAAAAAAAABAAADwP/AAAACgAAA/9MCrQABAAAAAAAAAAAAAAAAAAAAAwABAAAAAwBVAAIAAAAAAAIAAAAAAAAAAAAAAAAAAAAAAAMCQAGQAAUAAAKZAswAAACPApkCzAAAAesAMwEJAAAAAAAAAAAAAAAAAAAAARAAAAAAAAAAAAAAAAAAAAAAQAAg//0DwP/AAEADwABAAAAAAQAAAAAAAAAAAAAAIAAAAAAAAAIAAAACgAAxAAAAAwAAAAMAAAAcAAEAAwAAABwAAwABAAAAHAAEADAAAAAIAAgAAgAAACDpy//9//8AAAAg6cv//f///+EWNwADAAEAAAAAAAAAAAAAAAAACACEAAEAAAAAAAAAAAAAAAAxAAACAAQARAKAAsAAKwBUAAABIiYnJjQ3NzY2MzIWFxYUBwcGIicmNDc3NjQnJiYjIgYHBwYUFxYUBwYGIwciJicmNDc3NjIXFhQHBwYUFxYWMzI2Nzc2NCcmNDc2MhcWFAcHBgYjARQGDAUtLXoWOR8fORYtLTgKGwoKCjgaGg0gEhIgDXoaGgkJBQwHdR85Fi0tOAobCgoKOBoaDSASEiANehoaCQkKGwotLXoWOR8BMwUFLYEuehYXFxYugC44CQkKGwo4GkoaDQ0NDXoaShoKGwoFBe8XFi6ALjgJCQobCjgaShoNDQ0NehpKGgobCgoKLYEuehYXAAAADACWAAEAAAAAAAEACAAAAAEAAAAAAAIAAwAIAAEAAAAAAAMACAAAAAEAAAAAAAQACAAAAAEAAAAAAAUAAQALAAEAAAAAAAYACAAAAAMAAQQJAAEAEAAMAAMAAQQJAAIABgAcAAMAAQQJAAMAEAAMAAMAAQQJAAQAEAAMAAMAAQQJAAUAAgAiAAMAAQQJAAYAEAAMYW5jaG9yanM0MDBAAGEAbgBjAGgAbwByAGoAcwA0ADAAMABAAAAAAwAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABAAH//wAP) format("truetype"); }',e.sheet.cssRules.length)}(),t=document.querySelectorAll("[id]"),i=[].map.call(t,function(A){return A.id}),o=0;o\]\.\/\(\)\*\\\n\t\b\v]/g,"-").replace(/-{2,}/g,"-").substring(0,this.options.truncate).replace(/^-+|-+$/gm,"").toLowerCase()},this.hasAnchorJSLink=function(A){var e=A.firstChild&&-1<(" "+A.firstChild.className+" ").indexOf(" anchorjs-link "),t=A.lastChild&&-1<(" "+A.lastChild.className+" ").indexOf(" anchorjs-link ");return e||t||!1}}}); -// @license-end \ No newline at end of file diff --git a/docs/styles/lunr.js b/docs/styles/lunr.js deleted file mode 100644 index 35dae2fbf..000000000 --- a/docs/styles/lunr.js +++ /dev/null @@ -1,2924 +0,0 @@ -/** - * lunr - http://lunrjs.com - A bit like Solr, but much smaller and not as bright - 2.1.2 - * Copyright (C) 2017 Oliver Nightingale - * @license MIT - */ - -;(function(){ - -/** - * A convenience function for configuring and constructing - * a new lunr Index. - * - * A lunr.Builder instance is created and the pipeline setup - * with a trimmer, stop word filter and stemmer. - * - * This builder object is yielded to the configuration function - * that is passed as a parameter, allowing the list of fields - * and other builder parameters to be customised. - * - * All documents _must_ be added within the passed config function. - * - * @example - * var idx = lunr(function () { - * this.field('title') - * this.field('body') - * this.ref('id') - * - * documents.forEach(function (doc) { - * this.add(doc) - * }, this) - * }) - * - * @see {@link lunr.Builder} - * @see {@link lunr.Pipeline} - * @see {@link lunr.trimmer} - * @see {@link lunr.stopWordFilter} - * @see {@link lunr.stemmer} - * @namespace {function} lunr - */ -var lunr = function (config) { - var builder = new lunr.Builder - - builder.pipeline.add( - lunr.trimmer, - lunr.stopWordFilter, - lunr.stemmer - ) - - builder.searchPipeline.add( - lunr.stemmer - ) - - config.call(builder, builder) - return builder.build() -} - -lunr.version = "2.1.2" -/*! - * lunr.utils - * Copyright (C) 2017 Oliver Nightingale - */ - -/** - * A namespace containing utils for the rest of the lunr library - */ -lunr.utils = {} - -/** - * Print a warning message to the console. - * - * @param {String} message The message to be printed. - * @memberOf Utils - */ -lunr.utils.warn = (function (global) { - /* eslint-disable no-console */ - return function (message) { - if (global.console && console.warn) { - console.warn(message) - } - } - /* eslint-enable no-console */ -})(this) - -/** - * Convert an object to a string. - * - * In the case of `null` and `undefined` the function returns - * the empty string, in all other cases the result of calling - * `toString` on the passed object is returned. - * - * @param {Any} obj The object to convert to a string. - * @return {String} string representation of the passed object. - * @memberOf Utils - */ -lunr.utils.asString = function (obj) { - if (obj === void 0 || obj === null) { - return "" - } else { - return obj.toString() - } -} -lunr.FieldRef = function (docRef, fieldName) { - this.docRef = docRef - this.fieldName = fieldName - this._stringValue = fieldName + lunr.FieldRef.joiner + docRef -} - -lunr.FieldRef.joiner = "/" - -lunr.FieldRef.fromString = function (s) { - var n = s.indexOf(lunr.FieldRef.joiner) - - if (n === -1) { - throw "malformed field ref string" - } - - var fieldRef = s.slice(0, n), - docRef = s.slice(n + 1) - - return new lunr.FieldRef (docRef, fieldRef) -} - -lunr.FieldRef.prototype.toString = function () { - return this._stringValue -} -/** - * A function to calculate the inverse document frequency for - * a posting. This is shared between the builder and the index - * - * @private - * @param {object} posting - The posting for a given term - * @param {number} documentCount - The total number of documents. - */ -lunr.idf = function (posting, documentCount) { - var documentsWithTerm = 0 - - for (var fieldName in posting) { - if (fieldName == '_index') continue // Ignore the term index, its not a field - documentsWithTerm += Object.keys(posting[fieldName]).length - } - - var x = (documentCount - documentsWithTerm + 0.5) / (documentsWithTerm + 0.5) - - return Math.log(1 + Math.abs(x)) -} - -/** - * A token wraps a string representation of a token - * as it is passed through the text processing pipeline. - * - * @constructor - * @param {string} [str=''] - The string token being wrapped. - * @param {object} [metadata={}] - Metadata associated with this token. - */ -lunr.Token = function (str, metadata) { - this.str = str || "" - this.metadata = metadata || {} -} - -/** - * Returns the token string that is being wrapped by this object. - * - * @returns {string} - */ -lunr.Token.prototype.toString = function () { - return this.str -} - -/** - * A token update function is used when updating or optionally - * when cloning a token. - * - * @callback lunr.Token~updateFunction - * @param {string} str - The string representation of the token. - * @param {Object} metadata - All metadata associated with this token. - */ - -/** - * Applies the given function to the wrapped string token. - * - * @example - * token.update(function (str, metadata) { - * return str.toUpperCase() - * }) - * - * @param {lunr.Token~updateFunction} fn - A function to apply to the token string. - * @returns {lunr.Token} - */ -lunr.Token.prototype.update = function (fn) { - this.str = fn(this.str, this.metadata) - return this -} - -/** - * Creates a clone of this token. Optionally a function can be - * applied to the cloned token. - * - * @param {lunr.Token~updateFunction} [fn] - An optional function to apply to the cloned token. - * @returns {lunr.Token} - */ -lunr.Token.prototype.clone = function (fn) { - fn = fn || function (s) { return s } - return new lunr.Token (fn(this.str, this.metadata), this.metadata) -} -/*! - * lunr.tokenizer - * Copyright (C) 2017 Oliver Nightingale - */ - -/** - * A function for splitting a string into tokens ready to be inserted into - * the search index. Uses `lunr.tokenizer.separator` to split strings, change - * the value of this property to change how strings are split into tokens. - * - * This tokenizer will convert its parameter to a string by calling `toString` and - * then will split this string on the character in `lunr.tokenizer.separator`. - * Arrays will have their elements converted to strings and wrapped in a lunr.Token. - * - * @static - * @param {?(string|object|object[])} obj - The object to convert into tokens - * @returns {lunr.Token[]} - */ -lunr.tokenizer = function (obj) { - if (obj == null || obj == undefined) { - return [] - } - - if (Array.isArray(obj)) { - return obj.map(function (t) { - return new lunr.Token(lunr.utils.asString(t).toLowerCase()) - }) - } - - var str = obj.toString().trim().toLowerCase(), - len = str.length, - tokens = [] - - for (var sliceEnd = 0, sliceStart = 0; sliceEnd <= len; sliceEnd++) { - var char = str.charAt(sliceEnd), - sliceLength = sliceEnd - sliceStart - - if ((char.match(lunr.tokenizer.separator) || sliceEnd == len)) { - - if (sliceLength > 0) { - tokens.push( - new lunr.Token (str.slice(sliceStart, sliceEnd), { - position: [sliceStart, sliceLength], - index: tokens.length - }) - ) - } - - sliceStart = sliceEnd + 1 - } - - } - - return tokens -} - -/** - * The separator used to split a string into tokens. Override this property to change the behaviour of - * `lunr.tokenizer` behaviour when tokenizing strings. By default this splits on whitespace and hyphens. - * - * @static - * @see lunr.tokenizer - */ -lunr.tokenizer.separator = /[\s\-]+/ -/*! - * lunr.Pipeline - * Copyright (C) 2017 Oliver Nightingale - */ - -/** - * lunr.Pipelines maintain an ordered list of functions to be applied to all - * tokens in documents entering the search index and queries being ran against - * the index. - * - * An instance of lunr.Index created with the lunr shortcut will contain a - * pipeline with a stop word filter and an English language stemmer. Extra - * functions can be added before or after either of these functions or these - * default functions can be removed. - * - * When run the pipeline will call each function in turn, passing a token, the - * index of that token in the original list of all tokens and finally a list of - * all the original tokens. - * - * The output of functions in the pipeline will be passed to the next function - * in the pipeline. To exclude a token from entering the index the function - * should return undefined, the rest of the pipeline will not be called with - * this token. - * - * For serialisation of pipelines to work, all functions used in an instance of - * a pipeline should be registered with lunr.Pipeline. Registered functions can - * then be loaded. If trying to load a serialised pipeline that uses functions - * that are not registered an error will be thrown. - * - * If not planning on serialising the pipeline then registering pipeline functions - * is not necessary. - * - * @constructor - */ -lunr.Pipeline = function () { - this._stack = [] -} - -lunr.Pipeline.registeredFunctions = Object.create(null) - -/** - * A pipeline function maps lunr.Token to lunr.Token. A lunr.Token contains the token - * string as well as all known metadata. A pipeline function can mutate the token string - * or mutate (or add) metadata for a given token. - * - * A pipeline function can indicate that the passed token should be discarded by returning - * null. This token will not be passed to any downstream pipeline functions and will not be - * added to the index. - * - * Multiple tokens can be returned by returning an array of tokens. Each token will be passed - * to any downstream pipeline functions and all will returned tokens will be added to the index. - * - * Any number of pipeline functions may be chained together using a lunr.Pipeline. - * - * @interface lunr.PipelineFunction - * @param {lunr.Token} token - A token from the document being processed. - * @param {number} i - The index of this token in the complete list of tokens for this document/field. - * @param {lunr.Token[]} tokens - All tokens for this document/field. - * @returns {(?lunr.Token|lunr.Token[])} - */ - -/** - * Register a function with the pipeline. - * - * Functions that are used in the pipeline should be registered if the pipeline - * needs to be serialised, or a serialised pipeline needs to be loaded. - * - * Registering a function does not add it to a pipeline, functions must still be - * added to instances of the pipeline for them to be used when running a pipeline. - * - * @param {lunr.PipelineFunction} fn - The function to check for. - * @param {String} label - The label to register this function with - */ -lunr.Pipeline.registerFunction = function (fn, label) { - if (label in this.registeredFunctions) { - lunr.utils.warn('Overwriting existing registered function: ' + label) - } - - fn.label = label - lunr.Pipeline.registeredFunctions[fn.label] = fn -} - -/** - * Warns if the function is not registered as a Pipeline function. - * - * @param {lunr.PipelineFunction} fn - The function to check for. - * @private - */ -lunr.Pipeline.warnIfFunctionNotRegistered = function (fn) { - var isRegistered = fn.label && (fn.label in this.registeredFunctions) - - if (!isRegistered) { - lunr.utils.warn('Function is not registered with pipeline. This may cause problems when serialising the index.\n', fn) - } -} - -/** - * Loads a previously serialised pipeline. - * - * All functions to be loaded must already be registered with lunr.Pipeline. - * If any function from the serialised data has not been registered then an - * error will be thrown. - * - * @param {Object} serialised - The serialised pipeline to load. - * @returns {lunr.Pipeline} - */ -lunr.Pipeline.load = function (serialised) { - var pipeline = new lunr.Pipeline - - serialised.forEach(function (fnName) { - var fn = lunr.Pipeline.registeredFunctions[fnName] - - if (fn) { - pipeline.add(fn) - } else { - throw new Error('Cannot load unregistered function: ' + fnName) - } - }) - - return pipeline -} - -/** - * Adds new functions to the end of the pipeline. - * - * Logs a warning if the function has not been registered. - * - * @param {lunr.PipelineFunction[]} functions - Any number of functions to add to the pipeline. - */ -lunr.Pipeline.prototype.add = function () { - var fns = Array.prototype.slice.call(arguments) - - fns.forEach(function (fn) { - lunr.Pipeline.warnIfFunctionNotRegistered(fn) - this._stack.push(fn) - }, this) -} - -/** - * Adds a single function after a function that already exists in the - * pipeline. - * - * Logs a warning if the function has not been registered. - * - * @param {lunr.PipelineFunction} existingFn - A function that already exists in the pipeline. - * @param {lunr.PipelineFunction} newFn - The new function to add to the pipeline. - */ -lunr.Pipeline.prototype.after = function (existingFn, newFn) { - lunr.Pipeline.warnIfFunctionNotRegistered(newFn) - - var pos = this._stack.indexOf(existingFn) - if (pos == -1) { - throw new Error('Cannot find existingFn') - } - - pos = pos + 1 - this._stack.splice(pos, 0, newFn) -} - -/** - * Adds a single function before a function that already exists in the - * pipeline. - * - * Logs a warning if the function has not been registered. - * - * @param {lunr.PipelineFunction} existingFn - A function that already exists in the pipeline. - * @param {lunr.PipelineFunction} newFn - The new function to add to the pipeline. - */ -lunr.Pipeline.prototype.before = function (existingFn, newFn) { - lunr.Pipeline.warnIfFunctionNotRegistered(newFn) - - var pos = this._stack.indexOf(existingFn) - if (pos == -1) { - throw new Error('Cannot find existingFn') - } - - this._stack.splice(pos, 0, newFn) -} - -/** - * Removes a function from the pipeline. - * - * @param {lunr.PipelineFunction} fn The function to remove from the pipeline. - */ -lunr.Pipeline.prototype.remove = function (fn) { - var pos = this._stack.indexOf(fn) - if (pos == -1) { - return - } - - this._stack.splice(pos, 1) -} - -/** - * Runs the current list of functions that make up the pipeline against the - * passed tokens. - * - * @param {Array} tokens The tokens to run through the pipeline. - * @returns {Array} - */ -lunr.Pipeline.prototype.run = function (tokens) { - var stackLength = this._stack.length - - for (var i = 0; i < stackLength; i++) { - var fn = this._stack[i] - - tokens = tokens.reduce(function (memo, token, j) { - var result = fn(token, j, tokens) - - if (result === void 0 || result === '') return memo - - return memo.concat(result) - }, []) - } - - return tokens -} - -/** - * Convenience method for passing a string through a pipeline and getting - * strings out. This method takes care of wrapping the passed string in a - * token and mapping the resulting tokens back to strings. - * - * @param {string} str - The string to pass through the pipeline. - * @returns {string[]} - */ -lunr.Pipeline.prototype.runString = function (str) { - var token = new lunr.Token (str) - - return this.run([token]).map(function (t) { - return t.toString() - }) -} - -/** - * Resets the pipeline by removing any existing processors. - * - */ -lunr.Pipeline.prototype.reset = function () { - this._stack = [] -} - -/** - * Returns a representation of the pipeline ready for serialisation. - * - * Logs a warning if the function has not been registered. - * - * @returns {Array} - */ -lunr.Pipeline.prototype.toJSON = function () { - return this._stack.map(function (fn) { - lunr.Pipeline.warnIfFunctionNotRegistered(fn) - - return fn.label - }) -} -/*! - * lunr.Vector - * Copyright (C) 2017 Oliver Nightingale - */ - -/** - * A vector is used to construct the vector space of documents and queries. These - * vectors support operations to determine the similarity between two documents or - * a document and a query. - * - * Normally no parameters are required for initializing a vector, but in the case of - * loading a previously dumped vector the raw elements can be provided to the constructor. - * - * For performance reasons vectors are implemented with a flat array, where an elements - * index is immediately followed by its value. E.g. [index, value, index, value]. This - * allows the underlying array to be as sparse as possible and still offer decent - * performance when being used for vector calculations. - * - * @constructor - * @param {Number[]} [elements] - The flat list of element index and element value pairs. - */ -lunr.Vector = function (elements) { - this._magnitude = 0 - this.elements = elements || [] -} - - -/** - * Calculates the position within the vector to insert a given index. - * - * This is used internally by insert and upsert. If there are duplicate indexes then - * the position is returned as if the value for that index were to be updated, but it - * is the callers responsibility to check whether there is a duplicate at that index - * - * @param {Number} insertIdx - The index at which the element should be inserted. - * @returns {Number} - */ -lunr.Vector.prototype.positionForIndex = function (index) { - // For an empty vector the tuple can be inserted at the beginning - if (this.elements.length == 0) { - return 0 - } - - var start = 0, - end = this.elements.length / 2, - sliceLength = end - start, - pivotPoint = Math.floor(sliceLength / 2), - pivotIndex = this.elements[pivotPoint * 2] - - while (sliceLength > 1) { - if (pivotIndex < index) { - start = pivotPoint - } - - if (pivotIndex > index) { - end = pivotPoint - } - - if (pivotIndex == index) { - break - } - - sliceLength = end - start - pivotPoint = start + Math.floor(sliceLength / 2) - pivotIndex = this.elements[pivotPoint * 2] - } - - if (pivotIndex == index) { - return pivotPoint * 2 - } - - if (pivotIndex > index) { - return pivotPoint * 2 - } - - if (pivotIndex < index) { - return (pivotPoint + 1) * 2 - } -} - -/** - * Inserts an element at an index within the vector. - * - * Does not allow duplicates, will throw an error if there is already an entry - * for this index. - * - * @param {Number} insertIdx - The index at which the element should be inserted. - * @param {Number} val - The value to be inserted into the vector. - */ -lunr.Vector.prototype.insert = function (insertIdx, val) { - this.upsert(insertIdx, val, function () { - throw "duplicate index" - }) -} - -/** - * Inserts or updates an existing index within the vector. - * - * @param {Number} insertIdx - The index at which the element should be inserted. - * @param {Number} val - The value to be inserted into the vector. - * @param {function} fn - A function that is called for updates, the existing value and the - * requested value are passed as arguments - */ -lunr.Vector.prototype.upsert = function (insertIdx, val, fn) { - this._magnitude = 0 - var position = this.positionForIndex(insertIdx) - - if (this.elements[position] == insertIdx) { - this.elements[position + 1] = fn(this.elements[position + 1], val) - } else { - this.elements.splice(position, 0, insertIdx, val) - } -} - -/** - * Calculates the magnitude of this vector. - * - * @returns {Number} - */ -lunr.Vector.prototype.magnitude = function () { - if (this._magnitude) return this._magnitude - - var sumOfSquares = 0, - elementsLength = this.elements.length - - for (var i = 1; i < elementsLength; i += 2) { - var val = this.elements[i] - sumOfSquares += val * val - } - - return this._magnitude = Math.sqrt(sumOfSquares) -} - -/** - * Calculates the dot product of this vector and another vector. - * - * @param {lunr.Vector} otherVector - The vector to compute the dot product with. - * @returns {Number} - */ -lunr.Vector.prototype.dot = function (otherVector) { - var dotProduct = 0, - a = this.elements, b = otherVector.elements, - aLen = a.length, bLen = b.length, - aVal = 0, bVal = 0, - i = 0, j = 0 - - while (i < aLen && j < bLen) { - aVal = a[i], bVal = b[j] - if (aVal < bVal) { - i += 2 - } else if (aVal > bVal) { - j += 2 - } else if (aVal == bVal) { - dotProduct += a[i + 1] * b[j + 1] - i += 2 - j += 2 - } - } - - return dotProduct -} - -/** - * Calculates the cosine similarity between this vector and another - * vector. - * - * @param {lunr.Vector} otherVector - The other vector to calculate the - * similarity with. - * @returns {Number} - */ -lunr.Vector.prototype.similarity = function (otherVector) { - return this.dot(otherVector) / (this.magnitude() * otherVector.magnitude()) -} - -/** - * Converts the vector to an array of the elements within the vector. - * - * @returns {Number[]} - */ -lunr.Vector.prototype.toArray = function () { - var output = new Array (this.elements.length / 2) - - for (var i = 1, j = 0; i < this.elements.length; i += 2, j++) { - output[j] = this.elements[i] - } - - return output -} - -/** - * A JSON serializable representation of the vector. - * - * @returns {Number[]} - */ -lunr.Vector.prototype.toJSON = function () { - return this.elements -} -/* eslint-disable */ -/*! - * lunr.stemmer - * Copyright (C) 2017 Oliver Nightingale - * Includes code from - http://tartarus.org/~martin/PorterStemmer/js.txt - */ - -/** - * lunr.stemmer is an english language stemmer, this is a JavaScript - * implementation of the PorterStemmer taken from http://tartarus.org/~martin - * - * @static - * @implements {lunr.PipelineFunction} - * @param {lunr.Token} token - The string to stem - * @returns {lunr.Token} - * @see {@link lunr.Pipeline} - */ -lunr.stemmer = (function(){ - var step2list = { - "ational" : "ate", - "tional" : "tion", - "enci" : "ence", - "anci" : "ance", - "izer" : "ize", - "bli" : "ble", - "alli" : "al", - "entli" : "ent", - "eli" : "e", - "ousli" : "ous", - "ization" : "ize", - "ation" : "ate", - "ator" : "ate", - "alism" : "al", - "iveness" : "ive", - "fulness" : "ful", - "ousness" : "ous", - "aliti" : "al", - "iviti" : "ive", - "biliti" : "ble", - "logi" : "log" - }, - - step3list = { - "icate" : "ic", - "ative" : "", - "alize" : "al", - "iciti" : "ic", - "ical" : "ic", - "ful" : "", - "ness" : "" - }, - - c = "[^aeiou]", // consonant - v = "[aeiouy]", // vowel - C = c + "[^aeiouy]*", // consonant sequence - V = v + "[aeiou]*", // vowel sequence - - mgr0 = "^(" + C + ")?" + V + C, // [C]VC... is m>0 - meq1 = "^(" + C + ")?" + V + C + "(" + V + ")?$", // [C]VC[V] is m=1 - mgr1 = "^(" + C + ")?" + V + C + V + C, // [C]VCVC... is m>1 - s_v = "^(" + C + ")?" + v; // vowel in stem - - var re_mgr0 = new RegExp(mgr0); - var re_mgr1 = new RegExp(mgr1); - var re_meq1 = new RegExp(meq1); - var re_s_v = new RegExp(s_v); - - var re_1a = /^(.+?)(ss|i)es$/; - var re2_1a = /^(.+?)([^s])s$/; - var re_1b = /^(.+?)eed$/; - var re2_1b = /^(.+?)(ed|ing)$/; - var re_1b_2 = /.$/; - var re2_1b_2 = /(at|bl|iz)$/; - var re3_1b_2 = new RegExp("([^aeiouylsz])\\1$"); - var re4_1b_2 = new RegExp("^" + C + v + "[^aeiouwxy]$"); - - var re_1c = /^(.+?[^aeiou])y$/; - var re_2 = /^(.+?)(ational|tional|enci|anci|izer|bli|alli|entli|eli|ousli|ization|ation|ator|alism|iveness|fulness|ousness|aliti|iviti|biliti|logi)$/; - - var re_3 = /^(.+?)(icate|ative|alize|iciti|ical|ful|ness)$/; - - var re_4 = /^(.+?)(al|ance|ence|er|ic|able|ible|ant|ement|ment|ent|ou|ism|ate|iti|ous|ive|ize)$/; - var re2_4 = /^(.+?)(s|t)(ion)$/; - - var re_5 = /^(.+?)e$/; - var re_5_1 = /ll$/; - var re3_5 = new RegExp("^" + C + v + "[^aeiouwxy]$"); - - var porterStemmer = function porterStemmer(w) { - var stem, - suffix, - firstch, - re, - re2, - re3, - re4; - - if (w.length < 3) { return w; } - - firstch = w.substr(0,1); - if (firstch == "y") { - w = firstch.toUpperCase() + w.substr(1); - } - - // Step 1a - re = re_1a - re2 = re2_1a; - - if (re.test(w)) { w = w.replace(re,"$1$2"); } - else if (re2.test(w)) { w = w.replace(re2,"$1$2"); } - - // Step 1b - re = re_1b; - re2 = re2_1b; - if (re.test(w)) { - var fp = re.exec(w); - re = re_mgr0; - if (re.test(fp[1])) { - re = re_1b_2; - w = w.replace(re,""); - } - } else if (re2.test(w)) { - var fp = re2.exec(w); - stem = fp[1]; - re2 = re_s_v; - if (re2.test(stem)) { - w = stem; - re2 = re2_1b_2; - re3 = re3_1b_2; - re4 = re4_1b_2; - if (re2.test(w)) { w = w + "e"; } - else if (re3.test(w)) { re = re_1b_2; w = w.replace(re,""); } - else if (re4.test(w)) { w = w + "e"; } - } - } - - // Step 1c - replace suffix y or Y by i if preceded by a non-vowel which is not the first letter of the word (so cry -> cri, by -> by, say -> say) - re = re_1c; - if (re.test(w)) { - var fp = re.exec(w); - stem = fp[1]; - w = stem + "i"; - } - - // Step 2 - re = re_2; - if (re.test(w)) { - var fp = re.exec(w); - stem = fp[1]; - suffix = fp[2]; - re = re_mgr0; - if (re.test(stem)) { - w = stem + step2list[suffix]; - } - } - - // Step 3 - re = re_3; - if (re.test(w)) { - var fp = re.exec(w); - stem = fp[1]; - suffix = fp[2]; - re = re_mgr0; - if (re.test(stem)) { - w = stem + step3list[suffix]; - } - } - - // Step 4 - re = re_4; - re2 = re2_4; - if (re.test(w)) { - var fp = re.exec(w); - stem = fp[1]; - re = re_mgr1; - if (re.test(stem)) { - w = stem; - } - } else if (re2.test(w)) { - var fp = re2.exec(w); - stem = fp[1] + fp[2]; - re2 = re_mgr1; - if (re2.test(stem)) { - w = stem; - } - } - - // Step 5 - re = re_5; - if (re.test(w)) { - var fp = re.exec(w); - stem = fp[1]; - re = re_mgr1; - re2 = re_meq1; - re3 = re3_5; - if (re.test(stem) || (re2.test(stem) && !(re3.test(stem)))) { - w = stem; - } - } - - re = re_5_1; - re2 = re_mgr1; - if (re.test(w) && re2.test(w)) { - re = re_1b_2; - w = w.replace(re,""); - } - - // and turn initial Y back to y - - if (firstch == "y") { - w = firstch.toLowerCase() + w.substr(1); - } - - return w; - }; - - return function (token) { - return token.update(porterStemmer); - } -})(); - -lunr.Pipeline.registerFunction(lunr.stemmer, 'stemmer') -/*! - * lunr.stopWordFilter - * Copyright (C) 2017 Oliver Nightingale - */ - -/** - * lunr.generateStopWordFilter builds a stopWordFilter function from the provided - * list of stop words. - * - * The built in lunr.stopWordFilter is built using this generator and can be used - * to generate custom stopWordFilters for applications or non English languages. - * - * @param {Array} token The token to pass through the filter - * @returns {lunr.PipelineFunction} - * @see lunr.Pipeline - * @see lunr.stopWordFilter - */ -lunr.generateStopWordFilter = function (stopWords) { - var words = stopWords.reduce(function (memo, stopWord) { - memo[stopWord] = stopWord - return memo - }, {}) - - return function (token) { - if (token && words[token.toString()] !== token.toString()) return token - } -} - -/** - * lunr.stopWordFilter is an English language stop word list filter, any words - * contained in the list will not be passed through the filter. - * - * This is intended to be used in the Pipeline. If the token does not pass the - * filter then undefined will be returned. - * - * @implements {lunr.PipelineFunction} - * @params {lunr.Token} token - A token to check for being a stop word. - * @returns {lunr.Token} - * @see {@link lunr.Pipeline} - */ -lunr.stopWordFilter = lunr.generateStopWordFilter([ - 'a', - 'able', - 'about', - 'across', - 'after', - 'all', - 'almost', - 'also', - 'am', - 'among', - 'an', - 'and', - 'any', - 'are', - 'as', - 'at', - 'be', - 'because', - 'been', - 'but', - 'by', - 'can', - 'cannot', - 'could', - 'dear', - 'did', - 'do', - 'does', - 'either', - 'else', - 'ever', - 'every', - 'for', - 'from', - 'get', - 'got', - 'had', - 'has', - 'have', - 'he', - 'her', - 'hers', - 'him', - 'his', - 'how', - 'however', - 'i', - 'if', - 'in', - 'into', - 'is', - 'it', - 'its', - 'just', - 'least', - 'let', - 'like', - 'likely', - 'may', - 'me', - 'might', - 'most', - 'must', - 'my', - 'neither', - 'no', - 'nor', - 'not', - 'of', - 'off', - 'often', - 'on', - 'only', - 'or', - 'other', - 'our', - 'own', - 'rather', - 'said', - 'say', - 'says', - 'she', - 'should', - 'since', - 'so', - 'some', - 'than', - 'that', - 'the', - 'their', - 'them', - 'then', - 'there', - 'these', - 'they', - 'this', - 'tis', - 'to', - 'too', - 'twas', - 'us', - 'wants', - 'was', - 'we', - 'were', - 'what', - 'when', - 'where', - 'which', - 'while', - 'who', - 'whom', - 'why', - 'will', - 'with', - 'would', - 'yet', - 'you', - 'your' -]) - -lunr.Pipeline.registerFunction(lunr.stopWordFilter, 'stopWordFilter') -/*! - * lunr.trimmer - * Copyright (C) 2017 Oliver Nightingale - */ - -/** - * lunr.trimmer is a pipeline function for trimming non word - * characters from the beginning and end of tokens before they - * enter the index. - * - * This implementation may not work correctly for non latin - * characters and should either be removed or adapted for use - * with languages with non-latin characters. - * - * @static - * @implements {lunr.PipelineFunction} - * @param {lunr.Token} token The token to pass through the filter - * @returns {lunr.Token} - * @see lunr.Pipeline - */ -lunr.trimmer = function (token) { - return token.update(function (s) { - return s.replace(/^\W+/, '').replace(/\W+$/, '') - }) -} - -lunr.Pipeline.registerFunction(lunr.trimmer, 'trimmer') -/*! - * lunr.TokenSet - * Copyright (C) 2017 Oliver Nightingale - */ - -/** - * A token set is used to store the unique list of all tokens - * within an index. Token sets are also used to represent an - * incoming query to the index, this query token set and index - * token set are then intersected to find which tokens to look - * up in the inverted index. - * - * A token set can hold multiple tokens, as in the case of the - * index token set, or it can hold a single token as in the - * case of a simple query token set. - * - * Additionally token sets are used to perform wildcard matching. - * Leading, contained and trailing wildcards are supported, and - * from this edit distance matching can also be provided. - * - * Token sets are implemented as a minimal finite state automata, - * where both common prefixes and suffixes are shared between tokens. - * This helps to reduce the space used for storing the token set. - * - * @constructor - */ -lunr.TokenSet = function () { - this.final = false - this.edges = {} - this.id = lunr.TokenSet._nextId - lunr.TokenSet._nextId += 1 -} - -/** - * Keeps track of the next, auto increment, identifier to assign - * to a new tokenSet. - * - * TokenSets require a unique identifier to be correctly minimised. - * - * @private - */ -lunr.TokenSet._nextId = 1 - -/** - * Creates a TokenSet instance from the given sorted array of words. - * - * @param {String[]} arr - A sorted array of strings to create the set from. - * @returns {lunr.TokenSet} - * @throws Will throw an error if the input array is not sorted. - */ -lunr.TokenSet.fromArray = function (arr) { - var builder = new lunr.TokenSet.Builder - - for (var i = 0, len = arr.length; i < len; i++) { - builder.insert(arr[i]) - } - - builder.finish() - return builder.root -} - -/** - * Creates a token set from a query clause. - * - * @private - * @param {Object} clause - A single clause from lunr.Query. - * @param {string} clause.term - The query clause term. - * @param {number} [clause.editDistance] - The optional edit distance for the term. - * @returns {lunr.TokenSet} - */ -lunr.TokenSet.fromClause = function (clause) { - if ('editDistance' in clause) { - return lunr.TokenSet.fromFuzzyString(clause.term, clause.editDistance) - } else { - return lunr.TokenSet.fromString(clause.term) - } -} - -/** - * Creates a token set representing a single string with a specified - * edit distance. - * - * Insertions, deletions, substitutions and transpositions are each - * treated as an edit distance of 1. - * - * Increasing the allowed edit distance will have a dramatic impact - * on the performance of both creating and intersecting these TokenSets. - * It is advised to keep the edit distance less than 3. - * - * @param {string} str - The string to create the token set from. - * @param {number} editDistance - The allowed edit distance to match. - * @returns {lunr.Vector} - */ -lunr.TokenSet.fromFuzzyString = function (str, editDistance) { - var root = new lunr.TokenSet - - var stack = [{ - node: root, - editsRemaining: editDistance, - str: str - }] - - while (stack.length) { - var frame = stack.pop() - - // no edit - if (frame.str.length > 0) { - var char = frame.str.charAt(0), - noEditNode - - if (char in frame.node.edges) { - noEditNode = frame.node.edges[char] - } else { - noEditNode = new lunr.TokenSet - frame.node.edges[char] = noEditNode - } - - if (frame.str.length == 1) { - noEditNode.final = true - } else { - stack.push({ - node: noEditNode, - editsRemaining: frame.editsRemaining, - str: frame.str.slice(1) - }) - } - } - - // deletion - // can only do a deletion if we have enough edits remaining - // and if there are characters left to delete in the string - if (frame.editsRemaining > 0 && frame.str.length > 1) { - var char = frame.str.charAt(1), - deletionNode - - if (char in frame.node.edges) { - deletionNode = frame.node.edges[char] - } else { - deletionNode = new lunr.TokenSet - frame.node.edges[char] = deletionNode - } - - if (frame.str.length <= 2) { - deletionNode.final = true - } else { - stack.push({ - node: deletionNode, - editsRemaining: frame.editsRemaining - 1, - str: frame.str.slice(2) - }) - } - } - - // deletion - // just removing the last character from the str - if (frame.editsRemaining > 0 && frame.str.length == 1) { - frame.node.final = true - } - - // substitution - // can only do a substitution if we have enough edits remaining - // and if there are characters left to substitute - if (frame.editsRemaining > 0 && frame.str.length >= 1) { - if ("*" in frame.node.edges) { - var substitutionNode = frame.node.edges["*"] - } else { - var substitutionNode = new lunr.TokenSet - frame.node.edges["*"] = substitutionNode - } - - if (frame.str.length == 1) { - substitutionNode.final = true - } else { - stack.push({ - node: substitutionNode, - editsRemaining: frame.editsRemaining - 1, - str: frame.str.slice(1) - }) - } - } - - // insertion - // can only do insertion if there are edits remaining - if (frame.editsRemaining > 0) { - if ("*" in frame.node.edges) { - var insertionNode = frame.node.edges["*"] - } else { - var insertionNode = new lunr.TokenSet - frame.node.edges["*"] = insertionNode - } - - if (frame.str.length == 0) { - insertionNode.final = true - } else { - stack.push({ - node: insertionNode, - editsRemaining: frame.editsRemaining - 1, - str: frame.str - }) - } - } - - // transposition - // can only do a transposition if there are edits remaining - // and there are enough characters to transpose - if (frame.editsRemaining > 0 && frame.str.length > 1) { - var charA = frame.str.charAt(0), - charB = frame.str.charAt(1), - transposeNode - - if (charB in frame.node.edges) { - transposeNode = frame.node.edges[charB] - } else { - transposeNode = new lunr.TokenSet - frame.node.edges[charB] = transposeNode - } - - if (frame.str.length == 1) { - transposeNode.final = true - } else { - stack.push({ - node: transposeNode, - editsRemaining: frame.editsRemaining - 1, - str: charA + frame.str.slice(2) - }) - } - } - } - - return root -} - -/** - * Creates a TokenSet from a string. - * - * The string may contain one or more wildcard characters (*) - * that will allow wildcard matching when intersecting with - * another TokenSet. - * - * @param {string} str - The string to create a TokenSet from. - * @returns {lunr.TokenSet} - */ -lunr.TokenSet.fromString = function (str) { - var node = new lunr.TokenSet, - root = node, - wildcardFound = false - - /* - * Iterates through all characters within the passed string - * appending a node for each character. - * - * As soon as a wildcard character is found then a self - * referencing edge is introduced to continually match - * any number of any characters. - */ - for (var i = 0, len = str.length; i < len; i++) { - var char = str[i], - final = (i == len - 1) - - if (char == "*") { - wildcardFound = true - node.edges[char] = node - node.final = final - - } else { - var next = new lunr.TokenSet - next.final = final - - node.edges[char] = next - node = next - - // TODO: is this needed anymore? - if (wildcardFound) { - node.edges["*"] = root - } - } - } - - return root -} - -/** - * Converts this TokenSet into an array of strings - * contained within the TokenSet. - * - * @returns {string[]} - */ -lunr.TokenSet.prototype.toArray = function () { - var words = [] - - var stack = [{ - prefix: "", - node: this - }] - - while (stack.length) { - var frame = stack.pop(), - edges = Object.keys(frame.node.edges), - len = edges.length - - if (frame.node.final) { - words.push(frame.prefix) - } - - for (var i = 0; i < len; i++) { - var edge = edges[i] - - stack.push({ - prefix: frame.prefix.concat(edge), - node: frame.node.edges[edge] - }) - } - } - - return words -} - -/** - * Generates a string representation of a TokenSet. - * - * This is intended to allow TokenSets to be used as keys - * in objects, largely to aid the construction and minimisation - * of a TokenSet. As such it is not designed to be a human - * friendly representation of the TokenSet. - * - * @returns {string} - */ -lunr.TokenSet.prototype.toString = function () { - // NOTE: Using Object.keys here as this.edges is very likely - // to enter 'hash-mode' with many keys being added - // - // avoiding a for-in loop here as it leads to the function - // being de-optimised (at least in V8). From some simple - // benchmarks the performance is comparable, but allowing - // V8 to optimize may mean easy performance wins in the future. - - if (this._str) { - return this._str - } - - var str = this.final ? '1' : '0', - labels = Object.keys(this.edges).sort(), - len = labels.length - - for (var i = 0; i < len; i++) { - var label = labels[i], - node = this.edges[label] - - str = str + label + node.id - } - - return str -} - -/** - * Returns a new TokenSet that is the intersection of - * this TokenSet and the passed TokenSet. - * - * This intersection will take into account any wildcards - * contained within the TokenSet. - * - * @param {lunr.TokenSet} b - An other TokenSet to intersect with. - * @returns {lunr.TokenSet} - */ -lunr.TokenSet.prototype.intersect = function (b) { - var output = new lunr.TokenSet, - frame = undefined - - var stack = [{ - qNode: b, - output: output, - node: this - }] - - while (stack.length) { - frame = stack.pop() - - // NOTE: As with the #toString method, we are using - // Object.keys and a for loop instead of a for-in loop - // as both of these objects enter 'hash' mode, causing - // the function to be de-optimised in V8 - var qEdges = Object.keys(frame.qNode.edges), - qLen = qEdges.length, - nEdges = Object.keys(frame.node.edges), - nLen = nEdges.length - - for (var q = 0; q < qLen; q++) { - var qEdge = qEdges[q] - - for (var n = 0; n < nLen; n++) { - var nEdge = nEdges[n] - - if (nEdge == qEdge || qEdge == '*') { - var node = frame.node.edges[nEdge], - qNode = frame.qNode.edges[qEdge], - final = node.final && qNode.final, - next = undefined - - if (nEdge in frame.output.edges) { - // an edge already exists for this character - // no need to create a new node, just set the finality - // bit unless this node is already final - next = frame.output.edges[nEdge] - next.final = next.final || final - - } else { - // no edge exists yet, must create one - // set the finality bit and insert it - // into the output - next = new lunr.TokenSet - next.final = final - frame.output.edges[nEdge] = next - } - - stack.push({ - qNode: qNode, - output: next, - node: node - }) - } - } - } - } - - return output -} -lunr.TokenSet.Builder = function () { - this.previousWord = "" - this.root = new lunr.TokenSet - this.uncheckedNodes = [] - this.minimizedNodes = {} -} - -lunr.TokenSet.Builder.prototype.insert = function (word) { - var node, - commonPrefix = 0 - - if (word < this.previousWord) { - throw new Error ("Out of order word insertion") - } - - for (var i = 0; i < word.length && i < this.previousWord.length; i++) { - if (word[i] != this.previousWord[i]) break - commonPrefix++ - } - - this.minimize(commonPrefix) - - if (this.uncheckedNodes.length == 0) { - node = this.root - } else { - node = this.uncheckedNodes[this.uncheckedNodes.length - 1].child - } - - for (var i = commonPrefix; i < word.length; i++) { - var nextNode = new lunr.TokenSet, - char = word[i] - - node.edges[char] = nextNode - - this.uncheckedNodes.push({ - parent: node, - char: char, - child: nextNode - }) - - node = nextNode - } - - node.final = true - this.previousWord = word -} - -lunr.TokenSet.Builder.prototype.finish = function () { - this.minimize(0) -} - -lunr.TokenSet.Builder.prototype.minimize = function (downTo) { - for (var i = this.uncheckedNodes.length - 1; i >= downTo; i--) { - var node = this.uncheckedNodes[i], - childKey = node.child.toString() - - if (childKey in this.minimizedNodes) { - node.parent.edges[node.char] = this.minimizedNodes[childKey] - } else { - // Cache the key for this node since - // we know it can't change anymore - node.child._str = childKey - - this.minimizedNodes[childKey] = node.child - } - - this.uncheckedNodes.pop() - } -} -/*! - * lunr.Index - * Copyright (C) 2017 Oliver Nightingale - */ - -/** - * An index contains the built index of all documents and provides a query interface - * to the index. - * - * Usually instances of lunr.Index will not be created using this constructor, instead - * lunr.Builder should be used to construct new indexes, or lunr.Index.load should be - * used to load previously built and serialized indexes. - * - * @constructor - * @param {Object} attrs - The attributes of the built search index. - * @param {Object} attrs.invertedIndex - An index of term/field to document reference. - * @param {Object} attrs.documentVectors - Document vectors keyed by document reference. - * @param {lunr.TokenSet} attrs.tokenSet - An set of all corpus tokens. - * @param {string[]} attrs.fields - The names of indexed document fields. - * @param {lunr.Pipeline} attrs.pipeline - The pipeline to use for search terms. - */ -lunr.Index = function (attrs) { - this.invertedIndex = attrs.invertedIndex - this.fieldVectors = attrs.fieldVectors - this.tokenSet = attrs.tokenSet - this.fields = attrs.fields - this.pipeline = attrs.pipeline -} - -/** - * A result contains details of a document matching a search query. - * @typedef {Object} lunr.Index~Result - * @property {string} ref - The reference of the document this result represents. - * @property {number} score - A number between 0 and 1 representing how similar this document is to the query. - * @property {lunr.MatchData} matchData - Contains metadata about this match including which term(s) caused the match. - */ - -/** - * Although lunr provides the ability to create queries using lunr.Query, it also provides a simple - * query language which itself is parsed into an instance of lunr.Query. - * - * For programmatically building queries it is advised to directly use lunr.Query, the query language - * is best used for human entered text rather than program generated text. - * - * At its simplest queries can just be a single term, e.g. `hello`, multiple terms are also supported - * and will be combined with OR, e.g `hello world` will match documents that contain either 'hello' - * or 'world', though those that contain both will rank higher in the results. - * - * Wildcards can be included in terms to match one or more unspecified characters, these wildcards can - * be inserted anywhere within the term, and more than one wildcard can exist in a single term. Adding - * wildcards will increase the number of documents that will be found but can also have a negative - * impact on query performance, especially with wildcards at the beginning of a term. - * - * Terms can be restricted to specific fields, e.g. `title:hello`, only documents with the term - * hello in the title field will match this query. Using a field not present in the index will lead - * to an error being thrown. - * - * Modifiers can also be added to terms, lunr supports edit distance and boost modifiers on terms. A term - * boost will make documents matching that term score higher, e.g. `foo^5`. Edit distance is also supported - * to provide fuzzy matching, e.g. 'hello~2' will match documents with hello with an edit distance of 2. - * Avoid large values for edit distance to improve query performance. - * - * To escape special characters the backslash character '\' can be used, this allows searches to include - * characters that would normally be considered modifiers, e.g. `foo\~2` will search for a term "foo~2" instead - * of attempting to apply a boost of 2 to the search term "foo". - * - * @typedef {string} lunr.Index~QueryString - * @example Simple single term query - * hello - * @example Multiple term query - * hello world - * @example term scoped to a field - * title:hello - * @example term with a boost of 10 - * hello^10 - * @example term with an edit distance of 2 - * hello~2 - */ - -/** - * Performs a search against the index using lunr query syntax. - * - * Results will be returned sorted by their score, the most relevant results - * will be returned first. - * - * For more programmatic querying use lunr.Index#query. - * - * @param {lunr.Index~QueryString} queryString - A string containing a lunr query. - * @throws {lunr.QueryParseError} If the passed query string cannot be parsed. - * @returns {lunr.Index~Result[]} - */ -lunr.Index.prototype.search = function (queryString) { - return this.query(function (query) { - var parser = new lunr.QueryParser(queryString, query) - parser.parse() - }) -} - -/** - * A query builder callback provides a query object to be used to express - * the query to perform on the index. - * - * @callback lunr.Index~queryBuilder - * @param {lunr.Query} query - The query object to build up. - * @this lunr.Query - */ - -/** - * Performs a query against the index using the yielded lunr.Query object. - * - * If performing programmatic queries against the index, this method is preferred - * over lunr.Index#search so as to avoid the additional query parsing overhead. - * - * A query object is yielded to the supplied function which should be used to - * express the query to be run against the index. - * - * Note that although this function takes a callback parameter it is _not_ an - * asynchronous operation, the callback is just yielded a query object to be - * customized. - * - * @param {lunr.Index~queryBuilder} fn - A function that is used to build the query. - * @returns {lunr.Index~Result[]} - */ -lunr.Index.prototype.query = function (fn) { - // for each query clause - // * process terms - // * expand terms from token set - // * find matching documents and metadata - // * get document vectors - // * score documents - - var query = new lunr.Query(this.fields), - matchingFields = Object.create(null), - queryVectors = Object.create(null) - - fn.call(query, query) - - for (var i = 0; i < query.clauses.length; i++) { - /* - * Unless the pipeline has been disabled for this term, which is - * the case for terms with wildcards, we need to pass the clause - * term through the search pipeline. A pipeline returns an array - * of processed terms. Pipeline functions may expand the passed - * term, which means we may end up performing multiple index lookups - * for a single query term. - */ - var clause = query.clauses[i], - terms = null - - if (clause.usePipeline) { - terms = this.pipeline.runString(clause.term) - } else { - terms = [clause.term] - } - - for (var m = 0; m < terms.length; m++) { - var term = terms[m] - - /* - * Each term returned from the pipeline needs to use the same query - * clause object, e.g. the same boost and or edit distance. The - * simplest way to do this is to re-use the clause object but mutate - * its term property. - */ - clause.term = term - - /* - * From the term in the clause we create a token set which will then - * be used to intersect the indexes token set to get a list of terms - * to lookup in the inverted index - */ - var termTokenSet = lunr.TokenSet.fromClause(clause), - expandedTerms = this.tokenSet.intersect(termTokenSet).toArray() - - for (var j = 0; j < expandedTerms.length; j++) { - /* - * For each term get the posting and termIndex, this is required for - * building the query vector. - */ - var expandedTerm = expandedTerms[j], - posting = this.invertedIndex[expandedTerm], - termIndex = posting._index - - for (var k = 0; k < clause.fields.length; k++) { - /* - * For each field that this query term is scoped by (by default - * all fields are in scope) we need to get all the document refs - * that have this term in that field. - * - * The posting is the entry in the invertedIndex for the matching - * term from above. - */ - var field = clause.fields[k], - fieldPosting = posting[field], - matchingDocumentRefs = Object.keys(fieldPosting) - - /* - * To support field level boosts a query vector is created per - * field. This vector is populated using the termIndex found for - * the term and a unit value with the appropriate boost applied. - * - * If the query vector for this field does not exist yet it needs - * to be created. - */ - if (!(field in queryVectors)) { - queryVectors[field] = new lunr.Vector - } - - /* - * Using upsert because there could already be an entry in the vector - * for the term we are working with. In that case we just add the scores - * together. - */ - queryVectors[field].upsert(termIndex, 1 * clause.boost, function (a, b) { return a + b }) - - for (var l = 0; l < matchingDocumentRefs.length; l++) { - /* - * All metadata for this term/field/document triple - * are then extracted and collected into an instance - * of lunr.MatchData ready to be returned in the query - * results - */ - var matchingDocumentRef = matchingDocumentRefs[l], - matchingFieldRef = new lunr.FieldRef (matchingDocumentRef, field), - documentMetadata, matchData - - documentMetadata = fieldPosting[matchingDocumentRef] - matchData = new lunr.MatchData (expandedTerm, field, documentMetadata) - - if (matchingFieldRef in matchingFields) { - matchingFields[matchingFieldRef].combine(matchData) - } else { - matchingFields[matchingFieldRef] = matchData - } - - } - } - } - } - } - - var matchingFieldRefs = Object.keys(matchingFields), - results = {} - - for (var i = 0; i < matchingFieldRefs.length; i++) { - /* - * Currently we have document fields that match the query, but we - * need to return documents. The matchData and scores are combined - * from multiple fields belonging to the same document. - * - * Scores are calculated by field, using the query vectors created - * above, and combined into a final document score using addition. - */ - var fieldRef = lunr.FieldRef.fromString(matchingFieldRefs[i]), - docRef = fieldRef.docRef, - fieldVector = this.fieldVectors[fieldRef], - score = queryVectors[fieldRef.fieldName].similarity(fieldVector) - - if (docRef in results) { - results[docRef].score += score - results[docRef].matchData.combine(matchingFields[fieldRef]) - } else { - results[docRef] = { - ref: docRef, - score: score, - matchData: matchingFields[fieldRef] - } - } - } - - /* - * The results object needs to be converted into a list - * of results, sorted by score before being returned. - */ - return Object.keys(results) - .map(function (key) { - return results[key] - }) - .sort(function (a, b) { - return b.score - a.score - }) -} - -/** - * Prepares the index for JSON serialization. - * - * The schema for this JSON blob will be described in a - * separate JSON schema file. - * - * @returns {Object} - */ -lunr.Index.prototype.toJSON = function () { - var invertedIndex = Object.keys(this.invertedIndex) - .sort() - .map(function (term) { - return [term, this.invertedIndex[term]] - }, this) - - var fieldVectors = Object.keys(this.fieldVectors) - .map(function (ref) { - return [ref, this.fieldVectors[ref].toJSON()] - }, this) - - return { - version: lunr.version, - fields: this.fields, - fieldVectors: fieldVectors, - invertedIndex: invertedIndex, - pipeline: this.pipeline.toJSON() - } -} - -/** - * Loads a previously serialized lunr.Index - * - * @param {Object} serializedIndex - A previously serialized lunr.Index - * @returns {lunr.Index} - */ -lunr.Index.load = function (serializedIndex) { - var attrs = {}, - fieldVectors = {}, - serializedVectors = serializedIndex.fieldVectors, - invertedIndex = {}, - serializedInvertedIndex = serializedIndex.invertedIndex, - tokenSetBuilder = new lunr.TokenSet.Builder, - pipeline = lunr.Pipeline.load(serializedIndex.pipeline) - - if (serializedIndex.version != lunr.version) { - lunr.utils.warn("Version mismatch when loading serialised index. Current version of lunr '" + lunr.version + "' does not match serialized index '" + serializedIndex.version + "'") - } - - for (var i = 0; i < serializedVectors.length; i++) { - var tuple = serializedVectors[i], - ref = tuple[0], - elements = tuple[1] - - fieldVectors[ref] = new lunr.Vector(elements) - } - - for (var i = 0; i < serializedInvertedIndex.length; i++) { - var tuple = serializedInvertedIndex[i], - term = tuple[0], - posting = tuple[1] - - tokenSetBuilder.insert(term) - invertedIndex[term] = posting - } - - tokenSetBuilder.finish() - - attrs.fields = serializedIndex.fields - - attrs.fieldVectors = fieldVectors - attrs.invertedIndex = invertedIndex - attrs.tokenSet = tokenSetBuilder.root - attrs.pipeline = pipeline - - return new lunr.Index(attrs) -} -/*! - * lunr.Builder - * Copyright (C) 2017 Oliver Nightingale - */ - -/** - * lunr.Builder performs indexing on a set of documents and - * returns instances of lunr.Index ready for querying. - * - * All configuration of the index is done via the builder, the - * fields to index, the document reference, the text processing - * pipeline and document scoring parameters are all set on the - * builder before indexing. - * - * @constructor - * @property {string} _ref - Internal reference to the document reference field. - * @property {string[]} _fields - Internal reference to the document fields to index. - * @property {object} invertedIndex - The inverted index maps terms to document fields. - * @property {object} documentTermFrequencies - Keeps track of document term frequencies. - * @property {object} documentLengths - Keeps track of the length of documents added to the index. - * @property {lunr.tokenizer} tokenizer - Function for splitting strings into tokens for indexing. - * @property {lunr.Pipeline} pipeline - The pipeline performs text processing on tokens before indexing. - * @property {lunr.Pipeline} searchPipeline - A pipeline for processing search terms before querying the index. - * @property {number} documentCount - Keeps track of the total number of documents indexed. - * @property {number} _b - A parameter to control field length normalization, setting this to 0 disabled normalization, 1 fully normalizes field lengths, the default value is 0.75. - * @property {number} _k1 - A parameter to control how quickly an increase in term frequency results in term frequency saturation, the default value is 1.2. - * @property {number} termIndex - A counter incremented for each unique term, used to identify a terms position in the vector space. - * @property {array} metadataWhitelist - A list of metadata keys that have been whitelisted for entry in the index. - */ -lunr.Builder = function () { - this._ref = "id" - this._fields = [] - this.invertedIndex = Object.create(null) - this.fieldTermFrequencies = {} - this.fieldLengths = {} - this.tokenizer = lunr.tokenizer - this.pipeline = new lunr.Pipeline - this.searchPipeline = new lunr.Pipeline - this.documentCount = 0 - this._b = 0.75 - this._k1 = 1.2 - this.termIndex = 0 - this.metadataWhitelist = [] -} - -/** - * Sets the document field used as the document reference. Every document must have this field. - * The type of this field in the document should be a string, if it is not a string it will be - * coerced into a string by calling toString. - * - * The default ref is 'id'. - * - * The ref should _not_ be changed during indexing, it should be set before any documents are - * added to the index. Changing it during indexing can lead to inconsistent results. - * - * @param {string} ref - The name of the reference field in the document. - */ -lunr.Builder.prototype.ref = function (ref) { - this._ref = ref -} - -/** - * Adds a field to the list of document fields that will be indexed. Every document being - * indexed should have this field. Null values for this field in indexed documents will - * not cause errors but will limit the chance of that document being retrieved by searches. - * - * All fields should be added before adding documents to the index. Adding fields after - * a document has been indexed will have no effect on already indexed documents. - * - * @param {string} field - The name of a field to index in all documents. - */ -lunr.Builder.prototype.field = function (field) { - this._fields.push(field) -} - -/** - * A parameter to tune the amount of field length normalisation that is applied when - * calculating relevance scores. A value of 0 will completely disable any normalisation - * and a value of 1 will fully normalise field lengths. The default is 0.75. Values of b - * will be clamped to the range 0 - 1. - * - * @param {number} number - The value to set for this tuning parameter. - */ -lunr.Builder.prototype.b = function (number) { - if (number < 0) { - this._b = 0 - } else if (number > 1) { - this._b = 1 - } else { - this._b = number - } -} - -/** - * A parameter that controls the speed at which a rise in term frequency results in term - * frequency saturation. The default value is 1.2. Setting this to a higher value will give - * slower saturation levels, a lower value will result in quicker saturation. - * - * @param {number} number - The value to set for this tuning parameter. - */ -lunr.Builder.prototype.k1 = function (number) { - this._k1 = number -} - -/** - * Adds a document to the index. - * - * Before adding fields to the index the index should have been fully setup, with the document - * ref and all fields to index already having been specified. - * - * The document must have a field name as specified by the ref (by default this is 'id') and - * it should have all fields defined for indexing, though null or undefined values will not - * cause errors. - * - * @param {object} doc - The document to add to the index. - */ -lunr.Builder.prototype.add = function (doc) { - var docRef = doc[this._ref] - - this.documentCount += 1 - - for (var i = 0; i < this._fields.length; i++) { - var fieldName = this._fields[i], - field = doc[fieldName], - tokens = this.tokenizer(field), - terms = this.pipeline.run(tokens), - fieldRef = new lunr.FieldRef (docRef, fieldName), - fieldTerms = Object.create(null) - - this.fieldTermFrequencies[fieldRef] = fieldTerms - this.fieldLengths[fieldRef] = 0 - - // store the length of this field for this document - this.fieldLengths[fieldRef] += terms.length - - // calculate term frequencies for this field - for (var j = 0; j < terms.length; j++) { - var term = terms[j] - - if (fieldTerms[term] == undefined) { - fieldTerms[term] = 0 - } - - fieldTerms[term] += 1 - - // add to inverted index - // create an initial posting if one doesn't exist - if (this.invertedIndex[term] == undefined) { - var posting = Object.create(null) - posting["_index"] = this.termIndex - this.termIndex += 1 - - for (var k = 0; k < this._fields.length; k++) { - posting[this._fields[k]] = Object.create(null) - } - - this.invertedIndex[term] = posting - } - - // add an entry for this term/fieldName/docRef to the invertedIndex - if (this.invertedIndex[term][fieldName][docRef] == undefined) { - this.invertedIndex[term][fieldName][docRef] = Object.create(null) - } - - // store all whitelisted metadata about this token in the - // inverted index - for (var l = 0; l < this.metadataWhitelist.length; l++) { - var metadataKey = this.metadataWhitelist[l], - metadata = term.metadata[metadataKey] - - if (this.invertedIndex[term][fieldName][docRef][metadataKey] == undefined) { - this.invertedIndex[term][fieldName][docRef][metadataKey] = [] - } - - this.invertedIndex[term][fieldName][docRef][metadataKey].push(metadata) - } - } - - } -} - -/** - * Calculates the average document length for this index - * - * @private - */ -lunr.Builder.prototype.calculateAverageFieldLengths = function () { - - var fieldRefs = Object.keys(this.fieldLengths), - numberOfFields = fieldRefs.length, - accumulator = {}, - documentsWithField = {} - - for (var i = 0; i < numberOfFields; i++) { - var fieldRef = lunr.FieldRef.fromString(fieldRefs[i]), - field = fieldRef.fieldName - - documentsWithField[field] || (documentsWithField[field] = 0) - documentsWithField[field] += 1 - - accumulator[field] || (accumulator[field] = 0) - accumulator[field] += this.fieldLengths[fieldRef] - } - - for (var i = 0; i < this._fields.length; i++) { - var field = this._fields[i] - accumulator[field] = accumulator[field] / documentsWithField[field] - } - - this.averageFieldLength = accumulator -} - -/** - * Builds a vector space model of every document using lunr.Vector - * - * @private - */ -lunr.Builder.prototype.createFieldVectors = function () { - var fieldVectors = {}, - fieldRefs = Object.keys(this.fieldTermFrequencies), - fieldRefsLength = fieldRefs.length - - for (var i = 0; i < fieldRefsLength; i++) { - var fieldRef = lunr.FieldRef.fromString(fieldRefs[i]), - field = fieldRef.fieldName, - fieldLength = this.fieldLengths[fieldRef], - fieldVector = new lunr.Vector, - termFrequencies = this.fieldTermFrequencies[fieldRef], - terms = Object.keys(termFrequencies), - termsLength = terms.length - - for (var j = 0; j < termsLength; j++) { - var term = terms[j], - tf = termFrequencies[term], - termIndex = this.invertedIndex[term]._index, - idf = lunr.idf(this.invertedIndex[term], this.documentCount), - score = idf * ((this._k1 + 1) * tf) / (this._k1 * (1 - this._b + this._b * (fieldLength / this.averageFieldLength[field])) + tf), - scoreWithPrecision = Math.round(score * 1000) / 1000 - // Converts 1.23456789 to 1.234. - // Reducing the precision so that the vectors take up less - // space when serialised. Doing it now so that they behave - // the same before and after serialisation. Also, this is - // the fastest approach to reducing a number's precision in - // JavaScript. - - fieldVector.insert(termIndex, scoreWithPrecision) - } - - fieldVectors[fieldRef] = fieldVector - } - - this.fieldVectors = fieldVectors -} - -/** - * Creates a token set of all tokens in the index using lunr.TokenSet - * - * @private - */ -lunr.Builder.prototype.createTokenSet = function () { - this.tokenSet = lunr.TokenSet.fromArray( - Object.keys(this.invertedIndex).sort() - ) -} - -/** - * Builds the index, creating an instance of lunr.Index. - * - * This completes the indexing process and should only be called - * once all documents have been added to the index. - * - * @private - * @returns {lunr.Index} - */ -lunr.Builder.prototype.build = function () { - this.calculateAverageFieldLengths() - this.createFieldVectors() - this.createTokenSet() - - return new lunr.Index({ - invertedIndex: this.invertedIndex, - fieldVectors: this.fieldVectors, - tokenSet: this.tokenSet, - fields: this._fields, - pipeline: this.searchPipeline - }) -} - -/** - * Applies a plugin to the index builder. - * - * A plugin is a function that is called with the index builder as its context. - * Plugins can be used to customise or extend the behaviour of the index - * in some way. A plugin is just a function, that encapsulated the custom - * behaviour that should be applied when building the index. - * - * The plugin function will be called with the index builder as its argument, additional - * arguments can also be passed when calling use. The function will be called - * with the index builder as its context. - * - * @param {Function} plugin The plugin to apply. - */ -lunr.Builder.prototype.use = function (fn) { - var args = Array.prototype.slice.call(arguments, 1) - args.unshift(this) - fn.apply(this, args) -} -/** - * Contains and collects metadata about a matching document. - * A single instance of lunr.MatchData is returned as part of every - * lunr.Index~Result. - * - * @constructor - * @param {string} term - The term this match data is associated with - * @param {string} field - The field in which the term was found - * @param {object} metadata - The metadata recorded about this term in this field - * @property {object} metadata - A cloned collection of metadata associated with this document. - * @see {@link lunr.Index~Result} - */ -lunr.MatchData = function (term, field, metadata) { - var clonedMetadata = Object.create(null), - metadataKeys = Object.keys(metadata) - - // Cloning the metadata to prevent the original - // being mutated during match data combination. - // Metadata is kept in an array within the inverted - // index so cloning the data can be done with - // Array#slice - for (var i = 0; i < metadataKeys.length; i++) { - var key = metadataKeys[i] - clonedMetadata[key] = metadata[key].slice() - } - - this.metadata = Object.create(null) - this.metadata[term] = Object.create(null) - this.metadata[term][field] = clonedMetadata -} - -/** - * An instance of lunr.MatchData will be created for every term that matches a - * document. However only one instance is required in a lunr.Index~Result. This - * method combines metadata from another instance of lunr.MatchData with this - * objects metadata. - * - * @param {lunr.MatchData} otherMatchData - Another instance of match data to merge with this one. - * @see {@link lunr.Index~Result} - */ -lunr.MatchData.prototype.combine = function (otherMatchData) { - var terms = Object.keys(otherMatchData.metadata) - - for (var i = 0; i < terms.length; i++) { - var term = terms[i], - fields = Object.keys(otherMatchData.metadata[term]) - - if (this.metadata[term] == undefined) { - this.metadata[term] = Object.create(null) - } - - for (var j = 0; j < fields.length; j++) { - var field = fields[j], - keys = Object.keys(otherMatchData.metadata[term][field]) - - if (this.metadata[term][field] == undefined) { - this.metadata[term][field] = Object.create(null) - } - - for (var k = 0; k < keys.length; k++) { - var key = keys[k] - - if (this.metadata[term][field][key] == undefined) { - this.metadata[term][field][key] = otherMatchData.metadata[term][field][key] - } else { - this.metadata[term][field][key] = this.metadata[term][field][key].concat(otherMatchData.metadata[term][field][key]) - } - - } - } - } -} -/** - * A lunr.Query provides a programmatic way of defining queries to be performed - * against a {@link lunr.Index}. - * - * Prefer constructing a lunr.Query using the {@link lunr.Index#query} method - * so the query object is pre-initialized with the right index fields. - * - * @constructor - * @property {lunr.Query~Clause[]} clauses - An array of query clauses. - * @property {string[]} allFields - An array of all available fields in a lunr.Index. - */ -lunr.Query = function (allFields) { - this.clauses = [] - this.allFields = allFields -} - -/** - * Constants for indicating what kind of automatic wildcard insertion will be used when constructing a query clause. - * - * This allows wildcards to be added to the beginning and end of a term without having to manually do any string - * concatenation. - * - * The wildcard constants can be bitwise combined to select both leading and trailing wildcards. - * - * @constant - * @default - * @property {number} wildcard.NONE - The term will have no wildcards inserted, this is the default behaviour - * @property {number} wildcard.LEADING - Prepend the term with a wildcard, unless a leading wildcard already exists - * @property {number} wildcard.TRAILING - Append a wildcard to the term, unless a trailing wildcard already exists - * @see lunr.Query~Clause - * @see lunr.Query#clause - * @see lunr.Query#term - * @example query term with trailing wildcard - * query.term('foo', { wildcard: lunr.Query.wildcard.TRAILING }) - * @example query term with leading and trailing wildcard - * query.term('foo', { - * wildcard: lunr.Query.wildcard.LEADING | lunr.Query.wildcard.TRAILING - * }) - */ -lunr.Query.wildcard = new String ("*") -lunr.Query.wildcard.NONE = 0 -lunr.Query.wildcard.LEADING = 1 -lunr.Query.wildcard.TRAILING = 2 - -/** - * A single clause in a {@link lunr.Query} contains a term and details on how to - * match that term against a {@link lunr.Index}. - * - * @typedef {Object} lunr.Query~Clause - * @property {string[]} fields - The fields in an index this clause should be matched against. - * @property {number} [boost=1] - Any boost that should be applied when matching this clause. - * @property {number} [editDistance] - Whether the term should have fuzzy matching applied, and how fuzzy the match should be. - * @property {boolean} [usePipeline] - Whether the term should be passed through the search pipeline. - * @property {number} [wildcard=0] - Whether the term should have wildcards appended or prepended. - */ - -/** - * Adds a {@link lunr.Query~Clause} to this query. - * - * Unless the clause contains the fields to be matched all fields will be matched. In addition - * a default boost of 1 is applied to the clause. - * - * @param {lunr.Query~Clause} clause - The clause to add to this query. - * @see lunr.Query~Clause - * @returns {lunr.Query} - */ -lunr.Query.prototype.clause = function (clause) { - if (!('fields' in clause)) { - clause.fields = this.allFields - } - - if (!('boost' in clause)) { - clause.boost = 1 - } - - if (!('usePipeline' in clause)) { - clause.usePipeline = true - } - - if (!('wildcard' in clause)) { - clause.wildcard = lunr.Query.wildcard.NONE - } - - if ((clause.wildcard & lunr.Query.wildcard.LEADING) && (clause.term.charAt(0) != lunr.Query.wildcard)) { - clause.term = "*" + clause.term - } - - if ((clause.wildcard & lunr.Query.wildcard.TRAILING) && (clause.term.slice(-1) != lunr.Query.wildcard)) { - clause.term = "" + clause.term + "*" - } - - this.clauses.push(clause) - - return this -} - -/** - * Adds a term to the current query, under the covers this will create a {@link lunr.Query~Clause} - * to the list of clauses that make up this query. - * - * @param {string} term - The term to add to the query. - * @param {Object} [options] - Any additional properties to add to the query clause. - * @returns {lunr.Query} - * @see lunr.Query#clause - * @see lunr.Query~Clause - * @example adding a single term to a query - * query.term("foo") - * @example adding a single term to a query and specifying search fields, term boost and automatic trailing wildcard - * query.term("foo", { - * fields: ["title"], - * boost: 10, - * wildcard: lunr.Query.wildcard.TRAILING - * }) - */ -lunr.Query.prototype.term = function (term, options) { - var clause = options || {} - clause.term = term - - this.clause(clause) - - return this -} -lunr.QueryParseError = function (message, start, end) { - this.name = "QueryParseError" - this.message = message - this.start = start - this.end = end -} - -lunr.QueryParseError.prototype = new Error -lunr.QueryLexer = function (str) { - this.lexemes = [] - this.str = str - this.length = str.length - this.pos = 0 - this.start = 0 - this.escapeCharPositions = [] -} - -lunr.QueryLexer.prototype.run = function () { - var state = lunr.QueryLexer.lexText - - while (state) { - state = state(this) - } -} - -lunr.QueryLexer.prototype.sliceString = function () { - var subSlices = [], - sliceStart = this.start, - sliceEnd = this.pos - - for (var i = 0; i < this.escapeCharPositions.length; i++) { - sliceEnd = this.escapeCharPositions[i] - subSlices.push(this.str.slice(sliceStart, sliceEnd)) - sliceStart = sliceEnd + 1 - } - - subSlices.push(this.str.slice(sliceStart, this.pos)) - this.escapeCharPositions.length = 0 - - return subSlices.join('') -} - -lunr.QueryLexer.prototype.emit = function (type) { - this.lexemes.push({ - type: type, - str: this.sliceString(), - start: this.start, - end: this.pos - }) - - this.start = this.pos -} - -lunr.QueryLexer.prototype.escapeCharacter = function () { - this.escapeCharPositions.push(this.pos - 1) - this.pos += 1 -} - -lunr.QueryLexer.prototype.next = function () { - if (this.pos >= this.length) { - return lunr.QueryLexer.EOS - } - - var char = this.str.charAt(this.pos) - this.pos += 1 - return char -} - -lunr.QueryLexer.prototype.width = function () { - return this.pos - this.start -} - -lunr.QueryLexer.prototype.ignore = function () { - if (this.start == this.pos) { - this.pos += 1 - } - - this.start = this.pos -} - -lunr.QueryLexer.prototype.backup = function () { - this.pos -= 1 -} - -lunr.QueryLexer.prototype.acceptDigitRun = function () { - var char, charCode - - do { - char = this.next() - charCode = char.charCodeAt(0) - } while (charCode > 47 && charCode < 58) - - if (char != lunr.QueryLexer.EOS) { - this.backup() - } -} - -lunr.QueryLexer.prototype.more = function () { - return this.pos < this.length -} - -lunr.QueryLexer.EOS = 'EOS' -lunr.QueryLexer.FIELD = 'FIELD' -lunr.QueryLexer.TERM = 'TERM' -lunr.QueryLexer.EDIT_DISTANCE = 'EDIT_DISTANCE' -lunr.QueryLexer.BOOST = 'BOOST' - -lunr.QueryLexer.lexField = function (lexer) { - lexer.backup() - lexer.emit(lunr.QueryLexer.FIELD) - lexer.ignore() - return lunr.QueryLexer.lexText -} - -lunr.QueryLexer.lexTerm = function (lexer) { - if (lexer.width() > 1) { - lexer.backup() - lexer.emit(lunr.QueryLexer.TERM) - } - - lexer.ignore() - - if (lexer.more()) { - return lunr.QueryLexer.lexText - } -} - -lunr.QueryLexer.lexEditDistance = function (lexer) { - lexer.ignore() - lexer.acceptDigitRun() - lexer.emit(lunr.QueryLexer.EDIT_DISTANCE) - return lunr.QueryLexer.lexText -} - -lunr.QueryLexer.lexBoost = function (lexer) { - lexer.ignore() - lexer.acceptDigitRun() - lexer.emit(lunr.QueryLexer.BOOST) - return lunr.QueryLexer.lexText -} - -lunr.QueryLexer.lexEOS = function (lexer) { - if (lexer.width() > 0) { - lexer.emit(lunr.QueryLexer.TERM) - } -} - -// This matches the separator used when tokenising fields -// within a document. These should match otherwise it is -// not possible to search for some tokens within a document. -// -// It is possible for the user to change the separator on the -// tokenizer so it _might_ clash with any other of the special -// characters already used within the search string, e.g. :. -// -// This means that it is possible to change the separator in -// such a way that makes some words unsearchable using a search -// string. -lunr.QueryLexer.termSeparator = lunr.tokenizer.separator - -lunr.QueryLexer.lexText = function (lexer) { - while (true) { - var char = lexer.next() - - if (char == lunr.QueryLexer.EOS) { - return lunr.QueryLexer.lexEOS - } - - // Escape character is '\' - if (char.charCodeAt(0) == 92) { - lexer.escapeCharacter() - continue - } - - if (char == ":") { - return lunr.QueryLexer.lexField - } - - if (char == "~") { - lexer.backup() - if (lexer.width() > 0) { - lexer.emit(lunr.QueryLexer.TERM) - } - return lunr.QueryLexer.lexEditDistance - } - - if (char == "^") { - lexer.backup() - if (lexer.width() > 0) { - lexer.emit(lunr.QueryLexer.TERM) - } - return lunr.QueryLexer.lexBoost - } - - if (char.match(lunr.QueryLexer.termSeparator)) { - return lunr.QueryLexer.lexTerm - } - } -} - -lunr.QueryParser = function (str, query) { - this.lexer = new lunr.QueryLexer (str) - this.query = query - this.currentClause = {} - this.lexemeIdx = 0 -} - -lunr.QueryParser.prototype.parse = function () { - this.lexer.run() - this.lexemes = this.lexer.lexemes - - var state = lunr.QueryParser.parseFieldOrTerm - - while (state) { - state = state(this) - } - - return this.query -} - -lunr.QueryParser.prototype.peekLexeme = function () { - return this.lexemes[this.lexemeIdx] -} - -lunr.QueryParser.prototype.consumeLexeme = function () { - var lexeme = this.peekLexeme() - this.lexemeIdx += 1 - return lexeme -} - -lunr.QueryParser.prototype.nextClause = function () { - var completedClause = this.currentClause - this.query.clause(completedClause) - this.currentClause = {} -} - -lunr.QueryParser.parseFieldOrTerm = function (parser) { - var lexeme = parser.peekLexeme() - - if (lexeme == undefined) { - return - } - - switch (lexeme.type) { - case lunr.QueryLexer.FIELD: - return lunr.QueryParser.parseField - case lunr.QueryLexer.TERM: - return lunr.QueryParser.parseTerm - default: - var errorMessage = "expected either a field or a term, found " + lexeme.type - - if (lexeme.str.length >= 1) { - errorMessage += " with value '" + lexeme.str + "'" - } - - throw new lunr.QueryParseError (errorMessage, lexeme.start, lexeme.end) - } -} - -lunr.QueryParser.parseField = function (parser) { - var lexeme = parser.consumeLexeme() - - if (lexeme == undefined) { - return - } - - if (parser.query.allFields.indexOf(lexeme.str) == -1) { - var possibleFields = parser.query.allFields.map(function (f) { return "'" + f + "'" }).join(', '), - errorMessage = "unrecognised field '" + lexeme.str + "', possible fields: " + possibleFields - - throw new lunr.QueryParseError (errorMessage, lexeme.start, lexeme.end) - } - - parser.currentClause.fields = [lexeme.str] - - var nextLexeme = parser.peekLexeme() - - if (nextLexeme == undefined) { - var errorMessage = "expecting term, found nothing" - throw new lunr.QueryParseError (errorMessage, lexeme.start, lexeme.end) - } - - switch (nextLexeme.type) { - case lunr.QueryLexer.TERM: - return lunr.QueryParser.parseTerm - default: - var errorMessage = "expecting term, found '" + nextLexeme.type + "'" - throw new lunr.QueryParseError (errorMessage, nextLexeme.start, nextLexeme.end) - } -} - -lunr.QueryParser.parseTerm = function (parser) { - var lexeme = parser.consumeLexeme() - - if (lexeme == undefined) { - return - } - - parser.currentClause.term = lexeme.str.toLowerCase() - - if (lexeme.str.indexOf("*") != -1) { - parser.currentClause.usePipeline = false - } - - var nextLexeme = parser.peekLexeme() - - if (nextLexeme == undefined) { - parser.nextClause() - return - } - - switch (nextLexeme.type) { - case lunr.QueryLexer.TERM: - parser.nextClause() - return lunr.QueryParser.parseTerm - case lunr.QueryLexer.FIELD: - parser.nextClause() - return lunr.QueryParser.parseField - case lunr.QueryLexer.EDIT_DISTANCE: - return lunr.QueryParser.parseEditDistance - case lunr.QueryLexer.BOOST: - return lunr.QueryParser.parseBoost - default: - var errorMessage = "Unexpected lexeme type '" + nextLexeme.type + "'" - throw new lunr.QueryParseError (errorMessage, nextLexeme.start, nextLexeme.end) - } -} - -lunr.QueryParser.parseEditDistance = function (parser) { - var lexeme = parser.consumeLexeme() - - if (lexeme == undefined) { - return - } - - var editDistance = parseInt(lexeme.str, 10) - - if (isNaN(editDistance)) { - var errorMessage = "edit distance must be numeric" - throw new lunr.QueryParseError (errorMessage, lexeme.start, lexeme.end) - } - - parser.currentClause.editDistance = editDistance - - var nextLexeme = parser.peekLexeme() - - if (nextLexeme == undefined) { - parser.nextClause() - return - } - - switch (nextLexeme.type) { - case lunr.QueryLexer.TERM: - parser.nextClause() - return lunr.QueryParser.parseTerm - case lunr.QueryLexer.FIELD: - parser.nextClause() - return lunr.QueryParser.parseField - case lunr.QueryLexer.EDIT_DISTANCE: - return lunr.QueryParser.parseEditDistance - case lunr.QueryLexer.BOOST: - return lunr.QueryParser.parseBoost - default: - var errorMessage = "Unexpected lexeme type '" + nextLexeme.type + "'" - throw new lunr.QueryParseError (errorMessage, nextLexeme.start, nextLexeme.end) - } -} - -lunr.QueryParser.parseBoost = function (parser) { - var lexeme = parser.consumeLexeme() - - if (lexeme == undefined) { - return - } - - var boost = parseInt(lexeme.str, 10) - - if (isNaN(boost)) { - var errorMessage = "boost must be numeric" - throw new lunr.QueryParseError (errorMessage, lexeme.start, lexeme.end) - } - - parser.currentClause.boost = boost - - var nextLexeme = parser.peekLexeme() - - if (nextLexeme == undefined) { - parser.nextClause() - return - } - - switch (nextLexeme.type) { - case lunr.QueryLexer.TERM: - parser.nextClause() - return lunr.QueryParser.parseTerm - case lunr.QueryLexer.FIELD: - parser.nextClause() - return lunr.QueryParser.parseField - case lunr.QueryLexer.EDIT_DISTANCE: - return lunr.QueryParser.parseEditDistance - case lunr.QueryLexer.BOOST: - return lunr.QueryParser.parseBoost - default: - var errorMessage = "Unexpected lexeme type '" + nextLexeme.type + "'" - throw new lunr.QueryParseError (errorMessage, nextLexeme.start, nextLexeme.end) - } -} - - /** - * export the module via AMD, CommonJS or as a browser global - * Export code from https://github.com/umdjs/umd/blob/master/returnExports.js - */ - ;(function (root, factory) { - if (typeof define === 'function' && define.amd) { - // AMD. Register as an anonymous module. - define(factory) - } else if (typeof exports === 'object') { - /** - * Node. Does not work with strict CommonJS, but - * only CommonJS-like enviroments that support module.exports, - * like Node. - */ - module.exports = factory() - } else { - // Browser globals (root is window) - root.lunr = factory() - } - }(this, function () { - /** - * Just return a value to define the module export. - * This example returns an object, but the module - * can return a function as the exported value. - */ - return lunr - })) -})(); diff --git a/docs/styles/lunr.min.js b/docs/styles/lunr.min.js deleted file mode 100644 index 77c29c20c..000000000 --- a/docs/styles/lunr.min.js +++ /dev/null @@ -1 +0,0 @@ -!function(){var e,t,r,i,n,s,o,a,u,l,d,h,c,f,p,y,m,g,x,v,w,k,Q,L,T,S,b,P,E=function(e){var t=new E.Builder;return t.pipeline.add(E.trimmer,E.stopWordFilter,E.stemmer),t.searchPipeline.add(E.stemmer),e.call(t,t),t.build()};E.version="2.1.2",E.utils={},E.utils.warn=(e=this,function(t){e.console&&console.warn&&console.warn(t)}),E.utils.asString=function(e){return null==e?"":e.toString()},E.FieldRef=function(e,t){this.docRef=e,this.fieldName=t,this._stringValue=t+E.FieldRef.joiner+e},E.FieldRef.joiner="/",E.FieldRef.fromString=function(e){var t=e.indexOf(E.FieldRef.joiner);if(-1===t)throw"malformed field ref string";var r=e.slice(0,t),i=e.slice(t+1);return new E.FieldRef(i,r)},E.FieldRef.prototype.toString=function(){return this._stringValue},E.idf=function(e,t){var r=0;for(var i in e)"_index"!=i&&(r+=Object.keys(e[i]).length);var n=(t-r+.5)/(r+.5);return Math.log(1+Math.abs(n))},E.Token=function(e,t){this.str=e||"",this.metadata=t||{}},E.Token.prototype.toString=function(){return this.str},E.Token.prototype.update=function(e){return this.str=e(this.str,this.metadata),this},E.Token.prototype.clone=function(e){return e=e||function(e){return e},new E.Token(e(this.str,this.metadata),this.metadata)},E.tokenizer=function(e){if(null==e||null==e)return[];if(Array.isArray(e))return e.map(function(e){return new E.Token(E.utils.asString(e).toLowerCase())});for(var t=e.toString().trim().toLowerCase(),r=t.length,i=[],n=0,s=0;n<=r;n++){var o=n-s;(t.charAt(n).match(E.tokenizer.separator)||n==r)&&(o>0&&i.push(new E.Token(t.slice(s,n),{position:[s,o],index:i.length})),s=n+1)}return i},E.tokenizer.separator=/[\s\-]+/,E.Pipeline=function(){this._stack=[]},E.Pipeline.registeredFunctions=Object.create(null),E.Pipeline.registerFunction=function(e,t){t in this.registeredFunctions&&E.utils.warn("Overwriting existing registered function: "+t),e.label=t,E.Pipeline.registeredFunctions[e.label]=e},E.Pipeline.warnIfFunctionNotRegistered=function(e){e.label&&e.label in this.registeredFunctions||E.utils.warn("Function is not registered with pipeline. This may cause problems when serialising the index.\n",e)},E.Pipeline.load=function(e){var t=new E.Pipeline;return e.forEach(function(e){var r=E.Pipeline.registeredFunctions[e];if(!r)throw new Error("Cannot load unregistered function: "+e);t.add(r)}),t},E.Pipeline.prototype.add=function(){Array.prototype.slice.call(arguments).forEach(function(e){E.Pipeline.warnIfFunctionNotRegistered(e),this._stack.push(e)},this)},E.Pipeline.prototype.after=function(e,t){E.Pipeline.warnIfFunctionNotRegistered(t);var r=this._stack.indexOf(e);if(-1==r)throw new Error("Cannot find existingFn");r+=1,this._stack.splice(r,0,t)},E.Pipeline.prototype.before=function(e,t){E.Pipeline.warnIfFunctionNotRegistered(t);var r=this._stack.indexOf(e);if(-1==r)throw new Error("Cannot find existingFn");this._stack.splice(r,0,t)},E.Pipeline.prototype.remove=function(e){var t=this._stack.indexOf(e);-1!=t&&this._stack.splice(t,1)},E.Pipeline.prototype.run=function(e){for(var t=this._stack.length,r=0;r1&&(se&&(r=n),s!=e);)i=r-t,n=t+Math.floor(i/2),s=this.elements[2*n];return s==e?2*n:s>e?2*n:sa?l+=2:o==a&&(t+=r[u+1]*i[l+1],u+=2,l+=2);return t},E.Vector.prototype.similarity=function(e){return this.dot(e)/(this.magnitude()*e.magnitude())},E.Vector.prototype.toArray=function(){for(var e=new Array(this.elements.length/2),t=1,r=0;t0)(s=a.str.charAt(0))in a.node.edges?n=a.node.edges[s]:(n=new E.TokenSet,a.node.edges[s]=n),1==a.str.length?n.final=!0:i.push({node:n,editsRemaining:a.editsRemaining,str:a.str.slice(1)});if(a.editsRemaining>0&&a.str.length>1)(s=a.str.charAt(1))in a.node.edges?o=a.node.edges[s]:(o=new E.TokenSet,a.node.edges[s]=o),a.str.length<=2?o.final=!0:i.push({node:o,editsRemaining:a.editsRemaining-1,str:a.str.slice(2)});if(a.editsRemaining>0&&1==a.str.length&&(a.node.final=!0),a.editsRemaining>0&&a.str.length>=1){if("*"in a.node.edges)var u=a.node.edges["*"];else{u=new E.TokenSet;a.node.edges["*"]=u}1==a.str.length?u.final=!0:i.push({node:u,editsRemaining:a.editsRemaining-1,str:a.str.slice(1)})}if(a.editsRemaining>0){if("*"in a.node.edges)var l=a.node.edges["*"];else{l=new E.TokenSet;a.node.edges["*"]=l}0==a.str.length?l.final=!0:i.push({node:l,editsRemaining:a.editsRemaining-1,str:a.str})}if(a.editsRemaining>0&&a.str.length>1){var d,h=a.str.charAt(0),c=a.str.charAt(1);c in a.node.edges?d=a.node.edges[c]:(d=new E.TokenSet,a.node.edges[c]=d),1==a.str.length?d.final=!0:i.push({node:d,editsRemaining:a.editsRemaining-1,str:h+a.str.slice(2)})}}return r},E.TokenSet.fromString=function(e){for(var t=new E.TokenSet,r=t,i=!1,n=0,s=e.length;n=e;t--){var r=this.uncheckedNodes[t],i=r.child.toString();i in this.minimizedNodes?r.parent.edges[r.char]=this.minimizedNodes[i]:(r.child._str=i,this.minimizedNodes[i]=r.child),this.uncheckedNodes.pop()}},E.Index=function(e){this.invertedIndex=e.invertedIndex,this.fieldVectors=e.fieldVectors,this.tokenSet=e.tokenSet,this.fields=e.fields,this.pipeline=e.pipeline},E.Index.prototype.search=function(e){return this.query(function(t){new E.QueryParser(e,t).parse()})},E.Index.prototype.query=function(e){var t=new E.Query(this.fields),r=Object.create(null),i=Object.create(null);e.call(t,t);for(var n=0;n1?1:e},E.Builder.prototype.k1=function(e){this._k1=e},E.Builder.prototype.add=function(e){var t=e[this._ref];this.documentCount+=1;for(var r=0;r=this.length)return E.QueryLexer.EOS;var e=this.str.charAt(this.pos);return this.pos+=1,e},E.QueryLexer.prototype.width=function(){return this.pos-this.start},E.QueryLexer.prototype.ignore=function(){this.start==this.pos&&(this.pos+=1),this.start=this.pos},E.QueryLexer.prototype.backup=function(){this.pos-=1},E.QueryLexer.prototype.acceptDigitRun=function(){var e,t;do{t=(e=this.next()).charCodeAt(0)}while(t>47&&t<58);e!=E.QueryLexer.EOS&&this.backup()},E.QueryLexer.prototype.more=function(){return this.pos1&&(e.backup(),e.emit(E.QueryLexer.TERM)),e.ignore(),e.more())return E.QueryLexer.lexText},E.QueryLexer.lexEditDistance=function(e){return e.ignore(),e.acceptDigitRun(),e.emit(E.QueryLexer.EDIT_DISTANCE),E.QueryLexer.lexText},E.QueryLexer.lexBoost=function(e){return e.ignore(),e.acceptDigitRun(),e.emit(E.QueryLexer.BOOST),E.QueryLexer.lexText},E.QueryLexer.lexEOS=function(e){e.width()>0&&e.emit(E.QueryLexer.TERM)},E.QueryLexer.termSeparator=E.tokenizer.separator,E.QueryLexer.lexText=function(e){for(;;){var t=e.next();if(t==E.QueryLexer.EOS)return E.QueryLexer.lexEOS;if(92!=t.charCodeAt(0)){if(":"==t)return E.QueryLexer.lexField;if("~"==t)return e.backup(),e.width()>0&&e.emit(E.QueryLexer.TERM),E.QueryLexer.lexEditDistance;if("^"==t)return e.backup(),e.width()>0&&e.emit(E.QueryLexer.TERM),E.QueryLexer.lexBoost;if(t.match(E.QueryLexer.termSeparator))return E.QueryLexer.lexTerm}else e.escapeCharacter()}},E.QueryParser=function(e,t){this.lexer=new E.QueryLexer(e),this.query=t,this.currentClause={},this.lexemeIdx=0},E.QueryParser.prototype.parse=function(){this.lexer.run(),this.lexemes=this.lexer.lexemes;for(var e=E.QueryParser.parseFieldOrTerm;e;)e=e(this);return this.query},E.QueryParser.prototype.peekLexeme=function(){return this.lexemes[this.lexemeIdx]},E.QueryParser.prototype.consumeLexeme=function(){var e=this.peekLexeme();return this.lexemeIdx+=1,e},E.QueryParser.prototype.nextClause=function(){var e=this.currentClause;this.query.clause(e),this.currentClause={}},E.QueryParser.parseFieldOrTerm=function(e){var t=e.peekLexeme();if(null!=t)switch(t.type){case E.QueryLexer.FIELD:return E.QueryParser.parseField;case E.QueryLexer.TERM:return E.QueryParser.parseTerm;default:var r="expected either a field or a term, found "+t.type;throw t.str.length>=1&&(r+=" with value '"+t.str+"'"),new E.QueryParseError(r,t.start,t.end)}},E.QueryParser.parseField=function(e){var t=e.consumeLexeme();if(null!=t){if(-1==e.query.allFields.indexOf(t.str)){var r=e.query.allFields.map(function(e){return"'"+e+"'"}).join(", "),i="unrecognised field '"+t.str+"', possible fields: "+r;throw new E.QueryParseError(i,t.start,t.end)}e.currentClause.fields=[t.str];var n=e.peekLexeme();if(null==n){i="expecting term, found nothing";throw new E.QueryParseError(i,t.start,t.end)}switch(n.type){case E.QueryLexer.TERM:return E.QueryParser.parseTerm;default:i="expecting term, found '"+n.type+"'";throw new E.QueryParseError(i,n.start,n.end)}}},E.QueryParser.parseTerm=function(e){var t=e.consumeLexeme();if(null!=t){e.currentClause.term=t.str.toLowerCase(),-1!=t.str.indexOf("*")&&(e.currentClause.usePipeline=!1);var r=e.peekLexeme();if(null!=r)switch(r.type){case E.QueryLexer.TERM:return e.nextClause(),E.QueryParser.parseTerm;case E.QueryLexer.FIELD:return e.nextClause(),E.QueryParser.parseField;case E.QueryLexer.EDIT_DISTANCE:return E.QueryParser.parseEditDistance;case E.QueryLexer.BOOST:return E.QueryParser.parseBoost;default:var i="Unexpected lexeme type '"+r.type+"'";throw new E.QueryParseError(i,r.start,r.end)}else e.nextClause()}},E.QueryParser.parseEditDistance=function(e){var t=e.consumeLexeme();if(null!=t){var r=parseInt(t.str,10);if(isNaN(r)){var i="edit distance must be numeric";throw new E.QueryParseError(i,t.start,t.end)}e.currentClause.editDistance=r;var n=e.peekLexeme();if(null!=n)switch(n.type){case E.QueryLexer.TERM:return e.nextClause(),E.QueryParser.parseTerm;case E.QueryLexer.FIELD:return e.nextClause(),E.QueryParser.parseField;case E.QueryLexer.EDIT_DISTANCE:return E.QueryParser.parseEditDistance;case E.QueryLexer.BOOST:return E.QueryParser.parseBoost;default:i="Unexpected lexeme type '"+n.type+"'";throw new E.QueryParseError(i,n.start,n.end)}else e.nextClause()}},E.QueryParser.parseBoost=function(e){var t=e.consumeLexeme();if(null!=t){var r=parseInt(t.str,10);if(isNaN(r)){var i="boost must be numeric";throw new E.QueryParseError(i,t.start,t.end)}e.currentClause.boost=r;var n=e.peekLexeme();if(null!=n)switch(n.type){case E.QueryLexer.TERM:return e.nextClause(),E.QueryParser.parseTerm;case E.QueryLexer.FIELD:return e.nextClause(),E.QueryParser.parseField;case E.QueryLexer.EDIT_DISTANCE:return E.QueryParser.parseEditDistance;case E.QueryLexer.BOOST:return E.QueryParser.parseBoost;default:i="Unexpected lexeme type '"+n.type+"'";throw new E.QueryParseError(i,n.start,n.end)}else e.nextClause()}},b=this,P=function(){return E},"function"==typeof define&&define.amd?define(P):"object"==typeof exports?module.exports=P():b.lunr=P()}(); \ No newline at end of file diff --git a/docs/styles/main.css b/docs/styles/main.css deleted file mode 100644 index 165a8786e..000000000 --- a/docs/styles/main.css +++ /dev/null @@ -1,299 +0,0 @@ -/* COLOR VARIABLES*/ -:root { - --header-bg-color: #0d47a1; - --header-ft-color: #fff; - --highlight-light: #5e92f3; - --highlight-dark: #003c8f; - --accent-dim: #eee; - --font-color: #34393e; - --card-box-shadow: 0 1px 2px 0 rgba(61, 65, 68, 0.06), 0 1px 3px 1px rgba(61, 65, 68, 0.16); - --under-box-shadow: 0 4px 4px -2px #eee; - --search-box-shadow: 0px 0px 5px 0px rgba(255,255,255,1); -} - -body { - color: var(--font-color); - font-family: "Roboto", sans-serif; - line-height: 1.5; - font-size: 16px; - -ms-text-size-adjust: 100%; - -webkit-text-size-adjust: 100%; - word-wrap: break-word; -} - -/* HIGHLIGHT COLOR */ - -button, -a { - color: var(--highlight-dark); - cursor: pointer; -} - -button:hover, -button:focus, -a:hover, -a:focus { - color: var(--highlight-light); - text-decoration: none; -} - -.toc .nav > li.active > a { - color: var(--highlight-dark); -} - -.toc .nav > li.active > a:hover, -.toc .nav > li.active > a:focus { - color: var(--highlight-light); -} - -.pagination > .active > a { - background-color: var(--header-bg-color); - border-color: var(--header-bg-color); -} - -.pagination > .active > a, -.pagination > .active > a:focus, -.pagination > .active > a:hover, -.pagination > .active > span, -.pagination > .active > span:focus, -.pagination > .active > span:hover { - background-color: var(--highlight-light); - border-color: var(--highlight-light); -} - -/* HEADINGS */ - -h1 { - font-weight: 600; - font-size: 32px; -} - -h2 { - font-weight: 600; - font-size: 24px; - line-height: 1.8; -} - -h3 { - font-weight: 600; - font-size: 20px; - line-height: 1.8; -} - -h5 { - font-size: 14px; - padding: 10px 0px; -} - -article h1, -article h2, -article h3, -article h4 { - margin-top: 35px; - margin-bottom: 15px; -} - -article h4 { - padding-bottom: 8px; - border-bottom: 2px solid #ddd; -} - -/* NAVBAR */ - -.navbar-brand > img { - color: var(--header-ft-color); -} - -.navbar { - border: none; - /* Both navbars use box-shadow */ - -webkit-box-shadow: var(--card-box-shadow); - -moz-box-shadow: var(--card-box-shadow); - box-shadow: var(--card-box-shadow); -} - -.subnav { - border-top: 1px solid #ddd; - background-color: #fff; -} - -.navbar-inverse { - background-color: var(--header-bg-color); - z-index: 100; -} - -.navbar-inverse .navbar-nav > li > a, -.navbar-inverse .navbar-text { - color: var(--header-ft-color); - background-color: var(--header-bg-color); - border-bottom: 3px solid transparent; - padding-bottom: 12px; -} - -.navbar-inverse .navbar-nav > li > a:focus, -.navbar-inverse .navbar-nav > li > a:hover { - color: var(--header-ft-color); - background-color: var(--header-bg-color); - border-bottom: 3px solid white; -} - -.navbar-inverse .navbar-nav > .active > a, -.navbar-inverse .navbar-nav > .active > a:focus, -.navbar-inverse .navbar-nav > .active > a:hover { - color: var(--header-ft-color); - background-color: var(--header-bg-color); - border-bottom: 3px solid white; -} - -.navbar-form .form-control { - border: 0; - border-radius: 0; -} - -.navbar-form .form-control:hover { - box-shadow: var(--search-box-shadow); -} - -.toc-filter > input:hover { - box-shadow: var(--under-box-shadow); -} - -/* NAVBAR TOGGLED (small screens) */ - -.navbar-inverse .navbar-collapse, .navbar-inverse .navbar-form { - border: none; -} -.navbar-inverse .navbar-toggle { - box-shadow: var(--card-box-shadow); - border: none; -} - -.navbar-inverse .navbar-toggle:focus, -.navbar-inverse .navbar-toggle:hover { - background-color: var(--header-ft-color); -} - -/* SIDEBAR */ - -.toc .level1 > li { - font-weight: 400; -} - -.toc .nav > li > a { - color: var(--font-color); -} - -.sidefilter { - background-color: #fff; - border-left: none; - border-right: none; -} - -.sidefilter { - background-color: #fff; - border-left: none; - border-right: none; -} - -.toc-filter { - padding: 10px; - margin: 0; -} - -.toc-filter > input { - border: none; - border-bottom: 2px solid var(--accent-dim); -} - -.toc-filter > .filter-icon { - display: none; -} - -.sidetoc > .toc { - background-color: #fff; - overflow-x: hidden; -} - -.sidetoc { - background-color: #fff; - border: none; -} - -/* ALERTS */ - -.alert { - padding: 0px 0px 5px 0px; - color: inherit; - background-color: inherit; - border: none; - box-shadow: var(--card-box-shadow); -} - -.alert > p { - margin-bottom: 0; - padding: 5px 10px; -} - -.alert > ul { - margin-bottom: 0; - padding: 5px 40px; -} - -.alert > h5 { - padding: 10px 15px; - margin-top: 0; - text-transform: uppercase; - font-weight: bold; - border-radius: 4px 4px 0 0; -} - -.alert-info > h5 { - color: #1976d2; - border-bottom: 4px solid #1976d2; - background-color: #e3f2fd; -} - -.alert-warning > h5 { - color: #f57f17; - border-bottom: 4px solid #f57f17; - background-color: #fff3e0; -} - -.alert-danger > h5 { - color: #d32f2f; - border-bottom: 4px solid #d32f2f; - background-color: #ffebee; -} - -/* CODE HIGHLIGHT */ -pre { - padding: 9.5px; - margin: 0 0 10px; - font-size: 13px; - word-break: break-all; - word-wrap: break-word; - background-color: #fffaef; - border-radius: 4px; - border: none; - box-shadow: var(--card-box-shadow); -} - -/* STYLE FOR IMAGES */ - -.article .small-image { - margin-top: 15px; - box-shadow: var(--card-box-shadow); - max-width: 350px; -} - -.article .medium-image { - margin-top: 15px; - box-shadow: var(--card-box-shadow); - max-width: 550px; -} - -.article .large-image { - margin-top: 15px; - box-shadow: var(--card-box-shadow); - max-width: 700px; -} \ No newline at end of file diff --git a/docs/styles/main.js b/docs/styles/main.js deleted file mode 100644 index aeca70d85..000000000 --- a/docs/styles/main.js +++ /dev/null @@ -1 +0,0 @@ -// Copyright (c) Microsoft. All rights reserved. Licensed under the MIT license. See LICENSE file in the project root for full license information. diff --git a/docs/styles/search-worker.js b/docs/styles/search-worker.js deleted file mode 100644 index 257320ca6..000000000 --- a/docs/styles/search-worker.js +++ /dev/null @@ -1,80 +0,0 @@ -(function () { - importScripts('lunr.min.js'); - - var lunrIndex; - - var stopWords = null; - var searchData = {}; - - lunr.tokenizer.separator = /[\s\-\.]+/; - - var stopWordsRequest = new XMLHttpRequest(); - stopWordsRequest.open('GET', '../search-stopwords.json'); - stopWordsRequest.onload = function () { - if (this.status != 200) { - return; - } - stopWords = JSON.parse(this.responseText); - buildIndex(); - } - stopWordsRequest.send(); - - var searchDataRequest = new XMLHttpRequest(); - - searchDataRequest.open('GET', '../index.json'); - searchDataRequest.onload = function () { - if (this.status != 200) { - return; - } - searchData = JSON.parse(this.responseText); - - buildIndex(); - - postMessage({ e: 'index-ready' }); - } - searchDataRequest.send(); - - onmessage = function (oEvent) { - var q = oEvent.data.q; - var hits = lunrIndex.search(q); - var results = []; - hits.forEach(function (hit) { - var item = searchData[hit.ref]; - results.push({ 'href': item.href, 'title': item.title, 'keywords': item.keywords }); - }); - postMessage({ e: 'query-ready', q: q, d: results }); - } - - function buildIndex() { - if (stopWords !== null && !isEmpty(searchData)) { - lunrIndex = lunr(function () { - this.pipeline.remove(lunr.stopWordFilter); - this.ref('href'); - this.field('title', { boost: 50 }); - this.field('keywords', { boost: 20 }); - - for (var prop in searchData) { - if (searchData.hasOwnProperty(prop)) { - this.add(searchData[prop]); - } - } - - var docfxStopWordFilter = lunr.generateStopWordFilter(stopWords); - lunr.Pipeline.registerFunction(docfxStopWordFilter, 'docfxStopWordFilter'); - this.pipeline.add(docfxStopWordFilter); - this.searchPipeline.add(docfxStopWordFilter); - }); - } - } - - function isEmpty(obj) { - if(!obj) return true; - - for (var prop in obj) { - if (obj.hasOwnProperty(prop)) - return false; - } - - return true; - } -})(); diff --git a/docs/toc.html b/docs/toc.html deleted file mode 100644 index bd27a7838..000000000 --- a/docs/toc.html +++ /dev/null @@ -1,31 +0,0 @@ - -
                                                                                                                                                          -
                                                                                                                                                          -
                                                                                                                                                          -
                                                                                                                                                          - - - -
                                                                                                                                                          -
                                                                                                                                                          -
                                                                                                                                                          -
                                                                                                                                                          - - -
                                                                                                                                                          -
                                                                                                                                                          -
                                                                                                                                                          -
                                                                                                                                                          \ No newline at end of file diff --git a/docs/xrefmap.yml b/docs/xrefmap.yml deleted file mode 100644 index 5668c73ff..000000000 --- a/docs/xrefmap.yml +++ /dev/null @@ -1,10406 +0,0 @@ -### YamlMime:XRefMap -sorted: true -references: -- uid: Terminal.Gui - name: Terminal.Gui - href: api/Terminal.Gui/Terminal.Gui.html - commentId: N:Terminal.Gui - fullName: Terminal.Gui - nameWithType: Terminal.Gui -- uid: Terminal.Gui.Application - name: Application - href: api/Terminal.Gui/Terminal.Gui.Application.html - commentId: T:Terminal.Gui.Application - fullName: Terminal.Gui.Application - nameWithType: Application -- uid: Terminal.Gui.Application.Begin(Terminal.Gui.Toplevel) - name: Begin(Toplevel) - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_Begin_Terminal_Gui_Toplevel_ - commentId: M:Terminal.Gui.Application.Begin(Terminal.Gui.Toplevel) - fullName: Terminal.Gui.Application.Begin(Terminal.Gui.Toplevel) - nameWithType: Application.Begin(Toplevel) -- uid: Terminal.Gui.Application.Begin* - name: Begin - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_Begin_ - commentId: Overload:Terminal.Gui.Application.Begin - isSpec: "True" - fullName: Terminal.Gui.Application.Begin - nameWithType: Application.Begin -- uid: Terminal.Gui.Application.Current - name: Current - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_Current - commentId: P:Terminal.Gui.Application.Current - fullName: Terminal.Gui.Application.Current - nameWithType: Application.Current -- uid: Terminal.Gui.Application.Current* - name: Current - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_Current_ - commentId: Overload:Terminal.Gui.Application.Current - isSpec: "True" - fullName: Terminal.Gui.Application.Current - nameWithType: Application.Current -- uid: Terminal.Gui.Application.CurrentView - name: CurrentView - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_CurrentView - commentId: P:Terminal.Gui.Application.CurrentView - fullName: Terminal.Gui.Application.CurrentView - nameWithType: Application.CurrentView -- uid: Terminal.Gui.Application.CurrentView* - name: CurrentView - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_CurrentView_ - commentId: Overload:Terminal.Gui.Application.CurrentView - isSpec: "True" - fullName: Terminal.Gui.Application.CurrentView - nameWithType: Application.CurrentView -- uid: Terminal.Gui.Application.Driver - name: Driver - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_Driver - commentId: F:Terminal.Gui.Application.Driver - fullName: Terminal.Gui.Application.Driver - nameWithType: Application.Driver -- uid: Terminal.Gui.Application.End(Terminal.Gui.Application.RunState,System.Boolean) - name: End(Application.RunState, Boolean) - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_End_Terminal_Gui_Application_RunState_System_Boolean_ - commentId: M:Terminal.Gui.Application.End(Terminal.Gui.Application.RunState,System.Boolean) - fullName: Terminal.Gui.Application.End(Terminal.Gui.Application.RunState, System.Boolean) - nameWithType: Application.End(Application.RunState, Boolean) -- uid: Terminal.Gui.Application.End* - name: End - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_End_ - commentId: Overload:Terminal.Gui.Application.End - isSpec: "True" - fullName: Terminal.Gui.Application.End - nameWithType: Application.End -- uid: Terminal.Gui.Application.GrabMouse(Terminal.Gui.View) - name: GrabMouse(View) - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_GrabMouse_Terminal_Gui_View_ - commentId: M:Terminal.Gui.Application.GrabMouse(Terminal.Gui.View) - fullName: Terminal.Gui.Application.GrabMouse(Terminal.Gui.View) - nameWithType: Application.GrabMouse(View) -- uid: Terminal.Gui.Application.GrabMouse* - name: GrabMouse - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_GrabMouse_ - commentId: Overload:Terminal.Gui.Application.GrabMouse - isSpec: "True" - fullName: Terminal.Gui.Application.GrabMouse - nameWithType: Application.GrabMouse -- uid: Terminal.Gui.Application.Init - name: Init() - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_Init - commentId: M:Terminal.Gui.Application.Init - fullName: Terminal.Gui.Application.Init() - nameWithType: Application.Init() -- uid: Terminal.Gui.Application.Init* - name: Init - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_Init_ - commentId: Overload:Terminal.Gui.Application.Init - isSpec: "True" - fullName: Terminal.Gui.Application.Init - nameWithType: Application.Init -- uid: Terminal.Gui.Application.Iteration - name: Iteration - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_Iteration - commentId: E:Terminal.Gui.Application.Iteration - fullName: Terminal.Gui.Application.Iteration - nameWithType: Application.Iteration -- uid: Terminal.Gui.Application.Loaded - name: Loaded - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_Loaded - commentId: E:Terminal.Gui.Application.Loaded - fullName: Terminal.Gui.Application.Loaded - nameWithType: Application.Loaded -- uid: Terminal.Gui.Application.MainLoop - name: MainLoop - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_MainLoop - commentId: P:Terminal.Gui.Application.MainLoop - fullName: Terminal.Gui.Application.MainLoop - nameWithType: Application.MainLoop -- uid: Terminal.Gui.Application.MainLoop* - name: MainLoop - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_MainLoop_ - commentId: Overload:Terminal.Gui.Application.MainLoop - isSpec: "True" - fullName: Terminal.Gui.Application.MainLoop - nameWithType: Application.MainLoop -- uid: Terminal.Gui.Application.MakeCenteredRect(Terminal.Gui.Size) - name: MakeCenteredRect(Size) - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_MakeCenteredRect_Terminal_Gui_Size_ - commentId: M:Terminal.Gui.Application.MakeCenteredRect(Terminal.Gui.Size) - fullName: Terminal.Gui.Application.MakeCenteredRect(Terminal.Gui.Size) - nameWithType: Application.MakeCenteredRect(Size) -- uid: Terminal.Gui.Application.MakeCenteredRect* - name: MakeCenteredRect - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_MakeCenteredRect_ - commentId: Overload:Terminal.Gui.Application.MakeCenteredRect - isSpec: "True" - fullName: Terminal.Gui.Application.MakeCenteredRect - nameWithType: Application.MakeCenteredRect -- uid: Terminal.Gui.Application.Refresh - name: Refresh() - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_Refresh - commentId: M:Terminal.Gui.Application.Refresh - fullName: Terminal.Gui.Application.Refresh() - nameWithType: Application.Refresh() -- uid: Terminal.Gui.Application.Refresh* - name: Refresh - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_Refresh_ - commentId: Overload:Terminal.Gui.Application.Refresh - isSpec: "True" - fullName: Terminal.Gui.Application.Refresh - nameWithType: Application.Refresh -- uid: Terminal.Gui.Application.RequestStop - name: RequestStop() - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_RequestStop - commentId: M:Terminal.Gui.Application.RequestStop - fullName: Terminal.Gui.Application.RequestStop() - nameWithType: Application.RequestStop() -- uid: Terminal.Gui.Application.RequestStop* - name: RequestStop - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_RequestStop_ - commentId: Overload:Terminal.Gui.Application.RequestStop - isSpec: "True" - fullName: Terminal.Gui.Application.RequestStop - nameWithType: Application.RequestStop -- uid: Terminal.Gui.Application.Resized - name: Resized - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_Resized - commentId: E:Terminal.Gui.Application.Resized - fullName: Terminal.Gui.Application.Resized - nameWithType: Application.Resized -- uid: Terminal.Gui.Application.ResizedEventArgs - name: Application.ResizedEventArgs - href: api/Terminal.Gui/Terminal.Gui.Application.ResizedEventArgs.html - commentId: T:Terminal.Gui.Application.ResizedEventArgs - fullName: Terminal.Gui.Application.ResizedEventArgs - nameWithType: Application.ResizedEventArgs -- uid: Terminal.Gui.Application.ResizedEventArgs.Cols - name: Cols - href: api/Terminal.Gui/Terminal.Gui.Application.ResizedEventArgs.html#Terminal_Gui_Application_ResizedEventArgs_Cols - commentId: P:Terminal.Gui.Application.ResizedEventArgs.Cols - fullName: Terminal.Gui.Application.ResizedEventArgs.Cols - nameWithType: Application.ResizedEventArgs.Cols -- uid: Terminal.Gui.Application.ResizedEventArgs.Cols* - name: Cols - href: api/Terminal.Gui/Terminal.Gui.Application.ResizedEventArgs.html#Terminal_Gui_Application_ResizedEventArgs_Cols_ - commentId: Overload:Terminal.Gui.Application.ResizedEventArgs.Cols - isSpec: "True" - fullName: Terminal.Gui.Application.ResizedEventArgs.Cols - nameWithType: Application.ResizedEventArgs.Cols -- uid: Terminal.Gui.Application.ResizedEventArgs.Rows - name: Rows - href: api/Terminal.Gui/Terminal.Gui.Application.ResizedEventArgs.html#Terminal_Gui_Application_ResizedEventArgs_Rows - commentId: P:Terminal.Gui.Application.ResizedEventArgs.Rows - fullName: Terminal.Gui.Application.ResizedEventArgs.Rows - nameWithType: Application.ResizedEventArgs.Rows -- uid: Terminal.Gui.Application.ResizedEventArgs.Rows* - name: Rows - href: api/Terminal.Gui/Terminal.Gui.Application.ResizedEventArgs.html#Terminal_Gui_Application_ResizedEventArgs_Rows_ - commentId: Overload:Terminal.Gui.Application.ResizedEventArgs.Rows - isSpec: "True" - fullName: Terminal.Gui.Application.ResizedEventArgs.Rows - nameWithType: Application.ResizedEventArgs.Rows -- uid: Terminal.Gui.Application.RootMouseEvent - name: RootMouseEvent - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_RootMouseEvent - commentId: F:Terminal.Gui.Application.RootMouseEvent - fullName: Terminal.Gui.Application.RootMouseEvent - nameWithType: Application.RootMouseEvent -- uid: Terminal.Gui.Application.Run - name: Run() - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_Run - commentId: M:Terminal.Gui.Application.Run - fullName: Terminal.Gui.Application.Run() - nameWithType: Application.Run() -- uid: Terminal.Gui.Application.Run(Terminal.Gui.Toplevel,System.Boolean) - name: Run(Toplevel, Boolean) - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_Run_Terminal_Gui_Toplevel_System_Boolean_ - commentId: M:Terminal.Gui.Application.Run(Terminal.Gui.Toplevel,System.Boolean) - fullName: Terminal.Gui.Application.Run(Terminal.Gui.Toplevel, System.Boolean) - nameWithType: Application.Run(Toplevel, Boolean) -- uid: Terminal.Gui.Application.Run* - name: Run - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_Run_ - commentId: Overload:Terminal.Gui.Application.Run - isSpec: "True" - fullName: Terminal.Gui.Application.Run - nameWithType: Application.Run -- uid: Terminal.Gui.Application.Run``1 - name: Run() - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_Run__1 - commentId: M:Terminal.Gui.Application.Run``1 - name.vb: Run(Of T)() - fullName: Terminal.Gui.Application.Run() - fullName.vb: Terminal.Gui.Application.Run(Of T)() - nameWithType: Application.Run() - nameWithType.vb: Application.Run(Of T)() -- uid: Terminal.Gui.Application.RunLoop(Terminal.Gui.Application.RunState,System.Boolean) - name: RunLoop(Application.RunState, Boolean) - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_RunLoop_Terminal_Gui_Application_RunState_System_Boolean_ - commentId: M:Terminal.Gui.Application.RunLoop(Terminal.Gui.Application.RunState,System.Boolean) - fullName: Terminal.Gui.Application.RunLoop(Terminal.Gui.Application.RunState, System.Boolean) - nameWithType: Application.RunLoop(Application.RunState, Boolean) -- uid: Terminal.Gui.Application.RunLoop* - name: RunLoop - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_RunLoop_ - commentId: Overload:Terminal.Gui.Application.RunLoop - isSpec: "True" - fullName: Terminal.Gui.Application.RunLoop - nameWithType: Application.RunLoop -- uid: Terminal.Gui.Application.RunState - name: Application.RunState - href: api/Terminal.Gui/Terminal.Gui.Application.RunState.html - commentId: T:Terminal.Gui.Application.RunState - fullName: Terminal.Gui.Application.RunState - nameWithType: Application.RunState -- uid: Terminal.Gui.Application.RunState.Dispose - name: Dispose() - href: api/Terminal.Gui/Terminal.Gui.Application.RunState.html#Terminal_Gui_Application_RunState_Dispose - commentId: M:Terminal.Gui.Application.RunState.Dispose - fullName: Terminal.Gui.Application.RunState.Dispose() - nameWithType: Application.RunState.Dispose() -- uid: Terminal.Gui.Application.RunState.Dispose(System.Boolean) - name: Dispose(Boolean) - href: api/Terminal.Gui/Terminal.Gui.Application.RunState.html#Terminal_Gui_Application_RunState_Dispose_System_Boolean_ - commentId: M:Terminal.Gui.Application.RunState.Dispose(System.Boolean) - fullName: Terminal.Gui.Application.RunState.Dispose(System.Boolean) - nameWithType: Application.RunState.Dispose(Boolean) -- uid: Terminal.Gui.Application.RunState.Dispose* - name: Dispose - href: api/Terminal.Gui/Terminal.Gui.Application.RunState.html#Terminal_Gui_Application_RunState_Dispose_ - commentId: Overload:Terminal.Gui.Application.RunState.Dispose - isSpec: "True" - fullName: Terminal.Gui.Application.RunState.Dispose - nameWithType: Application.RunState.Dispose -- uid: Terminal.Gui.Application.Shutdown(System.Boolean) - name: Shutdown(Boolean) - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_Shutdown_System_Boolean_ - commentId: M:Terminal.Gui.Application.Shutdown(System.Boolean) - fullName: Terminal.Gui.Application.Shutdown(System.Boolean) - nameWithType: Application.Shutdown(Boolean) -- uid: Terminal.Gui.Application.Shutdown* - name: Shutdown - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_Shutdown_ - commentId: Overload:Terminal.Gui.Application.Shutdown - isSpec: "True" - fullName: Terminal.Gui.Application.Shutdown - nameWithType: Application.Shutdown -- uid: Terminal.Gui.Application.Top - name: Top - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_Top - commentId: P:Terminal.Gui.Application.Top - fullName: Terminal.Gui.Application.Top - nameWithType: Application.Top -- uid: Terminal.Gui.Application.Top* - name: Top - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_Top_ - commentId: Overload:Terminal.Gui.Application.Top - isSpec: "True" - fullName: Terminal.Gui.Application.Top - nameWithType: Application.Top -- uid: Terminal.Gui.Application.UngrabMouse - name: UngrabMouse() - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_UngrabMouse - commentId: M:Terminal.Gui.Application.UngrabMouse - fullName: Terminal.Gui.Application.UngrabMouse() - nameWithType: Application.UngrabMouse() -- uid: Terminal.Gui.Application.UngrabMouse* - name: UngrabMouse - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_UngrabMouse_ - commentId: Overload:Terminal.Gui.Application.UngrabMouse - isSpec: "True" - fullName: Terminal.Gui.Application.UngrabMouse - nameWithType: Application.UngrabMouse -- uid: Terminal.Gui.Application.UseSystemConsole - name: UseSystemConsole - href: api/Terminal.Gui/Terminal.Gui.Application.html#Terminal_Gui_Application_UseSystemConsole - commentId: F:Terminal.Gui.Application.UseSystemConsole - fullName: Terminal.Gui.Application.UseSystemConsole - nameWithType: Application.UseSystemConsole -- uid: Terminal.Gui.Attribute - name: Attribute - href: api/Terminal.Gui/Terminal.Gui.Attribute.html - commentId: T:Terminal.Gui.Attribute - fullName: Terminal.Gui.Attribute - nameWithType: Attribute -- uid: Terminal.Gui.Attribute.#ctor(System.Int32,Terminal.Gui.Color,Terminal.Gui.Color) - name: Attribute(Int32, Color, Color) - href: api/Terminal.Gui/Terminal.Gui.Attribute.html#Terminal_Gui_Attribute__ctor_System_Int32_Terminal_Gui_Color_Terminal_Gui_Color_ - commentId: M:Terminal.Gui.Attribute.#ctor(System.Int32,Terminal.Gui.Color,Terminal.Gui.Color) - fullName: Terminal.Gui.Attribute.Attribute(System.Int32, Terminal.Gui.Color, Terminal.Gui.Color) - nameWithType: Attribute.Attribute(Int32, Color, Color) -- uid: Terminal.Gui.Attribute.#ctor(Terminal.Gui.Color,Terminal.Gui.Color) - name: Attribute(Color, Color) - href: api/Terminal.Gui/Terminal.Gui.Attribute.html#Terminal_Gui_Attribute__ctor_Terminal_Gui_Color_Terminal_Gui_Color_ - commentId: M:Terminal.Gui.Attribute.#ctor(Terminal.Gui.Color,Terminal.Gui.Color) - fullName: Terminal.Gui.Attribute.Attribute(Terminal.Gui.Color, Terminal.Gui.Color) - nameWithType: Attribute.Attribute(Color, Color) -- uid: Terminal.Gui.Attribute.#ctor* - name: Attribute - href: api/Terminal.Gui/Terminal.Gui.Attribute.html#Terminal_Gui_Attribute__ctor_ - commentId: Overload:Terminal.Gui.Attribute.#ctor - isSpec: "True" - fullName: Terminal.Gui.Attribute.Attribute - nameWithType: Attribute.Attribute -- uid: Terminal.Gui.Attribute.Make(Terminal.Gui.Color,Terminal.Gui.Color) - name: Make(Color, Color) - href: api/Terminal.Gui/Terminal.Gui.Attribute.html#Terminal_Gui_Attribute_Make_Terminal_Gui_Color_Terminal_Gui_Color_ - commentId: M:Terminal.Gui.Attribute.Make(Terminal.Gui.Color,Terminal.Gui.Color) - fullName: Terminal.Gui.Attribute.Make(Terminal.Gui.Color, Terminal.Gui.Color) - nameWithType: Attribute.Make(Color, Color) -- uid: Terminal.Gui.Attribute.Make* - name: Make - href: api/Terminal.Gui/Terminal.Gui.Attribute.html#Terminal_Gui_Attribute_Make_ - commentId: Overload:Terminal.Gui.Attribute.Make - isSpec: "True" - fullName: Terminal.Gui.Attribute.Make - nameWithType: Attribute.Make -- uid: Terminal.Gui.Attribute.op_Implicit(System.Int32)~Terminal.Gui.Attribute - name: Implicit(Int32 to Attribute) - href: api/Terminal.Gui/Terminal.Gui.Attribute.html#Terminal_Gui_Attribute_op_Implicit_System_Int32__Terminal_Gui_Attribute - commentId: M:Terminal.Gui.Attribute.op_Implicit(System.Int32)~Terminal.Gui.Attribute - name.vb: Widening(Int32 to Attribute) - fullName: Terminal.Gui.Attribute.Implicit(System.Int32 to Terminal.Gui.Attribute) - fullName.vb: Terminal.Gui.Attribute.Widening(System.Int32 to Terminal.Gui.Attribute) - nameWithType: Attribute.Implicit(Int32 to Attribute) - nameWithType.vb: Attribute.Widening(Int32 to Attribute) -- uid: Terminal.Gui.Attribute.op_Implicit(Terminal.Gui.Attribute)~System.Int32 - name: Implicit(Attribute to Int32) - href: api/Terminal.Gui/Terminal.Gui.Attribute.html#Terminal_Gui_Attribute_op_Implicit_Terminal_Gui_Attribute__System_Int32 - commentId: M:Terminal.Gui.Attribute.op_Implicit(Terminal.Gui.Attribute)~System.Int32 - name.vb: Widening(Attribute to Int32) - fullName: Terminal.Gui.Attribute.Implicit(Terminal.Gui.Attribute to System.Int32) - fullName.vb: Terminal.Gui.Attribute.Widening(Terminal.Gui.Attribute to System.Int32) - nameWithType: Attribute.Implicit(Attribute to Int32) - nameWithType.vb: Attribute.Widening(Attribute to Int32) -- uid: Terminal.Gui.Attribute.op_Implicit* - name: Implicit - href: api/Terminal.Gui/Terminal.Gui.Attribute.html#Terminal_Gui_Attribute_op_Implicit_ - commentId: Overload:Terminal.Gui.Attribute.op_Implicit - isSpec: "True" - name.vb: Widening - fullName: Terminal.Gui.Attribute.Implicit - fullName.vb: Terminal.Gui.Attribute.Widening - nameWithType: Attribute.Implicit - nameWithType.vb: Attribute.Widening -- uid: Terminal.Gui.Button - name: Button - href: api/Terminal.Gui/Terminal.Gui.Button.html - commentId: T:Terminal.Gui.Button - fullName: Terminal.Gui.Button - nameWithType: Button -- uid: Terminal.Gui.Button.#ctor(NStack.ustring,System.Boolean) - name: Button(ustring, Boolean) - href: api/Terminal.Gui/Terminal.Gui.Button.html#Terminal_Gui_Button__ctor_NStack_ustring_System_Boolean_ - commentId: M:Terminal.Gui.Button.#ctor(NStack.ustring,System.Boolean) - fullName: Terminal.Gui.Button.Button(NStack.ustring, System.Boolean) - nameWithType: Button.Button(ustring, Boolean) -- uid: Terminal.Gui.Button.#ctor(System.Int32,System.Int32,NStack.ustring) - name: Button(Int32, Int32, ustring) - href: api/Terminal.Gui/Terminal.Gui.Button.html#Terminal_Gui_Button__ctor_System_Int32_System_Int32_NStack_ustring_ - commentId: M:Terminal.Gui.Button.#ctor(System.Int32,System.Int32,NStack.ustring) - fullName: Terminal.Gui.Button.Button(System.Int32, System.Int32, NStack.ustring) - nameWithType: Button.Button(Int32, Int32, ustring) -- uid: Terminal.Gui.Button.#ctor(System.Int32,System.Int32,NStack.ustring,System.Boolean) - name: Button(Int32, Int32, ustring, Boolean) - href: api/Terminal.Gui/Terminal.Gui.Button.html#Terminal_Gui_Button__ctor_System_Int32_System_Int32_NStack_ustring_System_Boolean_ - commentId: M:Terminal.Gui.Button.#ctor(System.Int32,System.Int32,NStack.ustring,System.Boolean) - fullName: Terminal.Gui.Button.Button(System.Int32, System.Int32, NStack.ustring, System.Boolean) - nameWithType: Button.Button(Int32, Int32, ustring, Boolean) -- uid: Terminal.Gui.Button.#ctor* - name: Button - href: api/Terminal.Gui/Terminal.Gui.Button.html#Terminal_Gui_Button__ctor_ - commentId: Overload:Terminal.Gui.Button.#ctor - isSpec: "True" - fullName: Terminal.Gui.Button.Button - nameWithType: Button.Button -- uid: Terminal.Gui.Button.Clicked - name: Clicked - href: api/Terminal.Gui/Terminal.Gui.Button.html#Terminal_Gui_Button_Clicked - commentId: F:Terminal.Gui.Button.Clicked - fullName: Terminal.Gui.Button.Clicked - nameWithType: Button.Clicked -- uid: Terminal.Gui.Button.IsDefault - name: IsDefault - href: api/Terminal.Gui/Terminal.Gui.Button.html#Terminal_Gui_Button_IsDefault - commentId: P:Terminal.Gui.Button.IsDefault - fullName: Terminal.Gui.Button.IsDefault - nameWithType: Button.IsDefault -- uid: Terminal.Gui.Button.IsDefault* - name: IsDefault - href: api/Terminal.Gui/Terminal.Gui.Button.html#Terminal_Gui_Button_IsDefault_ - commentId: Overload:Terminal.Gui.Button.IsDefault - isSpec: "True" - fullName: Terminal.Gui.Button.IsDefault - nameWithType: Button.IsDefault -- uid: Terminal.Gui.Button.MouseEvent(Terminal.Gui.MouseEvent) - name: MouseEvent(MouseEvent) - href: api/Terminal.Gui/Terminal.Gui.Button.html#Terminal_Gui_Button_MouseEvent_Terminal_Gui_MouseEvent_ - commentId: M:Terminal.Gui.Button.MouseEvent(Terminal.Gui.MouseEvent) - fullName: Terminal.Gui.Button.MouseEvent(Terminal.Gui.MouseEvent) - nameWithType: Button.MouseEvent(MouseEvent) -- uid: Terminal.Gui.Button.MouseEvent* - name: MouseEvent - href: api/Terminal.Gui/Terminal.Gui.Button.html#Terminal_Gui_Button_MouseEvent_ - commentId: Overload:Terminal.Gui.Button.MouseEvent - isSpec: "True" - fullName: Terminal.Gui.Button.MouseEvent - nameWithType: Button.MouseEvent -- uid: Terminal.Gui.Button.PositionCursor - name: PositionCursor() - href: api/Terminal.Gui/Terminal.Gui.Button.html#Terminal_Gui_Button_PositionCursor - commentId: M:Terminal.Gui.Button.PositionCursor - fullName: Terminal.Gui.Button.PositionCursor() - nameWithType: Button.PositionCursor() -- uid: Terminal.Gui.Button.PositionCursor* - name: PositionCursor - href: api/Terminal.Gui/Terminal.Gui.Button.html#Terminal_Gui_Button_PositionCursor_ - commentId: Overload:Terminal.Gui.Button.PositionCursor - isSpec: "True" - fullName: Terminal.Gui.Button.PositionCursor - nameWithType: Button.PositionCursor -- uid: Terminal.Gui.Button.ProcessColdKey(Terminal.Gui.KeyEvent) - name: ProcessColdKey(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.Button.html#Terminal_Gui_Button_ProcessColdKey_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.Button.ProcessColdKey(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.Button.ProcessColdKey(Terminal.Gui.KeyEvent) - nameWithType: Button.ProcessColdKey(KeyEvent) -- uid: Terminal.Gui.Button.ProcessColdKey* - name: ProcessColdKey - href: api/Terminal.Gui/Terminal.Gui.Button.html#Terminal_Gui_Button_ProcessColdKey_ - commentId: Overload:Terminal.Gui.Button.ProcessColdKey - isSpec: "True" - fullName: Terminal.Gui.Button.ProcessColdKey - nameWithType: Button.ProcessColdKey -- uid: Terminal.Gui.Button.ProcessHotKey(Terminal.Gui.KeyEvent) - name: ProcessHotKey(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.Button.html#Terminal_Gui_Button_ProcessHotKey_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.Button.ProcessHotKey(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.Button.ProcessHotKey(Terminal.Gui.KeyEvent) - nameWithType: Button.ProcessHotKey(KeyEvent) -- uid: Terminal.Gui.Button.ProcessHotKey* - name: ProcessHotKey - href: api/Terminal.Gui/Terminal.Gui.Button.html#Terminal_Gui_Button_ProcessHotKey_ - commentId: Overload:Terminal.Gui.Button.ProcessHotKey - isSpec: "True" - fullName: Terminal.Gui.Button.ProcessHotKey - nameWithType: Button.ProcessHotKey -- uid: Terminal.Gui.Button.ProcessKey(Terminal.Gui.KeyEvent) - name: ProcessKey(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.Button.html#Terminal_Gui_Button_ProcessKey_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.Button.ProcessKey(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.Button.ProcessKey(Terminal.Gui.KeyEvent) - nameWithType: Button.ProcessKey(KeyEvent) -- uid: Terminal.Gui.Button.ProcessKey* - name: ProcessKey - href: api/Terminal.Gui/Terminal.Gui.Button.html#Terminal_Gui_Button_ProcessKey_ - commentId: Overload:Terminal.Gui.Button.ProcessKey - isSpec: "True" - fullName: Terminal.Gui.Button.ProcessKey - nameWithType: Button.ProcessKey -- uid: Terminal.Gui.Button.Redraw(Terminal.Gui.Rect) - name: Redraw(Rect) - href: api/Terminal.Gui/Terminal.Gui.Button.html#Terminal_Gui_Button_Redraw_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.Button.Redraw(Terminal.Gui.Rect) - fullName: Terminal.Gui.Button.Redraw(Terminal.Gui.Rect) - nameWithType: Button.Redraw(Rect) -- uid: Terminal.Gui.Button.Redraw* - name: Redraw - href: api/Terminal.Gui/Terminal.Gui.Button.html#Terminal_Gui_Button_Redraw_ - commentId: Overload:Terminal.Gui.Button.Redraw - isSpec: "True" - fullName: Terminal.Gui.Button.Redraw - nameWithType: Button.Redraw -- uid: Terminal.Gui.Button.Text - name: Text - href: api/Terminal.Gui/Terminal.Gui.Button.html#Terminal_Gui_Button_Text - commentId: P:Terminal.Gui.Button.Text - fullName: Terminal.Gui.Button.Text - nameWithType: Button.Text -- uid: Terminal.Gui.Button.Text* - name: Text - href: api/Terminal.Gui/Terminal.Gui.Button.html#Terminal_Gui_Button_Text_ - commentId: Overload:Terminal.Gui.Button.Text - isSpec: "True" - fullName: Terminal.Gui.Button.Text - nameWithType: Button.Text -- uid: Terminal.Gui.CheckBox - name: CheckBox - href: api/Terminal.Gui/Terminal.Gui.CheckBox.html - commentId: T:Terminal.Gui.CheckBox - fullName: Terminal.Gui.CheckBox - nameWithType: CheckBox -- uid: Terminal.Gui.CheckBox.#ctor(NStack.ustring,System.Boolean) - name: CheckBox(ustring, Boolean) - href: api/Terminal.Gui/Terminal.Gui.CheckBox.html#Terminal_Gui_CheckBox__ctor_NStack_ustring_System_Boolean_ - commentId: M:Terminal.Gui.CheckBox.#ctor(NStack.ustring,System.Boolean) - fullName: Terminal.Gui.CheckBox.CheckBox(NStack.ustring, System.Boolean) - nameWithType: CheckBox.CheckBox(ustring, Boolean) -- uid: Terminal.Gui.CheckBox.#ctor(System.Int32,System.Int32,NStack.ustring) - name: CheckBox(Int32, Int32, ustring) - href: api/Terminal.Gui/Terminal.Gui.CheckBox.html#Terminal_Gui_CheckBox__ctor_System_Int32_System_Int32_NStack_ustring_ - commentId: M:Terminal.Gui.CheckBox.#ctor(System.Int32,System.Int32,NStack.ustring) - fullName: Terminal.Gui.CheckBox.CheckBox(System.Int32, System.Int32, NStack.ustring) - nameWithType: CheckBox.CheckBox(Int32, Int32, ustring) -- uid: Terminal.Gui.CheckBox.#ctor(System.Int32,System.Int32,NStack.ustring,System.Boolean) - name: CheckBox(Int32, Int32, ustring, Boolean) - href: api/Terminal.Gui/Terminal.Gui.CheckBox.html#Terminal_Gui_CheckBox__ctor_System_Int32_System_Int32_NStack_ustring_System_Boolean_ - commentId: M:Terminal.Gui.CheckBox.#ctor(System.Int32,System.Int32,NStack.ustring,System.Boolean) - fullName: Terminal.Gui.CheckBox.CheckBox(System.Int32, System.Int32, NStack.ustring, System.Boolean) - nameWithType: CheckBox.CheckBox(Int32, Int32, ustring, Boolean) -- uid: Terminal.Gui.CheckBox.#ctor* - name: CheckBox - href: api/Terminal.Gui/Terminal.Gui.CheckBox.html#Terminal_Gui_CheckBox__ctor_ - commentId: Overload:Terminal.Gui.CheckBox.#ctor - isSpec: "True" - fullName: Terminal.Gui.CheckBox.CheckBox - nameWithType: CheckBox.CheckBox -- uid: Terminal.Gui.CheckBox.Checked - name: Checked - href: api/Terminal.Gui/Terminal.Gui.CheckBox.html#Terminal_Gui_CheckBox_Checked - commentId: P:Terminal.Gui.CheckBox.Checked - fullName: Terminal.Gui.CheckBox.Checked - nameWithType: CheckBox.Checked -- uid: Terminal.Gui.CheckBox.Checked* - name: Checked - href: api/Terminal.Gui/Terminal.Gui.CheckBox.html#Terminal_Gui_CheckBox_Checked_ - commentId: Overload:Terminal.Gui.CheckBox.Checked - isSpec: "True" - fullName: Terminal.Gui.CheckBox.Checked - nameWithType: CheckBox.Checked -- uid: Terminal.Gui.CheckBox.MouseEvent(Terminal.Gui.MouseEvent) - name: MouseEvent(MouseEvent) - href: api/Terminal.Gui/Terminal.Gui.CheckBox.html#Terminal_Gui_CheckBox_MouseEvent_Terminal_Gui_MouseEvent_ - commentId: M:Terminal.Gui.CheckBox.MouseEvent(Terminal.Gui.MouseEvent) - fullName: Terminal.Gui.CheckBox.MouseEvent(Terminal.Gui.MouseEvent) - nameWithType: CheckBox.MouseEvent(MouseEvent) -- uid: Terminal.Gui.CheckBox.MouseEvent* - name: MouseEvent - href: api/Terminal.Gui/Terminal.Gui.CheckBox.html#Terminal_Gui_CheckBox_MouseEvent_ - commentId: Overload:Terminal.Gui.CheckBox.MouseEvent - isSpec: "True" - fullName: Terminal.Gui.CheckBox.MouseEvent - nameWithType: CheckBox.MouseEvent -- uid: Terminal.Gui.CheckBox.PositionCursor - name: PositionCursor() - href: api/Terminal.Gui/Terminal.Gui.CheckBox.html#Terminal_Gui_CheckBox_PositionCursor - commentId: M:Terminal.Gui.CheckBox.PositionCursor - fullName: Terminal.Gui.CheckBox.PositionCursor() - nameWithType: CheckBox.PositionCursor() -- uid: Terminal.Gui.CheckBox.PositionCursor* - name: PositionCursor - href: api/Terminal.Gui/Terminal.Gui.CheckBox.html#Terminal_Gui_CheckBox_PositionCursor_ - commentId: Overload:Terminal.Gui.CheckBox.PositionCursor - isSpec: "True" - fullName: Terminal.Gui.CheckBox.PositionCursor - nameWithType: CheckBox.PositionCursor -- uid: Terminal.Gui.CheckBox.ProcessKey(Terminal.Gui.KeyEvent) - name: ProcessKey(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.CheckBox.html#Terminal_Gui_CheckBox_ProcessKey_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.CheckBox.ProcessKey(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.CheckBox.ProcessKey(Terminal.Gui.KeyEvent) - nameWithType: CheckBox.ProcessKey(KeyEvent) -- uid: Terminal.Gui.CheckBox.ProcessKey* - name: ProcessKey - href: api/Terminal.Gui/Terminal.Gui.CheckBox.html#Terminal_Gui_CheckBox_ProcessKey_ - commentId: Overload:Terminal.Gui.CheckBox.ProcessKey - isSpec: "True" - fullName: Terminal.Gui.CheckBox.ProcessKey - nameWithType: CheckBox.ProcessKey -- uid: Terminal.Gui.CheckBox.Redraw(Terminal.Gui.Rect) - name: Redraw(Rect) - href: api/Terminal.Gui/Terminal.Gui.CheckBox.html#Terminal_Gui_CheckBox_Redraw_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.CheckBox.Redraw(Terminal.Gui.Rect) - fullName: Terminal.Gui.CheckBox.Redraw(Terminal.Gui.Rect) - nameWithType: CheckBox.Redraw(Rect) -- uid: Terminal.Gui.CheckBox.Redraw* - name: Redraw - href: api/Terminal.Gui/Terminal.Gui.CheckBox.html#Terminal_Gui_CheckBox_Redraw_ - commentId: Overload:Terminal.Gui.CheckBox.Redraw - isSpec: "True" - fullName: Terminal.Gui.CheckBox.Redraw - nameWithType: CheckBox.Redraw -- uid: Terminal.Gui.CheckBox.Text - name: Text - href: api/Terminal.Gui/Terminal.Gui.CheckBox.html#Terminal_Gui_CheckBox_Text - commentId: P:Terminal.Gui.CheckBox.Text - fullName: Terminal.Gui.CheckBox.Text - nameWithType: CheckBox.Text -- uid: Terminal.Gui.CheckBox.Text* - name: Text - href: api/Terminal.Gui/Terminal.Gui.CheckBox.html#Terminal_Gui_CheckBox_Text_ - commentId: Overload:Terminal.Gui.CheckBox.Text - isSpec: "True" - fullName: Terminal.Gui.CheckBox.Text - nameWithType: CheckBox.Text -- uid: Terminal.Gui.CheckBox.Toggled - name: Toggled - href: api/Terminal.Gui/Terminal.Gui.CheckBox.html#Terminal_Gui_CheckBox_Toggled - commentId: E:Terminal.Gui.CheckBox.Toggled - fullName: Terminal.Gui.CheckBox.Toggled - nameWithType: CheckBox.Toggled -- uid: Terminal.Gui.Clipboard - name: Clipboard - href: api/Terminal.Gui/Terminal.Gui.Clipboard.html - commentId: T:Terminal.Gui.Clipboard - fullName: Terminal.Gui.Clipboard - nameWithType: Clipboard -- uid: Terminal.Gui.Clipboard.Contents - name: Contents - href: api/Terminal.Gui/Terminal.Gui.Clipboard.html#Terminal_Gui_Clipboard_Contents - commentId: P:Terminal.Gui.Clipboard.Contents - fullName: Terminal.Gui.Clipboard.Contents - nameWithType: Clipboard.Contents -- uid: Terminal.Gui.Clipboard.Contents* - name: Contents - href: api/Terminal.Gui/Terminal.Gui.Clipboard.html#Terminal_Gui_Clipboard_Contents_ - commentId: Overload:Terminal.Gui.Clipboard.Contents - isSpec: "True" - fullName: Terminal.Gui.Clipboard.Contents - nameWithType: Clipboard.Contents -- uid: Terminal.Gui.Color - name: Color - href: api/Terminal.Gui/Terminal.Gui.Color.html - commentId: T:Terminal.Gui.Color - fullName: Terminal.Gui.Color - nameWithType: Color -- uid: Terminal.Gui.Color.Black - name: Black - href: api/Terminal.Gui/Terminal.Gui.Color.html#Terminal_Gui_Color_Black - commentId: F:Terminal.Gui.Color.Black - fullName: Terminal.Gui.Color.Black - nameWithType: Color.Black -- uid: Terminal.Gui.Color.Blue - name: Blue - href: api/Terminal.Gui/Terminal.Gui.Color.html#Terminal_Gui_Color_Blue - commentId: F:Terminal.Gui.Color.Blue - fullName: Terminal.Gui.Color.Blue - nameWithType: Color.Blue -- uid: Terminal.Gui.Color.BrighCyan - name: BrighCyan - href: api/Terminal.Gui/Terminal.Gui.Color.html#Terminal_Gui_Color_BrighCyan - commentId: F:Terminal.Gui.Color.BrighCyan - fullName: Terminal.Gui.Color.BrighCyan - nameWithType: Color.BrighCyan -- uid: Terminal.Gui.Color.BrightBlue - name: BrightBlue - href: api/Terminal.Gui/Terminal.Gui.Color.html#Terminal_Gui_Color_BrightBlue - commentId: F:Terminal.Gui.Color.BrightBlue - fullName: Terminal.Gui.Color.BrightBlue - nameWithType: Color.BrightBlue -- uid: Terminal.Gui.Color.BrightGreen - name: BrightGreen - href: api/Terminal.Gui/Terminal.Gui.Color.html#Terminal_Gui_Color_BrightGreen - commentId: F:Terminal.Gui.Color.BrightGreen - fullName: Terminal.Gui.Color.BrightGreen - nameWithType: Color.BrightGreen -- uid: Terminal.Gui.Color.BrightMagenta - name: BrightMagenta - href: api/Terminal.Gui/Terminal.Gui.Color.html#Terminal_Gui_Color_BrightMagenta - commentId: F:Terminal.Gui.Color.BrightMagenta - fullName: Terminal.Gui.Color.BrightMagenta - nameWithType: Color.BrightMagenta -- uid: Terminal.Gui.Color.BrightRed - name: BrightRed - href: api/Terminal.Gui/Terminal.Gui.Color.html#Terminal_Gui_Color_BrightRed - commentId: F:Terminal.Gui.Color.BrightRed - fullName: Terminal.Gui.Color.BrightRed - nameWithType: Color.BrightRed -- uid: Terminal.Gui.Color.BrightYellow - name: BrightYellow - href: api/Terminal.Gui/Terminal.Gui.Color.html#Terminal_Gui_Color_BrightYellow - commentId: F:Terminal.Gui.Color.BrightYellow - fullName: Terminal.Gui.Color.BrightYellow - nameWithType: Color.BrightYellow -- uid: Terminal.Gui.Color.Brown - name: Brown - href: api/Terminal.Gui/Terminal.Gui.Color.html#Terminal_Gui_Color_Brown - commentId: F:Terminal.Gui.Color.Brown - fullName: Terminal.Gui.Color.Brown - nameWithType: Color.Brown -- uid: Terminal.Gui.Color.Cyan - name: Cyan - href: api/Terminal.Gui/Terminal.Gui.Color.html#Terminal_Gui_Color_Cyan - commentId: F:Terminal.Gui.Color.Cyan - fullName: Terminal.Gui.Color.Cyan - nameWithType: Color.Cyan -- uid: Terminal.Gui.Color.DarkGray - name: DarkGray - href: api/Terminal.Gui/Terminal.Gui.Color.html#Terminal_Gui_Color_DarkGray - commentId: F:Terminal.Gui.Color.DarkGray - fullName: Terminal.Gui.Color.DarkGray - nameWithType: Color.DarkGray -- uid: Terminal.Gui.Color.Gray - name: Gray - href: api/Terminal.Gui/Terminal.Gui.Color.html#Terminal_Gui_Color_Gray - commentId: F:Terminal.Gui.Color.Gray - fullName: Terminal.Gui.Color.Gray - nameWithType: Color.Gray -- uid: Terminal.Gui.Color.Green - name: Green - href: api/Terminal.Gui/Terminal.Gui.Color.html#Terminal_Gui_Color_Green - commentId: F:Terminal.Gui.Color.Green - fullName: Terminal.Gui.Color.Green - nameWithType: Color.Green -- uid: Terminal.Gui.Color.Magenta - name: Magenta - href: api/Terminal.Gui/Terminal.Gui.Color.html#Terminal_Gui_Color_Magenta - commentId: F:Terminal.Gui.Color.Magenta - fullName: Terminal.Gui.Color.Magenta - nameWithType: Color.Magenta -- uid: Terminal.Gui.Color.Red - name: Red - href: api/Terminal.Gui/Terminal.Gui.Color.html#Terminal_Gui_Color_Red - commentId: F:Terminal.Gui.Color.Red - fullName: Terminal.Gui.Color.Red - nameWithType: Color.Red -- uid: Terminal.Gui.Color.White - name: White - href: api/Terminal.Gui/Terminal.Gui.Color.html#Terminal_Gui_Color_White - commentId: F:Terminal.Gui.Color.White - fullName: Terminal.Gui.Color.White - nameWithType: Color.White -- uid: Terminal.Gui.Colors - name: Colors - href: api/Terminal.Gui/Terminal.Gui.Colors.html - commentId: T:Terminal.Gui.Colors - fullName: Terminal.Gui.Colors - nameWithType: Colors -- uid: Terminal.Gui.Colors.Base - name: Base - href: api/Terminal.Gui/Terminal.Gui.Colors.html#Terminal_Gui_Colors_Base - commentId: P:Terminal.Gui.Colors.Base - fullName: Terminal.Gui.Colors.Base - nameWithType: Colors.Base -- uid: Terminal.Gui.Colors.Base* - name: Base - href: api/Terminal.Gui/Terminal.Gui.Colors.html#Terminal_Gui_Colors_Base_ - commentId: Overload:Terminal.Gui.Colors.Base - isSpec: "True" - fullName: Terminal.Gui.Colors.Base - nameWithType: Colors.Base -- uid: Terminal.Gui.Colors.Dialog - name: Dialog - href: api/Terminal.Gui/Terminal.Gui.Colors.html#Terminal_Gui_Colors_Dialog - commentId: P:Terminal.Gui.Colors.Dialog - fullName: Terminal.Gui.Colors.Dialog - nameWithType: Colors.Dialog -- uid: Terminal.Gui.Colors.Dialog* - name: Dialog - href: api/Terminal.Gui/Terminal.Gui.Colors.html#Terminal_Gui_Colors_Dialog_ - commentId: Overload:Terminal.Gui.Colors.Dialog - isSpec: "True" - fullName: Terminal.Gui.Colors.Dialog - nameWithType: Colors.Dialog -- uid: Terminal.Gui.Colors.Error - name: Error - href: api/Terminal.Gui/Terminal.Gui.Colors.html#Terminal_Gui_Colors_Error - commentId: P:Terminal.Gui.Colors.Error - fullName: Terminal.Gui.Colors.Error - nameWithType: Colors.Error -- uid: Terminal.Gui.Colors.Error* - name: Error - href: api/Terminal.Gui/Terminal.Gui.Colors.html#Terminal_Gui_Colors_Error_ - commentId: Overload:Terminal.Gui.Colors.Error - isSpec: "True" - fullName: Terminal.Gui.Colors.Error - nameWithType: Colors.Error -- uid: Terminal.Gui.Colors.Menu - name: Menu - href: api/Terminal.Gui/Terminal.Gui.Colors.html#Terminal_Gui_Colors_Menu - commentId: P:Terminal.Gui.Colors.Menu - fullName: Terminal.Gui.Colors.Menu - nameWithType: Colors.Menu -- uid: Terminal.Gui.Colors.Menu* - name: Menu - href: api/Terminal.Gui/Terminal.Gui.Colors.html#Terminal_Gui_Colors_Menu_ - commentId: Overload:Terminal.Gui.Colors.Menu - isSpec: "True" - fullName: Terminal.Gui.Colors.Menu - nameWithType: Colors.Menu -- uid: Terminal.Gui.Colors.TopLevel - name: TopLevel - href: api/Terminal.Gui/Terminal.Gui.Colors.html#Terminal_Gui_Colors_TopLevel - commentId: P:Terminal.Gui.Colors.TopLevel - fullName: Terminal.Gui.Colors.TopLevel - nameWithType: Colors.TopLevel -- uid: Terminal.Gui.Colors.TopLevel* - name: TopLevel - href: api/Terminal.Gui/Terminal.Gui.Colors.html#Terminal_Gui_Colors_TopLevel_ - commentId: Overload:Terminal.Gui.Colors.TopLevel - isSpec: "True" - fullName: Terminal.Gui.Colors.TopLevel - nameWithType: Colors.TopLevel -- uid: Terminal.Gui.ColorScheme - name: ColorScheme - href: api/Terminal.Gui/Terminal.Gui.ColorScheme.html - commentId: T:Terminal.Gui.ColorScheme - fullName: Terminal.Gui.ColorScheme - nameWithType: ColorScheme -- uid: Terminal.Gui.ColorScheme.Disabled - name: Disabled - href: api/Terminal.Gui/Terminal.Gui.ColorScheme.html#Terminal_Gui_ColorScheme_Disabled - commentId: P:Terminal.Gui.ColorScheme.Disabled - fullName: Terminal.Gui.ColorScheme.Disabled - nameWithType: ColorScheme.Disabled -- uid: Terminal.Gui.ColorScheme.Disabled* - name: Disabled - href: api/Terminal.Gui/Terminal.Gui.ColorScheme.html#Terminal_Gui_ColorScheme_Disabled_ - commentId: Overload:Terminal.Gui.ColorScheme.Disabled - isSpec: "True" - fullName: Terminal.Gui.ColorScheme.Disabled - nameWithType: ColorScheme.Disabled -- uid: Terminal.Gui.ColorScheme.Focus - name: Focus - href: api/Terminal.Gui/Terminal.Gui.ColorScheme.html#Terminal_Gui_ColorScheme_Focus - commentId: P:Terminal.Gui.ColorScheme.Focus - fullName: Terminal.Gui.ColorScheme.Focus - nameWithType: ColorScheme.Focus -- uid: Terminal.Gui.ColorScheme.Focus* - name: Focus - href: api/Terminal.Gui/Terminal.Gui.ColorScheme.html#Terminal_Gui_ColorScheme_Focus_ - commentId: Overload:Terminal.Gui.ColorScheme.Focus - isSpec: "True" - fullName: Terminal.Gui.ColorScheme.Focus - nameWithType: ColorScheme.Focus -- uid: Terminal.Gui.ColorScheme.HotFocus - name: HotFocus - href: api/Terminal.Gui/Terminal.Gui.ColorScheme.html#Terminal_Gui_ColorScheme_HotFocus - commentId: P:Terminal.Gui.ColorScheme.HotFocus - fullName: Terminal.Gui.ColorScheme.HotFocus - nameWithType: ColorScheme.HotFocus -- uid: Terminal.Gui.ColorScheme.HotFocus* - name: HotFocus - href: api/Terminal.Gui/Terminal.Gui.ColorScheme.html#Terminal_Gui_ColorScheme_HotFocus_ - commentId: Overload:Terminal.Gui.ColorScheme.HotFocus - isSpec: "True" - fullName: Terminal.Gui.ColorScheme.HotFocus - nameWithType: ColorScheme.HotFocus -- uid: Terminal.Gui.ColorScheme.HotNormal - name: HotNormal - href: api/Terminal.Gui/Terminal.Gui.ColorScheme.html#Terminal_Gui_ColorScheme_HotNormal - commentId: P:Terminal.Gui.ColorScheme.HotNormal - fullName: Terminal.Gui.ColorScheme.HotNormal - nameWithType: ColorScheme.HotNormal -- uid: Terminal.Gui.ColorScheme.HotNormal* - name: HotNormal - href: api/Terminal.Gui/Terminal.Gui.ColorScheme.html#Terminal_Gui_ColorScheme_HotNormal_ - commentId: Overload:Terminal.Gui.ColorScheme.HotNormal - isSpec: "True" - fullName: Terminal.Gui.ColorScheme.HotNormal - nameWithType: ColorScheme.HotNormal -- uid: Terminal.Gui.ColorScheme.Normal - name: Normal - href: api/Terminal.Gui/Terminal.Gui.ColorScheme.html#Terminal_Gui_ColorScheme_Normal - commentId: P:Terminal.Gui.ColorScheme.Normal - fullName: Terminal.Gui.ColorScheme.Normal - nameWithType: ColorScheme.Normal -- uid: Terminal.Gui.ColorScheme.Normal* - name: Normal - href: api/Terminal.Gui/Terminal.Gui.ColorScheme.html#Terminal_Gui_ColorScheme_Normal_ - commentId: Overload:Terminal.Gui.ColorScheme.Normal - isSpec: "True" - fullName: Terminal.Gui.ColorScheme.Normal - nameWithType: ColorScheme.Normal -- uid: Terminal.Gui.ComboBox - name: ComboBox - href: api/Terminal.Gui/Terminal.Gui.ComboBox.html - commentId: T:Terminal.Gui.ComboBox - fullName: Terminal.Gui.ComboBox - nameWithType: ComboBox -- uid: Terminal.Gui.ComboBox.#ctor(System.Int32,System.Int32,System.Int32,System.Int32,System.Collections.Generic.IList{System.String}) - name: ComboBox(Int32, Int32, Int32, Int32, IList) - href: api/Terminal.Gui/Terminal.Gui.ComboBox.html#Terminal_Gui_ComboBox__ctor_System_Int32_System_Int32_System_Int32_System_Int32_System_Collections_Generic_IList_System_String__ - commentId: M:Terminal.Gui.ComboBox.#ctor(System.Int32,System.Int32,System.Int32,System.Int32,System.Collections.Generic.IList{System.String}) - name.vb: ComboBox(Int32, Int32, Int32, Int32, IList(Of String)) - fullName: Terminal.Gui.ComboBox.ComboBox(System.Int32, System.Int32, System.Int32, System.Int32, System.Collections.Generic.IList) - fullName.vb: Terminal.Gui.ComboBox.ComboBox(System.Int32, System.Int32, System.Int32, System.Int32, System.Collections.Generic.IList(Of System.String)) - nameWithType: ComboBox.ComboBox(Int32, Int32, Int32, Int32, IList) - nameWithType.vb: ComboBox.ComboBox(Int32, Int32, Int32, Int32, IList(Of String)) -- uid: Terminal.Gui.ComboBox.#ctor* - name: ComboBox - href: api/Terminal.Gui/Terminal.Gui.ComboBox.html#Terminal_Gui_ComboBox__ctor_ - commentId: Overload:Terminal.Gui.ComboBox.#ctor - isSpec: "True" - fullName: Terminal.Gui.ComboBox.ComboBox - nameWithType: ComboBox.ComboBox -- uid: Terminal.Gui.ComboBox.Changed - name: Changed - href: api/Terminal.Gui/Terminal.Gui.ComboBox.html#Terminal_Gui_ComboBox_Changed - commentId: E:Terminal.Gui.ComboBox.Changed - fullName: Terminal.Gui.ComboBox.Changed - nameWithType: ComboBox.Changed -- uid: Terminal.Gui.ComboBox.OnEnter - name: OnEnter() - href: api/Terminal.Gui/Terminal.Gui.ComboBox.html#Terminal_Gui_ComboBox_OnEnter - commentId: M:Terminal.Gui.ComboBox.OnEnter - fullName: Terminal.Gui.ComboBox.OnEnter() - nameWithType: ComboBox.OnEnter() -- uid: Terminal.Gui.ComboBox.OnEnter* - name: OnEnter - href: api/Terminal.Gui/Terminal.Gui.ComboBox.html#Terminal_Gui_ComboBox_OnEnter_ - commentId: Overload:Terminal.Gui.ComboBox.OnEnter - isSpec: "True" - fullName: Terminal.Gui.ComboBox.OnEnter - nameWithType: ComboBox.OnEnter -- uid: Terminal.Gui.ComboBox.ProcessKey(Terminal.Gui.KeyEvent) - name: ProcessKey(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.ComboBox.html#Terminal_Gui_ComboBox_ProcessKey_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.ComboBox.ProcessKey(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.ComboBox.ProcessKey(Terminal.Gui.KeyEvent) - nameWithType: ComboBox.ProcessKey(KeyEvent) -- uid: Terminal.Gui.ComboBox.ProcessKey* - name: ProcessKey - href: api/Terminal.Gui/Terminal.Gui.ComboBox.html#Terminal_Gui_ComboBox_ProcessKey_ - commentId: Overload:Terminal.Gui.ComboBox.ProcessKey - isSpec: "True" - fullName: Terminal.Gui.ComboBox.ProcessKey - nameWithType: ComboBox.ProcessKey -- uid: Terminal.Gui.ComboBox.Text - name: Text - href: api/Terminal.Gui/Terminal.Gui.ComboBox.html#Terminal_Gui_ComboBox_Text - commentId: P:Terminal.Gui.ComboBox.Text - fullName: Terminal.Gui.ComboBox.Text - nameWithType: ComboBox.Text -- uid: Terminal.Gui.ComboBox.Text* - name: Text - href: api/Terminal.Gui/Terminal.Gui.ComboBox.html#Terminal_Gui_ComboBox_Text_ - commentId: Overload:Terminal.Gui.ComboBox.Text - isSpec: "True" - fullName: Terminal.Gui.ComboBox.Text - nameWithType: ComboBox.Text -- uid: Terminal.Gui.ConsoleDriver - name: ConsoleDriver - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html - commentId: T:Terminal.Gui.ConsoleDriver - fullName: Terminal.Gui.ConsoleDriver - nameWithType: ConsoleDriver -- uid: Terminal.Gui.ConsoleDriver.AddRune(System.Rune) - name: AddRune(Rune) - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_AddRune_System_Rune_ - commentId: M:Terminal.Gui.ConsoleDriver.AddRune(System.Rune) - fullName: Terminal.Gui.ConsoleDriver.AddRune(System.Rune) - nameWithType: ConsoleDriver.AddRune(Rune) -- uid: Terminal.Gui.ConsoleDriver.AddRune* - name: AddRune - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_AddRune_ - commentId: Overload:Terminal.Gui.ConsoleDriver.AddRune - isSpec: "True" - fullName: Terminal.Gui.ConsoleDriver.AddRune - nameWithType: ConsoleDriver.AddRune -- uid: Terminal.Gui.ConsoleDriver.AddStr(NStack.ustring) - name: AddStr(ustring) - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_AddStr_NStack_ustring_ - commentId: M:Terminal.Gui.ConsoleDriver.AddStr(NStack.ustring) - fullName: Terminal.Gui.ConsoleDriver.AddStr(NStack.ustring) - nameWithType: ConsoleDriver.AddStr(ustring) -- uid: Terminal.Gui.ConsoleDriver.AddStr* - name: AddStr - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_AddStr_ - commentId: Overload:Terminal.Gui.ConsoleDriver.AddStr - isSpec: "True" - fullName: Terminal.Gui.ConsoleDriver.AddStr - nameWithType: ConsoleDriver.AddStr -- uid: Terminal.Gui.ConsoleDriver.BottomTee - name: BottomTee - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_BottomTee - commentId: F:Terminal.Gui.ConsoleDriver.BottomTee - fullName: Terminal.Gui.ConsoleDriver.BottomTee - nameWithType: ConsoleDriver.BottomTee -- uid: Terminal.Gui.ConsoleDriver.Clip - name: Clip - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_Clip - commentId: P:Terminal.Gui.ConsoleDriver.Clip - fullName: Terminal.Gui.ConsoleDriver.Clip - nameWithType: ConsoleDriver.Clip -- uid: Terminal.Gui.ConsoleDriver.Clip* - name: Clip - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_Clip_ - commentId: Overload:Terminal.Gui.ConsoleDriver.Clip - isSpec: "True" - fullName: Terminal.Gui.ConsoleDriver.Clip - nameWithType: ConsoleDriver.Clip -- uid: Terminal.Gui.ConsoleDriver.Cols - name: Cols - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_Cols - commentId: P:Terminal.Gui.ConsoleDriver.Cols - fullName: Terminal.Gui.ConsoleDriver.Cols - nameWithType: ConsoleDriver.Cols -- uid: Terminal.Gui.ConsoleDriver.Cols* - name: Cols - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_Cols_ - commentId: Overload:Terminal.Gui.ConsoleDriver.Cols - isSpec: "True" - fullName: Terminal.Gui.ConsoleDriver.Cols - nameWithType: ConsoleDriver.Cols -- uid: Terminal.Gui.ConsoleDriver.CookMouse - name: CookMouse() - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_CookMouse - commentId: M:Terminal.Gui.ConsoleDriver.CookMouse - fullName: Terminal.Gui.ConsoleDriver.CookMouse() - nameWithType: ConsoleDriver.CookMouse() -- uid: Terminal.Gui.ConsoleDriver.CookMouse* - name: CookMouse - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_CookMouse_ - commentId: Overload:Terminal.Gui.ConsoleDriver.CookMouse - isSpec: "True" - fullName: Terminal.Gui.ConsoleDriver.CookMouse - nameWithType: ConsoleDriver.CookMouse -- uid: Terminal.Gui.ConsoleDriver.Diamond - name: Diamond - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_Diamond - commentId: F:Terminal.Gui.ConsoleDriver.Diamond - fullName: Terminal.Gui.ConsoleDriver.Diamond - nameWithType: ConsoleDriver.Diamond -- uid: Terminal.Gui.ConsoleDriver.DrawFrame(Terminal.Gui.Rect,System.Int32,System.Boolean) - name: DrawFrame(Rect, Int32, Boolean) - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_DrawFrame_Terminal_Gui_Rect_System_Int32_System_Boolean_ - commentId: M:Terminal.Gui.ConsoleDriver.DrawFrame(Terminal.Gui.Rect,System.Int32,System.Boolean) - fullName: Terminal.Gui.ConsoleDriver.DrawFrame(Terminal.Gui.Rect, System.Int32, System.Boolean) - nameWithType: ConsoleDriver.DrawFrame(Rect, Int32, Boolean) -- uid: Terminal.Gui.ConsoleDriver.DrawFrame* - name: DrawFrame - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_DrawFrame_ - commentId: Overload:Terminal.Gui.ConsoleDriver.DrawFrame - isSpec: "True" - fullName: Terminal.Gui.ConsoleDriver.DrawFrame - nameWithType: ConsoleDriver.DrawFrame -- uid: Terminal.Gui.ConsoleDriver.DrawWindowFrame(Terminal.Gui.Rect,System.Int32,System.Int32,System.Int32,System.Int32,System.Boolean,System.Boolean) - name: DrawWindowFrame(Rect, Int32, Int32, Int32, Int32, Boolean, Boolean) - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_DrawWindowFrame_Terminal_Gui_Rect_System_Int32_System_Int32_System_Int32_System_Int32_System_Boolean_System_Boolean_ - commentId: M:Terminal.Gui.ConsoleDriver.DrawWindowFrame(Terminal.Gui.Rect,System.Int32,System.Int32,System.Int32,System.Int32,System.Boolean,System.Boolean) - fullName: Terminal.Gui.ConsoleDriver.DrawWindowFrame(Terminal.Gui.Rect, System.Int32, System.Int32, System.Int32, System.Int32, System.Boolean, System.Boolean) - nameWithType: ConsoleDriver.DrawWindowFrame(Rect, Int32, Int32, Int32, Int32, Boolean, Boolean) -- uid: Terminal.Gui.ConsoleDriver.DrawWindowFrame* - name: DrawWindowFrame - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_DrawWindowFrame_ - commentId: Overload:Terminal.Gui.ConsoleDriver.DrawWindowFrame - isSpec: "True" - fullName: Terminal.Gui.ConsoleDriver.DrawWindowFrame - nameWithType: ConsoleDriver.DrawWindowFrame -- uid: Terminal.Gui.ConsoleDriver.DrawWindowTitle(Terminal.Gui.Rect,NStack.ustring,System.Int32,System.Int32,System.Int32,System.Int32,Terminal.Gui.TextAlignment) - name: DrawWindowTitle(Rect, ustring, Int32, Int32, Int32, Int32, TextAlignment) - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_DrawWindowTitle_Terminal_Gui_Rect_NStack_ustring_System_Int32_System_Int32_System_Int32_System_Int32_Terminal_Gui_TextAlignment_ - commentId: M:Terminal.Gui.ConsoleDriver.DrawWindowTitle(Terminal.Gui.Rect,NStack.ustring,System.Int32,System.Int32,System.Int32,System.Int32,Terminal.Gui.TextAlignment) - fullName: Terminal.Gui.ConsoleDriver.DrawWindowTitle(Terminal.Gui.Rect, NStack.ustring, System.Int32, System.Int32, System.Int32, System.Int32, Terminal.Gui.TextAlignment) - nameWithType: ConsoleDriver.DrawWindowTitle(Rect, ustring, Int32, Int32, Int32, Int32, TextAlignment) -- uid: Terminal.Gui.ConsoleDriver.DrawWindowTitle* - name: DrawWindowTitle - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_DrawWindowTitle_ - commentId: Overload:Terminal.Gui.ConsoleDriver.DrawWindowTitle - isSpec: "True" - fullName: Terminal.Gui.ConsoleDriver.DrawWindowTitle - nameWithType: ConsoleDriver.DrawWindowTitle -- uid: Terminal.Gui.ConsoleDriver.End - name: End() - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_End - commentId: M:Terminal.Gui.ConsoleDriver.End - fullName: Terminal.Gui.ConsoleDriver.End() - nameWithType: ConsoleDriver.End() -- uid: Terminal.Gui.ConsoleDriver.End* - name: End - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_End_ - commentId: Overload:Terminal.Gui.ConsoleDriver.End - isSpec: "True" - fullName: Terminal.Gui.ConsoleDriver.End - nameWithType: ConsoleDriver.End -- uid: Terminal.Gui.ConsoleDriver.HLine - name: HLine - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_HLine - commentId: F:Terminal.Gui.ConsoleDriver.HLine - fullName: Terminal.Gui.ConsoleDriver.HLine - nameWithType: ConsoleDriver.HLine -- uid: Terminal.Gui.ConsoleDriver.Init(System.Action) - name: Init(Action) - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_Init_System_Action_ - commentId: M:Terminal.Gui.ConsoleDriver.Init(System.Action) - fullName: Terminal.Gui.ConsoleDriver.Init(System.Action) - nameWithType: ConsoleDriver.Init(Action) -- uid: Terminal.Gui.ConsoleDriver.Init* - name: Init - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_Init_ - commentId: Overload:Terminal.Gui.ConsoleDriver.Init - isSpec: "True" - fullName: Terminal.Gui.ConsoleDriver.Init - nameWithType: ConsoleDriver.Init -- uid: Terminal.Gui.ConsoleDriver.LeftTee - name: LeftTee - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_LeftTee - commentId: F:Terminal.Gui.ConsoleDriver.LeftTee - fullName: Terminal.Gui.ConsoleDriver.LeftTee - nameWithType: ConsoleDriver.LeftTee -- uid: Terminal.Gui.ConsoleDriver.LLCorner - name: LLCorner - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_LLCorner - commentId: F:Terminal.Gui.ConsoleDriver.LLCorner - fullName: Terminal.Gui.ConsoleDriver.LLCorner - nameWithType: ConsoleDriver.LLCorner -- uid: Terminal.Gui.ConsoleDriver.LRCorner - name: LRCorner - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_LRCorner - commentId: F:Terminal.Gui.ConsoleDriver.LRCorner - fullName: Terminal.Gui.ConsoleDriver.LRCorner - nameWithType: ConsoleDriver.LRCorner -- uid: Terminal.Gui.ConsoleDriver.MakeAttribute(Terminal.Gui.Color,Terminal.Gui.Color) - name: MakeAttribute(Color, Color) - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_MakeAttribute_Terminal_Gui_Color_Terminal_Gui_Color_ - commentId: M:Terminal.Gui.ConsoleDriver.MakeAttribute(Terminal.Gui.Color,Terminal.Gui.Color) - fullName: Terminal.Gui.ConsoleDriver.MakeAttribute(Terminal.Gui.Color, Terminal.Gui.Color) - nameWithType: ConsoleDriver.MakeAttribute(Color, Color) -- uid: Terminal.Gui.ConsoleDriver.MakeAttribute* - name: MakeAttribute - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_MakeAttribute_ - commentId: Overload:Terminal.Gui.ConsoleDriver.MakeAttribute - isSpec: "True" - fullName: Terminal.Gui.ConsoleDriver.MakeAttribute - nameWithType: ConsoleDriver.MakeAttribute -- uid: Terminal.Gui.ConsoleDriver.Move(System.Int32,System.Int32) - name: Move(Int32, Int32) - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_Move_System_Int32_System_Int32_ - commentId: M:Terminal.Gui.ConsoleDriver.Move(System.Int32,System.Int32) - fullName: Terminal.Gui.ConsoleDriver.Move(System.Int32, System.Int32) - nameWithType: ConsoleDriver.Move(Int32, Int32) -- uid: Terminal.Gui.ConsoleDriver.Move* - name: Move - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_Move_ - commentId: Overload:Terminal.Gui.ConsoleDriver.Move - isSpec: "True" - fullName: Terminal.Gui.ConsoleDriver.Move - nameWithType: ConsoleDriver.Move -- uid: Terminal.Gui.ConsoleDriver.PrepareToRun(Terminal.Gui.MainLoop,System.Action{Terminal.Gui.KeyEvent},System.Action{Terminal.Gui.KeyEvent},System.Action{Terminal.Gui.KeyEvent},System.Action{Terminal.Gui.MouseEvent}) - name: PrepareToRun(MainLoop, Action, Action, Action, Action) - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_PrepareToRun_Terminal_Gui_MainLoop_System_Action_Terminal_Gui_KeyEvent__System_Action_Terminal_Gui_KeyEvent__System_Action_Terminal_Gui_KeyEvent__System_Action_Terminal_Gui_MouseEvent__ - commentId: M:Terminal.Gui.ConsoleDriver.PrepareToRun(Terminal.Gui.MainLoop,System.Action{Terminal.Gui.KeyEvent},System.Action{Terminal.Gui.KeyEvent},System.Action{Terminal.Gui.KeyEvent},System.Action{Terminal.Gui.MouseEvent}) - name.vb: PrepareToRun(MainLoop, Action(Of KeyEvent), Action(Of KeyEvent), Action(Of KeyEvent), Action(Of MouseEvent)) - fullName: Terminal.Gui.ConsoleDriver.PrepareToRun(Terminal.Gui.MainLoop, System.Action, System.Action, System.Action, System.Action) - fullName.vb: Terminal.Gui.ConsoleDriver.PrepareToRun(Terminal.Gui.MainLoop, System.Action(Of Terminal.Gui.KeyEvent), System.Action(Of Terminal.Gui.KeyEvent), System.Action(Of Terminal.Gui.KeyEvent), System.Action(Of Terminal.Gui.MouseEvent)) - nameWithType: ConsoleDriver.PrepareToRun(MainLoop, Action, Action, Action, Action) - nameWithType.vb: ConsoleDriver.PrepareToRun(MainLoop, Action(Of KeyEvent), Action(Of KeyEvent), Action(Of KeyEvent), Action(Of MouseEvent)) -- uid: Terminal.Gui.ConsoleDriver.PrepareToRun* - name: PrepareToRun - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_PrepareToRun_ - commentId: Overload:Terminal.Gui.ConsoleDriver.PrepareToRun - isSpec: "True" - fullName: Terminal.Gui.ConsoleDriver.PrepareToRun - nameWithType: ConsoleDriver.PrepareToRun -- uid: Terminal.Gui.ConsoleDriver.Refresh - name: Refresh() - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_Refresh - commentId: M:Terminal.Gui.ConsoleDriver.Refresh - fullName: Terminal.Gui.ConsoleDriver.Refresh() - nameWithType: ConsoleDriver.Refresh() -- uid: Terminal.Gui.ConsoleDriver.Refresh* - name: Refresh - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_Refresh_ - commentId: Overload:Terminal.Gui.ConsoleDriver.Refresh - isSpec: "True" - fullName: Terminal.Gui.ConsoleDriver.Refresh - nameWithType: ConsoleDriver.Refresh -- uid: Terminal.Gui.ConsoleDriver.RightTee - name: RightTee - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_RightTee - commentId: F:Terminal.Gui.ConsoleDriver.RightTee - fullName: Terminal.Gui.ConsoleDriver.RightTee - nameWithType: ConsoleDriver.RightTee -- uid: Terminal.Gui.ConsoleDriver.Rows - name: Rows - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_Rows - commentId: P:Terminal.Gui.ConsoleDriver.Rows - fullName: Terminal.Gui.ConsoleDriver.Rows - nameWithType: ConsoleDriver.Rows -- uid: Terminal.Gui.ConsoleDriver.Rows* - name: Rows - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_Rows_ - commentId: Overload:Terminal.Gui.ConsoleDriver.Rows - isSpec: "True" - fullName: Terminal.Gui.ConsoleDriver.Rows - nameWithType: ConsoleDriver.Rows -- uid: Terminal.Gui.ConsoleDriver.SetAttribute(Terminal.Gui.Attribute) - name: SetAttribute(Attribute) - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_SetAttribute_Terminal_Gui_Attribute_ - commentId: M:Terminal.Gui.ConsoleDriver.SetAttribute(Terminal.Gui.Attribute) - fullName: Terminal.Gui.ConsoleDriver.SetAttribute(Terminal.Gui.Attribute) - nameWithType: ConsoleDriver.SetAttribute(Attribute) -- uid: Terminal.Gui.ConsoleDriver.SetAttribute* - name: SetAttribute - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_SetAttribute_ - commentId: Overload:Terminal.Gui.ConsoleDriver.SetAttribute - isSpec: "True" - fullName: Terminal.Gui.ConsoleDriver.SetAttribute - nameWithType: ConsoleDriver.SetAttribute -- uid: Terminal.Gui.ConsoleDriver.SetColors(System.ConsoleColor,System.ConsoleColor) - name: SetColors(ConsoleColor, ConsoleColor) - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_SetColors_System_ConsoleColor_System_ConsoleColor_ - commentId: M:Terminal.Gui.ConsoleDriver.SetColors(System.ConsoleColor,System.ConsoleColor) - fullName: Terminal.Gui.ConsoleDriver.SetColors(System.ConsoleColor, System.ConsoleColor) - nameWithType: ConsoleDriver.SetColors(ConsoleColor, ConsoleColor) -- uid: Terminal.Gui.ConsoleDriver.SetColors(System.Int16,System.Int16) - name: SetColors(Int16, Int16) - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_SetColors_System_Int16_System_Int16_ - commentId: M:Terminal.Gui.ConsoleDriver.SetColors(System.Int16,System.Int16) - fullName: Terminal.Gui.ConsoleDriver.SetColors(System.Int16, System.Int16) - nameWithType: ConsoleDriver.SetColors(Int16, Int16) -- uid: Terminal.Gui.ConsoleDriver.SetColors* - name: SetColors - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_SetColors_ - commentId: Overload:Terminal.Gui.ConsoleDriver.SetColors - isSpec: "True" - fullName: Terminal.Gui.ConsoleDriver.SetColors - nameWithType: ConsoleDriver.SetColors -- uid: Terminal.Gui.ConsoleDriver.SetTerminalResized(System.Action) - name: SetTerminalResized(Action) - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_SetTerminalResized_System_Action_ - commentId: M:Terminal.Gui.ConsoleDriver.SetTerminalResized(System.Action) - fullName: Terminal.Gui.ConsoleDriver.SetTerminalResized(System.Action) - nameWithType: ConsoleDriver.SetTerminalResized(Action) -- uid: Terminal.Gui.ConsoleDriver.SetTerminalResized* - name: SetTerminalResized - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_SetTerminalResized_ - commentId: Overload:Terminal.Gui.ConsoleDriver.SetTerminalResized - isSpec: "True" - fullName: Terminal.Gui.ConsoleDriver.SetTerminalResized - nameWithType: ConsoleDriver.SetTerminalResized -- uid: Terminal.Gui.ConsoleDriver.StartReportingMouseMoves - name: StartReportingMouseMoves() - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_StartReportingMouseMoves - commentId: M:Terminal.Gui.ConsoleDriver.StartReportingMouseMoves - fullName: Terminal.Gui.ConsoleDriver.StartReportingMouseMoves() - nameWithType: ConsoleDriver.StartReportingMouseMoves() -- uid: Terminal.Gui.ConsoleDriver.StartReportingMouseMoves* - name: StartReportingMouseMoves - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_StartReportingMouseMoves_ - commentId: Overload:Terminal.Gui.ConsoleDriver.StartReportingMouseMoves - isSpec: "True" - fullName: Terminal.Gui.ConsoleDriver.StartReportingMouseMoves - nameWithType: ConsoleDriver.StartReportingMouseMoves -- uid: Terminal.Gui.ConsoleDriver.Stipple - name: Stipple - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_Stipple - commentId: F:Terminal.Gui.ConsoleDriver.Stipple - fullName: Terminal.Gui.ConsoleDriver.Stipple - nameWithType: ConsoleDriver.Stipple -- uid: Terminal.Gui.ConsoleDriver.StopReportingMouseMoves - name: StopReportingMouseMoves() - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_StopReportingMouseMoves - commentId: M:Terminal.Gui.ConsoleDriver.StopReportingMouseMoves - fullName: Terminal.Gui.ConsoleDriver.StopReportingMouseMoves() - nameWithType: ConsoleDriver.StopReportingMouseMoves() -- uid: Terminal.Gui.ConsoleDriver.StopReportingMouseMoves* - name: StopReportingMouseMoves - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_StopReportingMouseMoves_ - commentId: Overload:Terminal.Gui.ConsoleDriver.StopReportingMouseMoves - isSpec: "True" - fullName: Terminal.Gui.ConsoleDriver.StopReportingMouseMoves - nameWithType: ConsoleDriver.StopReportingMouseMoves -- uid: Terminal.Gui.ConsoleDriver.Suspend - name: Suspend() - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_Suspend - commentId: M:Terminal.Gui.ConsoleDriver.Suspend - fullName: Terminal.Gui.ConsoleDriver.Suspend() - nameWithType: ConsoleDriver.Suspend() -- uid: Terminal.Gui.ConsoleDriver.Suspend* - name: Suspend - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_Suspend_ - commentId: Overload:Terminal.Gui.ConsoleDriver.Suspend - isSpec: "True" - fullName: Terminal.Gui.ConsoleDriver.Suspend - nameWithType: ConsoleDriver.Suspend -- uid: Terminal.Gui.ConsoleDriver.TerminalResized - name: TerminalResized - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_TerminalResized - commentId: F:Terminal.Gui.ConsoleDriver.TerminalResized - fullName: Terminal.Gui.ConsoleDriver.TerminalResized - nameWithType: ConsoleDriver.TerminalResized -- uid: Terminal.Gui.ConsoleDriver.TopTee - name: TopTee - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_TopTee - commentId: F:Terminal.Gui.ConsoleDriver.TopTee - fullName: Terminal.Gui.ConsoleDriver.TopTee - nameWithType: ConsoleDriver.TopTee -- uid: Terminal.Gui.ConsoleDriver.ULCorner - name: ULCorner - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_ULCorner - commentId: F:Terminal.Gui.ConsoleDriver.ULCorner - fullName: Terminal.Gui.ConsoleDriver.ULCorner - nameWithType: ConsoleDriver.ULCorner -- uid: Terminal.Gui.ConsoleDriver.UncookMouse - name: UncookMouse() - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_UncookMouse - commentId: M:Terminal.Gui.ConsoleDriver.UncookMouse - fullName: Terminal.Gui.ConsoleDriver.UncookMouse() - nameWithType: ConsoleDriver.UncookMouse() -- uid: Terminal.Gui.ConsoleDriver.UncookMouse* - name: UncookMouse - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_UncookMouse_ - commentId: Overload:Terminal.Gui.ConsoleDriver.UncookMouse - isSpec: "True" - fullName: Terminal.Gui.ConsoleDriver.UncookMouse - nameWithType: ConsoleDriver.UncookMouse -- uid: Terminal.Gui.ConsoleDriver.UpdateCursor - name: UpdateCursor() - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_UpdateCursor - commentId: M:Terminal.Gui.ConsoleDriver.UpdateCursor - fullName: Terminal.Gui.ConsoleDriver.UpdateCursor() - nameWithType: ConsoleDriver.UpdateCursor() -- uid: Terminal.Gui.ConsoleDriver.UpdateCursor* - name: UpdateCursor - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_UpdateCursor_ - commentId: Overload:Terminal.Gui.ConsoleDriver.UpdateCursor - isSpec: "True" - fullName: Terminal.Gui.ConsoleDriver.UpdateCursor - nameWithType: ConsoleDriver.UpdateCursor -- uid: Terminal.Gui.ConsoleDriver.UpdateScreen - name: UpdateScreen() - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_UpdateScreen - commentId: M:Terminal.Gui.ConsoleDriver.UpdateScreen - fullName: Terminal.Gui.ConsoleDriver.UpdateScreen() - nameWithType: ConsoleDriver.UpdateScreen() -- uid: Terminal.Gui.ConsoleDriver.UpdateScreen* - name: UpdateScreen - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_UpdateScreen_ - commentId: Overload:Terminal.Gui.ConsoleDriver.UpdateScreen - isSpec: "True" - fullName: Terminal.Gui.ConsoleDriver.UpdateScreen - nameWithType: ConsoleDriver.UpdateScreen -- uid: Terminal.Gui.ConsoleDriver.URCorner - name: URCorner - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_URCorner - commentId: F:Terminal.Gui.ConsoleDriver.URCorner - fullName: Terminal.Gui.ConsoleDriver.URCorner - nameWithType: ConsoleDriver.URCorner -- uid: Terminal.Gui.ConsoleDriver.VLine - name: VLine - href: api/Terminal.Gui/Terminal.Gui.ConsoleDriver.html#Terminal_Gui_ConsoleDriver_VLine - commentId: F:Terminal.Gui.ConsoleDriver.VLine - fullName: Terminal.Gui.ConsoleDriver.VLine - nameWithType: ConsoleDriver.VLine -- uid: Terminal.Gui.CursesDriver - name: CursesDriver - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html - commentId: T:Terminal.Gui.CursesDriver - fullName: Terminal.Gui.CursesDriver - nameWithType: CursesDriver -- uid: Terminal.Gui.CursesDriver.AddRune(System.Rune) - name: AddRune(Rune) - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_AddRune_System_Rune_ - commentId: M:Terminal.Gui.CursesDriver.AddRune(System.Rune) - fullName: Terminal.Gui.CursesDriver.AddRune(System.Rune) - nameWithType: CursesDriver.AddRune(Rune) -- uid: Terminal.Gui.CursesDriver.AddRune* - name: AddRune - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_AddRune_ - commentId: Overload:Terminal.Gui.CursesDriver.AddRune - isSpec: "True" - fullName: Terminal.Gui.CursesDriver.AddRune - nameWithType: CursesDriver.AddRune -- uid: Terminal.Gui.CursesDriver.AddStr(NStack.ustring) - name: AddStr(ustring) - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_AddStr_NStack_ustring_ - commentId: M:Terminal.Gui.CursesDriver.AddStr(NStack.ustring) - fullName: Terminal.Gui.CursesDriver.AddStr(NStack.ustring) - nameWithType: CursesDriver.AddStr(ustring) -- uid: Terminal.Gui.CursesDriver.AddStr* - name: AddStr - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_AddStr_ - commentId: Overload:Terminal.Gui.CursesDriver.AddStr - isSpec: "True" - fullName: Terminal.Gui.CursesDriver.AddStr - nameWithType: CursesDriver.AddStr -- uid: Terminal.Gui.CursesDriver.Cols - name: Cols - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_Cols - commentId: P:Terminal.Gui.CursesDriver.Cols - fullName: Terminal.Gui.CursesDriver.Cols - nameWithType: CursesDriver.Cols -- uid: Terminal.Gui.CursesDriver.Cols* - name: Cols - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_Cols_ - commentId: Overload:Terminal.Gui.CursesDriver.Cols - isSpec: "True" - fullName: Terminal.Gui.CursesDriver.Cols - nameWithType: CursesDriver.Cols -- uid: Terminal.Gui.CursesDriver.CookMouse - name: CookMouse() - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_CookMouse - commentId: M:Terminal.Gui.CursesDriver.CookMouse - fullName: Terminal.Gui.CursesDriver.CookMouse() - nameWithType: CursesDriver.CookMouse() -- uid: Terminal.Gui.CursesDriver.CookMouse* - name: CookMouse - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_CookMouse_ - commentId: Overload:Terminal.Gui.CursesDriver.CookMouse - isSpec: "True" - fullName: Terminal.Gui.CursesDriver.CookMouse - nameWithType: CursesDriver.CookMouse -- uid: Terminal.Gui.CursesDriver.End - name: End() - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_End - commentId: M:Terminal.Gui.CursesDriver.End - fullName: Terminal.Gui.CursesDriver.End() - nameWithType: CursesDriver.End() -- uid: Terminal.Gui.CursesDriver.End* - name: End - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_End_ - commentId: Overload:Terminal.Gui.CursesDriver.End - isSpec: "True" - fullName: Terminal.Gui.CursesDriver.End - nameWithType: CursesDriver.End -- uid: Terminal.Gui.CursesDriver.Init(System.Action) - name: Init(Action) - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_Init_System_Action_ - commentId: M:Terminal.Gui.CursesDriver.Init(System.Action) - fullName: Terminal.Gui.CursesDriver.Init(System.Action) - nameWithType: CursesDriver.Init(Action) -- uid: Terminal.Gui.CursesDriver.Init* - name: Init - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_Init_ - commentId: Overload:Terminal.Gui.CursesDriver.Init - isSpec: "True" - fullName: Terminal.Gui.CursesDriver.Init - nameWithType: CursesDriver.Init -- uid: Terminal.Gui.CursesDriver.MakeAttribute(Terminal.Gui.Color,Terminal.Gui.Color) - name: MakeAttribute(Color, Color) - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_MakeAttribute_Terminal_Gui_Color_Terminal_Gui_Color_ - commentId: M:Terminal.Gui.CursesDriver.MakeAttribute(Terminal.Gui.Color,Terminal.Gui.Color) - fullName: Terminal.Gui.CursesDriver.MakeAttribute(Terminal.Gui.Color, Terminal.Gui.Color) - nameWithType: CursesDriver.MakeAttribute(Color, Color) -- uid: Terminal.Gui.CursesDriver.MakeAttribute* - name: MakeAttribute - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_MakeAttribute_ - commentId: Overload:Terminal.Gui.CursesDriver.MakeAttribute - isSpec: "True" - fullName: Terminal.Gui.CursesDriver.MakeAttribute - nameWithType: CursesDriver.MakeAttribute -- uid: Terminal.Gui.CursesDriver.MakeColor(System.Int16,System.Int16) - name: MakeColor(Int16, Int16) - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_MakeColor_System_Int16_System_Int16_ - commentId: M:Terminal.Gui.CursesDriver.MakeColor(System.Int16,System.Int16) - fullName: Terminal.Gui.CursesDriver.MakeColor(System.Int16, System.Int16) - nameWithType: CursesDriver.MakeColor(Int16, Int16) -- uid: Terminal.Gui.CursesDriver.MakeColor* - name: MakeColor - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_MakeColor_ - commentId: Overload:Terminal.Gui.CursesDriver.MakeColor - isSpec: "True" - fullName: Terminal.Gui.CursesDriver.MakeColor - nameWithType: CursesDriver.MakeColor -- uid: Terminal.Gui.CursesDriver.Move(System.Int32,System.Int32) - name: Move(Int32, Int32) - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_Move_System_Int32_System_Int32_ - commentId: M:Terminal.Gui.CursesDriver.Move(System.Int32,System.Int32) - fullName: Terminal.Gui.CursesDriver.Move(System.Int32, System.Int32) - nameWithType: CursesDriver.Move(Int32, Int32) -- uid: Terminal.Gui.CursesDriver.Move* - name: Move - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_Move_ - commentId: Overload:Terminal.Gui.CursesDriver.Move - isSpec: "True" - fullName: Terminal.Gui.CursesDriver.Move - nameWithType: CursesDriver.Move -- uid: Terminal.Gui.CursesDriver.PrepareToRun(Terminal.Gui.MainLoop,System.Action{Terminal.Gui.KeyEvent},System.Action{Terminal.Gui.KeyEvent},System.Action{Terminal.Gui.KeyEvent},System.Action{Terminal.Gui.MouseEvent}) - name: PrepareToRun(MainLoop, Action, Action, Action, Action) - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_PrepareToRun_Terminal_Gui_MainLoop_System_Action_Terminal_Gui_KeyEvent__System_Action_Terminal_Gui_KeyEvent__System_Action_Terminal_Gui_KeyEvent__System_Action_Terminal_Gui_MouseEvent__ - commentId: M:Terminal.Gui.CursesDriver.PrepareToRun(Terminal.Gui.MainLoop,System.Action{Terminal.Gui.KeyEvent},System.Action{Terminal.Gui.KeyEvent},System.Action{Terminal.Gui.KeyEvent},System.Action{Terminal.Gui.MouseEvent}) - name.vb: PrepareToRun(MainLoop, Action(Of KeyEvent), Action(Of KeyEvent), Action(Of KeyEvent), Action(Of MouseEvent)) - fullName: Terminal.Gui.CursesDriver.PrepareToRun(Terminal.Gui.MainLoop, System.Action, System.Action, System.Action, System.Action) - fullName.vb: Terminal.Gui.CursesDriver.PrepareToRun(Terminal.Gui.MainLoop, System.Action(Of Terminal.Gui.KeyEvent), System.Action(Of Terminal.Gui.KeyEvent), System.Action(Of Terminal.Gui.KeyEvent), System.Action(Of Terminal.Gui.MouseEvent)) - nameWithType: CursesDriver.PrepareToRun(MainLoop, Action, Action, Action, Action) - nameWithType.vb: CursesDriver.PrepareToRun(MainLoop, Action(Of KeyEvent), Action(Of KeyEvent), Action(Of KeyEvent), Action(Of MouseEvent)) -- uid: Terminal.Gui.CursesDriver.PrepareToRun* - name: PrepareToRun - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_PrepareToRun_ - commentId: Overload:Terminal.Gui.CursesDriver.PrepareToRun - isSpec: "True" - fullName: Terminal.Gui.CursesDriver.PrepareToRun - nameWithType: CursesDriver.PrepareToRun -- uid: Terminal.Gui.CursesDriver.Refresh - name: Refresh() - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_Refresh - commentId: M:Terminal.Gui.CursesDriver.Refresh - fullName: Terminal.Gui.CursesDriver.Refresh() - nameWithType: CursesDriver.Refresh() -- uid: Terminal.Gui.CursesDriver.Refresh* - name: Refresh - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_Refresh_ - commentId: Overload:Terminal.Gui.CursesDriver.Refresh - isSpec: "True" - fullName: Terminal.Gui.CursesDriver.Refresh - nameWithType: CursesDriver.Refresh -- uid: Terminal.Gui.CursesDriver.Rows - name: Rows - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_Rows - commentId: P:Terminal.Gui.CursesDriver.Rows - fullName: Terminal.Gui.CursesDriver.Rows - nameWithType: CursesDriver.Rows -- uid: Terminal.Gui.CursesDriver.Rows* - name: Rows - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_Rows_ - commentId: Overload:Terminal.Gui.CursesDriver.Rows - isSpec: "True" - fullName: Terminal.Gui.CursesDriver.Rows - nameWithType: CursesDriver.Rows -- uid: Terminal.Gui.CursesDriver.SetAttribute(Terminal.Gui.Attribute) - name: SetAttribute(Attribute) - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_SetAttribute_Terminal_Gui_Attribute_ - commentId: M:Terminal.Gui.CursesDriver.SetAttribute(Terminal.Gui.Attribute) - fullName: Terminal.Gui.CursesDriver.SetAttribute(Terminal.Gui.Attribute) - nameWithType: CursesDriver.SetAttribute(Attribute) -- uid: Terminal.Gui.CursesDriver.SetAttribute* - name: SetAttribute - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_SetAttribute_ - commentId: Overload:Terminal.Gui.CursesDriver.SetAttribute - isSpec: "True" - fullName: Terminal.Gui.CursesDriver.SetAttribute - nameWithType: CursesDriver.SetAttribute -- uid: Terminal.Gui.CursesDriver.SetColors(System.ConsoleColor,System.ConsoleColor) - name: SetColors(ConsoleColor, ConsoleColor) - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_SetColors_System_ConsoleColor_System_ConsoleColor_ - commentId: M:Terminal.Gui.CursesDriver.SetColors(System.ConsoleColor,System.ConsoleColor) - fullName: Terminal.Gui.CursesDriver.SetColors(System.ConsoleColor, System.ConsoleColor) - nameWithType: CursesDriver.SetColors(ConsoleColor, ConsoleColor) -- uid: Terminal.Gui.CursesDriver.SetColors(System.Int16,System.Int16) - name: SetColors(Int16, Int16) - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_SetColors_System_Int16_System_Int16_ - commentId: M:Terminal.Gui.CursesDriver.SetColors(System.Int16,System.Int16) - fullName: Terminal.Gui.CursesDriver.SetColors(System.Int16, System.Int16) - nameWithType: CursesDriver.SetColors(Int16, Int16) -- uid: Terminal.Gui.CursesDriver.SetColors* - name: SetColors - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_SetColors_ - commentId: Overload:Terminal.Gui.CursesDriver.SetColors - isSpec: "True" - fullName: Terminal.Gui.CursesDriver.SetColors - nameWithType: CursesDriver.SetColors -- uid: Terminal.Gui.CursesDriver.StartReportingMouseMoves - name: StartReportingMouseMoves() - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_StartReportingMouseMoves - commentId: M:Terminal.Gui.CursesDriver.StartReportingMouseMoves - fullName: Terminal.Gui.CursesDriver.StartReportingMouseMoves() - nameWithType: CursesDriver.StartReportingMouseMoves() -- uid: Terminal.Gui.CursesDriver.StartReportingMouseMoves* - name: StartReportingMouseMoves - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_StartReportingMouseMoves_ - commentId: Overload:Terminal.Gui.CursesDriver.StartReportingMouseMoves - isSpec: "True" - fullName: Terminal.Gui.CursesDriver.StartReportingMouseMoves - nameWithType: CursesDriver.StartReportingMouseMoves -- uid: Terminal.Gui.CursesDriver.StopReportingMouseMoves - name: StopReportingMouseMoves() - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_StopReportingMouseMoves - commentId: M:Terminal.Gui.CursesDriver.StopReportingMouseMoves - fullName: Terminal.Gui.CursesDriver.StopReportingMouseMoves() - nameWithType: CursesDriver.StopReportingMouseMoves() -- uid: Terminal.Gui.CursesDriver.StopReportingMouseMoves* - name: StopReportingMouseMoves - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_StopReportingMouseMoves_ - commentId: Overload:Terminal.Gui.CursesDriver.StopReportingMouseMoves - isSpec: "True" - fullName: Terminal.Gui.CursesDriver.StopReportingMouseMoves - nameWithType: CursesDriver.StopReportingMouseMoves -- uid: Terminal.Gui.CursesDriver.Suspend - name: Suspend() - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_Suspend - commentId: M:Terminal.Gui.CursesDriver.Suspend - fullName: Terminal.Gui.CursesDriver.Suspend() - nameWithType: CursesDriver.Suspend() -- uid: Terminal.Gui.CursesDriver.Suspend* - name: Suspend - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_Suspend_ - commentId: Overload:Terminal.Gui.CursesDriver.Suspend - isSpec: "True" - fullName: Terminal.Gui.CursesDriver.Suspend - nameWithType: CursesDriver.Suspend -- uid: Terminal.Gui.CursesDriver.UncookMouse - name: UncookMouse() - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_UncookMouse - commentId: M:Terminal.Gui.CursesDriver.UncookMouse - fullName: Terminal.Gui.CursesDriver.UncookMouse() - nameWithType: CursesDriver.UncookMouse() -- uid: Terminal.Gui.CursesDriver.UncookMouse* - name: UncookMouse - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_UncookMouse_ - commentId: Overload:Terminal.Gui.CursesDriver.UncookMouse - isSpec: "True" - fullName: Terminal.Gui.CursesDriver.UncookMouse - nameWithType: CursesDriver.UncookMouse -- uid: Terminal.Gui.CursesDriver.UpdateCursor - name: UpdateCursor() - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_UpdateCursor - commentId: M:Terminal.Gui.CursesDriver.UpdateCursor - fullName: Terminal.Gui.CursesDriver.UpdateCursor() - nameWithType: CursesDriver.UpdateCursor() -- uid: Terminal.Gui.CursesDriver.UpdateCursor* - name: UpdateCursor - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_UpdateCursor_ - commentId: Overload:Terminal.Gui.CursesDriver.UpdateCursor - isSpec: "True" - fullName: Terminal.Gui.CursesDriver.UpdateCursor - nameWithType: CursesDriver.UpdateCursor -- uid: Terminal.Gui.CursesDriver.UpdateScreen - name: UpdateScreen() - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_UpdateScreen - commentId: M:Terminal.Gui.CursesDriver.UpdateScreen - fullName: Terminal.Gui.CursesDriver.UpdateScreen() - nameWithType: CursesDriver.UpdateScreen() -- uid: Terminal.Gui.CursesDriver.UpdateScreen* - name: UpdateScreen - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_UpdateScreen_ - commentId: Overload:Terminal.Gui.CursesDriver.UpdateScreen - isSpec: "True" - fullName: Terminal.Gui.CursesDriver.UpdateScreen - nameWithType: CursesDriver.UpdateScreen -- uid: Terminal.Gui.CursesDriver.window - name: window - href: api/Terminal.Gui/Terminal.Gui.CursesDriver.html#Terminal_Gui_CursesDriver_window - commentId: F:Terminal.Gui.CursesDriver.window - fullName: Terminal.Gui.CursesDriver.window - nameWithType: CursesDriver.window -- uid: Terminal.Gui.DateField - name: DateField - href: api/Terminal.Gui/Terminal.Gui.DateField.html - commentId: T:Terminal.Gui.DateField - fullName: Terminal.Gui.DateField - nameWithType: DateField -- uid: Terminal.Gui.DateField.#ctor(System.DateTime) - name: DateField(DateTime) - href: api/Terminal.Gui/Terminal.Gui.DateField.html#Terminal_Gui_DateField__ctor_System_DateTime_ - commentId: M:Terminal.Gui.DateField.#ctor(System.DateTime) - fullName: Terminal.Gui.DateField.DateField(System.DateTime) - nameWithType: DateField.DateField(DateTime) -- uid: Terminal.Gui.DateField.#ctor(System.Int32,System.Int32,System.DateTime,System.Boolean) - name: DateField(Int32, Int32, DateTime, Boolean) - href: api/Terminal.Gui/Terminal.Gui.DateField.html#Terminal_Gui_DateField__ctor_System_Int32_System_Int32_System_DateTime_System_Boolean_ - commentId: M:Terminal.Gui.DateField.#ctor(System.Int32,System.Int32,System.DateTime,System.Boolean) - fullName: Terminal.Gui.DateField.DateField(System.Int32, System.Int32, System.DateTime, System.Boolean) - nameWithType: DateField.DateField(Int32, Int32, DateTime, Boolean) -- uid: Terminal.Gui.DateField.#ctor* - name: DateField - href: api/Terminal.Gui/Terminal.Gui.DateField.html#Terminal_Gui_DateField__ctor_ - commentId: Overload:Terminal.Gui.DateField.#ctor - isSpec: "True" - fullName: Terminal.Gui.DateField.DateField - nameWithType: DateField.DateField -- uid: Terminal.Gui.DateField.Date - name: Date - href: api/Terminal.Gui/Terminal.Gui.DateField.html#Terminal_Gui_DateField_Date - commentId: P:Terminal.Gui.DateField.Date - fullName: Terminal.Gui.DateField.Date - nameWithType: DateField.Date -- uid: Terminal.Gui.DateField.Date* - name: Date - href: api/Terminal.Gui/Terminal.Gui.DateField.html#Terminal_Gui_DateField_Date_ - commentId: Overload:Terminal.Gui.DateField.Date - isSpec: "True" - fullName: Terminal.Gui.DateField.Date - nameWithType: DateField.Date -- uid: Terminal.Gui.DateField.IsShortFormat - name: IsShortFormat - href: api/Terminal.Gui/Terminal.Gui.DateField.html#Terminal_Gui_DateField_IsShortFormat - commentId: P:Terminal.Gui.DateField.IsShortFormat - fullName: Terminal.Gui.DateField.IsShortFormat - nameWithType: DateField.IsShortFormat -- uid: Terminal.Gui.DateField.IsShortFormat* - name: IsShortFormat - href: api/Terminal.Gui/Terminal.Gui.DateField.html#Terminal_Gui_DateField_IsShortFormat_ - commentId: Overload:Terminal.Gui.DateField.IsShortFormat - isSpec: "True" - fullName: Terminal.Gui.DateField.IsShortFormat - nameWithType: DateField.IsShortFormat -- uid: Terminal.Gui.DateField.MouseEvent(Terminal.Gui.MouseEvent) - name: MouseEvent(MouseEvent) - href: api/Terminal.Gui/Terminal.Gui.DateField.html#Terminal_Gui_DateField_MouseEvent_Terminal_Gui_MouseEvent_ - commentId: M:Terminal.Gui.DateField.MouseEvent(Terminal.Gui.MouseEvent) - fullName: Terminal.Gui.DateField.MouseEvent(Terminal.Gui.MouseEvent) - nameWithType: DateField.MouseEvent(MouseEvent) -- uid: Terminal.Gui.DateField.MouseEvent* - name: MouseEvent - href: api/Terminal.Gui/Terminal.Gui.DateField.html#Terminal_Gui_DateField_MouseEvent_ - commentId: Overload:Terminal.Gui.DateField.MouseEvent - isSpec: "True" - fullName: Terminal.Gui.DateField.MouseEvent - nameWithType: DateField.MouseEvent -- uid: Terminal.Gui.DateField.ProcessKey(Terminal.Gui.KeyEvent) - name: ProcessKey(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.DateField.html#Terminal_Gui_DateField_ProcessKey_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.DateField.ProcessKey(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.DateField.ProcessKey(Terminal.Gui.KeyEvent) - nameWithType: DateField.ProcessKey(KeyEvent) -- uid: Terminal.Gui.DateField.ProcessKey* - name: ProcessKey - href: api/Terminal.Gui/Terminal.Gui.DateField.html#Terminal_Gui_DateField_ProcessKey_ - commentId: Overload:Terminal.Gui.DateField.ProcessKey - isSpec: "True" - fullName: Terminal.Gui.DateField.ProcessKey - nameWithType: DateField.ProcessKey -- uid: Terminal.Gui.Dialog - name: Dialog - href: api/Terminal.Gui/Terminal.Gui.Dialog.html - commentId: T:Terminal.Gui.Dialog - fullName: Terminal.Gui.Dialog - nameWithType: Dialog -- uid: Terminal.Gui.Dialog.#ctor(NStack.ustring,System.Int32,System.Int32,Terminal.Gui.Button[]) - name: Dialog(ustring, Int32, Int32, Button[]) - href: api/Terminal.Gui/Terminal.Gui.Dialog.html#Terminal_Gui_Dialog__ctor_NStack_ustring_System_Int32_System_Int32_Terminal_Gui_Button___ - commentId: M:Terminal.Gui.Dialog.#ctor(NStack.ustring,System.Int32,System.Int32,Terminal.Gui.Button[]) - name.vb: Dialog(ustring, Int32, Int32, Button()) - fullName: Terminal.Gui.Dialog.Dialog(NStack.ustring, System.Int32, System.Int32, Terminal.Gui.Button[]) - fullName.vb: Terminal.Gui.Dialog.Dialog(NStack.ustring, System.Int32, System.Int32, Terminal.Gui.Button()) - nameWithType: Dialog.Dialog(ustring, Int32, Int32, Button[]) - nameWithType.vb: Dialog.Dialog(ustring, Int32, Int32, Button()) -- uid: Terminal.Gui.Dialog.#ctor* - name: Dialog - href: api/Terminal.Gui/Terminal.Gui.Dialog.html#Terminal_Gui_Dialog__ctor_ - commentId: Overload:Terminal.Gui.Dialog.#ctor - isSpec: "True" - fullName: Terminal.Gui.Dialog.Dialog - nameWithType: Dialog.Dialog -- uid: Terminal.Gui.Dialog.AddButton(Terminal.Gui.Button) - name: AddButton(Button) - href: api/Terminal.Gui/Terminal.Gui.Dialog.html#Terminal_Gui_Dialog_AddButton_Terminal_Gui_Button_ - commentId: M:Terminal.Gui.Dialog.AddButton(Terminal.Gui.Button) - fullName: Terminal.Gui.Dialog.AddButton(Terminal.Gui.Button) - nameWithType: Dialog.AddButton(Button) -- uid: Terminal.Gui.Dialog.AddButton* - name: AddButton - href: api/Terminal.Gui/Terminal.Gui.Dialog.html#Terminal_Gui_Dialog_AddButton_ - commentId: Overload:Terminal.Gui.Dialog.AddButton - isSpec: "True" - fullName: Terminal.Gui.Dialog.AddButton - nameWithType: Dialog.AddButton -- uid: Terminal.Gui.Dialog.LayoutSubviews - name: LayoutSubviews() - href: api/Terminal.Gui/Terminal.Gui.Dialog.html#Terminal_Gui_Dialog_LayoutSubviews - commentId: M:Terminal.Gui.Dialog.LayoutSubviews - fullName: Terminal.Gui.Dialog.LayoutSubviews() - nameWithType: Dialog.LayoutSubviews() -- uid: Terminal.Gui.Dialog.LayoutSubviews* - name: LayoutSubviews - href: api/Terminal.Gui/Terminal.Gui.Dialog.html#Terminal_Gui_Dialog_LayoutSubviews_ - commentId: Overload:Terminal.Gui.Dialog.LayoutSubviews - isSpec: "True" - fullName: Terminal.Gui.Dialog.LayoutSubviews - nameWithType: Dialog.LayoutSubviews -- uid: Terminal.Gui.Dialog.ProcessKey(Terminal.Gui.KeyEvent) - name: ProcessKey(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.Dialog.html#Terminal_Gui_Dialog_ProcessKey_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.Dialog.ProcessKey(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.Dialog.ProcessKey(Terminal.Gui.KeyEvent) - nameWithType: Dialog.ProcessKey(KeyEvent) -- uid: Terminal.Gui.Dialog.ProcessKey* - name: ProcessKey - href: api/Terminal.Gui/Terminal.Gui.Dialog.html#Terminal_Gui_Dialog_ProcessKey_ - commentId: Overload:Terminal.Gui.Dialog.ProcessKey - isSpec: "True" - fullName: Terminal.Gui.Dialog.ProcessKey - nameWithType: Dialog.ProcessKey -- uid: Terminal.Gui.Dim - name: Dim - href: api/Terminal.Gui/Terminal.Gui.Dim.html - commentId: T:Terminal.Gui.Dim - fullName: Terminal.Gui.Dim - nameWithType: Dim -- uid: Terminal.Gui.Dim.Fill(System.Int32) - name: Fill(Int32) - href: api/Terminal.Gui/Terminal.Gui.Dim.html#Terminal_Gui_Dim_Fill_System_Int32_ - commentId: M:Terminal.Gui.Dim.Fill(System.Int32) - fullName: Terminal.Gui.Dim.Fill(System.Int32) - nameWithType: Dim.Fill(Int32) -- uid: Terminal.Gui.Dim.Fill* - name: Fill - href: api/Terminal.Gui/Terminal.Gui.Dim.html#Terminal_Gui_Dim_Fill_ - commentId: Overload:Terminal.Gui.Dim.Fill - isSpec: "True" - fullName: Terminal.Gui.Dim.Fill - nameWithType: Dim.Fill -- uid: Terminal.Gui.Dim.Height(Terminal.Gui.View) - name: Height(View) - href: api/Terminal.Gui/Terminal.Gui.Dim.html#Terminal_Gui_Dim_Height_Terminal_Gui_View_ - commentId: M:Terminal.Gui.Dim.Height(Terminal.Gui.View) - fullName: Terminal.Gui.Dim.Height(Terminal.Gui.View) - nameWithType: Dim.Height(View) -- uid: Terminal.Gui.Dim.Height* - name: Height - href: api/Terminal.Gui/Terminal.Gui.Dim.html#Terminal_Gui_Dim_Height_ - commentId: Overload:Terminal.Gui.Dim.Height - isSpec: "True" - fullName: Terminal.Gui.Dim.Height - nameWithType: Dim.Height -- uid: Terminal.Gui.Dim.op_Addition(Terminal.Gui.Dim,Terminal.Gui.Dim) - name: Addition(Dim, Dim) - href: api/Terminal.Gui/Terminal.Gui.Dim.html#Terminal_Gui_Dim_op_Addition_Terminal_Gui_Dim_Terminal_Gui_Dim_ - commentId: M:Terminal.Gui.Dim.op_Addition(Terminal.Gui.Dim,Terminal.Gui.Dim) - fullName: Terminal.Gui.Dim.Addition(Terminal.Gui.Dim, Terminal.Gui.Dim) - nameWithType: Dim.Addition(Dim, Dim) -- uid: Terminal.Gui.Dim.op_Addition* - name: Addition - href: api/Terminal.Gui/Terminal.Gui.Dim.html#Terminal_Gui_Dim_op_Addition_ - commentId: Overload:Terminal.Gui.Dim.op_Addition - isSpec: "True" - fullName: Terminal.Gui.Dim.Addition - nameWithType: Dim.Addition -- uid: Terminal.Gui.Dim.op_Implicit(System.Int32)~Terminal.Gui.Dim - name: Implicit(Int32 to Dim) - href: api/Terminal.Gui/Terminal.Gui.Dim.html#Terminal_Gui_Dim_op_Implicit_System_Int32__Terminal_Gui_Dim - commentId: M:Terminal.Gui.Dim.op_Implicit(System.Int32)~Terminal.Gui.Dim - name.vb: Widening(Int32 to Dim) - fullName: Terminal.Gui.Dim.Implicit(System.Int32 to Terminal.Gui.Dim) - fullName.vb: Terminal.Gui.Dim.Widening(System.Int32 to Terminal.Gui.Dim) - nameWithType: Dim.Implicit(Int32 to Dim) - nameWithType.vb: Dim.Widening(Int32 to Dim) -- uid: Terminal.Gui.Dim.op_Implicit* - name: Implicit - href: api/Terminal.Gui/Terminal.Gui.Dim.html#Terminal_Gui_Dim_op_Implicit_ - commentId: Overload:Terminal.Gui.Dim.op_Implicit - isSpec: "True" - name.vb: Widening - fullName: Terminal.Gui.Dim.Implicit - fullName.vb: Terminal.Gui.Dim.Widening - nameWithType: Dim.Implicit - nameWithType.vb: Dim.Widening -- uid: Terminal.Gui.Dim.op_Subtraction(Terminal.Gui.Dim,Terminal.Gui.Dim) - name: Subtraction(Dim, Dim) - href: api/Terminal.Gui/Terminal.Gui.Dim.html#Terminal_Gui_Dim_op_Subtraction_Terminal_Gui_Dim_Terminal_Gui_Dim_ - commentId: M:Terminal.Gui.Dim.op_Subtraction(Terminal.Gui.Dim,Terminal.Gui.Dim) - fullName: Terminal.Gui.Dim.Subtraction(Terminal.Gui.Dim, Terminal.Gui.Dim) - nameWithType: Dim.Subtraction(Dim, Dim) -- uid: Terminal.Gui.Dim.op_Subtraction* - name: Subtraction - href: api/Terminal.Gui/Terminal.Gui.Dim.html#Terminal_Gui_Dim_op_Subtraction_ - commentId: Overload:Terminal.Gui.Dim.op_Subtraction - isSpec: "True" - fullName: Terminal.Gui.Dim.Subtraction - nameWithType: Dim.Subtraction -- uid: Terminal.Gui.Dim.Percent(System.Single) - name: Percent(Single) - href: api/Terminal.Gui/Terminal.Gui.Dim.html#Terminal_Gui_Dim_Percent_System_Single_ - commentId: M:Terminal.Gui.Dim.Percent(System.Single) - fullName: Terminal.Gui.Dim.Percent(System.Single) - nameWithType: Dim.Percent(Single) -- uid: Terminal.Gui.Dim.Percent* - name: Percent - href: api/Terminal.Gui/Terminal.Gui.Dim.html#Terminal_Gui_Dim_Percent_ - commentId: Overload:Terminal.Gui.Dim.Percent - isSpec: "True" - fullName: Terminal.Gui.Dim.Percent - nameWithType: Dim.Percent -- uid: Terminal.Gui.Dim.Sized(System.Int32) - name: Sized(Int32) - href: api/Terminal.Gui/Terminal.Gui.Dim.html#Terminal_Gui_Dim_Sized_System_Int32_ - commentId: M:Terminal.Gui.Dim.Sized(System.Int32) - fullName: Terminal.Gui.Dim.Sized(System.Int32) - nameWithType: Dim.Sized(Int32) -- uid: Terminal.Gui.Dim.Sized* - name: Sized - href: api/Terminal.Gui/Terminal.Gui.Dim.html#Terminal_Gui_Dim_Sized_ - commentId: Overload:Terminal.Gui.Dim.Sized - isSpec: "True" - fullName: Terminal.Gui.Dim.Sized - nameWithType: Dim.Sized -- uid: Terminal.Gui.Dim.Width(Terminal.Gui.View) - name: Width(View) - href: api/Terminal.Gui/Terminal.Gui.Dim.html#Terminal_Gui_Dim_Width_Terminal_Gui_View_ - commentId: M:Terminal.Gui.Dim.Width(Terminal.Gui.View) - fullName: Terminal.Gui.Dim.Width(Terminal.Gui.View) - nameWithType: Dim.Width(View) -- uid: Terminal.Gui.Dim.Width* - name: Width - href: api/Terminal.Gui/Terminal.Gui.Dim.html#Terminal_Gui_Dim_Width_ - commentId: Overload:Terminal.Gui.Dim.Width - isSpec: "True" - fullName: Terminal.Gui.Dim.Width - nameWithType: Dim.Width -- uid: Terminal.Gui.FileDialog - name: FileDialog - href: api/Terminal.Gui/Terminal.Gui.FileDialog.html - commentId: T:Terminal.Gui.FileDialog - fullName: Terminal.Gui.FileDialog - nameWithType: FileDialog -- uid: Terminal.Gui.FileDialog.#ctor(NStack.ustring,NStack.ustring,NStack.ustring,NStack.ustring) - name: FileDialog(ustring, ustring, ustring, ustring) - href: api/Terminal.Gui/Terminal.Gui.FileDialog.html#Terminal_Gui_FileDialog__ctor_NStack_ustring_NStack_ustring_NStack_ustring_NStack_ustring_ - commentId: M:Terminal.Gui.FileDialog.#ctor(NStack.ustring,NStack.ustring,NStack.ustring,NStack.ustring) - fullName: Terminal.Gui.FileDialog.FileDialog(NStack.ustring, NStack.ustring, NStack.ustring, NStack.ustring) - nameWithType: FileDialog.FileDialog(ustring, ustring, ustring, ustring) -- uid: Terminal.Gui.FileDialog.#ctor* - name: FileDialog - href: api/Terminal.Gui/Terminal.Gui.FileDialog.html#Terminal_Gui_FileDialog__ctor_ - commentId: Overload:Terminal.Gui.FileDialog.#ctor - isSpec: "True" - fullName: Terminal.Gui.FileDialog.FileDialog - nameWithType: FileDialog.FileDialog -- uid: Terminal.Gui.FileDialog.AllowedFileTypes - name: AllowedFileTypes - href: api/Terminal.Gui/Terminal.Gui.FileDialog.html#Terminal_Gui_FileDialog_AllowedFileTypes - commentId: P:Terminal.Gui.FileDialog.AllowedFileTypes - fullName: Terminal.Gui.FileDialog.AllowedFileTypes - nameWithType: FileDialog.AllowedFileTypes -- uid: Terminal.Gui.FileDialog.AllowedFileTypes* - name: AllowedFileTypes - href: api/Terminal.Gui/Terminal.Gui.FileDialog.html#Terminal_Gui_FileDialog_AllowedFileTypes_ - commentId: Overload:Terminal.Gui.FileDialog.AllowedFileTypes - isSpec: "True" - fullName: Terminal.Gui.FileDialog.AllowedFileTypes - nameWithType: FileDialog.AllowedFileTypes -- uid: Terminal.Gui.FileDialog.AllowsOtherFileTypes - name: AllowsOtherFileTypes - href: api/Terminal.Gui/Terminal.Gui.FileDialog.html#Terminal_Gui_FileDialog_AllowsOtherFileTypes - commentId: P:Terminal.Gui.FileDialog.AllowsOtherFileTypes - fullName: Terminal.Gui.FileDialog.AllowsOtherFileTypes - nameWithType: FileDialog.AllowsOtherFileTypes -- uid: Terminal.Gui.FileDialog.AllowsOtherFileTypes* - name: AllowsOtherFileTypes - href: api/Terminal.Gui/Terminal.Gui.FileDialog.html#Terminal_Gui_FileDialog_AllowsOtherFileTypes_ - commentId: Overload:Terminal.Gui.FileDialog.AllowsOtherFileTypes - isSpec: "True" - fullName: Terminal.Gui.FileDialog.AllowsOtherFileTypes - nameWithType: FileDialog.AllowsOtherFileTypes -- uid: Terminal.Gui.FileDialog.Canceled - name: Canceled - href: api/Terminal.Gui/Terminal.Gui.FileDialog.html#Terminal_Gui_FileDialog_Canceled - commentId: P:Terminal.Gui.FileDialog.Canceled - fullName: Terminal.Gui.FileDialog.Canceled - nameWithType: FileDialog.Canceled -- uid: Terminal.Gui.FileDialog.Canceled* - name: Canceled - href: api/Terminal.Gui/Terminal.Gui.FileDialog.html#Terminal_Gui_FileDialog_Canceled_ - commentId: Overload:Terminal.Gui.FileDialog.Canceled - isSpec: "True" - fullName: Terminal.Gui.FileDialog.Canceled - nameWithType: FileDialog.Canceled -- uid: Terminal.Gui.FileDialog.CanCreateDirectories - name: CanCreateDirectories - href: api/Terminal.Gui/Terminal.Gui.FileDialog.html#Terminal_Gui_FileDialog_CanCreateDirectories - commentId: P:Terminal.Gui.FileDialog.CanCreateDirectories - fullName: Terminal.Gui.FileDialog.CanCreateDirectories - nameWithType: FileDialog.CanCreateDirectories -- uid: Terminal.Gui.FileDialog.CanCreateDirectories* - name: CanCreateDirectories - href: api/Terminal.Gui/Terminal.Gui.FileDialog.html#Terminal_Gui_FileDialog_CanCreateDirectories_ - commentId: Overload:Terminal.Gui.FileDialog.CanCreateDirectories - isSpec: "True" - fullName: Terminal.Gui.FileDialog.CanCreateDirectories - nameWithType: FileDialog.CanCreateDirectories -- uid: Terminal.Gui.FileDialog.DirectoryPath - name: DirectoryPath - href: api/Terminal.Gui/Terminal.Gui.FileDialog.html#Terminal_Gui_FileDialog_DirectoryPath - commentId: P:Terminal.Gui.FileDialog.DirectoryPath - fullName: Terminal.Gui.FileDialog.DirectoryPath - nameWithType: FileDialog.DirectoryPath -- uid: Terminal.Gui.FileDialog.DirectoryPath* - name: DirectoryPath - href: api/Terminal.Gui/Terminal.Gui.FileDialog.html#Terminal_Gui_FileDialog_DirectoryPath_ - commentId: Overload:Terminal.Gui.FileDialog.DirectoryPath - isSpec: "True" - fullName: Terminal.Gui.FileDialog.DirectoryPath - nameWithType: FileDialog.DirectoryPath -- uid: Terminal.Gui.FileDialog.FilePath - name: FilePath - href: api/Terminal.Gui/Terminal.Gui.FileDialog.html#Terminal_Gui_FileDialog_FilePath - commentId: P:Terminal.Gui.FileDialog.FilePath - fullName: Terminal.Gui.FileDialog.FilePath - nameWithType: FileDialog.FilePath -- uid: Terminal.Gui.FileDialog.FilePath* - name: FilePath - href: api/Terminal.Gui/Terminal.Gui.FileDialog.html#Terminal_Gui_FileDialog_FilePath_ - commentId: Overload:Terminal.Gui.FileDialog.FilePath - isSpec: "True" - fullName: Terminal.Gui.FileDialog.FilePath - nameWithType: FileDialog.FilePath -- uid: Terminal.Gui.FileDialog.IsExtensionHidden - name: IsExtensionHidden - href: api/Terminal.Gui/Terminal.Gui.FileDialog.html#Terminal_Gui_FileDialog_IsExtensionHidden - commentId: P:Terminal.Gui.FileDialog.IsExtensionHidden - fullName: Terminal.Gui.FileDialog.IsExtensionHidden - nameWithType: FileDialog.IsExtensionHidden -- uid: Terminal.Gui.FileDialog.IsExtensionHidden* - name: IsExtensionHidden - href: api/Terminal.Gui/Terminal.Gui.FileDialog.html#Terminal_Gui_FileDialog_IsExtensionHidden_ - commentId: Overload:Terminal.Gui.FileDialog.IsExtensionHidden - isSpec: "True" - fullName: Terminal.Gui.FileDialog.IsExtensionHidden - nameWithType: FileDialog.IsExtensionHidden -- uid: Terminal.Gui.FileDialog.Message - name: Message - href: api/Terminal.Gui/Terminal.Gui.FileDialog.html#Terminal_Gui_FileDialog_Message - commentId: P:Terminal.Gui.FileDialog.Message - fullName: Terminal.Gui.FileDialog.Message - nameWithType: FileDialog.Message -- uid: Terminal.Gui.FileDialog.Message* - name: Message - href: api/Terminal.Gui/Terminal.Gui.FileDialog.html#Terminal_Gui_FileDialog_Message_ - commentId: Overload:Terminal.Gui.FileDialog.Message - isSpec: "True" - fullName: Terminal.Gui.FileDialog.Message - nameWithType: FileDialog.Message -- uid: Terminal.Gui.FileDialog.NameFieldLabel - name: NameFieldLabel - href: api/Terminal.Gui/Terminal.Gui.FileDialog.html#Terminal_Gui_FileDialog_NameFieldLabel - commentId: P:Terminal.Gui.FileDialog.NameFieldLabel - fullName: Terminal.Gui.FileDialog.NameFieldLabel - nameWithType: FileDialog.NameFieldLabel -- uid: Terminal.Gui.FileDialog.NameFieldLabel* - name: NameFieldLabel - href: api/Terminal.Gui/Terminal.Gui.FileDialog.html#Terminal_Gui_FileDialog_NameFieldLabel_ - commentId: Overload:Terminal.Gui.FileDialog.NameFieldLabel - isSpec: "True" - fullName: Terminal.Gui.FileDialog.NameFieldLabel - nameWithType: FileDialog.NameFieldLabel -- uid: Terminal.Gui.FileDialog.Prompt - name: Prompt - href: api/Terminal.Gui/Terminal.Gui.FileDialog.html#Terminal_Gui_FileDialog_Prompt - commentId: P:Terminal.Gui.FileDialog.Prompt - fullName: Terminal.Gui.FileDialog.Prompt - nameWithType: FileDialog.Prompt -- uid: Terminal.Gui.FileDialog.Prompt* - name: Prompt - href: api/Terminal.Gui/Terminal.Gui.FileDialog.html#Terminal_Gui_FileDialog_Prompt_ - commentId: Overload:Terminal.Gui.FileDialog.Prompt - isSpec: "True" - fullName: Terminal.Gui.FileDialog.Prompt - nameWithType: FileDialog.Prompt -- uid: Terminal.Gui.FileDialog.WillPresent - name: WillPresent() - href: api/Terminal.Gui/Terminal.Gui.FileDialog.html#Terminal_Gui_FileDialog_WillPresent - commentId: M:Terminal.Gui.FileDialog.WillPresent - fullName: Terminal.Gui.FileDialog.WillPresent() - nameWithType: FileDialog.WillPresent() -- uid: Terminal.Gui.FileDialog.WillPresent* - name: WillPresent - href: api/Terminal.Gui/Terminal.Gui.FileDialog.html#Terminal_Gui_FileDialog_WillPresent_ - commentId: Overload:Terminal.Gui.FileDialog.WillPresent - isSpec: "True" - fullName: Terminal.Gui.FileDialog.WillPresent - nameWithType: FileDialog.WillPresent -- uid: Terminal.Gui.FrameView - name: FrameView - href: api/Terminal.Gui/Terminal.Gui.FrameView.html - commentId: T:Terminal.Gui.FrameView - fullName: Terminal.Gui.FrameView - nameWithType: FrameView -- uid: Terminal.Gui.FrameView.#ctor(NStack.ustring) - name: FrameView(ustring) - href: api/Terminal.Gui/Terminal.Gui.FrameView.html#Terminal_Gui_FrameView__ctor_NStack_ustring_ - commentId: M:Terminal.Gui.FrameView.#ctor(NStack.ustring) - fullName: Terminal.Gui.FrameView.FrameView(NStack.ustring) - nameWithType: FrameView.FrameView(ustring) -- uid: Terminal.Gui.FrameView.#ctor(Terminal.Gui.Rect,NStack.ustring) - name: FrameView(Rect, ustring) - href: api/Terminal.Gui/Terminal.Gui.FrameView.html#Terminal_Gui_FrameView__ctor_Terminal_Gui_Rect_NStack_ustring_ - commentId: M:Terminal.Gui.FrameView.#ctor(Terminal.Gui.Rect,NStack.ustring) - fullName: Terminal.Gui.FrameView.FrameView(Terminal.Gui.Rect, NStack.ustring) - nameWithType: FrameView.FrameView(Rect, ustring) -- uid: Terminal.Gui.FrameView.#ctor(Terminal.Gui.Rect,NStack.ustring,Terminal.Gui.View[]) - name: FrameView(Rect, ustring, View[]) - href: api/Terminal.Gui/Terminal.Gui.FrameView.html#Terminal_Gui_FrameView__ctor_Terminal_Gui_Rect_NStack_ustring_Terminal_Gui_View___ - commentId: M:Terminal.Gui.FrameView.#ctor(Terminal.Gui.Rect,NStack.ustring,Terminal.Gui.View[]) - name.vb: FrameView(Rect, ustring, View()) - fullName: Terminal.Gui.FrameView.FrameView(Terminal.Gui.Rect, NStack.ustring, Terminal.Gui.View[]) - fullName.vb: Terminal.Gui.FrameView.FrameView(Terminal.Gui.Rect, NStack.ustring, Terminal.Gui.View()) - nameWithType: FrameView.FrameView(Rect, ustring, View[]) - nameWithType.vb: FrameView.FrameView(Rect, ustring, View()) -- uid: Terminal.Gui.FrameView.#ctor* - name: FrameView - href: api/Terminal.Gui/Terminal.Gui.FrameView.html#Terminal_Gui_FrameView__ctor_ - commentId: Overload:Terminal.Gui.FrameView.#ctor - isSpec: "True" - fullName: Terminal.Gui.FrameView.FrameView - nameWithType: FrameView.FrameView -- uid: Terminal.Gui.FrameView.Add(Terminal.Gui.View) - name: Add(View) - href: api/Terminal.Gui/Terminal.Gui.FrameView.html#Terminal_Gui_FrameView_Add_Terminal_Gui_View_ - commentId: M:Terminal.Gui.FrameView.Add(Terminal.Gui.View) - fullName: Terminal.Gui.FrameView.Add(Terminal.Gui.View) - nameWithType: FrameView.Add(View) -- uid: Terminal.Gui.FrameView.Add* - name: Add - href: api/Terminal.Gui/Terminal.Gui.FrameView.html#Terminal_Gui_FrameView_Add_ - commentId: Overload:Terminal.Gui.FrameView.Add - isSpec: "True" - fullName: Terminal.Gui.FrameView.Add - nameWithType: FrameView.Add -- uid: Terminal.Gui.FrameView.Redraw(Terminal.Gui.Rect) - name: Redraw(Rect) - href: api/Terminal.Gui/Terminal.Gui.FrameView.html#Terminal_Gui_FrameView_Redraw_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.FrameView.Redraw(Terminal.Gui.Rect) - fullName: Terminal.Gui.FrameView.Redraw(Terminal.Gui.Rect) - nameWithType: FrameView.Redraw(Rect) -- uid: Terminal.Gui.FrameView.Redraw* - name: Redraw - href: api/Terminal.Gui/Terminal.Gui.FrameView.html#Terminal_Gui_FrameView_Redraw_ - commentId: Overload:Terminal.Gui.FrameView.Redraw - isSpec: "True" - fullName: Terminal.Gui.FrameView.Redraw - nameWithType: FrameView.Redraw -- uid: Terminal.Gui.FrameView.Remove(Terminal.Gui.View) - name: Remove(View) - href: api/Terminal.Gui/Terminal.Gui.FrameView.html#Terminal_Gui_FrameView_Remove_Terminal_Gui_View_ - commentId: M:Terminal.Gui.FrameView.Remove(Terminal.Gui.View) - fullName: Terminal.Gui.FrameView.Remove(Terminal.Gui.View) - nameWithType: FrameView.Remove(View) -- uid: Terminal.Gui.FrameView.Remove* - name: Remove - href: api/Terminal.Gui/Terminal.Gui.FrameView.html#Terminal_Gui_FrameView_Remove_ - commentId: Overload:Terminal.Gui.FrameView.Remove - isSpec: "True" - fullName: Terminal.Gui.FrameView.Remove - nameWithType: FrameView.Remove -- uid: Terminal.Gui.FrameView.RemoveAll - name: RemoveAll() - href: api/Terminal.Gui/Terminal.Gui.FrameView.html#Terminal_Gui_FrameView_RemoveAll - commentId: M:Terminal.Gui.FrameView.RemoveAll - fullName: Terminal.Gui.FrameView.RemoveAll() - nameWithType: FrameView.RemoveAll() -- uid: Terminal.Gui.FrameView.RemoveAll* - name: RemoveAll - href: api/Terminal.Gui/Terminal.Gui.FrameView.html#Terminal_Gui_FrameView_RemoveAll_ - commentId: Overload:Terminal.Gui.FrameView.RemoveAll - isSpec: "True" - fullName: Terminal.Gui.FrameView.RemoveAll - nameWithType: FrameView.RemoveAll -- uid: Terminal.Gui.FrameView.Title - name: Title - href: api/Terminal.Gui/Terminal.Gui.FrameView.html#Terminal_Gui_FrameView_Title - commentId: P:Terminal.Gui.FrameView.Title - fullName: Terminal.Gui.FrameView.Title - nameWithType: FrameView.Title -- uid: Terminal.Gui.FrameView.Title* - name: Title - href: api/Terminal.Gui/Terminal.Gui.FrameView.html#Terminal_Gui_FrameView_Title_ - commentId: Overload:Terminal.Gui.FrameView.Title - isSpec: "True" - fullName: Terminal.Gui.FrameView.Title - nameWithType: FrameView.Title -- uid: Terminal.Gui.HexView - name: HexView - href: api/Terminal.Gui/Terminal.Gui.HexView.html - commentId: T:Terminal.Gui.HexView - fullName: Terminal.Gui.HexView - nameWithType: HexView -- uid: Terminal.Gui.HexView.#ctor(System.IO.Stream) - name: HexView(Stream) - href: api/Terminal.Gui/Terminal.Gui.HexView.html#Terminal_Gui_HexView__ctor_System_IO_Stream_ - commentId: M:Terminal.Gui.HexView.#ctor(System.IO.Stream) - fullName: Terminal.Gui.HexView.HexView(System.IO.Stream) - nameWithType: HexView.HexView(Stream) -- uid: Terminal.Gui.HexView.#ctor* - name: HexView - href: api/Terminal.Gui/Terminal.Gui.HexView.html#Terminal_Gui_HexView__ctor_ - commentId: Overload:Terminal.Gui.HexView.#ctor - isSpec: "True" - fullName: Terminal.Gui.HexView.HexView - nameWithType: HexView.HexView -- uid: Terminal.Gui.HexView.AllowEdits - name: AllowEdits - href: api/Terminal.Gui/Terminal.Gui.HexView.html#Terminal_Gui_HexView_AllowEdits - commentId: P:Terminal.Gui.HexView.AllowEdits - fullName: Terminal.Gui.HexView.AllowEdits - nameWithType: HexView.AllowEdits -- uid: Terminal.Gui.HexView.AllowEdits* - name: AllowEdits - href: api/Terminal.Gui/Terminal.Gui.HexView.html#Terminal_Gui_HexView_AllowEdits_ - commentId: Overload:Terminal.Gui.HexView.AllowEdits - isSpec: "True" - fullName: Terminal.Gui.HexView.AllowEdits - nameWithType: HexView.AllowEdits -- uid: Terminal.Gui.HexView.ApplyEdits - name: ApplyEdits() - href: api/Terminal.Gui/Terminal.Gui.HexView.html#Terminal_Gui_HexView_ApplyEdits - commentId: M:Terminal.Gui.HexView.ApplyEdits - fullName: Terminal.Gui.HexView.ApplyEdits() - nameWithType: HexView.ApplyEdits() -- uid: Terminal.Gui.HexView.ApplyEdits* - name: ApplyEdits - href: api/Terminal.Gui/Terminal.Gui.HexView.html#Terminal_Gui_HexView_ApplyEdits_ - commentId: Overload:Terminal.Gui.HexView.ApplyEdits - isSpec: "True" - fullName: Terminal.Gui.HexView.ApplyEdits - nameWithType: HexView.ApplyEdits -- uid: Terminal.Gui.HexView.DisplayStart - name: DisplayStart - href: api/Terminal.Gui/Terminal.Gui.HexView.html#Terminal_Gui_HexView_DisplayStart - commentId: P:Terminal.Gui.HexView.DisplayStart - fullName: Terminal.Gui.HexView.DisplayStart - nameWithType: HexView.DisplayStart -- uid: Terminal.Gui.HexView.DisplayStart* - name: DisplayStart - href: api/Terminal.Gui/Terminal.Gui.HexView.html#Terminal_Gui_HexView_DisplayStart_ - commentId: Overload:Terminal.Gui.HexView.DisplayStart - isSpec: "True" - fullName: Terminal.Gui.HexView.DisplayStart - nameWithType: HexView.DisplayStart -- uid: Terminal.Gui.HexView.Edits - name: Edits - href: api/Terminal.Gui/Terminal.Gui.HexView.html#Terminal_Gui_HexView_Edits - commentId: P:Terminal.Gui.HexView.Edits - fullName: Terminal.Gui.HexView.Edits - nameWithType: HexView.Edits -- uid: Terminal.Gui.HexView.Edits* - name: Edits - href: api/Terminal.Gui/Terminal.Gui.HexView.html#Terminal_Gui_HexView_Edits_ - commentId: Overload:Terminal.Gui.HexView.Edits - isSpec: "True" - fullName: Terminal.Gui.HexView.Edits - nameWithType: HexView.Edits -- uid: Terminal.Gui.HexView.Frame - name: Frame - href: api/Terminal.Gui/Terminal.Gui.HexView.html#Terminal_Gui_HexView_Frame - commentId: P:Terminal.Gui.HexView.Frame - fullName: Terminal.Gui.HexView.Frame - nameWithType: HexView.Frame -- uid: Terminal.Gui.HexView.Frame* - name: Frame - href: api/Terminal.Gui/Terminal.Gui.HexView.html#Terminal_Gui_HexView_Frame_ - commentId: Overload:Terminal.Gui.HexView.Frame - isSpec: "True" - fullName: Terminal.Gui.HexView.Frame - nameWithType: HexView.Frame -- uid: Terminal.Gui.HexView.PositionCursor - name: PositionCursor() - href: api/Terminal.Gui/Terminal.Gui.HexView.html#Terminal_Gui_HexView_PositionCursor - commentId: M:Terminal.Gui.HexView.PositionCursor - fullName: Terminal.Gui.HexView.PositionCursor() - nameWithType: HexView.PositionCursor() -- uid: Terminal.Gui.HexView.PositionCursor* - name: PositionCursor - href: api/Terminal.Gui/Terminal.Gui.HexView.html#Terminal_Gui_HexView_PositionCursor_ - commentId: Overload:Terminal.Gui.HexView.PositionCursor - isSpec: "True" - fullName: Terminal.Gui.HexView.PositionCursor - nameWithType: HexView.PositionCursor -- uid: Terminal.Gui.HexView.ProcessKey(Terminal.Gui.KeyEvent) - name: ProcessKey(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.HexView.html#Terminal_Gui_HexView_ProcessKey_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.HexView.ProcessKey(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.HexView.ProcessKey(Terminal.Gui.KeyEvent) - nameWithType: HexView.ProcessKey(KeyEvent) -- uid: Terminal.Gui.HexView.ProcessKey* - name: ProcessKey - href: api/Terminal.Gui/Terminal.Gui.HexView.html#Terminal_Gui_HexView_ProcessKey_ - commentId: Overload:Terminal.Gui.HexView.ProcessKey - isSpec: "True" - fullName: Terminal.Gui.HexView.ProcessKey - nameWithType: HexView.ProcessKey -- uid: Terminal.Gui.HexView.Redraw(Terminal.Gui.Rect) - name: Redraw(Rect) - href: api/Terminal.Gui/Terminal.Gui.HexView.html#Terminal_Gui_HexView_Redraw_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.HexView.Redraw(Terminal.Gui.Rect) - fullName: Terminal.Gui.HexView.Redraw(Terminal.Gui.Rect) - nameWithType: HexView.Redraw(Rect) -- uid: Terminal.Gui.HexView.Redraw* - name: Redraw - href: api/Terminal.Gui/Terminal.Gui.HexView.html#Terminal_Gui_HexView_Redraw_ - commentId: Overload:Terminal.Gui.HexView.Redraw - isSpec: "True" - fullName: Terminal.Gui.HexView.Redraw - nameWithType: HexView.Redraw -- uid: Terminal.Gui.HexView.Source - name: Source - href: api/Terminal.Gui/Terminal.Gui.HexView.html#Terminal_Gui_HexView_Source - commentId: P:Terminal.Gui.HexView.Source - fullName: Terminal.Gui.HexView.Source - nameWithType: HexView.Source -- uid: Terminal.Gui.HexView.Source* - name: Source - href: api/Terminal.Gui/Terminal.Gui.HexView.html#Terminal_Gui_HexView_Source_ - commentId: Overload:Terminal.Gui.HexView.Source - isSpec: "True" - fullName: Terminal.Gui.HexView.Source - nameWithType: HexView.Source -- uid: Terminal.Gui.IListDataSource - name: IListDataSource - href: api/Terminal.Gui/Terminal.Gui.IListDataSource.html - commentId: T:Terminal.Gui.IListDataSource - fullName: Terminal.Gui.IListDataSource - nameWithType: IListDataSource -- uid: Terminal.Gui.IListDataSource.Count - name: Count - href: api/Terminal.Gui/Terminal.Gui.IListDataSource.html#Terminal_Gui_IListDataSource_Count - commentId: P:Terminal.Gui.IListDataSource.Count - fullName: Terminal.Gui.IListDataSource.Count - nameWithType: IListDataSource.Count -- uid: Terminal.Gui.IListDataSource.Count* - name: Count - href: api/Terminal.Gui/Terminal.Gui.IListDataSource.html#Terminal_Gui_IListDataSource_Count_ - commentId: Overload:Terminal.Gui.IListDataSource.Count - isSpec: "True" - fullName: Terminal.Gui.IListDataSource.Count - nameWithType: IListDataSource.Count -- uid: Terminal.Gui.IListDataSource.IsMarked(System.Int32) - name: IsMarked(Int32) - href: api/Terminal.Gui/Terminal.Gui.IListDataSource.html#Terminal_Gui_IListDataSource_IsMarked_System_Int32_ - commentId: M:Terminal.Gui.IListDataSource.IsMarked(System.Int32) - fullName: Terminal.Gui.IListDataSource.IsMarked(System.Int32) - nameWithType: IListDataSource.IsMarked(Int32) -- uid: Terminal.Gui.IListDataSource.IsMarked* - name: IsMarked - href: api/Terminal.Gui/Terminal.Gui.IListDataSource.html#Terminal_Gui_IListDataSource_IsMarked_ - commentId: Overload:Terminal.Gui.IListDataSource.IsMarked - isSpec: "True" - fullName: Terminal.Gui.IListDataSource.IsMarked - nameWithType: IListDataSource.IsMarked -- uid: Terminal.Gui.IListDataSource.Render(Terminal.Gui.ListView,Terminal.Gui.ConsoleDriver,System.Boolean,System.Int32,System.Int32,System.Int32,System.Int32) - name: Render(ListView, ConsoleDriver, Boolean, Int32, Int32, Int32, Int32) - href: api/Terminal.Gui/Terminal.Gui.IListDataSource.html#Terminal_Gui_IListDataSource_Render_Terminal_Gui_ListView_Terminal_Gui_ConsoleDriver_System_Boolean_System_Int32_System_Int32_System_Int32_System_Int32_ - commentId: M:Terminal.Gui.IListDataSource.Render(Terminal.Gui.ListView,Terminal.Gui.ConsoleDriver,System.Boolean,System.Int32,System.Int32,System.Int32,System.Int32) - fullName: Terminal.Gui.IListDataSource.Render(Terminal.Gui.ListView, Terminal.Gui.ConsoleDriver, System.Boolean, System.Int32, System.Int32, System.Int32, System.Int32) - nameWithType: IListDataSource.Render(ListView, ConsoleDriver, Boolean, Int32, Int32, Int32, Int32) -- uid: Terminal.Gui.IListDataSource.Render* - name: Render - href: api/Terminal.Gui/Terminal.Gui.IListDataSource.html#Terminal_Gui_IListDataSource_Render_ - commentId: Overload:Terminal.Gui.IListDataSource.Render - isSpec: "True" - fullName: Terminal.Gui.IListDataSource.Render - nameWithType: IListDataSource.Render -- uid: Terminal.Gui.IListDataSource.SetMark(System.Int32,System.Boolean) - name: SetMark(Int32, Boolean) - href: api/Terminal.Gui/Terminal.Gui.IListDataSource.html#Terminal_Gui_IListDataSource_SetMark_System_Int32_System_Boolean_ - commentId: M:Terminal.Gui.IListDataSource.SetMark(System.Int32,System.Boolean) - fullName: Terminal.Gui.IListDataSource.SetMark(System.Int32, System.Boolean) - nameWithType: IListDataSource.SetMark(Int32, Boolean) -- uid: Terminal.Gui.IListDataSource.SetMark* - name: SetMark - href: api/Terminal.Gui/Terminal.Gui.IListDataSource.html#Terminal_Gui_IListDataSource_SetMark_ - commentId: Overload:Terminal.Gui.IListDataSource.SetMark - isSpec: "True" - fullName: Terminal.Gui.IListDataSource.SetMark - nameWithType: IListDataSource.SetMark -- uid: Terminal.Gui.IListDataSource.ToList - name: ToList() - href: api/Terminal.Gui/Terminal.Gui.IListDataSource.html#Terminal_Gui_IListDataSource_ToList - commentId: M:Terminal.Gui.IListDataSource.ToList - fullName: Terminal.Gui.IListDataSource.ToList() - nameWithType: IListDataSource.ToList() -- uid: Terminal.Gui.IListDataSource.ToList* - name: ToList - href: api/Terminal.Gui/Terminal.Gui.IListDataSource.html#Terminal_Gui_IListDataSource_ToList_ - commentId: Overload:Terminal.Gui.IListDataSource.ToList - isSpec: "True" - fullName: Terminal.Gui.IListDataSource.ToList - nameWithType: IListDataSource.ToList -- uid: Terminal.Gui.IMainLoopDriver - name: IMainLoopDriver - href: api/Terminal.Gui/Terminal.Gui.IMainLoopDriver.html - commentId: T:Terminal.Gui.IMainLoopDriver - fullName: Terminal.Gui.IMainLoopDriver - nameWithType: IMainLoopDriver -- uid: Terminal.Gui.IMainLoopDriver.EventsPending(System.Boolean) - name: EventsPending(Boolean) - href: api/Terminal.Gui/Terminal.Gui.IMainLoopDriver.html#Terminal_Gui_IMainLoopDriver_EventsPending_System_Boolean_ - commentId: M:Terminal.Gui.IMainLoopDriver.EventsPending(System.Boolean) - fullName: Terminal.Gui.IMainLoopDriver.EventsPending(System.Boolean) - nameWithType: IMainLoopDriver.EventsPending(Boolean) -- uid: Terminal.Gui.IMainLoopDriver.EventsPending* - name: EventsPending - href: api/Terminal.Gui/Terminal.Gui.IMainLoopDriver.html#Terminal_Gui_IMainLoopDriver_EventsPending_ - commentId: Overload:Terminal.Gui.IMainLoopDriver.EventsPending - isSpec: "True" - fullName: Terminal.Gui.IMainLoopDriver.EventsPending - nameWithType: IMainLoopDriver.EventsPending -- uid: Terminal.Gui.IMainLoopDriver.MainIteration - name: MainIteration() - href: api/Terminal.Gui/Terminal.Gui.IMainLoopDriver.html#Terminal_Gui_IMainLoopDriver_MainIteration - commentId: M:Terminal.Gui.IMainLoopDriver.MainIteration - fullName: Terminal.Gui.IMainLoopDriver.MainIteration() - nameWithType: IMainLoopDriver.MainIteration() -- uid: Terminal.Gui.IMainLoopDriver.MainIteration* - name: MainIteration - href: api/Terminal.Gui/Terminal.Gui.IMainLoopDriver.html#Terminal_Gui_IMainLoopDriver_MainIteration_ - commentId: Overload:Terminal.Gui.IMainLoopDriver.MainIteration - isSpec: "True" - fullName: Terminal.Gui.IMainLoopDriver.MainIteration - nameWithType: IMainLoopDriver.MainIteration -- uid: Terminal.Gui.IMainLoopDriver.Setup(Terminal.Gui.MainLoop) - name: Setup(MainLoop) - href: api/Terminal.Gui/Terminal.Gui.IMainLoopDriver.html#Terminal_Gui_IMainLoopDriver_Setup_Terminal_Gui_MainLoop_ - commentId: M:Terminal.Gui.IMainLoopDriver.Setup(Terminal.Gui.MainLoop) - fullName: Terminal.Gui.IMainLoopDriver.Setup(Terminal.Gui.MainLoop) - nameWithType: IMainLoopDriver.Setup(MainLoop) -- uid: Terminal.Gui.IMainLoopDriver.Setup* - name: Setup - href: api/Terminal.Gui/Terminal.Gui.IMainLoopDriver.html#Terminal_Gui_IMainLoopDriver_Setup_ - commentId: Overload:Terminal.Gui.IMainLoopDriver.Setup - isSpec: "True" - fullName: Terminal.Gui.IMainLoopDriver.Setup - nameWithType: IMainLoopDriver.Setup -- uid: Terminal.Gui.IMainLoopDriver.Wakeup - name: Wakeup() - href: api/Terminal.Gui/Terminal.Gui.IMainLoopDriver.html#Terminal_Gui_IMainLoopDriver_Wakeup - commentId: M:Terminal.Gui.IMainLoopDriver.Wakeup - fullName: Terminal.Gui.IMainLoopDriver.Wakeup() - nameWithType: IMainLoopDriver.Wakeup() -- uid: Terminal.Gui.IMainLoopDriver.Wakeup* - name: Wakeup - href: api/Terminal.Gui/Terminal.Gui.IMainLoopDriver.html#Terminal_Gui_IMainLoopDriver_Wakeup_ - commentId: Overload:Terminal.Gui.IMainLoopDriver.Wakeup - isSpec: "True" - fullName: Terminal.Gui.IMainLoopDriver.Wakeup - nameWithType: IMainLoopDriver.Wakeup -- uid: Terminal.Gui.Key - name: Key - href: api/Terminal.Gui/Terminal.Gui.Key.html - commentId: T:Terminal.Gui.Key - fullName: Terminal.Gui.Key - nameWithType: Key -- uid: Terminal.Gui.Key.AltMask - name: AltMask - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_AltMask - commentId: F:Terminal.Gui.Key.AltMask - fullName: Terminal.Gui.Key.AltMask - nameWithType: Key.AltMask -- uid: Terminal.Gui.Key.Backspace - name: Backspace - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_Backspace - commentId: F:Terminal.Gui.Key.Backspace - fullName: Terminal.Gui.Key.Backspace - nameWithType: Key.Backspace -- uid: Terminal.Gui.Key.BackTab - name: BackTab - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_BackTab - commentId: F:Terminal.Gui.Key.BackTab - fullName: Terminal.Gui.Key.BackTab - nameWithType: Key.BackTab -- uid: Terminal.Gui.Key.CharMask - name: CharMask - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_CharMask - commentId: F:Terminal.Gui.Key.CharMask - fullName: Terminal.Gui.Key.CharMask - nameWithType: Key.CharMask -- uid: Terminal.Gui.Key.ControlA - name: ControlA - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ControlA - commentId: F:Terminal.Gui.Key.ControlA - fullName: Terminal.Gui.Key.ControlA - nameWithType: Key.ControlA -- uid: Terminal.Gui.Key.ControlB - name: ControlB - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ControlB - commentId: F:Terminal.Gui.Key.ControlB - fullName: Terminal.Gui.Key.ControlB - nameWithType: Key.ControlB -- uid: Terminal.Gui.Key.ControlC - name: ControlC - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ControlC - commentId: F:Terminal.Gui.Key.ControlC - fullName: Terminal.Gui.Key.ControlC - nameWithType: Key.ControlC -- uid: Terminal.Gui.Key.ControlD - name: ControlD - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ControlD - commentId: F:Terminal.Gui.Key.ControlD - fullName: Terminal.Gui.Key.ControlD - nameWithType: Key.ControlD -- uid: Terminal.Gui.Key.ControlE - name: ControlE - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ControlE - commentId: F:Terminal.Gui.Key.ControlE - fullName: Terminal.Gui.Key.ControlE - nameWithType: Key.ControlE -- uid: Terminal.Gui.Key.ControlF - name: ControlF - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ControlF - commentId: F:Terminal.Gui.Key.ControlF - fullName: Terminal.Gui.Key.ControlF - nameWithType: Key.ControlF -- uid: Terminal.Gui.Key.ControlG - name: ControlG - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ControlG - commentId: F:Terminal.Gui.Key.ControlG - fullName: Terminal.Gui.Key.ControlG - nameWithType: Key.ControlG -- uid: Terminal.Gui.Key.ControlH - name: ControlH - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ControlH - commentId: F:Terminal.Gui.Key.ControlH - fullName: Terminal.Gui.Key.ControlH - nameWithType: Key.ControlH -- uid: Terminal.Gui.Key.ControlI - name: ControlI - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ControlI - commentId: F:Terminal.Gui.Key.ControlI - fullName: Terminal.Gui.Key.ControlI - nameWithType: Key.ControlI -- uid: Terminal.Gui.Key.ControlJ - name: ControlJ - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ControlJ - commentId: F:Terminal.Gui.Key.ControlJ - fullName: Terminal.Gui.Key.ControlJ - nameWithType: Key.ControlJ -- uid: Terminal.Gui.Key.ControlK - name: ControlK - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ControlK - commentId: F:Terminal.Gui.Key.ControlK - fullName: Terminal.Gui.Key.ControlK - nameWithType: Key.ControlK -- uid: Terminal.Gui.Key.ControlL - name: ControlL - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ControlL - commentId: F:Terminal.Gui.Key.ControlL - fullName: Terminal.Gui.Key.ControlL - nameWithType: Key.ControlL -- uid: Terminal.Gui.Key.ControlM - name: ControlM - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ControlM - commentId: F:Terminal.Gui.Key.ControlM - fullName: Terminal.Gui.Key.ControlM - nameWithType: Key.ControlM -- uid: Terminal.Gui.Key.ControlN - name: ControlN - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ControlN - commentId: F:Terminal.Gui.Key.ControlN - fullName: Terminal.Gui.Key.ControlN - nameWithType: Key.ControlN -- uid: Terminal.Gui.Key.ControlO - name: ControlO - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ControlO - commentId: F:Terminal.Gui.Key.ControlO - fullName: Terminal.Gui.Key.ControlO - nameWithType: Key.ControlO -- uid: Terminal.Gui.Key.ControlP - name: ControlP - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ControlP - commentId: F:Terminal.Gui.Key.ControlP - fullName: Terminal.Gui.Key.ControlP - nameWithType: Key.ControlP -- uid: Terminal.Gui.Key.ControlQ - name: ControlQ - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ControlQ - commentId: F:Terminal.Gui.Key.ControlQ - fullName: Terminal.Gui.Key.ControlQ - nameWithType: Key.ControlQ -- uid: Terminal.Gui.Key.ControlR - name: ControlR - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ControlR - commentId: F:Terminal.Gui.Key.ControlR - fullName: Terminal.Gui.Key.ControlR - nameWithType: Key.ControlR -- uid: Terminal.Gui.Key.ControlS - name: ControlS - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ControlS - commentId: F:Terminal.Gui.Key.ControlS - fullName: Terminal.Gui.Key.ControlS - nameWithType: Key.ControlS -- uid: Terminal.Gui.Key.ControlSpace - name: ControlSpace - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ControlSpace - commentId: F:Terminal.Gui.Key.ControlSpace - fullName: Terminal.Gui.Key.ControlSpace - nameWithType: Key.ControlSpace -- uid: Terminal.Gui.Key.ControlT - name: ControlT - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ControlT - commentId: F:Terminal.Gui.Key.ControlT - fullName: Terminal.Gui.Key.ControlT - nameWithType: Key.ControlT -- uid: Terminal.Gui.Key.ControlU - name: ControlU - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ControlU - commentId: F:Terminal.Gui.Key.ControlU - fullName: Terminal.Gui.Key.ControlU - nameWithType: Key.ControlU -- uid: Terminal.Gui.Key.ControlV - name: ControlV - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ControlV - commentId: F:Terminal.Gui.Key.ControlV - fullName: Terminal.Gui.Key.ControlV - nameWithType: Key.ControlV -- uid: Terminal.Gui.Key.ControlW - name: ControlW - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ControlW - commentId: F:Terminal.Gui.Key.ControlW - fullName: Terminal.Gui.Key.ControlW - nameWithType: Key.ControlW -- uid: Terminal.Gui.Key.ControlX - name: ControlX - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ControlX - commentId: F:Terminal.Gui.Key.ControlX - fullName: Terminal.Gui.Key.ControlX - nameWithType: Key.ControlX -- uid: Terminal.Gui.Key.ControlY - name: ControlY - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ControlY - commentId: F:Terminal.Gui.Key.ControlY - fullName: Terminal.Gui.Key.ControlY - nameWithType: Key.ControlY -- uid: Terminal.Gui.Key.ControlZ - name: ControlZ - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ControlZ - commentId: F:Terminal.Gui.Key.ControlZ - fullName: Terminal.Gui.Key.ControlZ - nameWithType: Key.ControlZ -- uid: Terminal.Gui.Key.CtrlMask - name: CtrlMask - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_CtrlMask - commentId: F:Terminal.Gui.Key.CtrlMask - fullName: Terminal.Gui.Key.CtrlMask - nameWithType: Key.CtrlMask -- uid: Terminal.Gui.Key.CursorDown - name: CursorDown - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_CursorDown - commentId: F:Terminal.Gui.Key.CursorDown - fullName: Terminal.Gui.Key.CursorDown - nameWithType: Key.CursorDown -- uid: Terminal.Gui.Key.CursorLeft - name: CursorLeft - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_CursorLeft - commentId: F:Terminal.Gui.Key.CursorLeft - fullName: Terminal.Gui.Key.CursorLeft - nameWithType: Key.CursorLeft -- uid: Terminal.Gui.Key.CursorRight - name: CursorRight - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_CursorRight - commentId: F:Terminal.Gui.Key.CursorRight - fullName: Terminal.Gui.Key.CursorRight - nameWithType: Key.CursorRight -- uid: Terminal.Gui.Key.CursorUp - name: CursorUp - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_CursorUp - commentId: F:Terminal.Gui.Key.CursorUp - fullName: Terminal.Gui.Key.CursorUp - nameWithType: Key.CursorUp -- uid: Terminal.Gui.Key.Delete - name: Delete - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_Delete - commentId: F:Terminal.Gui.Key.Delete - fullName: Terminal.Gui.Key.Delete - nameWithType: Key.Delete -- uid: Terminal.Gui.Key.DeleteChar - name: DeleteChar - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_DeleteChar - commentId: F:Terminal.Gui.Key.DeleteChar - fullName: Terminal.Gui.Key.DeleteChar - nameWithType: Key.DeleteChar -- uid: Terminal.Gui.Key.End - name: End - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_End - commentId: F:Terminal.Gui.Key.End - fullName: Terminal.Gui.Key.End - nameWithType: Key.End -- uid: Terminal.Gui.Key.Enter - name: Enter - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_Enter - commentId: F:Terminal.Gui.Key.Enter - fullName: Terminal.Gui.Key.Enter - nameWithType: Key.Enter -- uid: Terminal.Gui.Key.Esc - name: Esc - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_Esc - commentId: F:Terminal.Gui.Key.Esc - fullName: Terminal.Gui.Key.Esc - nameWithType: Key.Esc -- uid: Terminal.Gui.Key.F1 - name: F1 - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_F1 - commentId: F:Terminal.Gui.Key.F1 - fullName: Terminal.Gui.Key.F1 - nameWithType: Key.F1 -- uid: Terminal.Gui.Key.F10 - name: F10 - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_F10 - commentId: F:Terminal.Gui.Key.F10 - fullName: Terminal.Gui.Key.F10 - nameWithType: Key.F10 -- uid: Terminal.Gui.Key.F11 - name: F11 - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_F11 - commentId: F:Terminal.Gui.Key.F11 - fullName: Terminal.Gui.Key.F11 - nameWithType: Key.F11 -- uid: Terminal.Gui.Key.F12 - name: F12 - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_F12 - commentId: F:Terminal.Gui.Key.F12 - fullName: Terminal.Gui.Key.F12 - nameWithType: Key.F12 -- uid: Terminal.Gui.Key.F2 - name: F2 - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_F2 - commentId: F:Terminal.Gui.Key.F2 - fullName: Terminal.Gui.Key.F2 - nameWithType: Key.F2 -- uid: Terminal.Gui.Key.F3 - name: F3 - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_F3 - commentId: F:Terminal.Gui.Key.F3 - fullName: Terminal.Gui.Key.F3 - nameWithType: Key.F3 -- uid: Terminal.Gui.Key.F4 - name: F4 - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_F4 - commentId: F:Terminal.Gui.Key.F4 - fullName: Terminal.Gui.Key.F4 - nameWithType: Key.F4 -- uid: Terminal.Gui.Key.F5 - name: F5 - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_F5 - commentId: F:Terminal.Gui.Key.F5 - fullName: Terminal.Gui.Key.F5 - nameWithType: Key.F5 -- uid: Terminal.Gui.Key.F6 - name: F6 - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_F6 - commentId: F:Terminal.Gui.Key.F6 - fullName: Terminal.Gui.Key.F6 - nameWithType: Key.F6 -- uid: Terminal.Gui.Key.F7 - name: F7 - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_F7 - commentId: F:Terminal.Gui.Key.F7 - fullName: Terminal.Gui.Key.F7 - nameWithType: Key.F7 -- uid: Terminal.Gui.Key.F8 - name: F8 - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_F8 - commentId: F:Terminal.Gui.Key.F8 - fullName: Terminal.Gui.Key.F8 - nameWithType: Key.F8 -- uid: Terminal.Gui.Key.F9 - name: F9 - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_F9 - commentId: F:Terminal.Gui.Key.F9 - fullName: Terminal.Gui.Key.F9 - nameWithType: Key.F9 -- uid: Terminal.Gui.Key.Home - name: Home - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_Home - commentId: F:Terminal.Gui.Key.Home - fullName: Terminal.Gui.Key.Home - nameWithType: Key.Home -- uid: Terminal.Gui.Key.InsertChar - name: InsertChar - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_InsertChar - commentId: F:Terminal.Gui.Key.InsertChar - fullName: Terminal.Gui.Key.InsertChar - nameWithType: Key.InsertChar -- uid: Terminal.Gui.Key.PageDown - name: PageDown - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_PageDown - commentId: F:Terminal.Gui.Key.PageDown - fullName: Terminal.Gui.Key.PageDown - nameWithType: Key.PageDown -- uid: Terminal.Gui.Key.PageUp - name: PageUp - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_PageUp - commentId: F:Terminal.Gui.Key.PageUp - fullName: Terminal.Gui.Key.PageUp - nameWithType: Key.PageUp -- uid: Terminal.Gui.Key.ShiftMask - name: ShiftMask - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_ShiftMask - commentId: F:Terminal.Gui.Key.ShiftMask - fullName: Terminal.Gui.Key.ShiftMask - nameWithType: Key.ShiftMask -- uid: Terminal.Gui.Key.Space - name: Space - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_Space - commentId: F:Terminal.Gui.Key.Space - fullName: Terminal.Gui.Key.Space - nameWithType: Key.Space -- uid: Terminal.Gui.Key.SpecialMask - name: SpecialMask - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_SpecialMask - commentId: F:Terminal.Gui.Key.SpecialMask - fullName: Terminal.Gui.Key.SpecialMask - nameWithType: Key.SpecialMask -- uid: Terminal.Gui.Key.Tab - name: Tab - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_Tab - commentId: F:Terminal.Gui.Key.Tab - fullName: Terminal.Gui.Key.Tab - nameWithType: Key.Tab -- uid: Terminal.Gui.Key.Unknown - name: Unknown - href: api/Terminal.Gui/Terminal.Gui.Key.html#Terminal_Gui_Key_Unknown - commentId: F:Terminal.Gui.Key.Unknown - fullName: Terminal.Gui.Key.Unknown - nameWithType: Key.Unknown -- uid: Terminal.Gui.KeyEvent - name: KeyEvent - href: api/Terminal.Gui/Terminal.Gui.KeyEvent.html - commentId: T:Terminal.Gui.KeyEvent - fullName: Terminal.Gui.KeyEvent - nameWithType: KeyEvent -- uid: Terminal.Gui.KeyEvent.#ctor - name: KeyEvent() - href: api/Terminal.Gui/Terminal.Gui.KeyEvent.html#Terminal_Gui_KeyEvent__ctor - commentId: M:Terminal.Gui.KeyEvent.#ctor - fullName: Terminal.Gui.KeyEvent.KeyEvent() - nameWithType: KeyEvent.KeyEvent() -- uid: Terminal.Gui.KeyEvent.#ctor(Terminal.Gui.Key) - name: KeyEvent(Key) - href: api/Terminal.Gui/Terminal.Gui.KeyEvent.html#Terminal_Gui_KeyEvent__ctor_Terminal_Gui_Key_ - commentId: M:Terminal.Gui.KeyEvent.#ctor(Terminal.Gui.Key) - fullName: Terminal.Gui.KeyEvent.KeyEvent(Terminal.Gui.Key) - nameWithType: KeyEvent.KeyEvent(Key) -- uid: Terminal.Gui.KeyEvent.#ctor* - name: KeyEvent - href: api/Terminal.Gui/Terminal.Gui.KeyEvent.html#Terminal_Gui_KeyEvent__ctor_ - commentId: Overload:Terminal.Gui.KeyEvent.#ctor - isSpec: "True" - fullName: Terminal.Gui.KeyEvent.KeyEvent - nameWithType: KeyEvent.KeyEvent -- uid: Terminal.Gui.KeyEvent.IsAlt - name: IsAlt - href: api/Terminal.Gui/Terminal.Gui.KeyEvent.html#Terminal_Gui_KeyEvent_IsAlt - commentId: P:Terminal.Gui.KeyEvent.IsAlt - fullName: Terminal.Gui.KeyEvent.IsAlt - nameWithType: KeyEvent.IsAlt -- uid: Terminal.Gui.KeyEvent.IsAlt* - name: IsAlt - href: api/Terminal.Gui/Terminal.Gui.KeyEvent.html#Terminal_Gui_KeyEvent_IsAlt_ - commentId: Overload:Terminal.Gui.KeyEvent.IsAlt - isSpec: "True" - fullName: Terminal.Gui.KeyEvent.IsAlt - nameWithType: KeyEvent.IsAlt -- uid: Terminal.Gui.KeyEvent.IsCtrl - name: IsCtrl - href: api/Terminal.Gui/Terminal.Gui.KeyEvent.html#Terminal_Gui_KeyEvent_IsCtrl - commentId: P:Terminal.Gui.KeyEvent.IsCtrl - fullName: Terminal.Gui.KeyEvent.IsCtrl - nameWithType: KeyEvent.IsCtrl -- uid: Terminal.Gui.KeyEvent.IsCtrl* - name: IsCtrl - href: api/Terminal.Gui/Terminal.Gui.KeyEvent.html#Terminal_Gui_KeyEvent_IsCtrl_ - commentId: Overload:Terminal.Gui.KeyEvent.IsCtrl - isSpec: "True" - fullName: Terminal.Gui.KeyEvent.IsCtrl - nameWithType: KeyEvent.IsCtrl -- uid: Terminal.Gui.KeyEvent.IsShift - name: IsShift - href: api/Terminal.Gui/Terminal.Gui.KeyEvent.html#Terminal_Gui_KeyEvent_IsShift - commentId: P:Terminal.Gui.KeyEvent.IsShift - fullName: Terminal.Gui.KeyEvent.IsShift - nameWithType: KeyEvent.IsShift -- uid: Terminal.Gui.KeyEvent.IsShift* - name: IsShift - href: api/Terminal.Gui/Terminal.Gui.KeyEvent.html#Terminal_Gui_KeyEvent_IsShift_ - commentId: Overload:Terminal.Gui.KeyEvent.IsShift - isSpec: "True" - fullName: Terminal.Gui.KeyEvent.IsShift - nameWithType: KeyEvent.IsShift -- uid: Terminal.Gui.KeyEvent.Key - name: Key - href: api/Terminal.Gui/Terminal.Gui.KeyEvent.html#Terminal_Gui_KeyEvent_Key - commentId: F:Terminal.Gui.KeyEvent.Key - fullName: Terminal.Gui.KeyEvent.Key - nameWithType: KeyEvent.Key -- uid: Terminal.Gui.KeyEvent.KeyValue - name: KeyValue - href: api/Terminal.Gui/Terminal.Gui.KeyEvent.html#Terminal_Gui_KeyEvent_KeyValue - commentId: P:Terminal.Gui.KeyEvent.KeyValue - fullName: Terminal.Gui.KeyEvent.KeyValue - nameWithType: KeyEvent.KeyValue -- uid: Terminal.Gui.KeyEvent.KeyValue* - name: KeyValue - href: api/Terminal.Gui/Terminal.Gui.KeyEvent.html#Terminal_Gui_KeyEvent_KeyValue_ - commentId: Overload:Terminal.Gui.KeyEvent.KeyValue - isSpec: "True" - fullName: Terminal.Gui.KeyEvent.KeyValue - nameWithType: KeyEvent.KeyValue -- uid: Terminal.Gui.KeyEvent.ToString - name: ToString() - href: api/Terminal.Gui/Terminal.Gui.KeyEvent.html#Terminal_Gui_KeyEvent_ToString - commentId: M:Terminal.Gui.KeyEvent.ToString - fullName: Terminal.Gui.KeyEvent.ToString() - nameWithType: KeyEvent.ToString() -- uid: Terminal.Gui.KeyEvent.ToString* - name: ToString - href: api/Terminal.Gui/Terminal.Gui.KeyEvent.html#Terminal_Gui_KeyEvent_ToString_ - commentId: Overload:Terminal.Gui.KeyEvent.ToString - isSpec: "True" - fullName: Terminal.Gui.KeyEvent.ToString - nameWithType: KeyEvent.ToString -- uid: Terminal.Gui.Label - name: Label - href: api/Terminal.Gui/Terminal.Gui.Label.html - commentId: T:Terminal.Gui.Label - fullName: Terminal.Gui.Label - nameWithType: Label -- uid: Terminal.Gui.Label.#ctor(NStack.ustring) - name: Label(ustring) - href: api/Terminal.Gui/Terminal.Gui.Label.html#Terminal_Gui_Label__ctor_NStack_ustring_ - commentId: M:Terminal.Gui.Label.#ctor(NStack.ustring) - fullName: Terminal.Gui.Label.Label(NStack.ustring) - nameWithType: Label.Label(ustring) -- uid: Terminal.Gui.Label.#ctor(System.Int32,System.Int32,NStack.ustring) - name: Label(Int32, Int32, ustring) - href: api/Terminal.Gui/Terminal.Gui.Label.html#Terminal_Gui_Label__ctor_System_Int32_System_Int32_NStack_ustring_ - commentId: M:Terminal.Gui.Label.#ctor(System.Int32,System.Int32,NStack.ustring) - fullName: Terminal.Gui.Label.Label(System.Int32, System.Int32, NStack.ustring) - nameWithType: Label.Label(Int32, Int32, ustring) -- uid: Terminal.Gui.Label.#ctor(Terminal.Gui.Rect,NStack.ustring) - name: Label(Rect, ustring) - href: api/Terminal.Gui/Terminal.Gui.Label.html#Terminal_Gui_Label__ctor_Terminal_Gui_Rect_NStack_ustring_ - commentId: M:Terminal.Gui.Label.#ctor(Terminal.Gui.Rect,NStack.ustring) - fullName: Terminal.Gui.Label.Label(Terminal.Gui.Rect, NStack.ustring) - nameWithType: Label.Label(Rect, ustring) -- uid: Terminal.Gui.Label.#ctor* - name: Label - href: api/Terminal.Gui/Terminal.Gui.Label.html#Terminal_Gui_Label__ctor_ - commentId: Overload:Terminal.Gui.Label.#ctor - isSpec: "True" - fullName: Terminal.Gui.Label.Label - nameWithType: Label.Label -- uid: Terminal.Gui.Label.MaxWidth(NStack.ustring,System.Int32) - name: MaxWidth(ustring, Int32) - href: api/Terminal.Gui/Terminal.Gui.Label.html#Terminal_Gui_Label_MaxWidth_NStack_ustring_System_Int32_ - commentId: M:Terminal.Gui.Label.MaxWidth(NStack.ustring,System.Int32) - fullName: Terminal.Gui.Label.MaxWidth(NStack.ustring, System.Int32) - nameWithType: Label.MaxWidth(ustring, Int32) -- uid: Terminal.Gui.Label.MaxWidth* - name: MaxWidth - href: api/Terminal.Gui/Terminal.Gui.Label.html#Terminal_Gui_Label_MaxWidth_ - commentId: Overload:Terminal.Gui.Label.MaxWidth - isSpec: "True" - fullName: Terminal.Gui.Label.MaxWidth - nameWithType: Label.MaxWidth -- uid: Terminal.Gui.Label.MeasureLines(NStack.ustring,System.Int32) - name: MeasureLines(ustring, Int32) - href: api/Terminal.Gui/Terminal.Gui.Label.html#Terminal_Gui_Label_MeasureLines_NStack_ustring_System_Int32_ - commentId: M:Terminal.Gui.Label.MeasureLines(NStack.ustring,System.Int32) - fullName: Terminal.Gui.Label.MeasureLines(NStack.ustring, System.Int32) - nameWithType: Label.MeasureLines(ustring, Int32) -- uid: Terminal.Gui.Label.MeasureLines* - name: MeasureLines - href: api/Terminal.Gui/Terminal.Gui.Label.html#Terminal_Gui_Label_MeasureLines_ - commentId: Overload:Terminal.Gui.Label.MeasureLines - isSpec: "True" - fullName: Terminal.Gui.Label.MeasureLines - nameWithType: Label.MeasureLines -- uid: Terminal.Gui.Label.Redraw(Terminal.Gui.Rect) - name: Redraw(Rect) - href: api/Terminal.Gui/Terminal.Gui.Label.html#Terminal_Gui_Label_Redraw_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.Label.Redraw(Terminal.Gui.Rect) - fullName: Terminal.Gui.Label.Redraw(Terminal.Gui.Rect) - nameWithType: Label.Redraw(Rect) -- uid: Terminal.Gui.Label.Redraw* - name: Redraw - href: api/Terminal.Gui/Terminal.Gui.Label.html#Terminal_Gui_Label_Redraw_ - commentId: Overload:Terminal.Gui.Label.Redraw - isSpec: "True" - fullName: Terminal.Gui.Label.Redraw - nameWithType: Label.Redraw -- uid: Terminal.Gui.Label.Text - name: Text - href: api/Terminal.Gui/Terminal.Gui.Label.html#Terminal_Gui_Label_Text - commentId: P:Terminal.Gui.Label.Text - fullName: Terminal.Gui.Label.Text - nameWithType: Label.Text -- uid: Terminal.Gui.Label.Text* - name: Text - href: api/Terminal.Gui/Terminal.Gui.Label.html#Terminal_Gui_Label_Text_ - commentId: Overload:Terminal.Gui.Label.Text - isSpec: "True" - fullName: Terminal.Gui.Label.Text - nameWithType: Label.Text -- uid: Terminal.Gui.Label.TextAlignment - name: TextAlignment - href: api/Terminal.Gui/Terminal.Gui.Label.html#Terminal_Gui_Label_TextAlignment - commentId: P:Terminal.Gui.Label.TextAlignment - fullName: Terminal.Gui.Label.TextAlignment - nameWithType: Label.TextAlignment -- uid: Terminal.Gui.Label.TextAlignment* - name: TextAlignment - href: api/Terminal.Gui/Terminal.Gui.Label.html#Terminal_Gui_Label_TextAlignment_ - commentId: Overload:Terminal.Gui.Label.TextAlignment - isSpec: "True" - fullName: Terminal.Gui.Label.TextAlignment - nameWithType: Label.TextAlignment -- uid: Terminal.Gui.Label.TextColor - name: TextColor - href: api/Terminal.Gui/Terminal.Gui.Label.html#Terminal_Gui_Label_TextColor - commentId: P:Terminal.Gui.Label.TextColor - fullName: Terminal.Gui.Label.TextColor - nameWithType: Label.TextColor -- uid: Terminal.Gui.Label.TextColor* - name: TextColor - href: api/Terminal.Gui/Terminal.Gui.Label.html#Terminal_Gui_Label_TextColor_ - commentId: Overload:Terminal.Gui.Label.TextColor - isSpec: "True" - fullName: Terminal.Gui.Label.TextColor - nameWithType: Label.TextColor -- uid: Terminal.Gui.LayoutStyle - name: LayoutStyle - href: api/Terminal.Gui/Terminal.Gui.LayoutStyle.html - commentId: T:Terminal.Gui.LayoutStyle - fullName: Terminal.Gui.LayoutStyle - nameWithType: LayoutStyle -- uid: Terminal.Gui.LayoutStyle.Absolute - name: Absolute - href: api/Terminal.Gui/Terminal.Gui.LayoutStyle.html#Terminal_Gui_LayoutStyle_Absolute - commentId: F:Terminal.Gui.LayoutStyle.Absolute - fullName: Terminal.Gui.LayoutStyle.Absolute - nameWithType: LayoutStyle.Absolute -- uid: Terminal.Gui.LayoutStyle.Computed - name: Computed - href: api/Terminal.Gui/Terminal.Gui.LayoutStyle.html#Terminal_Gui_LayoutStyle_Computed - commentId: F:Terminal.Gui.LayoutStyle.Computed - fullName: Terminal.Gui.LayoutStyle.Computed - nameWithType: LayoutStyle.Computed -- uid: Terminal.Gui.ListView - name: ListView - href: api/Terminal.Gui/Terminal.Gui.ListView.html - commentId: T:Terminal.Gui.ListView - fullName: Terminal.Gui.ListView - nameWithType: ListView -- uid: Terminal.Gui.ListView.#ctor - name: ListView() - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView__ctor - commentId: M:Terminal.Gui.ListView.#ctor - fullName: Terminal.Gui.ListView.ListView() - nameWithType: ListView.ListView() -- uid: Terminal.Gui.ListView.#ctor(System.Collections.IList) - name: ListView(IList) - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView__ctor_System_Collections_IList_ - commentId: M:Terminal.Gui.ListView.#ctor(System.Collections.IList) - fullName: Terminal.Gui.ListView.ListView(System.Collections.IList) - nameWithType: ListView.ListView(IList) -- uid: Terminal.Gui.ListView.#ctor(Terminal.Gui.IListDataSource) - name: ListView(IListDataSource) - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView__ctor_Terminal_Gui_IListDataSource_ - commentId: M:Terminal.Gui.ListView.#ctor(Terminal.Gui.IListDataSource) - fullName: Terminal.Gui.ListView.ListView(Terminal.Gui.IListDataSource) - nameWithType: ListView.ListView(IListDataSource) -- uid: Terminal.Gui.ListView.#ctor(Terminal.Gui.Rect,System.Collections.IList) - name: ListView(Rect, IList) - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView__ctor_Terminal_Gui_Rect_System_Collections_IList_ - commentId: M:Terminal.Gui.ListView.#ctor(Terminal.Gui.Rect,System.Collections.IList) - fullName: Terminal.Gui.ListView.ListView(Terminal.Gui.Rect, System.Collections.IList) - nameWithType: ListView.ListView(Rect, IList) -- uid: Terminal.Gui.ListView.#ctor(Terminal.Gui.Rect,Terminal.Gui.IListDataSource) - name: ListView(Rect, IListDataSource) - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView__ctor_Terminal_Gui_Rect_Terminal_Gui_IListDataSource_ - commentId: M:Terminal.Gui.ListView.#ctor(Terminal.Gui.Rect,Terminal.Gui.IListDataSource) - fullName: Terminal.Gui.ListView.ListView(Terminal.Gui.Rect, Terminal.Gui.IListDataSource) - nameWithType: ListView.ListView(Rect, IListDataSource) -- uid: Terminal.Gui.ListView.#ctor* - name: ListView - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView__ctor_ - commentId: Overload:Terminal.Gui.ListView.#ctor - isSpec: "True" - fullName: Terminal.Gui.ListView.ListView - nameWithType: ListView.ListView -- uid: Terminal.Gui.ListView.AllowsAll - name: AllowsAll() - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_AllowsAll - commentId: M:Terminal.Gui.ListView.AllowsAll - fullName: Terminal.Gui.ListView.AllowsAll() - nameWithType: ListView.AllowsAll() -- uid: Terminal.Gui.ListView.AllowsAll* - name: AllowsAll - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_AllowsAll_ - commentId: Overload:Terminal.Gui.ListView.AllowsAll - isSpec: "True" - fullName: Terminal.Gui.ListView.AllowsAll - nameWithType: ListView.AllowsAll -- uid: Terminal.Gui.ListView.AllowsMarking - name: AllowsMarking - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_AllowsMarking - commentId: P:Terminal.Gui.ListView.AllowsMarking - fullName: Terminal.Gui.ListView.AllowsMarking - nameWithType: ListView.AllowsMarking -- uid: Terminal.Gui.ListView.AllowsMarking* - name: AllowsMarking - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_AllowsMarking_ - commentId: Overload:Terminal.Gui.ListView.AllowsMarking - isSpec: "True" - fullName: Terminal.Gui.ListView.AllowsMarking - nameWithType: ListView.AllowsMarking -- uid: Terminal.Gui.ListView.AllowsMultipleSelection - name: AllowsMultipleSelection - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_AllowsMultipleSelection - commentId: P:Terminal.Gui.ListView.AllowsMultipleSelection - fullName: Terminal.Gui.ListView.AllowsMultipleSelection - nameWithType: ListView.AllowsMultipleSelection -- uid: Terminal.Gui.ListView.AllowsMultipleSelection* - name: AllowsMultipleSelection - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_AllowsMultipleSelection_ - commentId: Overload:Terminal.Gui.ListView.AllowsMultipleSelection - isSpec: "True" - fullName: Terminal.Gui.ListView.AllowsMultipleSelection - nameWithType: ListView.AllowsMultipleSelection -- uid: Terminal.Gui.ListView.MarkUnmarkRow - name: MarkUnmarkRow() - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_MarkUnmarkRow - commentId: M:Terminal.Gui.ListView.MarkUnmarkRow - fullName: Terminal.Gui.ListView.MarkUnmarkRow() - nameWithType: ListView.MarkUnmarkRow() -- uid: Terminal.Gui.ListView.MarkUnmarkRow* - name: MarkUnmarkRow - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_MarkUnmarkRow_ - commentId: Overload:Terminal.Gui.ListView.MarkUnmarkRow - isSpec: "True" - fullName: Terminal.Gui.ListView.MarkUnmarkRow - nameWithType: ListView.MarkUnmarkRow -- uid: Terminal.Gui.ListView.MouseEvent(Terminal.Gui.MouseEvent) - name: MouseEvent(MouseEvent) - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_MouseEvent_Terminal_Gui_MouseEvent_ - commentId: M:Terminal.Gui.ListView.MouseEvent(Terminal.Gui.MouseEvent) - fullName: Terminal.Gui.ListView.MouseEvent(Terminal.Gui.MouseEvent) - nameWithType: ListView.MouseEvent(MouseEvent) -- uid: Terminal.Gui.ListView.MouseEvent* - name: MouseEvent - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_MouseEvent_ - commentId: Overload:Terminal.Gui.ListView.MouseEvent - isSpec: "True" - fullName: Terminal.Gui.ListView.MouseEvent - nameWithType: ListView.MouseEvent -- uid: Terminal.Gui.ListView.MoveDown - name: MoveDown() - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_MoveDown - commentId: M:Terminal.Gui.ListView.MoveDown - fullName: Terminal.Gui.ListView.MoveDown() - nameWithType: ListView.MoveDown() -- uid: Terminal.Gui.ListView.MoveDown* - name: MoveDown - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_MoveDown_ - commentId: Overload:Terminal.Gui.ListView.MoveDown - isSpec: "True" - fullName: Terminal.Gui.ListView.MoveDown - nameWithType: ListView.MoveDown -- uid: Terminal.Gui.ListView.MovePageDown - name: MovePageDown() - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_MovePageDown - commentId: M:Terminal.Gui.ListView.MovePageDown - fullName: Terminal.Gui.ListView.MovePageDown() - nameWithType: ListView.MovePageDown() -- uid: Terminal.Gui.ListView.MovePageDown* - name: MovePageDown - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_MovePageDown_ - commentId: Overload:Terminal.Gui.ListView.MovePageDown - isSpec: "True" - fullName: Terminal.Gui.ListView.MovePageDown - nameWithType: ListView.MovePageDown -- uid: Terminal.Gui.ListView.MovePageUp - name: MovePageUp() - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_MovePageUp - commentId: M:Terminal.Gui.ListView.MovePageUp - fullName: Terminal.Gui.ListView.MovePageUp() - nameWithType: ListView.MovePageUp() -- uid: Terminal.Gui.ListView.MovePageUp* - name: MovePageUp - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_MovePageUp_ - commentId: Overload:Terminal.Gui.ListView.MovePageUp - isSpec: "True" - fullName: Terminal.Gui.ListView.MovePageUp - nameWithType: ListView.MovePageUp -- uid: Terminal.Gui.ListView.MoveUp - name: MoveUp() - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_MoveUp - commentId: M:Terminal.Gui.ListView.MoveUp - fullName: Terminal.Gui.ListView.MoveUp() - nameWithType: ListView.MoveUp() -- uid: Terminal.Gui.ListView.MoveUp* - name: MoveUp - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_MoveUp_ - commentId: Overload:Terminal.Gui.ListView.MoveUp - isSpec: "True" - fullName: Terminal.Gui.ListView.MoveUp - nameWithType: ListView.MoveUp -- uid: Terminal.Gui.ListView.OnOpenSelectedItem - name: OnOpenSelectedItem() - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_OnOpenSelectedItem - commentId: M:Terminal.Gui.ListView.OnOpenSelectedItem - fullName: Terminal.Gui.ListView.OnOpenSelectedItem() - nameWithType: ListView.OnOpenSelectedItem() -- uid: Terminal.Gui.ListView.OnOpenSelectedItem* - name: OnOpenSelectedItem - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_OnOpenSelectedItem_ - commentId: Overload:Terminal.Gui.ListView.OnOpenSelectedItem - isSpec: "True" - fullName: Terminal.Gui.ListView.OnOpenSelectedItem - nameWithType: ListView.OnOpenSelectedItem -- uid: Terminal.Gui.ListView.OnSelectedChanged - name: OnSelectedChanged() - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_OnSelectedChanged - commentId: M:Terminal.Gui.ListView.OnSelectedChanged - fullName: Terminal.Gui.ListView.OnSelectedChanged() - nameWithType: ListView.OnSelectedChanged() -- uid: Terminal.Gui.ListView.OnSelectedChanged* - name: OnSelectedChanged - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_OnSelectedChanged_ - commentId: Overload:Terminal.Gui.ListView.OnSelectedChanged - isSpec: "True" - fullName: Terminal.Gui.ListView.OnSelectedChanged - nameWithType: ListView.OnSelectedChanged -- uid: Terminal.Gui.ListView.OpenSelectedItem - name: OpenSelectedItem - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_OpenSelectedItem - commentId: E:Terminal.Gui.ListView.OpenSelectedItem - fullName: Terminal.Gui.ListView.OpenSelectedItem - nameWithType: ListView.OpenSelectedItem -- uid: Terminal.Gui.ListView.PositionCursor - name: PositionCursor() - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_PositionCursor - commentId: M:Terminal.Gui.ListView.PositionCursor - fullName: Terminal.Gui.ListView.PositionCursor() - nameWithType: ListView.PositionCursor() -- uid: Terminal.Gui.ListView.PositionCursor* - name: PositionCursor - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_PositionCursor_ - commentId: Overload:Terminal.Gui.ListView.PositionCursor - isSpec: "True" - fullName: Terminal.Gui.ListView.PositionCursor - nameWithType: ListView.PositionCursor -- uid: Terminal.Gui.ListView.ProcessKey(Terminal.Gui.KeyEvent) - name: ProcessKey(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_ProcessKey_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.ListView.ProcessKey(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.ListView.ProcessKey(Terminal.Gui.KeyEvent) - nameWithType: ListView.ProcessKey(KeyEvent) -- uid: Terminal.Gui.ListView.ProcessKey* - name: ProcessKey - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_ProcessKey_ - commentId: Overload:Terminal.Gui.ListView.ProcessKey - isSpec: "True" - fullName: Terminal.Gui.ListView.ProcessKey - nameWithType: ListView.ProcessKey -- uid: Terminal.Gui.ListView.Redraw(Terminal.Gui.Rect) - name: Redraw(Rect) - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_Redraw_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.ListView.Redraw(Terminal.Gui.Rect) - fullName: Terminal.Gui.ListView.Redraw(Terminal.Gui.Rect) - nameWithType: ListView.Redraw(Rect) -- uid: Terminal.Gui.ListView.Redraw* - name: Redraw - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_Redraw_ - commentId: Overload:Terminal.Gui.ListView.Redraw - isSpec: "True" - fullName: Terminal.Gui.ListView.Redraw - nameWithType: ListView.Redraw -- uid: Terminal.Gui.ListView.SelectedChanged - name: SelectedChanged - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_SelectedChanged - commentId: E:Terminal.Gui.ListView.SelectedChanged - fullName: Terminal.Gui.ListView.SelectedChanged - nameWithType: ListView.SelectedChanged -- uid: Terminal.Gui.ListView.SelectedItem - name: SelectedItem - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_SelectedItem - commentId: P:Terminal.Gui.ListView.SelectedItem - fullName: Terminal.Gui.ListView.SelectedItem - nameWithType: ListView.SelectedItem -- uid: Terminal.Gui.ListView.SelectedItem* - name: SelectedItem - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_SelectedItem_ - commentId: Overload:Terminal.Gui.ListView.SelectedItem - isSpec: "True" - fullName: Terminal.Gui.ListView.SelectedItem - nameWithType: ListView.SelectedItem -- uid: Terminal.Gui.ListView.SetSource(System.Collections.IList) - name: SetSource(IList) - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_SetSource_System_Collections_IList_ - commentId: M:Terminal.Gui.ListView.SetSource(System.Collections.IList) - fullName: Terminal.Gui.ListView.SetSource(System.Collections.IList) - nameWithType: ListView.SetSource(IList) -- uid: Terminal.Gui.ListView.SetSource* - name: SetSource - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_SetSource_ - commentId: Overload:Terminal.Gui.ListView.SetSource - isSpec: "True" - fullName: Terminal.Gui.ListView.SetSource - nameWithType: ListView.SetSource -- uid: Terminal.Gui.ListView.SetSourceAsync(System.Collections.IList) - name: SetSourceAsync(IList) - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_SetSourceAsync_System_Collections_IList_ - commentId: M:Terminal.Gui.ListView.SetSourceAsync(System.Collections.IList) - fullName: Terminal.Gui.ListView.SetSourceAsync(System.Collections.IList) - nameWithType: ListView.SetSourceAsync(IList) -- uid: Terminal.Gui.ListView.SetSourceAsync* - name: SetSourceAsync - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_SetSourceAsync_ - commentId: Overload:Terminal.Gui.ListView.SetSourceAsync - isSpec: "True" - fullName: Terminal.Gui.ListView.SetSourceAsync - nameWithType: ListView.SetSourceAsync -- uid: Terminal.Gui.ListView.Source - name: Source - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_Source - commentId: P:Terminal.Gui.ListView.Source - fullName: Terminal.Gui.ListView.Source - nameWithType: ListView.Source -- uid: Terminal.Gui.ListView.Source* - name: Source - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_Source_ - commentId: Overload:Terminal.Gui.ListView.Source - isSpec: "True" - fullName: Terminal.Gui.ListView.Source - nameWithType: ListView.Source -- uid: Terminal.Gui.ListView.TopItem - name: TopItem - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_TopItem - commentId: P:Terminal.Gui.ListView.TopItem - fullName: Terminal.Gui.ListView.TopItem - nameWithType: ListView.TopItem -- uid: Terminal.Gui.ListView.TopItem* - name: TopItem - href: api/Terminal.Gui/Terminal.Gui.ListView.html#Terminal_Gui_ListView_TopItem_ - commentId: Overload:Terminal.Gui.ListView.TopItem - isSpec: "True" - fullName: Terminal.Gui.ListView.TopItem - nameWithType: ListView.TopItem -- uid: Terminal.Gui.ListViewItemEventArgs - name: ListViewItemEventArgs - href: api/Terminal.Gui/Terminal.Gui.ListViewItemEventArgs.html - commentId: T:Terminal.Gui.ListViewItemEventArgs - fullName: Terminal.Gui.ListViewItemEventArgs - nameWithType: ListViewItemEventArgs -- uid: Terminal.Gui.ListViewItemEventArgs.#ctor(System.Int32,System.Object) - name: ListViewItemEventArgs(Int32, Object) - href: api/Terminal.Gui/Terminal.Gui.ListViewItemEventArgs.html#Terminal_Gui_ListViewItemEventArgs__ctor_System_Int32_System_Object_ - commentId: M:Terminal.Gui.ListViewItemEventArgs.#ctor(System.Int32,System.Object) - fullName: Terminal.Gui.ListViewItemEventArgs.ListViewItemEventArgs(System.Int32, System.Object) - nameWithType: ListViewItemEventArgs.ListViewItemEventArgs(Int32, Object) -- uid: Terminal.Gui.ListViewItemEventArgs.#ctor* - name: ListViewItemEventArgs - href: api/Terminal.Gui/Terminal.Gui.ListViewItemEventArgs.html#Terminal_Gui_ListViewItemEventArgs__ctor_ - commentId: Overload:Terminal.Gui.ListViewItemEventArgs.#ctor - isSpec: "True" - fullName: Terminal.Gui.ListViewItemEventArgs.ListViewItemEventArgs - nameWithType: ListViewItemEventArgs.ListViewItemEventArgs -- uid: Terminal.Gui.ListViewItemEventArgs.Item - name: Item - href: api/Terminal.Gui/Terminal.Gui.ListViewItemEventArgs.html#Terminal_Gui_ListViewItemEventArgs_Item - commentId: P:Terminal.Gui.ListViewItemEventArgs.Item - fullName: Terminal.Gui.ListViewItemEventArgs.Item - nameWithType: ListViewItemEventArgs.Item -- uid: Terminal.Gui.ListViewItemEventArgs.Item* - name: Item - href: api/Terminal.Gui/Terminal.Gui.ListViewItemEventArgs.html#Terminal_Gui_ListViewItemEventArgs_Item_ - commentId: Overload:Terminal.Gui.ListViewItemEventArgs.Item - isSpec: "True" - fullName: Terminal.Gui.ListViewItemEventArgs.Item - nameWithType: ListViewItemEventArgs.Item -- uid: Terminal.Gui.ListViewItemEventArgs.Value - name: Value - href: api/Terminal.Gui/Terminal.Gui.ListViewItemEventArgs.html#Terminal_Gui_ListViewItemEventArgs_Value - commentId: P:Terminal.Gui.ListViewItemEventArgs.Value - fullName: Terminal.Gui.ListViewItemEventArgs.Value - nameWithType: ListViewItemEventArgs.Value -- uid: Terminal.Gui.ListViewItemEventArgs.Value* - name: Value - href: api/Terminal.Gui/Terminal.Gui.ListViewItemEventArgs.html#Terminal_Gui_ListViewItemEventArgs_Value_ - commentId: Overload:Terminal.Gui.ListViewItemEventArgs.Value - isSpec: "True" - fullName: Terminal.Gui.ListViewItemEventArgs.Value - nameWithType: ListViewItemEventArgs.Value -- uid: Terminal.Gui.ListWrapper - name: ListWrapper - href: api/Terminal.Gui/Terminal.Gui.ListWrapper.html - commentId: T:Terminal.Gui.ListWrapper - fullName: Terminal.Gui.ListWrapper - nameWithType: ListWrapper -- uid: Terminal.Gui.ListWrapper.#ctor(System.Collections.IList) - name: ListWrapper(IList) - href: api/Terminal.Gui/Terminal.Gui.ListWrapper.html#Terminal_Gui_ListWrapper__ctor_System_Collections_IList_ - commentId: M:Terminal.Gui.ListWrapper.#ctor(System.Collections.IList) - fullName: Terminal.Gui.ListWrapper.ListWrapper(System.Collections.IList) - nameWithType: ListWrapper.ListWrapper(IList) -- uid: Terminal.Gui.ListWrapper.#ctor* - name: ListWrapper - href: api/Terminal.Gui/Terminal.Gui.ListWrapper.html#Terminal_Gui_ListWrapper__ctor_ - commentId: Overload:Terminal.Gui.ListWrapper.#ctor - isSpec: "True" - fullName: Terminal.Gui.ListWrapper.ListWrapper - nameWithType: ListWrapper.ListWrapper -- uid: Terminal.Gui.ListWrapper.Count - name: Count - href: api/Terminal.Gui/Terminal.Gui.ListWrapper.html#Terminal_Gui_ListWrapper_Count - commentId: P:Terminal.Gui.ListWrapper.Count - fullName: Terminal.Gui.ListWrapper.Count - nameWithType: ListWrapper.Count -- uid: Terminal.Gui.ListWrapper.Count* - name: Count - href: api/Terminal.Gui/Terminal.Gui.ListWrapper.html#Terminal_Gui_ListWrapper_Count_ - commentId: Overload:Terminal.Gui.ListWrapper.Count - isSpec: "True" - fullName: Terminal.Gui.ListWrapper.Count - nameWithType: ListWrapper.Count -- uid: Terminal.Gui.ListWrapper.IsMarked(System.Int32) - name: IsMarked(Int32) - href: api/Terminal.Gui/Terminal.Gui.ListWrapper.html#Terminal_Gui_ListWrapper_IsMarked_System_Int32_ - commentId: M:Terminal.Gui.ListWrapper.IsMarked(System.Int32) - fullName: Terminal.Gui.ListWrapper.IsMarked(System.Int32) - nameWithType: ListWrapper.IsMarked(Int32) -- uid: Terminal.Gui.ListWrapper.IsMarked* - name: IsMarked - href: api/Terminal.Gui/Terminal.Gui.ListWrapper.html#Terminal_Gui_ListWrapper_IsMarked_ - commentId: Overload:Terminal.Gui.ListWrapper.IsMarked - isSpec: "True" - fullName: Terminal.Gui.ListWrapper.IsMarked - nameWithType: ListWrapper.IsMarked -- uid: Terminal.Gui.ListWrapper.Render(Terminal.Gui.ListView,Terminal.Gui.ConsoleDriver,System.Boolean,System.Int32,System.Int32,System.Int32,System.Int32) - name: Render(ListView, ConsoleDriver, Boolean, Int32, Int32, Int32, Int32) - href: api/Terminal.Gui/Terminal.Gui.ListWrapper.html#Terminal_Gui_ListWrapper_Render_Terminal_Gui_ListView_Terminal_Gui_ConsoleDriver_System_Boolean_System_Int32_System_Int32_System_Int32_System_Int32_ - commentId: M:Terminal.Gui.ListWrapper.Render(Terminal.Gui.ListView,Terminal.Gui.ConsoleDriver,System.Boolean,System.Int32,System.Int32,System.Int32,System.Int32) - fullName: Terminal.Gui.ListWrapper.Render(Terminal.Gui.ListView, Terminal.Gui.ConsoleDriver, System.Boolean, System.Int32, System.Int32, System.Int32, System.Int32) - nameWithType: ListWrapper.Render(ListView, ConsoleDriver, Boolean, Int32, Int32, Int32, Int32) -- uid: Terminal.Gui.ListWrapper.Render* - name: Render - href: api/Terminal.Gui/Terminal.Gui.ListWrapper.html#Terminal_Gui_ListWrapper_Render_ - commentId: Overload:Terminal.Gui.ListWrapper.Render - isSpec: "True" - fullName: Terminal.Gui.ListWrapper.Render - nameWithType: ListWrapper.Render -- uid: Terminal.Gui.ListWrapper.SetMark(System.Int32,System.Boolean) - name: SetMark(Int32, Boolean) - href: api/Terminal.Gui/Terminal.Gui.ListWrapper.html#Terminal_Gui_ListWrapper_SetMark_System_Int32_System_Boolean_ - commentId: M:Terminal.Gui.ListWrapper.SetMark(System.Int32,System.Boolean) - fullName: Terminal.Gui.ListWrapper.SetMark(System.Int32, System.Boolean) - nameWithType: ListWrapper.SetMark(Int32, Boolean) -- uid: Terminal.Gui.ListWrapper.SetMark* - name: SetMark - href: api/Terminal.Gui/Terminal.Gui.ListWrapper.html#Terminal_Gui_ListWrapper_SetMark_ - commentId: Overload:Terminal.Gui.ListWrapper.SetMark - isSpec: "True" - fullName: Terminal.Gui.ListWrapper.SetMark - nameWithType: ListWrapper.SetMark -- uid: Terminal.Gui.ListWrapper.ToList - name: ToList() - href: api/Terminal.Gui/Terminal.Gui.ListWrapper.html#Terminal_Gui_ListWrapper_ToList - commentId: M:Terminal.Gui.ListWrapper.ToList - fullName: Terminal.Gui.ListWrapper.ToList() - nameWithType: ListWrapper.ToList() -- uid: Terminal.Gui.ListWrapper.ToList* - name: ToList - href: api/Terminal.Gui/Terminal.Gui.ListWrapper.html#Terminal_Gui_ListWrapper_ToList_ - commentId: Overload:Terminal.Gui.ListWrapper.ToList - isSpec: "True" - fullName: Terminal.Gui.ListWrapper.ToList - nameWithType: ListWrapper.ToList -- uid: Terminal.Gui.MainLoop - name: MainLoop - href: api/Terminal.Gui/Terminal.Gui.MainLoop.html - commentId: T:Terminal.Gui.MainLoop - fullName: Terminal.Gui.MainLoop - nameWithType: MainLoop -- uid: Terminal.Gui.MainLoop.#ctor(Terminal.Gui.IMainLoopDriver) - name: MainLoop(IMainLoopDriver) - href: api/Terminal.Gui/Terminal.Gui.MainLoop.html#Terminal_Gui_MainLoop__ctor_Terminal_Gui_IMainLoopDriver_ - commentId: M:Terminal.Gui.MainLoop.#ctor(Terminal.Gui.IMainLoopDriver) - fullName: Terminal.Gui.MainLoop.MainLoop(Terminal.Gui.IMainLoopDriver) - nameWithType: MainLoop.MainLoop(IMainLoopDriver) -- uid: Terminal.Gui.MainLoop.#ctor* - name: MainLoop - href: api/Terminal.Gui/Terminal.Gui.MainLoop.html#Terminal_Gui_MainLoop__ctor_ - commentId: Overload:Terminal.Gui.MainLoop.#ctor - isSpec: "True" - fullName: Terminal.Gui.MainLoop.MainLoop - nameWithType: MainLoop.MainLoop -- uid: Terminal.Gui.MainLoop.AddIdle(System.Func{System.Boolean}) - name: AddIdle(Func) - href: api/Terminal.Gui/Terminal.Gui.MainLoop.html#Terminal_Gui_MainLoop_AddIdle_System_Func_System_Boolean__ - commentId: M:Terminal.Gui.MainLoop.AddIdle(System.Func{System.Boolean}) - name.vb: AddIdle(Func(Of Boolean)) - fullName: Terminal.Gui.MainLoop.AddIdle(System.Func) - fullName.vb: Terminal.Gui.MainLoop.AddIdle(System.Func(Of System.Boolean)) - nameWithType: MainLoop.AddIdle(Func) - nameWithType.vb: MainLoop.AddIdle(Func(Of Boolean)) -- uid: Terminal.Gui.MainLoop.AddIdle* - name: AddIdle - href: api/Terminal.Gui/Terminal.Gui.MainLoop.html#Terminal_Gui_MainLoop_AddIdle_ - commentId: Overload:Terminal.Gui.MainLoop.AddIdle - isSpec: "True" - fullName: Terminal.Gui.MainLoop.AddIdle - nameWithType: MainLoop.AddIdle -- uid: Terminal.Gui.MainLoop.AddTimeout(System.TimeSpan,System.Func{Terminal.Gui.MainLoop,System.Boolean}) - name: AddTimeout(TimeSpan, Func) - href: api/Terminal.Gui/Terminal.Gui.MainLoop.html#Terminal_Gui_MainLoop_AddTimeout_System_TimeSpan_System_Func_Terminal_Gui_MainLoop_System_Boolean__ - commentId: M:Terminal.Gui.MainLoop.AddTimeout(System.TimeSpan,System.Func{Terminal.Gui.MainLoop,System.Boolean}) - name.vb: AddTimeout(TimeSpan, Func(Of MainLoop, Boolean)) - fullName: Terminal.Gui.MainLoop.AddTimeout(System.TimeSpan, System.Func) - fullName.vb: Terminal.Gui.MainLoop.AddTimeout(System.TimeSpan, System.Func(Of Terminal.Gui.MainLoop, System.Boolean)) - nameWithType: MainLoop.AddTimeout(TimeSpan, Func) - nameWithType.vb: MainLoop.AddTimeout(TimeSpan, Func(Of MainLoop, Boolean)) -- uid: Terminal.Gui.MainLoop.AddTimeout* - name: AddTimeout - href: api/Terminal.Gui/Terminal.Gui.MainLoop.html#Terminal_Gui_MainLoop_AddTimeout_ - commentId: Overload:Terminal.Gui.MainLoop.AddTimeout - isSpec: "True" - fullName: Terminal.Gui.MainLoop.AddTimeout - nameWithType: MainLoop.AddTimeout -- uid: Terminal.Gui.MainLoop.Driver - name: Driver - href: api/Terminal.Gui/Terminal.Gui.MainLoop.html#Terminal_Gui_MainLoop_Driver - commentId: P:Terminal.Gui.MainLoop.Driver - fullName: Terminal.Gui.MainLoop.Driver - nameWithType: MainLoop.Driver -- uid: Terminal.Gui.MainLoop.Driver* - name: Driver - href: api/Terminal.Gui/Terminal.Gui.MainLoop.html#Terminal_Gui_MainLoop_Driver_ - commentId: Overload:Terminal.Gui.MainLoop.Driver - isSpec: "True" - fullName: Terminal.Gui.MainLoop.Driver - nameWithType: MainLoop.Driver -- uid: Terminal.Gui.MainLoop.EventsPending(System.Boolean) - name: EventsPending(Boolean) - href: api/Terminal.Gui/Terminal.Gui.MainLoop.html#Terminal_Gui_MainLoop_EventsPending_System_Boolean_ - commentId: M:Terminal.Gui.MainLoop.EventsPending(System.Boolean) - fullName: Terminal.Gui.MainLoop.EventsPending(System.Boolean) - nameWithType: MainLoop.EventsPending(Boolean) -- uid: Terminal.Gui.MainLoop.EventsPending* - name: EventsPending - href: api/Terminal.Gui/Terminal.Gui.MainLoop.html#Terminal_Gui_MainLoop_EventsPending_ - commentId: Overload:Terminal.Gui.MainLoop.EventsPending - isSpec: "True" - fullName: Terminal.Gui.MainLoop.EventsPending - nameWithType: MainLoop.EventsPending -- uid: Terminal.Gui.MainLoop.Invoke(System.Action) - name: Invoke(Action) - href: api/Terminal.Gui/Terminal.Gui.MainLoop.html#Terminal_Gui_MainLoop_Invoke_System_Action_ - commentId: M:Terminal.Gui.MainLoop.Invoke(System.Action) - fullName: Terminal.Gui.MainLoop.Invoke(System.Action) - nameWithType: MainLoop.Invoke(Action) -- uid: Terminal.Gui.MainLoop.Invoke* - name: Invoke - href: api/Terminal.Gui/Terminal.Gui.MainLoop.html#Terminal_Gui_MainLoop_Invoke_ - commentId: Overload:Terminal.Gui.MainLoop.Invoke - isSpec: "True" - fullName: Terminal.Gui.MainLoop.Invoke - nameWithType: MainLoop.Invoke -- uid: Terminal.Gui.MainLoop.MainIteration - name: MainIteration() - href: api/Terminal.Gui/Terminal.Gui.MainLoop.html#Terminal_Gui_MainLoop_MainIteration - commentId: M:Terminal.Gui.MainLoop.MainIteration - fullName: Terminal.Gui.MainLoop.MainIteration() - nameWithType: MainLoop.MainIteration() -- uid: Terminal.Gui.MainLoop.MainIteration* - name: MainIteration - href: api/Terminal.Gui/Terminal.Gui.MainLoop.html#Terminal_Gui_MainLoop_MainIteration_ - commentId: Overload:Terminal.Gui.MainLoop.MainIteration - isSpec: "True" - fullName: Terminal.Gui.MainLoop.MainIteration - nameWithType: MainLoop.MainIteration -- uid: Terminal.Gui.MainLoop.RemoveIdle(System.Func{System.Boolean}) - name: RemoveIdle(Func) - href: api/Terminal.Gui/Terminal.Gui.MainLoop.html#Terminal_Gui_MainLoop_RemoveIdle_System_Func_System_Boolean__ - commentId: M:Terminal.Gui.MainLoop.RemoveIdle(System.Func{System.Boolean}) - name.vb: RemoveIdle(Func(Of Boolean)) - fullName: Terminal.Gui.MainLoop.RemoveIdle(System.Func) - fullName.vb: Terminal.Gui.MainLoop.RemoveIdle(System.Func(Of System.Boolean)) - nameWithType: MainLoop.RemoveIdle(Func) - nameWithType.vb: MainLoop.RemoveIdle(Func(Of Boolean)) -- uid: Terminal.Gui.MainLoop.RemoveIdle* - name: RemoveIdle - href: api/Terminal.Gui/Terminal.Gui.MainLoop.html#Terminal_Gui_MainLoop_RemoveIdle_ - commentId: Overload:Terminal.Gui.MainLoop.RemoveIdle - isSpec: "True" - fullName: Terminal.Gui.MainLoop.RemoveIdle - nameWithType: MainLoop.RemoveIdle -- uid: Terminal.Gui.MainLoop.RemoveTimeout(System.Object) - name: RemoveTimeout(Object) - href: api/Terminal.Gui/Terminal.Gui.MainLoop.html#Terminal_Gui_MainLoop_RemoveTimeout_System_Object_ - commentId: M:Terminal.Gui.MainLoop.RemoveTimeout(System.Object) - fullName: Terminal.Gui.MainLoop.RemoveTimeout(System.Object) - nameWithType: MainLoop.RemoveTimeout(Object) -- uid: Terminal.Gui.MainLoop.RemoveTimeout* - name: RemoveTimeout - href: api/Terminal.Gui/Terminal.Gui.MainLoop.html#Terminal_Gui_MainLoop_RemoveTimeout_ - commentId: Overload:Terminal.Gui.MainLoop.RemoveTimeout - isSpec: "True" - fullName: Terminal.Gui.MainLoop.RemoveTimeout - nameWithType: MainLoop.RemoveTimeout -- uid: Terminal.Gui.MainLoop.Run - name: Run() - href: api/Terminal.Gui/Terminal.Gui.MainLoop.html#Terminal_Gui_MainLoop_Run - commentId: M:Terminal.Gui.MainLoop.Run - fullName: Terminal.Gui.MainLoop.Run() - nameWithType: MainLoop.Run() -- uid: Terminal.Gui.MainLoop.Run* - name: Run - href: api/Terminal.Gui/Terminal.Gui.MainLoop.html#Terminal_Gui_MainLoop_Run_ - commentId: Overload:Terminal.Gui.MainLoop.Run - isSpec: "True" - fullName: Terminal.Gui.MainLoop.Run - nameWithType: MainLoop.Run -- uid: Terminal.Gui.MainLoop.Stop - name: Stop() - href: api/Terminal.Gui/Terminal.Gui.MainLoop.html#Terminal_Gui_MainLoop_Stop - commentId: M:Terminal.Gui.MainLoop.Stop - fullName: Terminal.Gui.MainLoop.Stop() - nameWithType: MainLoop.Stop() -- uid: Terminal.Gui.MainLoop.Stop* - name: Stop - href: api/Terminal.Gui/Terminal.Gui.MainLoop.html#Terminal_Gui_MainLoop_Stop_ - commentId: Overload:Terminal.Gui.MainLoop.Stop - isSpec: "True" - fullName: Terminal.Gui.MainLoop.Stop - nameWithType: MainLoop.Stop -- uid: Terminal.Gui.MenuBar - name: MenuBar - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html - commentId: T:Terminal.Gui.MenuBar - fullName: Terminal.Gui.MenuBar - nameWithType: MenuBar -- uid: Terminal.Gui.MenuBar.#ctor(Terminal.Gui.MenuBarItem[]) - name: MenuBar(MenuBarItem[]) - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar__ctor_Terminal_Gui_MenuBarItem___ - commentId: M:Terminal.Gui.MenuBar.#ctor(Terminal.Gui.MenuBarItem[]) - name.vb: MenuBar(MenuBarItem()) - fullName: Terminal.Gui.MenuBar.MenuBar(Terminal.Gui.MenuBarItem[]) - fullName.vb: Terminal.Gui.MenuBar.MenuBar(Terminal.Gui.MenuBarItem()) - nameWithType: MenuBar.MenuBar(MenuBarItem[]) - nameWithType.vb: MenuBar.MenuBar(MenuBarItem()) -- uid: Terminal.Gui.MenuBar.#ctor* - name: MenuBar - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar__ctor_ - commentId: Overload:Terminal.Gui.MenuBar.#ctor - isSpec: "True" - fullName: Terminal.Gui.MenuBar.MenuBar - nameWithType: MenuBar.MenuBar -- uid: Terminal.Gui.MenuBar.CloseMenu - name: CloseMenu() - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_CloseMenu - commentId: M:Terminal.Gui.MenuBar.CloseMenu - fullName: Terminal.Gui.MenuBar.CloseMenu() - nameWithType: MenuBar.CloseMenu() -- uid: Terminal.Gui.MenuBar.CloseMenu* - name: CloseMenu - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_CloseMenu_ - commentId: Overload:Terminal.Gui.MenuBar.CloseMenu - isSpec: "True" - fullName: Terminal.Gui.MenuBar.CloseMenu - nameWithType: MenuBar.CloseMenu -- uid: Terminal.Gui.MenuBar.IsMenuOpen - name: IsMenuOpen - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_IsMenuOpen - commentId: P:Terminal.Gui.MenuBar.IsMenuOpen - fullName: Terminal.Gui.MenuBar.IsMenuOpen - nameWithType: MenuBar.IsMenuOpen -- uid: Terminal.Gui.MenuBar.IsMenuOpen* - name: IsMenuOpen - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_IsMenuOpen_ - commentId: Overload:Terminal.Gui.MenuBar.IsMenuOpen - isSpec: "True" - fullName: Terminal.Gui.MenuBar.IsMenuOpen - nameWithType: MenuBar.IsMenuOpen -- uid: Terminal.Gui.MenuBar.LastFocused - name: LastFocused - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_LastFocused - commentId: P:Terminal.Gui.MenuBar.LastFocused - fullName: Terminal.Gui.MenuBar.LastFocused - nameWithType: MenuBar.LastFocused -- uid: Terminal.Gui.MenuBar.LastFocused* - name: LastFocused - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_LastFocused_ - commentId: Overload:Terminal.Gui.MenuBar.LastFocused - isSpec: "True" - fullName: Terminal.Gui.MenuBar.LastFocused - nameWithType: MenuBar.LastFocused -- uid: Terminal.Gui.MenuBar.Menus - name: Menus - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_Menus - commentId: P:Terminal.Gui.MenuBar.Menus - fullName: Terminal.Gui.MenuBar.Menus - nameWithType: MenuBar.Menus -- uid: Terminal.Gui.MenuBar.Menus* - name: Menus - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_Menus_ - commentId: Overload:Terminal.Gui.MenuBar.Menus - isSpec: "True" - fullName: Terminal.Gui.MenuBar.Menus - nameWithType: MenuBar.Menus -- uid: Terminal.Gui.MenuBar.MouseEvent(Terminal.Gui.MouseEvent) - name: MouseEvent(MouseEvent) - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_MouseEvent_Terminal_Gui_MouseEvent_ - commentId: M:Terminal.Gui.MenuBar.MouseEvent(Terminal.Gui.MouseEvent) - fullName: Terminal.Gui.MenuBar.MouseEvent(Terminal.Gui.MouseEvent) - nameWithType: MenuBar.MouseEvent(MouseEvent) -- uid: Terminal.Gui.MenuBar.MouseEvent* - name: MouseEvent - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_MouseEvent_ - commentId: Overload:Terminal.Gui.MenuBar.MouseEvent - isSpec: "True" - fullName: Terminal.Gui.MenuBar.MouseEvent - nameWithType: MenuBar.MouseEvent -- uid: Terminal.Gui.MenuBar.OnCloseMenu - name: OnCloseMenu - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_OnCloseMenu - commentId: E:Terminal.Gui.MenuBar.OnCloseMenu - fullName: Terminal.Gui.MenuBar.OnCloseMenu - nameWithType: MenuBar.OnCloseMenu -- uid: Terminal.Gui.MenuBar.OnKeyDown(Terminal.Gui.KeyEvent) - name: OnKeyDown(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_OnKeyDown_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.MenuBar.OnKeyDown(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.MenuBar.OnKeyDown(Terminal.Gui.KeyEvent) - nameWithType: MenuBar.OnKeyDown(KeyEvent) -- uid: Terminal.Gui.MenuBar.OnKeyDown* - name: OnKeyDown - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_OnKeyDown_ - commentId: Overload:Terminal.Gui.MenuBar.OnKeyDown - isSpec: "True" - fullName: Terminal.Gui.MenuBar.OnKeyDown - nameWithType: MenuBar.OnKeyDown -- uid: Terminal.Gui.MenuBar.OnKeyUp(Terminal.Gui.KeyEvent) - name: OnKeyUp(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_OnKeyUp_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.MenuBar.OnKeyUp(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.MenuBar.OnKeyUp(Terminal.Gui.KeyEvent) - nameWithType: MenuBar.OnKeyUp(KeyEvent) -- uid: Terminal.Gui.MenuBar.OnKeyUp* - name: OnKeyUp - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_OnKeyUp_ - commentId: Overload:Terminal.Gui.MenuBar.OnKeyUp - isSpec: "True" - fullName: Terminal.Gui.MenuBar.OnKeyUp - nameWithType: MenuBar.OnKeyUp -- uid: Terminal.Gui.MenuBar.OnOpenMenu - name: OnOpenMenu - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_OnOpenMenu - commentId: E:Terminal.Gui.MenuBar.OnOpenMenu - fullName: Terminal.Gui.MenuBar.OnOpenMenu - nameWithType: MenuBar.OnOpenMenu -- uid: Terminal.Gui.MenuBar.OpenMenu - name: OpenMenu() - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_OpenMenu - commentId: M:Terminal.Gui.MenuBar.OpenMenu - fullName: Terminal.Gui.MenuBar.OpenMenu() - nameWithType: MenuBar.OpenMenu() -- uid: Terminal.Gui.MenuBar.OpenMenu* - name: OpenMenu - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_OpenMenu_ - commentId: Overload:Terminal.Gui.MenuBar.OpenMenu - isSpec: "True" - fullName: Terminal.Gui.MenuBar.OpenMenu - nameWithType: MenuBar.OpenMenu -- uid: Terminal.Gui.MenuBar.PositionCursor - name: PositionCursor() - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_PositionCursor - commentId: M:Terminal.Gui.MenuBar.PositionCursor - fullName: Terminal.Gui.MenuBar.PositionCursor() - nameWithType: MenuBar.PositionCursor() -- uid: Terminal.Gui.MenuBar.PositionCursor* - name: PositionCursor - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_PositionCursor_ - commentId: Overload:Terminal.Gui.MenuBar.PositionCursor - isSpec: "True" - fullName: Terminal.Gui.MenuBar.PositionCursor - nameWithType: MenuBar.PositionCursor -- uid: Terminal.Gui.MenuBar.ProcessHotKey(Terminal.Gui.KeyEvent) - name: ProcessHotKey(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_ProcessHotKey_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.MenuBar.ProcessHotKey(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.MenuBar.ProcessHotKey(Terminal.Gui.KeyEvent) - nameWithType: MenuBar.ProcessHotKey(KeyEvent) -- uid: Terminal.Gui.MenuBar.ProcessHotKey* - name: ProcessHotKey - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_ProcessHotKey_ - commentId: Overload:Terminal.Gui.MenuBar.ProcessHotKey - isSpec: "True" - fullName: Terminal.Gui.MenuBar.ProcessHotKey - nameWithType: MenuBar.ProcessHotKey -- uid: Terminal.Gui.MenuBar.ProcessKey(Terminal.Gui.KeyEvent) - name: ProcessKey(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_ProcessKey_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.MenuBar.ProcessKey(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.MenuBar.ProcessKey(Terminal.Gui.KeyEvent) - nameWithType: MenuBar.ProcessKey(KeyEvent) -- uid: Terminal.Gui.MenuBar.ProcessKey* - name: ProcessKey - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_ProcessKey_ - commentId: Overload:Terminal.Gui.MenuBar.ProcessKey - isSpec: "True" - fullName: Terminal.Gui.MenuBar.ProcessKey - nameWithType: MenuBar.ProcessKey -- uid: Terminal.Gui.MenuBar.Redraw(Terminal.Gui.Rect) - name: Redraw(Rect) - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_Redraw_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.MenuBar.Redraw(Terminal.Gui.Rect) - fullName: Terminal.Gui.MenuBar.Redraw(Terminal.Gui.Rect) - nameWithType: MenuBar.Redraw(Rect) -- uid: Terminal.Gui.MenuBar.Redraw* - name: Redraw - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_Redraw_ - commentId: Overload:Terminal.Gui.MenuBar.Redraw - isSpec: "True" - fullName: Terminal.Gui.MenuBar.Redraw - nameWithType: MenuBar.Redraw -- uid: Terminal.Gui.MenuBar.UseKeysUpDownAsKeysLeftRight - name: UseKeysUpDownAsKeysLeftRight - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_UseKeysUpDownAsKeysLeftRight - commentId: P:Terminal.Gui.MenuBar.UseKeysUpDownAsKeysLeftRight - fullName: Terminal.Gui.MenuBar.UseKeysUpDownAsKeysLeftRight - nameWithType: MenuBar.UseKeysUpDownAsKeysLeftRight -- uid: Terminal.Gui.MenuBar.UseKeysUpDownAsKeysLeftRight* - name: UseKeysUpDownAsKeysLeftRight - href: api/Terminal.Gui/Terminal.Gui.MenuBar.html#Terminal_Gui_MenuBar_UseKeysUpDownAsKeysLeftRight_ - commentId: Overload:Terminal.Gui.MenuBar.UseKeysUpDownAsKeysLeftRight - isSpec: "True" - fullName: Terminal.Gui.MenuBar.UseKeysUpDownAsKeysLeftRight - nameWithType: MenuBar.UseKeysUpDownAsKeysLeftRight -- uid: Terminal.Gui.MenuBarItem - name: MenuBarItem - href: api/Terminal.Gui/Terminal.Gui.MenuBarItem.html - commentId: T:Terminal.Gui.MenuBarItem - fullName: Terminal.Gui.MenuBarItem - nameWithType: MenuBarItem -- uid: Terminal.Gui.MenuBarItem.#ctor(NStack.ustring,System.String,System.Action,System.Func{System.Boolean}) - name: MenuBarItem(ustring, String, Action, Func) - href: api/Terminal.Gui/Terminal.Gui.MenuBarItem.html#Terminal_Gui_MenuBarItem__ctor_NStack_ustring_System_String_System_Action_System_Func_System_Boolean__ - commentId: M:Terminal.Gui.MenuBarItem.#ctor(NStack.ustring,System.String,System.Action,System.Func{System.Boolean}) - name.vb: MenuBarItem(ustring, String, Action, Func(Of Boolean)) - fullName: Terminal.Gui.MenuBarItem.MenuBarItem(NStack.ustring, System.String, System.Action, System.Func) - fullName.vb: Terminal.Gui.MenuBarItem.MenuBarItem(NStack.ustring, System.String, System.Action, System.Func(Of System.Boolean)) - nameWithType: MenuBarItem.MenuBarItem(ustring, String, Action, Func) - nameWithType.vb: MenuBarItem.MenuBarItem(ustring, String, Action, Func(Of Boolean)) -- uid: Terminal.Gui.MenuBarItem.#ctor(NStack.ustring,Terminal.Gui.MenuItem[]) - name: MenuBarItem(ustring, MenuItem[]) - href: api/Terminal.Gui/Terminal.Gui.MenuBarItem.html#Terminal_Gui_MenuBarItem__ctor_NStack_ustring_Terminal_Gui_MenuItem___ - commentId: M:Terminal.Gui.MenuBarItem.#ctor(NStack.ustring,Terminal.Gui.MenuItem[]) - name.vb: MenuBarItem(ustring, MenuItem()) - fullName: Terminal.Gui.MenuBarItem.MenuBarItem(NStack.ustring, Terminal.Gui.MenuItem[]) - fullName.vb: Terminal.Gui.MenuBarItem.MenuBarItem(NStack.ustring, Terminal.Gui.MenuItem()) - nameWithType: MenuBarItem.MenuBarItem(ustring, MenuItem[]) - nameWithType.vb: MenuBarItem.MenuBarItem(ustring, MenuItem()) -- uid: Terminal.Gui.MenuBarItem.#ctor(Terminal.Gui.MenuItem[]) - name: MenuBarItem(MenuItem[]) - href: api/Terminal.Gui/Terminal.Gui.MenuBarItem.html#Terminal_Gui_MenuBarItem__ctor_Terminal_Gui_MenuItem___ - commentId: M:Terminal.Gui.MenuBarItem.#ctor(Terminal.Gui.MenuItem[]) - name.vb: MenuBarItem(MenuItem()) - fullName: Terminal.Gui.MenuBarItem.MenuBarItem(Terminal.Gui.MenuItem[]) - fullName.vb: Terminal.Gui.MenuBarItem.MenuBarItem(Terminal.Gui.MenuItem()) - nameWithType: MenuBarItem.MenuBarItem(MenuItem[]) - nameWithType.vb: MenuBarItem.MenuBarItem(MenuItem()) -- uid: Terminal.Gui.MenuBarItem.#ctor* - name: MenuBarItem - href: api/Terminal.Gui/Terminal.Gui.MenuBarItem.html#Terminal_Gui_MenuBarItem__ctor_ - commentId: Overload:Terminal.Gui.MenuBarItem.#ctor - isSpec: "True" - fullName: Terminal.Gui.MenuBarItem.MenuBarItem - nameWithType: MenuBarItem.MenuBarItem -- uid: Terminal.Gui.MenuBarItem.Children - name: Children - href: api/Terminal.Gui/Terminal.Gui.MenuBarItem.html#Terminal_Gui_MenuBarItem_Children - commentId: P:Terminal.Gui.MenuBarItem.Children - fullName: Terminal.Gui.MenuBarItem.Children - nameWithType: MenuBarItem.Children -- uid: Terminal.Gui.MenuBarItem.Children* - name: Children - href: api/Terminal.Gui/Terminal.Gui.MenuBarItem.html#Terminal_Gui_MenuBarItem_Children_ - commentId: Overload:Terminal.Gui.MenuBarItem.Children - isSpec: "True" - fullName: Terminal.Gui.MenuBarItem.Children - nameWithType: MenuBarItem.Children -- uid: Terminal.Gui.MenuItem - name: MenuItem - href: api/Terminal.Gui/Terminal.Gui.MenuItem.html - commentId: T:Terminal.Gui.MenuItem - fullName: Terminal.Gui.MenuItem - nameWithType: MenuItem -- uid: Terminal.Gui.MenuItem.#ctor - name: MenuItem() - href: api/Terminal.Gui/Terminal.Gui.MenuItem.html#Terminal_Gui_MenuItem__ctor - commentId: M:Terminal.Gui.MenuItem.#ctor - fullName: Terminal.Gui.MenuItem.MenuItem() - nameWithType: MenuItem.MenuItem() -- uid: Terminal.Gui.MenuItem.#ctor(NStack.ustring,System.String,System.Action,System.Func{System.Boolean}) - name: MenuItem(ustring, String, Action, Func) - href: api/Terminal.Gui/Terminal.Gui.MenuItem.html#Terminal_Gui_MenuItem__ctor_NStack_ustring_System_String_System_Action_System_Func_System_Boolean__ - commentId: M:Terminal.Gui.MenuItem.#ctor(NStack.ustring,System.String,System.Action,System.Func{System.Boolean}) - name.vb: MenuItem(ustring, String, Action, Func(Of Boolean)) - fullName: Terminal.Gui.MenuItem.MenuItem(NStack.ustring, System.String, System.Action, System.Func) - fullName.vb: Terminal.Gui.MenuItem.MenuItem(NStack.ustring, System.String, System.Action, System.Func(Of System.Boolean)) - nameWithType: MenuItem.MenuItem(ustring, String, Action, Func) - nameWithType.vb: MenuItem.MenuItem(ustring, String, Action, Func(Of Boolean)) -- uid: Terminal.Gui.MenuItem.#ctor(NStack.ustring,Terminal.Gui.MenuBarItem) - name: MenuItem(ustring, MenuBarItem) - href: api/Terminal.Gui/Terminal.Gui.MenuItem.html#Terminal_Gui_MenuItem__ctor_NStack_ustring_Terminal_Gui_MenuBarItem_ - commentId: M:Terminal.Gui.MenuItem.#ctor(NStack.ustring,Terminal.Gui.MenuBarItem) - fullName: Terminal.Gui.MenuItem.MenuItem(NStack.ustring, Terminal.Gui.MenuBarItem) - nameWithType: MenuItem.MenuItem(ustring, MenuBarItem) -- uid: Terminal.Gui.MenuItem.#ctor* - name: MenuItem - href: api/Terminal.Gui/Terminal.Gui.MenuItem.html#Terminal_Gui_MenuItem__ctor_ - commentId: Overload:Terminal.Gui.MenuItem.#ctor - isSpec: "True" - fullName: Terminal.Gui.MenuItem.MenuItem - nameWithType: MenuItem.MenuItem -- uid: Terminal.Gui.MenuItem.Action - name: Action - href: api/Terminal.Gui/Terminal.Gui.MenuItem.html#Terminal_Gui_MenuItem_Action - commentId: P:Terminal.Gui.MenuItem.Action - fullName: Terminal.Gui.MenuItem.Action - nameWithType: MenuItem.Action -- uid: Terminal.Gui.MenuItem.Action* - name: Action - href: api/Terminal.Gui/Terminal.Gui.MenuItem.html#Terminal_Gui_MenuItem_Action_ - commentId: Overload:Terminal.Gui.MenuItem.Action - isSpec: "True" - fullName: Terminal.Gui.MenuItem.Action - nameWithType: MenuItem.Action -- uid: Terminal.Gui.MenuItem.CanExecute - name: CanExecute - href: api/Terminal.Gui/Terminal.Gui.MenuItem.html#Terminal_Gui_MenuItem_CanExecute - commentId: P:Terminal.Gui.MenuItem.CanExecute - fullName: Terminal.Gui.MenuItem.CanExecute - nameWithType: MenuItem.CanExecute -- uid: Terminal.Gui.MenuItem.CanExecute* - name: CanExecute - href: api/Terminal.Gui/Terminal.Gui.MenuItem.html#Terminal_Gui_MenuItem_CanExecute_ - commentId: Overload:Terminal.Gui.MenuItem.CanExecute - isSpec: "True" - fullName: Terminal.Gui.MenuItem.CanExecute - nameWithType: MenuItem.CanExecute -- uid: Terminal.Gui.MenuItem.GetMenuBarItem - name: GetMenuBarItem() - href: api/Terminal.Gui/Terminal.Gui.MenuItem.html#Terminal_Gui_MenuItem_GetMenuBarItem - commentId: M:Terminal.Gui.MenuItem.GetMenuBarItem - fullName: Terminal.Gui.MenuItem.GetMenuBarItem() - nameWithType: MenuItem.GetMenuBarItem() -- uid: Terminal.Gui.MenuItem.GetMenuBarItem* - name: GetMenuBarItem - href: api/Terminal.Gui/Terminal.Gui.MenuItem.html#Terminal_Gui_MenuItem_GetMenuBarItem_ - commentId: Overload:Terminal.Gui.MenuItem.GetMenuBarItem - isSpec: "True" - fullName: Terminal.Gui.MenuItem.GetMenuBarItem - nameWithType: MenuItem.GetMenuBarItem -- uid: Terminal.Gui.MenuItem.GetMenuItem - name: GetMenuItem() - href: api/Terminal.Gui/Terminal.Gui.MenuItem.html#Terminal_Gui_MenuItem_GetMenuItem - commentId: M:Terminal.Gui.MenuItem.GetMenuItem - fullName: Terminal.Gui.MenuItem.GetMenuItem() - nameWithType: MenuItem.GetMenuItem() -- uid: Terminal.Gui.MenuItem.GetMenuItem* - name: GetMenuItem - href: api/Terminal.Gui/Terminal.Gui.MenuItem.html#Terminal_Gui_MenuItem_GetMenuItem_ - commentId: Overload:Terminal.Gui.MenuItem.GetMenuItem - isSpec: "True" - fullName: Terminal.Gui.MenuItem.GetMenuItem - nameWithType: MenuItem.GetMenuItem -- uid: Terminal.Gui.MenuItem.Help - name: Help - href: api/Terminal.Gui/Terminal.Gui.MenuItem.html#Terminal_Gui_MenuItem_Help - commentId: P:Terminal.Gui.MenuItem.Help - fullName: Terminal.Gui.MenuItem.Help - nameWithType: MenuItem.Help -- uid: Terminal.Gui.MenuItem.Help* - name: Help - href: api/Terminal.Gui/Terminal.Gui.MenuItem.html#Terminal_Gui_MenuItem_Help_ - commentId: Overload:Terminal.Gui.MenuItem.Help - isSpec: "True" - fullName: Terminal.Gui.MenuItem.Help - nameWithType: MenuItem.Help -- uid: Terminal.Gui.MenuItem.HotKey - name: HotKey - href: api/Terminal.Gui/Terminal.Gui.MenuItem.html#Terminal_Gui_MenuItem_HotKey - commentId: F:Terminal.Gui.MenuItem.HotKey - fullName: Terminal.Gui.MenuItem.HotKey - nameWithType: MenuItem.HotKey -- uid: Terminal.Gui.MenuItem.IsEnabled - name: IsEnabled() - href: api/Terminal.Gui/Terminal.Gui.MenuItem.html#Terminal_Gui_MenuItem_IsEnabled - commentId: M:Terminal.Gui.MenuItem.IsEnabled - fullName: Terminal.Gui.MenuItem.IsEnabled() - nameWithType: MenuItem.IsEnabled() -- uid: Terminal.Gui.MenuItem.IsEnabled* - name: IsEnabled - href: api/Terminal.Gui/Terminal.Gui.MenuItem.html#Terminal_Gui_MenuItem_IsEnabled_ - commentId: Overload:Terminal.Gui.MenuItem.IsEnabled - isSpec: "True" - fullName: Terminal.Gui.MenuItem.IsEnabled - nameWithType: MenuItem.IsEnabled -- uid: Terminal.Gui.MenuItem.ShortCut - name: ShortCut - href: api/Terminal.Gui/Terminal.Gui.MenuItem.html#Terminal_Gui_MenuItem_ShortCut - commentId: F:Terminal.Gui.MenuItem.ShortCut - fullName: Terminal.Gui.MenuItem.ShortCut - nameWithType: MenuItem.ShortCut -- uid: Terminal.Gui.MenuItem.Title - name: Title - href: api/Terminal.Gui/Terminal.Gui.MenuItem.html#Terminal_Gui_MenuItem_Title - commentId: P:Terminal.Gui.MenuItem.Title - fullName: Terminal.Gui.MenuItem.Title - nameWithType: MenuItem.Title -- uid: Terminal.Gui.MenuItem.Title* - name: Title - href: api/Terminal.Gui/Terminal.Gui.MenuItem.html#Terminal_Gui_MenuItem_Title_ - commentId: Overload:Terminal.Gui.MenuItem.Title - isSpec: "True" - fullName: Terminal.Gui.MenuItem.Title - nameWithType: MenuItem.Title -- uid: Terminal.Gui.MessageBox - name: MessageBox - href: api/Terminal.Gui/Terminal.Gui.MessageBox.html - commentId: T:Terminal.Gui.MessageBox - fullName: Terminal.Gui.MessageBox - nameWithType: MessageBox -- uid: Terminal.Gui.MessageBox.ErrorQuery(System.Int32,System.Int32,System.String,System.String,System.String[]) - name: ErrorQuery(Int32, Int32, String, String, String[]) - href: api/Terminal.Gui/Terminal.Gui.MessageBox.html#Terminal_Gui_MessageBox_ErrorQuery_System_Int32_System_Int32_System_String_System_String_System_String___ - commentId: M:Terminal.Gui.MessageBox.ErrorQuery(System.Int32,System.Int32,System.String,System.String,System.String[]) - name.vb: ErrorQuery(Int32, Int32, String, String, String()) - fullName: Terminal.Gui.MessageBox.ErrorQuery(System.Int32, System.Int32, System.String, System.String, System.String[]) - fullName.vb: Terminal.Gui.MessageBox.ErrorQuery(System.Int32, System.Int32, System.String, System.String, System.String()) - nameWithType: MessageBox.ErrorQuery(Int32, Int32, String, String, String[]) - nameWithType.vb: MessageBox.ErrorQuery(Int32, Int32, String, String, String()) -- uid: Terminal.Gui.MessageBox.ErrorQuery* - name: ErrorQuery - href: api/Terminal.Gui/Terminal.Gui.MessageBox.html#Terminal_Gui_MessageBox_ErrorQuery_ - commentId: Overload:Terminal.Gui.MessageBox.ErrorQuery - isSpec: "True" - fullName: Terminal.Gui.MessageBox.ErrorQuery - nameWithType: MessageBox.ErrorQuery -- uid: Terminal.Gui.MessageBox.Query(System.Int32,System.Int32,System.String,System.String,System.String[]) - name: Query(Int32, Int32, String, String, String[]) - href: api/Terminal.Gui/Terminal.Gui.MessageBox.html#Terminal_Gui_MessageBox_Query_System_Int32_System_Int32_System_String_System_String_System_String___ - commentId: M:Terminal.Gui.MessageBox.Query(System.Int32,System.Int32,System.String,System.String,System.String[]) - name.vb: Query(Int32, Int32, String, String, String()) - fullName: Terminal.Gui.MessageBox.Query(System.Int32, System.Int32, System.String, System.String, System.String[]) - fullName.vb: Terminal.Gui.MessageBox.Query(System.Int32, System.Int32, System.String, System.String, System.String()) - nameWithType: MessageBox.Query(Int32, Int32, String, String, String[]) - nameWithType.vb: MessageBox.Query(Int32, Int32, String, String, String()) -- uid: Terminal.Gui.MessageBox.Query* - name: Query - href: api/Terminal.Gui/Terminal.Gui.MessageBox.html#Terminal_Gui_MessageBox_Query_ - commentId: Overload:Terminal.Gui.MessageBox.Query - isSpec: "True" - fullName: Terminal.Gui.MessageBox.Query - nameWithType: MessageBox.Query -- uid: Terminal.Gui.MouseEvent - name: MouseEvent - href: api/Terminal.Gui/Terminal.Gui.MouseEvent.html - commentId: T:Terminal.Gui.MouseEvent - fullName: Terminal.Gui.MouseEvent - nameWithType: MouseEvent -- uid: Terminal.Gui.MouseEvent.Flags - name: Flags - href: api/Terminal.Gui/Terminal.Gui.MouseEvent.html#Terminal_Gui_MouseEvent_Flags - commentId: F:Terminal.Gui.MouseEvent.Flags - fullName: Terminal.Gui.MouseEvent.Flags - nameWithType: MouseEvent.Flags -- uid: Terminal.Gui.MouseEvent.OfX - name: OfX - href: api/Terminal.Gui/Terminal.Gui.MouseEvent.html#Terminal_Gui_MouseEvent_OfX - commentId: F:Terminal.Gui.MouseEvent.OfX - fullName: Terminal.Gui.MouseEvent.OfX - nameWithType: MouseEvent.OfX -- uid: Terminal.Gui.MouseEvent.OfY - name: OfY - href: api/Terminal.Gui/Terminal.Gui.MouseEvent.html#Terminal_Gui_MouseEvent_OfY - commentId: F:Terminal.Gui.MouseEvent.OfY - fullName: Terminal.Gui.MouseEvent.OfY - nameWithType: MouseEvent.OfY -- uid: Terminal.Gui.MouseEvent.ToString - name: ToString() - href: api/Terminal.Gui/Terminal.Gui.MouseEvent.html#Terminal_Gui_MouseEvent_ToString - commentId: M:Terminal.Gui.MouseEvent.ToString - fullName: Terminal.Gui.MouseEvent.ToString() - nameWithType: MouseEvent.ToString() -- uid: Terminal.Gui.MouseEvent.ToString* - name: ToString - href: api/Terminal.Gui/Terminal.Gui.MouseEvent.html#Terminal_Gui_MouseEvent_ToString_ - commentId: Overload:Terminal.Gui.MouseEvent.ToString - isSpec: "True" - fullName: Terminal.Gui.MouseEvent.ToString - nameWithType: MouseEvent.ToString -- uid: Terminal.Gui.MouseEvent.View - name: View - href: api/Terminal.Gui/Terminal.Gui.MouseEvent.html#Terminal_Gui_MouseEvent_View - commentId: F:Terminal.Gui.MouseEvent.View - fullName: Terminal.Gui.MouseEvent.View - nameWithType: MouseEvent.View -- uid: Terminal.Gui.MouseEvent.X - name: X - href: api/Terminal.Gui/Terminal.Gui.MouseEvent.html#Terminal_Gui_MouseEvent_X - commentId: F:Terminal.Gui.MouseEvent.X - fullName: Terminal.Gui.MouseEvent.X - nameWithType: MouseEvent.X -- uid: Terminal.Gui.MouseEvent.Y - name: Y - href: api/Terminal.Gui/Terminal.Gui.MouseEvent.html#Terminal_Gui_MouseEvent_Y - commentId: F:Terminal.Gui.MouseEvent.Y - fullName: Terminal.Gui.MouseEvent.Y - nameWithType: MouseEvent.Y -- uid: Terminal.Gui.MouseFlags - name: MouseFlags - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html - commentId: T:Terminal.Gui.MouseFlags - fullName: Terminal.Gui.MouseFlags - nameWithType: MouseFlags -- uid: Terminal.Gui.MouseFlags.AllEvents - name: AllEvents - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html#Terminal_Gui_MouseFlags_AllEvents - commentId: F:Terminal.Gui.MouseFlags.AllEvents - fullName: Terminal.Gui.MouseFlags.AllEvents - nameWithType: MouseFlags.AllEvents -- uid: Terminal.Gui.MouseFlags.Button1Clicked - name: Button1Clicked - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html#Terminal_Gui_MouseFlags_Button1Clicked - commentId: F:Terminal.Gui.MouseFlags.Button1Clicked - fullName: Terminal.Gui.MouseFlags.Button1Clicked - nameWithType: MouseFlags.Button1Clicked -- uid: Terminal.Gui.MouseFlags.Button1DoubleClicked - name: Button1DoubleClicked - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html#Terminal_Gui_MouseFlags_Button1DoubleClicked - commentId: F:Terminal.Gui.MouseFlags.Button1DoubleClicked - fullName: Terminal.Gui.MouseFlags.Button1DoubleClicked - nameWithType: MouseFlags.Button1DoubleClicked -- uid: Terminal.Gui.MouseFlags.Button1Pressed - name: Button1Pressed - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html#Terminal_Gui_MouseFlags_Button1Pressed - commentId: F:Terminal.Gui.MouseFlags.Button1Pressed - fullName: Terminal.Gui.MouseFlags.Button1Pressed - nameWithType: MouseFlags.Button1Pressed -- uid: Terminal.Gui.MouseFlags.Button1Released - name: Button1Released - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html#Terminal_Gui_MouseFlags_Button1Released - commentId: F:Terminal.Gui.MouseFlags.Button1Released - fullName: Terminal.Gui.MouseFlags.Button1Released - nameWithType: MouseFlags.Button1Released -- uid: Terminal.Gui.MouseFlags.Button1TripleClicked - name: Button1TripleClicked - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html#Terminal_Gui_MouseFlags_Button1TripleClicked - commentId: F:Terminal.Gui.MouseFlags.Button1TripleClicked - fullName: Terminal.Gui.MouseFlags.Button1TripleClicked - nameWithType: MouseFlags.Button1TripleClicked -- uid: Terminal.Gui.MouseFlags.Button2Clicked - name: Button2Clicked - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html#Terminal_Gui_MouseFlags_Button2Clicked - commentId: F:Terminal.Gui.MouseFlags.Button2Clicked - fullName: Terminal.Gui.MouseFlags.Button2Clicked - nameWithType: MouseFlags.Button2Clicked -- uid: Terminal.Gui.MouseFlags.Button2DoubleClicked - name: Button2DoubleClicked - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html#Terminal_Gui_MouseFlags_Button2DoubleClicked - commentId: F:Terminal.Gui.MouseFlags.Button2DoubleClicked - fullName: Terminal.Gui.MouseFlags.Button2DoubleClicked - nameWithType: MouseFlags.Button2DoubleClicked -- uid: Terminal.Gui.MouseFlags.Button2Pressed - name: Button2Pressed - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html#Terminal_Gui_MouseFlags_Button2Pressed - commentId: F:Terminal.Gui.MouseFlags.Button2Pressed - fullName: Terminal.Gui.MouseFlags.Button2Pressed - nameWithType: MouseFlags.Button2Pressed -- uid: Terminal.Gui.MouseFlags.Button2Released - name: Button2Released - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html#Terminal_Gui_MouseFlags_Button2Released - commentId: F:Terminal.Gui.MouseFlags.Button2Released - fullName: Terminal.Gui.MouseFlags.Button2Released - nameWithType: MouseFlags.Button2Released -- uid: Terminal.Gui.MouseFlags.Button2TripleClicked - name: Button2TripleClicked - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html#Terminal_Gui_MouseFlags_Button2TripleClicked - commentId: F:Terminal.Gui.MouseFlags.Button2TripleClicked - fullName: Terminal.Gui.MouseFlags.Button2TripleClicked - nameWithType: MouseFlags.Button2TripleClicked -- uid: Terminal.Gui.MouseFlags.Button3Clicked - name: Button3Clicked - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html#Terminal_Gui_MouseFlags_Button3Clicked - commentId: F:Terminal.Gui.MouseFlags.Button3Clicked - fullName: Terminal.Gui.MouseFlags.Button3Clicked - nameWithType: MouseFlags.Button3Clicked -- uid: Terminal.Gui.MouseFlags.Button3DoubleClicked - name: Button3DoubleClicked - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html#Terminal_Gui_MouseFlags_Button3DoubleClicked - commentId: F:Terminal.Gui.MouseFlags.Button3DoubleClicked - fullName: Terminal.Gui.MouseFlags.Button3DoubleClicked - nameWithType: MouseFlags.Button3DoubleClicked -- uid: Terminal.Gui.MouseFlags.Button3Pressed - name: Button3Pressed - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html#Terminal_Gui_MouseFlags_Button3Pressed - commentId: F:Terminal.Gui.MouseFlags.Button3Pressed - fullName: Terminal.Gui.MouseFlags.Button3Pressed - nameWithType: MouseFlags.Button3Pressed -- uid: Terminal.Gui.MouseFlags.Button3Released - name: Button3Released - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html#Terminal_Gui_MouseFlags_Button3Released - commentId: F:Terminal.Gui.MouseFlags.Button3Released - fullName: Terminal.Gui.MouseFlags.Button3Released - nameWithType: MouseFlags.Button3Released -- uid: Terminal.Gui.MouseFlags.Button3TripleClicked - name: Button3TripleClicked - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html#Terminal_Gui_MouseFlags_Button3TripleClicked - commentId: F:Terminal.Gui.MouseFlags.Button3TripleClicked - fullName: Terminal.Gui.MouseFlags.Button3TripleClicked - nameWithType: MouseFlags.Button3TripleClicked -- uid: Terminal.Gui.MouseFlags.Button4Clicked - name: Button4Clicked - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html#Terminal_Gui_MouseFlags_Button4Clicked - commentId: F:Terminal.Gui.MouseFlags.Button4Clicked - fullName: Terminal.Gui.MouseFlags.Button4Clicked - nameWithType: MouseFlags.Button4Clicked -- uid: Terminal.Gui.MouseFlags.Button4DoubleClicked - name: Button4DoubleClicked - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html#Terminal_Gui_MouseFlags_Button4DoubleClicked - commentId: F:Terminal.Gui.MouseFlags.Button4DoubleClicked - fullName: Terminal.Gui.MouseFlags.Button4DoubleClicked - nameWithType: MouseFlags.Button4DoubleClicked -- uid: Terminal.Gui.MouseFlags.Button4Pressed - name: Button4Pressed - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html#Terminal_Gui_MouseFlags_Button4Pressed - commentId: F:Terminal.Gui.MouseFlags.Button4Pressed - fullName: Terminal.Gui.MouseFlags.Button4Pressed - nameWithType: MouseFlags.Button4Pressed -- uid: Terminal.Gui.MouseFlags.Button4Released - name: Button4Released - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html#Terminal_Gui_MouseFlags_Button4Released - commentId: F:Terminal.Gui.MouseFlags.Button4Released - fullName: Terminal.Gui.MouseFlags.Button4Released - nameWithType: MouseFlags.Button4Released -- uid: Terminal.Gui.MouseFlags.Button4TripleClicked - name: Button4TripleClicked - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html#Terminal_Gui_MouseFlags_Button4TripleClicked - commentId: F:Terminal.Gui.MouseFlags.Button4TripleClicked - fullName: Terminal.Gui.MouseFlags.Button4TripleClicked - nameWithType: MouseFlags.Button4TripleClicked -- uid: Terminal.Gui.MouseFlags.ButtonAlt - name: ButtonAlt - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html#Terminal_Gui_MouseFlags_ButtonAlt - commentId: F:Terminal.Gui.MouseFlags.ButtonAlt - fullName: Terminal.Gui.MouseFlags.ButtonAlt - nameWithType: MouseFlags.ButtonAlt -- uid: Terminal.Gui.MouseFlags.ButtonCtrl - name: ButtonCtrl - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html#Terminal_Gui_MouseFlags_ButtonCtrl - commentId: F:Terminal.Gui.MouseFlags.ButtonCtrl - fullName: Terminal.Gui.MouseFlags.ButtonCtrl - nameWithType: MouseFlags.ButtonCtrl -- uid: Terminal.Gui.MouseFlags.ButtonShift - name: ButtonShift - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html#Terminal_Gui_MouseFlags_ButtonShift - commentId: F:Terminal.Gui.MouseFlags.ButtonShift - fullName: Terminal.Gui.MouseFlags.ButtonShift - nameWithType: MouseFlags.ButtonShift -- uid: Terminal.Gui.MouseFlags.ReportMousePosition - name: ReportMousePosition - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html#Terminal_Gui_MouseFlags_ReportMousePosition - commentId: F:Terminal.Gui.MouseFlags.ReportMousePosition - fullName: Terminal.Gui.MouseFlags.ReportMousePosition - nameWithType: MouseFlags.ReportMousePosition -- uid: Terminal.Gui.MouseFlags.WheeledDown - name: WheeledDown - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html#Terminal_Gui_MouseFlags_WheeledDown - commentId: F:Terminal.Gui.MouseFlags.WheeledDown - fullName: Terminal.Gui.MouseFlags.WheeledDown - nameWithType: MouseFlags.WheeledDown -- uid: Terminal.Gui.MouseFlags.WheeledUp - name: WheeledUp - href: api/Terminal.Gui/Terminal.Gui.MouseFlags.html#Terminal_Gui_MouseFlags_WheeledUp - commentId: F:Terminal.Gui.MouseFlags.WheeledUp - fullName: Terminal.Gui.MouseFlags.WheeledUp - nameWithType: MouseFlags.WheeledUp -- uid: Terminal.Gui.OpenDialog - name: OpenDialog - href: api/Terminal.Gui/Terminal.Gui.OpenDialog.html - commentId: T:Terminal.Gui.OpenDialog - fullName: Terminal.Gui.OpenDialog - nameWithType: OpenDialog -- uid: Terminal.Gui.OpenDialog.#ctor(NStack.ustring,NStack.ustring) - name: OpenDialog(ustring, ustring) - href: api/Terminal.Gui/Terminal.Gui.OpenDialog.html#Terminal_Gui_OpenDialog__ctor_NStack_ustring_NStack_ustring_ - commentId: M:Terminal.Gui.OpenDialog.#ctor(NStack.ustring,NStack.ustring) - fullName: Terminal.Gui.OpenDialog.OpenDialog(NStack.ustring, NStack.ustring) - nameWithType: OpenDialog.OpenDialog(ustring, ustring) -- uid: Terminal.Gui.OpenDialog.#ctor* - name: OpenDialog - href: api/Terminal.Gui/Terminal.Gui.OpenDialog.html#Terminal_Gui_OpenDialog__ctor_ - commentId: Overload:Terminal.Gui.OpenDialog.#ctor - isSpec: "True" - fullName: Terminal.Gui.OpenDialog.OpenDialog - nameWithType: OpenDialog.OpenDialog -- uid: Terminal.Gui.OpenDialog.AllowsMultipleSelection - name: AllowsMultipleSelection - href: api/Terminal.Gui/Terminal.Gui.OpenDialog.html#Terminal_Gui_OpenDialog_AllowsMultipleSelection - commentId: P:Terminal.Gui.OpenDialog.AllowsMultipleSelection - fullName: Terminal.Gui.OpenDialog.AllowsMultipleSelection - nameWithType: OpenDialog.AllowsMultipleSelection -- uid: Terminal.Gui.OpenDialog.AllowsMultipleSelection* - name: AllowsMultipleSelection - href: api/Terminal.Gui/Terminal.Gui.OpenDialog.html#Terminal_Gui_OpenDialog_AllowsMultipleSelection_ - commentId: Overload:Terminal.Gui.OpenDialog.AllowsMultipleSelection - isSpec: "True" - fullName: Terminal.Gui.OpenDialog.AllowsMultipleSelection - nameWithType: OpenDialog.AllowsMultipleSelection -- uid: Terminal.Gui.OpenDialog.CanChooseDirectories - name: CanChooseDirectories - href: api/Terminal.Gui/Terminal.Gui.OpenDialog.html#Terminal_Gui_OpenDialog_CanChooseDirectories - commentId: P:Terminal.Gui.OpenDialog.CanChooseDirectories - fullName: Terminal.Gui.OpenDialog.CanChooseDirectories - nameWithType: OpenDialog.CanChooseDirectories -- uid: Terminal.Gui.OpenDialog.CanChooseDirectories* - name: CanChooseDirectories - href: api/Terminal.Gui/Terminal.Gui.OpenDialog.html#Terminal_Gui_OpenDialog_CanChooseDirectories_ - commentId: Overload:Terminal.Gui.OpenDialog.CanChooseDirectories - isSpec: "True" - fullName: Terminal.Gui.OpenDialog.CanChooseDirectories - nameWithType: OpenDialog.CanChooseDirectories -- uid: Terminal.Gui.OpenDialog.CanChooseFiles - name: CanChooseFiles - href: api/Terminal.Gui/Terminal.Gui.OpenDialog.html#Terminal_Gui_OpenDialog_CanChooseFiles - commentId: P:Terminal.Gui.OpenDialog.CanChooseFiles - fullName: Terminal.Gui.OpenDialog.CanChooseFiles - nameWithType: OpenDialog.CanChooseFiles -- uid: Terminal.Gui.OpenDialog.CanChooseFiles* - name: CanChooseFiles - href: api/Terminal.Gui/Terminal.Gui.OpenDialog.html#Terminal_Gui_OpenDialog_CanChooseFiles_ - commentId: Overload:Terminal.Gui.OpenDialog.CanChooseFiles - isSpec: "True" - fullName: Terminal.Gui.OpenDialog.CanChooseFiles - nameWithType: OpenDialog.CanChooseFiles -- uid: Terminal.Gui.OpenDialog.FilePaths - name: FilePaths - href: api/Terminal.Gui/Terminal.Gui.OpenDialog.html#Terminal_Gui_OpenDialog_FilePaths - commentId: P:Terminal.Gui.OpenDialog.FilePaths - fullName: Terminal.Gui.OpenDialog.FilePaths - nameWithType: OpenDialog.FilePaths -- uid: Terminal.Gui.OpenDialog.FilePaths* - name: FilePaths - href: api/Terminal.Gui/Terminal.Gui.OpenDialog.html#Terminal_Gui_OpenDialog_FilePaths_ - commentId: Overload:Terminal.Gui.OpenDialog.FilePaths - isSpec: "True" - fullName: Terminal.Gui.OpenDialog.FilePaths - nameWithType: OpenDialog.FilePaths -- uid: Terminal.Gui.Point - name: Point - href: api/Terminal.Gui/Terminal.Gui.Point.html - commentId: T:Terminal.Gui.Point - fullName: Terminal.Gui.Point - nameWithType: Point -- uid: Terminal.Gui.Point.#ctor(System.Int32,System.Int32) - name: Point(Int32, Int32) - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point__ctor_System_Int32_System_Int32_ - commentId: M:Terminal.Gui.Point.#ctor(System.Int32,System.Int32) - fullName: Terminal.Gui.Point.Point(System.Int32, System.Int32) - nameWithType: Point.Point(Int32, Int32) -- uid: Terminal.Gui.Point.#ctor(Terminal.Gui.Size) - name: Point(Size) - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point__ctor_Terminal_Gui_Size_ - commentId: M:Terminal.Gui.Point.#ctor(Terminal.Gui.Size) - fullName: Terminal.Gui.Point.Point(Terminal.Gui.Size) - nameWithType: Point.Point(Size) -- uid: Terminal.Gui.Point.#ctor* - name: Point - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point__ctor_ - commentId: Overload:Terminal.Gui.Point.#ctor - isSpec: "True" - fullName: Terminal.Gui.Point.Point - nameWithType: Point.Point -- uid: Terminal.Gui.Point.Add(Terminal.Gui.Point,Terminal.Gui.Size) - name: Add(Point, Size) - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_Add_Terminal_Gui_Point_Terminal_Gui_Size_ - commentId: M:Terminal.Gui.Point.Add(Terminal.Gui.Point,Terminal.Gui.Size) - fullName: Terminal.Gui.Point.Add(Terminal.Gui.Point, Terminal.Gui.Size) - nameWithType: Point.Add(Point, Size) -- uid: Terminal.Gui.Point.Add* - name: Add - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_Add_ - commentId: Overload:Terminal.Gui.Point.Add - isSpec: "True" - fullName: Terminal.Gui.Point.Add - nameWithType: Point.Add -- uid: Terminal.Gui.Point.Empty - name: Empty - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_Empty - commentId: F:Terminal.Gui.Point.Empty - fullName: Terminal.Gui.Point.Empty - nameWithType: Point.Empty -- uid: Terminal.Gui.Point.Equals(System.Object) - name: Equals(Object) - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_Equals_System_Object_ - commentId: M:Terminal.Gui.Point.Equals(System.Object) - fullName: Terminal.Gui.Point.Equals(System.Object) - nameWithType: Point.Equals(Object) -- uid: Terminal.Gui.Point.Equals* - name: Equals - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_Equals_ - commentId: Overload:Terminal.Gui.Point.Equals - isSpec: "True" - fullName: Terminal.Gui.Point.Equals - nameWithType: Point.Equals -- uid: Terminal.Gui.Point.GetHashCode - name: GetHashCode() - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_GetHashCode - commentId: M:Terminal.Gui.Point.GetHashCode - fullName: Terminal.Gui.Point.GetHashCode() - nameWithType: Point.GetHashCode() -- uid: Terminal.Gui.Point.GetHashCode* - name: GetHashCode - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_GetHashCode_ - commentId: Overload:Terminal.Gui.Point.GetHashCode - isSpec: "True" - fullName: Terminal.Gui.Point.GetHashCode - nameWithType: Point.GetHashCode -- uid: Terminal.Gui.Point.IsEmpty - name: IsEmpty - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_IsEmpty - commentId: P:Terminal.Gui.Point.IsEmpty - fullName: Terminal.Gui.Point.IsEmpty - nameWithType: Point.IsEmpty -- uid: Terminal.Gui.Point.IsEmpty* - name: IsEmpty - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_IsEmpty_ - commentId: Overload:Terminal.Gui.Point.IsEmpty - isSpec: "True" - fullName: Terminal.Gui.Point.IsEmpty - nameWithType: Point.IsEmpty -- uid: Terminal.Gui.Point.Offset(System.Int32,System.Int32) - name: Offset(Int32, Int32) - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_Offset_System_Int32_System_Int32_ - commentId: M:Terminal.Gui.Point.Offset(System.Int32,System.Int32) - fullName: Terminal.Gui.Point.Offset(System.Int32, System.Int32) - nameWithType: Point.Offset(Int32, Int32) -- uid: Terminal.Gui.Point.Offset(Terminal.Gui.Point) - name: Offset(Point) - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_Offset_Terminal_Gui_Point_ - commentId: M:Terminal.Gui.Point.Offset(Terminal.Gui.Point) - fullName: Terminal.Gui.Point.Offset(Terminal.Gui.Point) - nameWithType: Point.Offset(Point) -- uid: Terminal.Gui.Point.Offset* - name: Offset - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_Offset_ - commentId: Overload:Terminal.Gui.Point.Offset - isSpec: "True" - fullName: Terminal.Gui.Point.Offset - nameWithType: Point.Offset -- uid: Terminal.Gui.Point.op_Addition(Terminal.Gui.Point,Terminal.Gui.Size) - name: Addition(Point, Size) - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_op_Addition_Terminal_Gui_Point_Terminal_Gui_Size_ - commentId: M:Terminal.Gui.Point.op_Addition(Terminal.Gui.Point,Terminal.Gui.Size) - fullName: Terminal.Gui.Point.Addition(Terminal.Gui.Point, Terminal.Gui.Size) - nameWithType: Point.Addition(Point, Size) -- uid: Terminal.Gui.Point.op_Addition* - name: Addition - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_op_Addition_ - commentId: Overload:Terminal.Gui.Point.op_Addition - isSpec: "True" - fullName: Terminal.Gui.Point.Addition - nameWithType: Point.Addition -- uid: Terminal.Gui.Point.op_Equality(Terminal.Gui.Point,Terminal.Gui.Point) - name: Equality(Point, Point) - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_op_Equality_Terminal_Gui_Point_Terminal_Gui_Point_ - commentId: M:Terminal.Gui.Point.op_Equality(Terminal.Gui.Point,Terminal.Gui.Point) - fullName: Terminal.Gui.Point.Equality(Terminal.Gui.Point, Terminal.Gui.Point) - nameWithType: Point.Equality(Point, Point) -- uid: Terminal.Gui.Point.op_Equality* - name: Equality - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_op_Equality_ - commentId: Overload:Terminal.Gui.Point.op_Equality - isSpec: "True" - fullName: Terminal.Gui.Point.Equality - nameWithType: Point.Equality -- uid: Terminal.Gui.Point.op_Explicit(Terminal.Gui.Point)~Terminal.Gui.Size - name: Explicit(Point to Size) - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_op_Explicit_Terminal_Gui_Point__Terminal_Gui_Size - commentId: M:Terminal.Gui.Point.op_Explicit(Terminal.Gui.Point)~Terminal.Gui.Size - name.vb: Narrowing(Point to Size) - fullName: Terminal.Gui.Point.Explicit(Terminal.Gui.Point to Terminal.Gui.Size) - fullName.vb: Terminal.Gui.Point.Narrowing(Terminal.Gui.Point to Terminal.Gui.Size) - nameWithType: Point.Explicit(Point to Size) - nameWithType.vb: Point.Narrowing(Point to Size) -- uid: Terminal.Gui.Point.op_Explicit* - name: Explicit - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_op_Explicit_ - commentId: Overload:Terminal.Gui.Point.op_Explicit - isSpec: "True" - name.vb: Narrowing - fullName: Terminal.Gui.Point.Explicit - fullName.vb: Terminal.Gui.Point.Narrowing - nameWithType: Point.Explicit - nameWithType.vb: Point.Narrowing -- uid: Terminal.Gui.Point.op_Inequality(Terminal.Gui.Point,Terminal.Gui.Point) - name: Inequality(Point, Point) - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_op_Inequality_Terminal_Gui_Point_Terminal_Gui_Point_ - commentId: M:Terminal.Gui.Point.op_Inequality(Terminal.Gui.Point,Terminal.Gui.Point) - fullName: Terminal.Gui.Point.Inequality(Terminal.Gui.Point, Terminal.Gui.Point) - nameWithType: Point.Inequality(Point, Point) -- uid: Terminal.Gui.Point.op_Inequality* - name: Inequality - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_op_Inequality_ - commentId: Overload:Terminal.Gui.Point.op_Inequality - isSpec: "True" - fullName: Terminal.Gui.Point.Inequality - nameWithType: Point.Inequality -- uid: Terminal.Gui.Point.op_Subtraction(Terminal.Gui.Point,Terminal.Gui.Size) - name: Subtraction(Point, Size) - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_op_Subtraction_Terminal_Gui_Point_Terminal_Gui_Size_ - commentId: M:Terminal.Gui.Point.op_Subtraction(Terminal.Gui.Point,Terminal.Gui.Size) - fullName: Terminal.Gui.Point.Subtraction(Terminal.Gui.Point, Terminal.Gui.Size) - nameWithType: Point.Subtraction(Point, Size) -- uid: Terminal.Gui.Point.op_Subtraction* - name: Subtraction - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_op_Subtraction_ - commentId: Overload:Terminal.Gui.Point.op_Subtraction - isSpec: "True" - fullName: Terminal.Gui.Point.Subtraction - nameWithType: Point.Subtraction -- uid: Terminal.Gui.Point.Subtract(Terminal.Gui.Point,Terminal.Gui.Size) - name: Subtract(Point, Size) - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_Subtract_Terminal_Gui_Point_Terminal_Gui_Size_ - commentId: M:Terminal.Gui.Point.Subtract(Terminal.Gui.Point,Terminal.Gui.Size) - fullName: Terminal.Gui.Point.Subtract(Terminal.Gui.Point, Terminal.Gui.Size) - nameWithType: Point.Subtract(Point, Size) -- uid: Terminal.Gui.Point.Subtract* - name: Subtract - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_Subtract_ - commentId: Overload:Terminal.Gui.Point.Subtract - isSpec: "True" - fullName: Terminal.Gui.Point.Subtract - nameWithType: Point.Subtract -- uid: Terminal.Gui.Point.ToString - name: ToString() - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_ToString - commentId: M:Terminal.Gui.Point.ToString - fullName: Terminal.Gui.Point.ToString() - nameWithType: Point.ToString() -- uid: Terminal.Gui.Point.ToString* - name: ToString - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_ToString_ - commentId: Overload:Terminal.Gui.Point.ToString - isSpec: "True" - fullName: Terminal.Gui.Point.ToString - nameWithType: Point.ToString -- uid: Terminal.Gui.Point.X - name: X - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_X - commentId: F:Terminal.Gui.Point.X - fullName: Terminal.Gui.Point.X - nameWithType: Point.X -- uid: Terminal.Gui.Point.Y - name: Y - href: api/Terminal.Gui/Terminal.Gui.Point.html#Terminal_Gui_Point_Y - commentId: F:Terminal.Gui.Point.Y - fullName: Terminal.Gui.Point.Y - nameWithType: Point.Y -- uid: Terminal.Gui.Pos - name: Pos - href: api/Terminal.Gui/Terminal.Gui.Pos.html - commentId: T:Terminal.Gui.Pos - fullName: Terminal.Gui.Pos - nameWithType: Pos -- uid: Terminal.Gui.Pos.AnchorEnd(System.Int32) - name: AnchorEnd(Int32) - href: api/Terminal.Gui/Terminal.Gui.Pos.html#Terminal_Gui_Pos_AnchorEnd_System_Int32_ - commentId: M:Terminal.Gui.Pos.AnchorEnd(System.Int32) - fullName: Terminal.Gui.Pos.AnchorEnd(System.Int32) - nameWithType: Pos.AnchorEnd(Int32) -- uid: Terminal.Gui.Pos.AnchorEnd* - name: AnchorEnd - href: api/Terminal.Gui/Terminal.Gui.Pos.html#Terminal_Gui_Pos_AnchorEnd_ - commentId: Overload:Terminal.Gui.Pos.AnchorEnd - isSpec: "True" - fullName: Terminal.Gui.Pos.AnchorEnd - nameWithType: Pos.AnchorEnd -- uid: Terminal.Gui.Pos.At(System.Int32) - name: At(Int32) - href: api/Terminal.Gui/Terminal.Gui.Pos.html#Terminal_Gui_Pos_At_System_Int32_ - commentId: M:Terminal.Gui.Pos.At(System.Int32) - fullName: Terminal.Gui.Pos.At(System.Int32) - nameWithType: Pos.At(Int32) -- uid: Terminal.Gui.Pos.At* - name: At - href: api/Terminal.Gui/Terminal.Gui.Pos.html#Terminal_Gui_Pos_At_ - commentId: Overload:Terminal.Gui.Pos.At - isSpec: "True" - fullName: Terminal.Gui.Pos.At - nameWithType: Pos.At -- uid: Terminal.Gui.Pos.Bottom(Terminal.Gui.View) - name: Bottom(View) - href: api/Terminal.Gui/Terminal.Gui.Pos.html#Terminal_Gui_Pos_Bottom_Terminal_Gui_View_ - commentId: M:Terminal.Gui.Pos.Bottom(Terminal.Gui.View) - fullName: Terminal.Gui.Pos.Bottom(Terminal.Gui.View) - nameWithType: Pos.Bottom(View) -- uid: Terminal.Gui.Pos.Bottom* - name: Bottom - href: api/Terminal.Gui/Terminal.Gui.Pos.html#Terminal_Gui_Pos_Bottom_ - commentId: Overload:Terminal.Gui.Pos.Bottom - isSpec: "True" - fullName: Terminal.Gui.Pos.Bottom - nameWithType: Pos.Bottom -- uid: Terminal.Gui.Pos.Center - name: Center() - href: api/Terminal.Gui/Terminal.Gui.Pos.html#Terminal_Gui_Pos_Center - commentId: M:Terminal.Gui.Pos.Center - fullName: Terminal.Gui.Pos.Center() - nameWithType: Pos.Center() -- uid: Terminal.Gui.Pos.Center* - name: Center - href: api/Terminal.Gui/Terminal.Gui.Pos.html#Terminal_Gui_Pos_Center_ - commentId: Overload:Terminal.Gui.Pos.Center - isSpec: "True" - fullName: Terminal.Gui.Pos.Center - nameWithType: Pos.Center -- uid: Terminal.Gui.Pos.Left(Terminal.Gui.View) - name: Left(View) - href: api/Terminal.Gui/Terminal.Gui.Pos.html#Terminal_Gui_Pos_Left_Terminal_Gui_View_ - commentId: M:Terminal.Gui.Pos.Left(Terminal.Gui.View) - fullName: Terminal.Gui.Pos.Left(Terminal.Gui.View) - nameWithType: Pos.Left(View) -- uid: Terminal.Gui.Pos.Left* - name: Left - href: api/Terminal.Gui/Terminal.Gui.Pos.html#Terminal_Gui_Pos_Left_ - commentId: Overload:Terminal.Gui.Pos.Left - isSpec: "True" - fullName: Terminal.Gui.Pos.Left - nameWithType: Pos.Left -- uid: Terminal.Gui.Pos.op_Addition(Terminal.Gui.Pos,Terminal.Gui.Pos) - name: Addition(Pos, Pos) - href: api/Terminal.Gui/Terminal.Gui.Pos.html#Terminal_Gui_Pos_op_Addition_Terminal_Gui_Pos_Terminal_Gui_Pos_ - commentId: M:Terminal.Gui.Pos.op_Addition(Terminal.Gui.Pos,Terminal.Gui.Pos) - fullName: Terminal.Gui.Pos.Addition(Terminal.Gui.Pos, Terminal.Gui.Pos) - nameWithType: Pos.Addition(Pos, Pos) -- uid: Terminal.Gui.Pos.op_Addition* - name: Addition - href: api/Terminal.Gui/Terminal.Gui.Pos.html#Terminal_Gui_Pos_op_Addition_ - commentId: Overload:Terminal.Gui.Pos.op_Addition - isSpec: "True" - fullName: Terminal.Gui.Pos.Addition - nameWithType: Pos.Addition -- uid: Terminal.Gui.Pos.op_Implicit(System.Int32)~Terminal.Gui.Pos - name: Implicit(Int32 to Pos) - href: api/Terminal.Gui/Terminal.Gui.Pos.html#Terminal_Gui_Pos_op_Implicit_System_Int32__Terminal_Gui_Pos - commentId: M:Terminal.Gui.Pos.op_Implicit(System.Int32)~Terminal.Gui.Pos - name.vb: Widening(Int32 to Pos) - fullName: Terminal.Gui.Pos.Implicit(System.Int32 to Terminal.Gui.Pos) - fullName.vb: Terminal.Gui.Pos.Widening(System.Int32 to Terminal.Gui.Pos) - nameWithType: Pos.Implicit(Int32 to Pos) - nameWithType.vb: Pos.Widening(Int32 to Pos) -- uid: Terminal.Gui.Pos.op_Implicit* - name: Implicit - href: api/Terminal.Gui/Terminal.Gui.Pos.html#Terminal_Gui_Pos_op_Implicit_ - commentId: Overload:Terminal.Gui.Pos.op_Implicit - isSpec: "True" - name.vb: Widening - fullName: Terminal.Gui.Pos.Implicit - fullName.vb: Terminal.Gui.Pos.Widening - nameWithType: Pos.Implicit - nameWithType.vb: Pos.Widening -- uid: Terminal.Gui.Pos.op_Subtraction(Terminal.Gui.Pos,Terminal.Gui.Pos) - name: Subtraction(Pos, Pos) - href: api/Terminal.Gui/Terminal.Gui.Pos.html#Terminal_Gui_Pos_op_Subtraction_Terminal_Gui_Pos_Terminal_Gui_Pos_ - commentId: M:Terminal.Gui.Pos.op_Subtraction(Terminal.Gui.Pos,Terminal.Gui.Pos) - fullName: Terminal.Gui.Pos.Subtraction(Terminal.Gui.Pos, Terminal.Gui.Pos) - nameWithType: Pos.Subtraction(Pos, Pos) -- uid: Terminal.Gui.Pos.op_Subtraction* - name: Subtraction - href: api/Terminal.Gui/Terminal.Gui.Pos.html#Terminal_Gui_Pos_op_Subtraction_ - commentId: Overload:Terminal.Gui.Pos.op_Subtraction - isSpec: "True" - fullName: Terminal.Gui.Pos.Subtraction - nameWithType: Pos.Subtraction -- uid: Terminal.Gui.Pos.Percent(System.Single) - name: Percent(Single) - href: api/Terminal.Gui/Terminal.Gui.Pos.html#Terminal_Gui_Pos_Percent_System_Single_ - commentId: M:Terminal.Gui.Pos.Percent(System.Single) - fullName: Terminal.Gui.Pos.Percent(System.Single) - nameWithType: Pos.Percent(Single) -- uid: Terminal.Gui.Pos.Percent* - name: Percent - href: api/Terminal.Gui/Terminal.Gui.Pos.html#Terminal_Gui_Pos_Percent_ - commentId: Overload:Terminal.Gui.Pos.Percent - isSpec: "True" - fullName: Terminal.Gui.Pos.Percent - nameWithType: Pos.Percent -- uid: Terminal.Gui.Pos.Right(Terminal.Gui.View) - name: Right(View) - href: api/Terminal.Gui/Terminal.Gui.Pos.html#Terminal_Gui_Pos_Right_Terminal_Gui_View_ - commentId: M:Terminal.Gui.Pos.Right(Terminal.Gui.View) - fullName: Terminal.Gui.Pos.Right(Terminal.Gui.View) - nameWithType: Pos.Right(View) -- uid: Terminal.Gui.Pos.Right* - name: Right - href: api/Terminal.Gui/Terminal.Gui.Pos.html#Terminal_Gui_Pos_Right_ - commentId: Overload:Terminal.Gui.Pos.Right - isSpec: "True" - fullName: Terminal.Gui.Pos.Right - nameWithType: Pos.Right -- uid: Terminal.Gui.Pos.Top(Terminal.Gui.View) - name: Top(View) - href: api/Terminal.Gui/Terminal.Gui.Pos.html#Terminal_Gui_Pos_Top_Terminal_Gui_View_ - commentId: M:Terminal.Gui.Pos.Top(Terminal.Gui.View) - fullName: Terminal.Gui.Pos.Top(Terminal.Gui.View) - nameWithType: Pos.Top(View) -- uid: Terminal.Gui.Pos.Top* - name: Top - href: api/Terminal.Gui/Terminal.Gui.Pos.html#Terminal_Gui_Pos_Top_ - commentId: Overload:Terminal.Gui.Pos.Top - isSpec: "True" - fullName: Terminal.Gui.Pos.Top - nameWithType: Pos.Top -- uid: Terminal.Gui.Pos.X(Terminal.Gui.View) - name: X(View) - href: api/Terminal.Gui/Terminal.Gui.Pos.html#Terminal_Gui_Pos_X_Terminal_Gui_View_ - commentId: M:Terminal.Gui.Pos.X(Terminal.Gui.View) - fullName: Terminal.Gui.Pos.X(Terminal.Gui.View) - nameWithType: Pos.X(View) -- uid: Terminal.Gui.Pos.X* - name: X - href: api/Terminal.Gui/Terminal.Gui.Pos.html#Terminal_Gui_Pos_X_ - commentId: Overload:Terminal.Gui.Pos.X - isSpec: "True" - fullName: Terminal.Gui.Pos.X - nameWithType: Pos.X -- uid: Terminal.Gui.Pos.Y(Terminal.Gui.View) - name: Y(View) - href: api/Terminal.Gui/Terminal.Gui.Pos.html#Terminal_Gui_Pos_Y_Terminal_Gui_View_ - commentId: M:Terminal.Gui.Pos.Y(Terminal.Gui.View) - fullName: Terminal.Gui.Pos.Y(Terminal.Gui.View) - nameWithType: Pos.Y(View) -- uid: Terminal.Gui.Pos.Y* - name: Y - href: api/Terminal.Gui/Terminal.Gui.Pos.html#Terminal_Gui_Pos_Y_ - commentId: Overload:Terminal.Gui.Pos.Y - isSpec: "True" - fullName: Terminal.Gui.Pos.Y - nameWithType: Pos.Y -- uid: Terminal.Gui.ProgressBar - name: ProgressBar - href: api/Terminal.Gui/Terminal.Gui.ProgressBar.html - commentId: T:Terminal.Gui.ProgressBar - fullName: Terminal.Gui.ProgressBar - nameWithType: ProgressBar -- uid: Terminal.Gui.ProgressBar.#ctor - name: ProgressBar() - href: api/Terminal.Gui/Terminal.Gui.ProgressBar.html#Terminal_Gui_ProgressBar__ctor - commentId: M:Terminal.Gui.ProgressBar.#ctor - fullName: Terminal.Gui.ProgressBar.ProgressBar() - nameWithType: ProgressBar.ProgressBar() -- uid: Terminal.Gui.ProgressBar.#ctor(Terminal.Gui.Rect) - name: ProgressBar(Rect) - href: api/Terminal.Gui/Terminal.Gui.ProgressBar.html#Terminal_Gui_ProgressBar__ctor_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.ProgressBar.#ctor(Terminal.Gui.Rect) - fullName: Terminal.Gui.ProgressBar.ProgressBar(Terminal.Gui.Rect) - nameWithType: ProgressBar.ProgressBar(Rect) -- uid: Terminal.Gui.ProgressBar.#ctor* - name: ProgressBar - href: api/Terminal.Gui/Terminal.Gui.ProgressBar.html#Terminal_Gui_ProgressBar__ctor_ - commentId: Overload:Terminal.Gui.ProgressBar.#ctor - isSpec: "True" - fullName: Terminal.Gui.ProgressBar.ProgressBar - nameWithType: ProgressBar.ProgressBar -- uid: Terminal.Gui.ProgressBar.Fraction - name: Fraction - href: api/Terminal.Gui/Terminal.Gui.ProgressBar.html#Terminal_Gui_ProgressBar_Fraction - commentId: P:Terminal.Gui.ProgressBar.Fraction - fullName: Terminal.Gui.ProgressBar.Fraction - nameWithType: ProgressBar.Fraction -- uid: Terminal.Gui.ProgressBar.Fraction* - name: Fraction - href: api/Terminal.Gui/Terminal.Gui.ProgressBar.html#Terminal_Gui_ProgressBar_Fraction_ - commentId: Overload:Terminal.Gui.ProgressBar.Fraction - isSpec: "True" - fullName: Terminal.Gui.ProgressBar.Fraction - nameWithType: ProgressBar.Fraction -- uid: Terminal.Gui.ProgressBar.Pulse - name: Pulse() - href: api/Terminal.Gui/Terminal.Gui.ProgressBar.html#Terminal_Gui_ProgressBar_Pulse - commentId: M:Terminal.Gui.ProgressBar.Pulse - fullName: Terminal.Gui.ProgressBar.Pulse() - nameWithType: ProgressBar.Pulse() -- uid: Terminal.Gui.ProgressBar.Pulse* - name: Pulse - href: api/Terminal.Gui/Terminal.Gui.ProgressBar.html#Terminal_Gui_ProgressBar_Pulse_ - commentId: Overload:Terminal.Gui.ProgressBar.Pulse - isSpec: "True" - fullName: Terminal.Gui.ProgressBar.Pulse - nameWithType: ProgressBar.Pulse -- uid: Terminal.Gui.ProgressBar.Redraw(Terminal.Gui.Rect) - name: Redraw(Rect) - href: api/Terminal.Gui/Terminal.Gui.ProgressBar.html#Terminal_Gui_ProgressBar_Redraw_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.ProgressBar.Redraw(Terminal.Gui.Rect) - fullName: Terminal.Gui.ProgressBar.Redraw(Terminal.Gui.Rect) - nameWithType: ProgressBar.Redraw(Rect) -- uid: Terminal.Gui.ProgressBar.Redraw* - name: Redraw - href: api/Terminal.Gui/Terminal.Gui.ProgressBar.html#Terminal_Gui_ProgressBar_Redraw_ - commentId: Overload:Terminal.Gui.ProgressBar.Redraw - isSpec: "True" - fullName: Terminal.Gui.ProgressBar.Redraw - nameWithType: ProgressBar.Redraw -- uid: Terminal.Gui.RadioGroup - name: RadioGroup - href: api/Terminal.Gui/Terminal.Gui.RadioGroup.html - commentId: T:Terminal.Gui.RadioGroup - fullName: Terminal.Gui.RadioGroup - nameWithType: RadioGroup -- uid: Terminal.Gui.RadioGroup.#ctor(System.Int32,System.Int32,System.String[],System.Int32) - name: RadioGroup(Int32, Int32, String[], Int32) - href: api/Terminal.Gui/Terminal.Gui.RadioGroup.html#Terminal_Gui_RadioGroup__ctor_System_Int32_System_Int32_System_String___System_Int32_ - commentId: M:Terminal.Gui.RadioGroup.#ctor(System.Int32,System.Int32,System.String[],System.Int32) - name.vb: RadioGroup(Int32, Int32, String(), Int32) - fullName: Terminal.Gui.RadioGroup.RadioGroup(System.Int32, System.Int32, System.String[], System.Int32) - fullName.vb: Terminal.Gui.RadioGroup.RadioGroup(System.Int32, System.Int32, System.String(), System.Int32) - nameWithType: RadioGroup.RadioGroup(Int32, Int32, String[], Int32) - nameWithType.vb: RadioGroup.RadioGroup(Int32, Int32, String(), Int32) -- uid: Terminal.Gui.RadioGroup.#ctor(System.String[],System.Int32) - name: RadioGroup(String[], Int32) - href: api/Terminal.Gui/Terminal.Gui.RadioGroup.html#Terminal_Gui_RadioGroup__ctor_System_String___System_Int32_ - commentId: M:Terminal.Gui.RadioGroup.#ctor(System.String[],System.Int32) - name.vb: RadioGroup(String(), Int32) - fullName: Terminal.Gui.RadioGroup.RadioGroup(System.String[], System.Int32) - fullName.vb: Terminal.Gui.RadioGroup.RadioGroup(System.String(), System.Int32) - nameWithType: RadioGroup.RadioGroup(String[], Int32) - nameWithType.vb: RadioGroup.RadioGroup(String(), Int32) -- uid: Terminal.Gui.RadioGroup.#ctor(Terminal.Gui.Rect,System.String[],System.Int32) - name: RadioGroup(Rect, String[], Int32) - href: api/Terminal.Gui/Terminal.Gui.RadioGroup.html#Terminal_Gui_RadioGroup__ctor_Terminal_Gui_Rect_System_String___System_Int32_ - commentId: M:Terminal.Gui.RadioGroup.#ctor(Terminal.Gui.Rect,System.String[],System.Int32) - name.vb: RadioGroup(Rect, String(), Int32) - fullName: Terminal.Gui.RadioGroup.RadioGroup(Terminal.Gui.Rect, System.String[], System.Int32) - fullName.vb: Terminal.Gui.RadioGroup.RadioGroup(Terminal.Gui.Rect, System.String(), System.Int32) - nameWithType: RadioGroup.RadioGroup(Rect, String[], Int32) - nameWithType.vb: RadioGroup.RadioGroup(Rect, String(), Int32) -- uid: Terminal.Gui.RadioGroup.#ctor* - name: RadioGroup - href: api/Terminal.Gui/Terminal.Gui.RadioGroup.html#Terminal_Gui_RadioGroup__ctor_ - commentId: Overload:Terminal.Gui.RadioGroup.#ctor - isSpec: "True" - fullName: Terminal.Gui.RadioGroup.RadioGroup - nameWithType: RadioGroup.RadioGroup -- uid: Terminal.Gui.RadioGroup.Cursor - name: Cursor - href: api/Terminal.Gui/Terminal.Gui.RadioGroup.html#Terminal_Gui_RadioGroup_Cursor - commentId: P:Terminal.Gui.RadioGroup.Cursor - fullName: Terminal.Gui.RadioGroup.Cursor - nameWithType: RadioGroup.Cursor -- uid: Terminal.Gui.RadioGroup.Cursor* - name: Cursor - href: api/Terminal.Gui/Terminal.Gui.RadioGroup.html#Terminal_Gui_RadioGroup_Cursor_ - commentId: Overload:Terminal.Gui.RadioGroup.Cursor - isSpec: "True" - fullName: Terminal.Gui.RadioGroup.Cursor - nameWithType: RadioGroup.Cursor -- uid: Terminal.Gui.RadioGroup.MouseEvent(Terminal.Gui.MouseEvent) - name: MouseEvent(MouseEvent) - href: api/Terminal.Gui/Terminal.Gui.RadioGroup.html#Terminal_Gui_RadioGroup_MouseEvent_Terminal_Gui_MouseEvent_ - commentId: M:Terminal.Gui.RadioGroup.MouseEvent(Terminal.Gui.MouseEvent) - fullName: Terminal.Gui.RadioGroup.MouseEvent(Terminal.Gui.MouseEvent) - nameWithType: RadioGroup.MouseEvent(MouseEvent) -- uid: Terminal.Gui.RadioGroup.MouseEvent* - name: MouseEvent - href: api/Terminal.Gui/Terminal.Gui.RadioGroup.html#Terminal_Gui_RadioGroup_MouseEvent_ - commentId: Overload:Terminal.Gui.RadioGroup.MouseEvent - isSpec: "True" - fullName: Terminal.Gui.RadioGroup.MouseEvent - nameWithType: RadioGroup.MouseEvent -- uid: Terminal.Gui.RadioGroup.PositionCursor - name: PositionCursor() - href: api/Terminal.Gui/Terminal.Gui.RadioGroup.html#Terminal_Gui_RadioGroup_PositionCursor - commentId: M:Terminal.Gui.RadioGroup.PositionCursor - fullName: Terminal.Gui.RadioGroup.PositionCursor() - nameWithType: RadioGroup.PositionCursor() -- uid: Terminal.Gui.RadioGroup.PositionCursor* - name: PositionCursor - href: api/Terminal.Gui/Terminal.Gui.RadioGroup.html#Terminal_Gui_RadioGroup_PositionCursor_ - commentId: Overload:Terminal.Gui.RadioGroup.PositionCursor - isSpec: "True" - fullName: Terminal.Gui.RadioGroup.PositionCursor - nameWithType: RadioGroup.PositionCursor -- uid: Terminal.Gui.RadioGroup.ProcessColdKey(Terminal.Gui.KeyEvent) - name: ProcessColdKey(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.RadioGroup.html#Terminal_Gui_RadioGroup_ProcessColdKey_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.RadioGroup.ProcessColdKey(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.RadioGroup.ProcessColdKey(Terminal.Gui.KeyEvent) - nameWithType: RadioGroup.ProcessColdKey(KeyEvent) -- uid: Terminal.Gui.RadioGroup.ProcessColdKey* - name: ProcessColdKey - href: api/Terminal.Gui/Terminal.Gui.RadioGroup.html#Terminal_Gui_RadioGroup_ProcessColdKey_ - commentId: Overload:Terminal.Gui.RadioGroup.ProcessColdKey - isSpec: "True" - fullName: Terminal.Gui.RadioGroup.ProcessColdKey - nameWithType: RadioGroup.ProcessColdKey -- uid: Terminal.Gui.RadioGroup.ProcessKey(Terminal.Gui.KeyEvent) - name: ProcessKey(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.RadioGroup.html#Terminal_Gui_RadioGroup_ProcessKey_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.RadioGroup.ProcessKey(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.RadioGroup.ProcessKey(Terminal.Gui.KeyEvent) - nameWithType: RadioGroup.ProcessKey(KeyEvent) -- uid: Terminal.Gui.RadioGroup.ProcessKey* - name: ProcessKey - href: api/Terminal.Gui/Terminal.Gui.RadioGroup.html#Terminal_Gui_RadioGroup_ProcessKey_ - commentId: Overload:Terminal.Gui.RadioGroup.ProcessKey - isSpec: "True" - fullName: Terminal.Gui.RadioGroup.ProcessKey - nameWithType: RadioGroup.ProcessKey -- uid: Terminal.Gui.RadioGroup.RadioLabels - name: RadioLabels - href: api/Terminal.Gui/Terminal.Gui.RadioGroup.html#Terminal_Gui_RadioGroup_RadioLabels - commentId: P:Terminal.Gui.RadioGroup.RadioLabels - fullName: Terminal.Gui.RadioGroup.RadioLabels - nameWithType: RadioGroup.RadioLabels -- uid: Terminal.Gui.RadioGroup.RadioLabels* - name: RadioLabels - href: api/Terminal.Gui/Terminal.Gui.RadioGroup.html#Terminal_Gui_RadioGroup_RadioLabels_ - commentId: Overload:Terminal.Gui.RadioGroup.RadioLabels - isSpec: "True" - fullName: Terminal.Gui.RadioGroup.RadioLabels - nameWithType: RadioGroup.RadioLabels -- uid: Terminal.Gui.RadioGroup.Redraw(Terminal.Gui.Rect) - name: Redraw(Rect) - href: api/Terminal.Gui/Terminal.Gui.RadioGroup.html#Terminal_Gui_RadioGroup_Redraw_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.RadioGroup.Redraw(Terminal.Gui.Rect) - fullName: Terminal.Gui.RadioGroup.Redraw(Terminal.Gui.Rect) - nameWithType: RadioGroup.Redraw(Rect) -- uid: Terminal.Gui.RadioGroup.Redraw* - name: Redraw - href: api/Terminal.Gui/Terminal.Gui.RadioGroup.html#Terminal_Gui_RadioGroup_Redraw_ - commentId: Overload:Terminal.Gui.RadioGroup.Redraw - isSpec: "True" - fullName: Terminal.Gui.RadioGroup.Redraw - nameWithType: RadioGroup.Redraw -- uid: Terminal.Gui.RadioGroup.Selected - name: Selected - href: api/Terminal.Gui/Terminal.Gui.RadioGroup.html#Terminal_Gui_RadioGroup_Selected - commentId: P:Terminal.Gui.RadioGroup.Selected - fullName: Terminal.Gui.RadioGroup.Selected - nameWithType: RadioGroup.Selected -- uid: Terminal.Gui.RadioGroup.Selected* - name: Selected - href: api/Terminal.Gui/Terminal.Gui.RadioGroup.html#Terminal_Gui_RadioGroup_Selected_ - commentId: Overload:Terminal.Gui.RadioGroup.Selected - isSpec: "True" - fullName: Terminal.Gui.RadioGroup.Selected - nameWithType: RadioGroup.Selected -- uid: Terminal.Gui.RadioGroup.SelectionChanged - name: SelectionChanged - href: api/Terminal.Gui/Terminal.Gui.RadioGroup.html#Terminal_Gui_RadioGroup_SelectionChanged - commentId: F:Terminal.Gui.RadioGroup.SelectionChanged - fullName: Terminal.Gui.RadioGroup.SelectionChanged - nameWithType: RadioGroup.SelectionChanged -- uid: Terminal.Gui.Rect - name: Rect - href: api/Terminal.Gui/Terminal.Gui.Rect.html - commentId: T:Terminal.Gui.Rect - fullName: Terminal.Gui.Rect - nameWithType: Rect -- uid: Terminal.Gui.Rect.#ctor(System.Int32,System.Int32,System.Int32,System.Int32) - name: Rect(Int32, Int32, Int32, Int32) - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect__ctor_System_Int32_System_Int32_System_Int32_System_Int32_ - commentId: M:Terminal.Gui.Rect.#ctor(System.Int32,System.Int32,System.Int32,System.Int32) - fullName: Terminal.Gui.Rect.Rect(System.Int32, System.Int32, System.Int32, System.Int32) - nameWithType: Rect.Rect(Int32, Int32, Int32, Int32) -- uid: Terminal.Gui.Rect.#ctor(Terminal.Gui.Point,Terminal.Gui.Size) - name: Rect(Point, Size) - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect__ctor_Terminal_Gui_Point_Terminal_Gui_Size_ - commentId: M:Terminal.Gui.Rect.#ctor(Terminal.Gui.Point,Terminal.Gui.Size) - fullName: Terminal.Gui.Rect.Rect(Terminal.Gui.Point, Terminal.Gui.Size) - nameWithType: Rect.Rect(Point, Size) -- uid: Terminal.Gui.Rect.#ctor* - name: Rect - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect__ctor_ - commentId: Overload:Terminal.Gui.Rect.#ctor - isSpec: "True" - fullName: Terminal.Gui.Rect.Rect - nameWithType: Rect.Rect -- uid: Terminal.Gui.Rect.Bottom - name: Bottom - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Bottom - commentId: P:Terminal.Gui.Rect.Bottom - fullName: Terminal.Gui.Rect.Bottom - nameWithType: Rect.Bottom -- uid: Terminal.Gui.Rect.Bottom* - name: Bottom - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Bottom_ - commentId: Overload:Terminal.Gui.Rect.Bottom - isSpec: "True" - fullName: Terminal.Gui.Rect.Bottom - nameWithType: Rect.Bottom -- uid: Terminal.Gui.Rect.Contains(System.Int32,System.Int32) - name: Contains(Int32, Int32) - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Contains_System_Int32_System_Int32_ - commentId: M:Terminal.Gui.Rect.Contains(System.Int32,System.Int32) - fullName: Terminal.Gui.Rect.Contains(System.Int32, System.Int32) - nameWithType: Rect.Contains(Int32, Int32) -- uid: Terminal.Gui.Rect.Contains(Terminal.Gui.Point) - name: Contains(Point) - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Contains_Terminal_Gui_Point_ - commentId: M:Terminal.Gui.Rect.Contains(Terminal.Gui.Point) - fullName: Terminal.Gui.Rect.Contains(Terminal.Gui.Point) - nameWithType: Rect.Contains(Point) -- uid: Terminal.Gui.Rect.Contains(Terminal.Gui.Rect) - name: Contains(Rect) - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Contains_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.Rect.Contains(Terminal.Gui.Rect) - fullName: Terminal.Gui.Rect.Contains(Terminal.Gui.Rect) - nameWithType: Rect.Contains(Rect) -- uid: Terminal.Gui.Rect.Contains* - name: Contains - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Contains_ - commentId: Overload:Terminal.Gui.Rect.Contains - isSpec: "True" - fullName: Terminal.Gui.Rect.Contains - nameWithType: Rect.Contains -- uid: Terminal.Gui.Rect.Empty - name: Empty - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Empty - commentId: F:Terminal.Gui.Rect.Empty - fullName: Terminal.Gui.Rect.Empty - nameWithType: Rect.Empty -- uid: Terminal.Gui.Rect.Equals(System.Object) - name: Equals(Object) - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Equals_System_Object_ - commentId: M:Terminal.Gui.Rect.Equals(System.Object) - fullName: Terminal.Gui.Rect.Equals(System.Object) - nameWithType: Rect.Equals(Object) -- uid: Terminal.Gui.Rect.Equals* - name: Equals - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Equals_ - commentId: Overload:Terminal.Gui.Rect.Equals - isSpec: "True" - fullName: Terminal.Gui.Rect.Equals - nameWithType: Rect.Equals -- uid: Terminal.Gui.Rect.FromLTRB(System.Int32,System.Int32,System.Int32,System.Int32) - name: FromLTRB(Int32, Int32, Int32, Int32) - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_FromLTRB_System_Int32_System_Int32_System_Int32_System_Int32_ - commentId: M:Terminal.Gui.Rect.FromLTRB(System.Int32,System.Int32,System.Int32,System.Int32) - fullName: Terminal.Gui.Rect.FromLTRB(System.Int32, System.Int32, System.Int32, System.Int32) - nameWithType: Rect.FromLTRB(Int32, Int32, Int32, Int32) -- uid: Terminal.Gui.Rect.FromLTRB* - name: FromLTRB - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_FromLTRB_ - commentId: Overload:Terminal.Gui.Rect.FromLTRB - isSpec: "True" - fullName: Terminal.Gui.Rect.FromLTRB - nameWithType: Rect.FromLTRB -- uid: Terminal.Gui.Rect.GetHashCode - name: GetHashCode() - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_GetHashCode - commentId: M:Terminal.Gui.Rect.GetHashCode - fullName: Terminal.Gui.Rect.GetHashCode() - nameWithType: Rect.GetHashCode() -- uid: Terminal.Gui.Rect.GetHashCode* - name: GetHashCode - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_GetHashCode_ - commentId: Overload:Terminal.Gui.Rect.GetHashCode - isSpec: "True" - fullName: Terminal.Gui.Rect.GetHashCode - nameWithType: Rect.GetHashCode -- uid: Terminal.Gui.Rect.Height - name: Height - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Height - commentId: F:Terminal.Gui.Rect.Height - fullName: Terminal.Gui.Rect.Height - nameWithType: Rect.Height -- uid: Terminal.Gui.Rect.Inflate(System.Int32,System.Int32) - name: Inflate(Int32, Int32) - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Inflate_System_Int32_System_Int32_ - commentId: M:Terminal.Gui.Rect.Inflate(System.Int32,System.Int32) - fullName: Terminal.Gui.Rect.Inflate(System.Int32, System.Int32) - nameWithType: Rect.Inflate(Int32, Int32) -- uid: Terminal.Gui.Rect.Inflate(Terminal.Gui.Rect,System.Int32,System.Int32) - name: Inflate(Rect, Int32, Int32) - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Inflate_Terminal_Gui_Rect_System_Int32_System_Int32_ - commentId: M:Terminal.Gui.Rect.Inflate(Terminal.Gui.Rect,System.Int32,System.Int32) - fullName: Terminal.Gui.Rect.Inflate(Terminal.Gui.Rect, System.Int32, System.Int32) - nameWithType: Rect.Inflate(Rect, Int32, Int32) -- uid: Terminal.Gui.Rect.Inflate(Terminal.Gui.Size) - name: Inflate(Size) - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Inflate_Terminal_Gui_Size_ - commentId: M:Terminal.Gui.Rect.Inflate(Terminal.Gui.Size) - fullName: Terminal.Gui.Rect.Inflate(Terminal.Gui.Size) - nameWithType: Rect.Inflate(Size) -- uid: Terminal.Gui.Rect.Inflate* - name: Inflate - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Inflate_ - commentId: Overload:Terminal.Gui.Rect.Inflate - isSpec: "True" - fullName: Terminal.Gui.Rect.Inflate - nameWithType: Rect.Inflate -- uid: Terminal.Gui.Rect.Intersect(Terminal.Gui.Rect) - name: Intersect(Rect) - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Intersect_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.Rect.Intersect(Terminal.Gui.Rect) - fullName: Terminal.Gui.Rect.Intersect(Terminal.Gui.Rect) - nameWithType: Rect.Intersect(Rect) -- uid: Terminal.Gui.Rect.Intersect(Terminal.Gui.Rect,Terminal.Gui.Rect) - name: Intersect(Rect, Rect) - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Intersect_Terminal_Gui_Rect_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.Rect.Intersect(Terminal.Gui.Rect,Terminal.Gui.Rect) - fullName: Terminal.Gui.Rect.Intersect(Terminal.Gui.Rect, Terminal.Gui.Rect) - nameWithType: Rect.Intersect(Rect, Rect) -- uid: Terminal.Gui.Rect.Intersect* - name: Intersect - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Intersect_ - commentId: Overload:Terminal.Gui.Rect.Intersect - isSpec: "True" - fullName: Terminal.Gui.Rect.Intersect - nameWithType: Rect.Intersect -- uid: Terminal.Gui.Rect.IntersectsWith(Terminal.Gui.Rect) - name: IntersectsWith(Rect) - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_IntersectsWith_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.Rect.IntersectsWith(Terminal.Gui.Rect) - fullName: Terminal.Gui.Rect.IntersectsWith(Terminal.Gui.Rect) - nameWithType: Rect.IntersectsWith(Rect) -- uid: Terminal.Gui.Rect.IntersectsWith* - name: IntersectsWith - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_IntersectsWith_ - commentId: Overload:Terminal.Gui.Rect.IntersectsWith - isSpec: "True" - fullName: Terminal.Gui.Rect.IntersectsWith - nameWithType: Rect.IntersectsWith -- uid: Terminal.Gui.Rect.IsEmpty - name: IsEmpty - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_IsEmpty - commentId: P:Terminal.Gui.Rect.IsEmpty - fullName: Terminal.Gui.Rect.IsEmpty - nameWithType: Rect.IsEmpty -- uid: Terminal.Gui.Rect.IsEmpty* - name: IsEmpty - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_IsEmpty_ - commentId: Overload:Terminal.Gui.Rect.IsEmpty - isSpec: "True" - fullName: Terminal.Gui.Rect.IsEmpty - nameWithType: Rect.IsEmpty -- uid: Terminal.Gui.Rect.Left - name: Left - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Left - commentId: P:Terminal.Gui.Rect.Left - fullName: Terminal.Gui.Rect.Left - nameWithType: Rect.Left -- uid: Terminal.Gui.Rect.Left* - name: Left - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Left_ - commentId: Overload:Terminal.Gui.Rect.Left - isSpec: "True" - fullName: Terminal.Gui.Rect.Left - nameWithType: Rect.Left -- uid: Terminal.Gui.Rect.Location - name: Location - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Location - commentId: P:Terminal.Gui.Rect.Location - fullName: Terminal.Gui.Rect.Location - nameWithType: Rect.Location -- uid: Terminal.Gui.Rect.Location* - name: Location - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Location_ - commentId: Overload:Terminal.Gui.Rect.Location - isSpec: "True" - fullName: Terminal.Gui.Rect.Location - nameWithType: Rect.Location -- uid: Terminal.Gui.Rect.Offset(System.Int32,System.Int32) - name: Offset(Int32, Int32) - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Offset_System_Int32_System_Int32_ - commentId: M:Terminal.Gui.Rect.Offset(System.Int32,System.Int32) - fullName: Terminal.Gui.Rect.Offset(System.Int32, System.Int32) - nameWithType: Rect.Offset(Int32, Int32) -- uid: Terminal.Gui.Rect.Offset(Terminal.Gui.Point) - name: Offset(Point) - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Offset_Terminal_Gui_Point_ - commentId: M:Terminal.Gui.Rect.Offset(Terminal.Gui.Point) - fullName: Terminal.Gui.Rect.Offset(Terminal.Gui.Point) - nameWithType: Rect.Offset(Point) -- uid: Terminal.Gui.Rect.Offset* - name: Offset - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Offset_ - commentId: Overload:Terminal.Gui.Rect.Offset - isSpec: "True" - fullName: Terminal.Gui.Rect.Offset - nameWithType: Rect.Offset -- uid: Terminal.Gui.Rect.op_Equality(Terminal.Gui.Rect,Terminal.Gui.Rect) - name: Equality(Rect, Rect) - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_op_Equality_Terminal_Gui_Rect_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.Rect.op_Equality(Terminal.Gui.Rect,Terminal.Gui.Rect) - fullName: Terminal.Gui.Rect.Equality(Terminal.Gui.Rect, Terminal.Gui.Rect) - nameWithType: Rect.Equality(Rect, Rect) -- uid: Terminal.Gui.Rect.op_Equality* - name: Equality - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_op_Equality_ - commentId: Overload:Terminal.Gui.Rect.op_Equality - isSpec: "True" - fullName: Terminal.Gui.Rect.Equality - nameWithType: Rect.Equality -- uid: Terminal.Gui.Rect.op_Inequality(Terminal.Gui.Rect,Terminal.Gui.Rect) - name: Inequality(Rect, Rect) - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_op_Inequality_Terminal_Gui_Rect_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.Rect.op_Inequality(Terminal.Gui.Rect,Terminal.Gui.Rect) - fullName: Terminal.Gui.Rect.Inequality(Terminal.Gui.Rect, Terminal.Gui.Rect) - nameWithType: Rect.Inequality(Rect, Rect) -- uid: Terminal.Gui.Rect.op_Inequality* - name: Inequality - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_op_Inequality_ - commentId: Overload:Terminal.Gui.Rect.op_Inequality - isSpec: "True" - fullName: Terminal.Gui.Rect.Inequality - nameWithType: Rect.Inequality -- uid: Terminal.Gui.Rect.Right - name: Right - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Right - commentId: P:Terminal.Gui.Rect.Right - fullName: Terminal.Gui.Rect.Right - nameWithType: Rect.Right -- uid: Terminal.Gui.Rect.Right* - name: Right - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Right_ - commentId: Overload:Terminal.Gui.Rect.Right - isSpec: "True" - fullName: Terminal.Gui.Rect.Right - nameWithType: Rect.Right -- uid: Terminal.Gui.Rect.Size - name: Size - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Size - commentId: P:Terminal.Gui.Rect.Size - fullName: Terminal.Gui.Rect.Size - nameWithType: Rect.Size -- uid: Terminal.Gui.Rect.Size* - name: Size - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Size_ - commentId: Overload:Terminal.Gui.Rect.Size - isSpec: "True" - fullName: Terminal.Gui.Rect.Size - nameWithType: Rect.Size -- uid: Terminal.Gui.Rect.Top - name: Top - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Top - commentId: P:Terminal.Gui.Rect.Top - fullName: Terminal.Gui.Rect.Top - nameWithType: Rect.Top -- uid: Terminal.Gui.Rect.Top* - name: Top - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Top_ - commentId: Overload:Terminal.Gui.Rect.Top - isSpec: "True" - fullName: Terminal.Gui.Rect.Top - nameWithType: Rect.Top -- uid: Terminal.Gui.Rect.ToString - name: ToString() - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_ToString - commentId: M:Terminal.Gui.Rect.ToString - fullName: Terminal.Gui.Rect.ToString() - nameWithType: Rect.ToString() -- uid: Terminal.Gui.Rect.ToString* - name: ToString - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_ToString_ - commentId: Overload:Terminal.Gui.Rect.ToString - isSpec: "True" - fullName: Terminal.Gui.Rect.ToString - nameWithType: Rect.ToString -- uid: Terminal.Gui.Rect.Union(Terminal.Gui.Rect,Terminal.Gui.Rect) - name: Union(Rect, Rect) - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Union_Terminal_Gui_Rect_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.Rect.Union(Terminal.Gui.Rect,Terminal.Gui.Rect) - fullName: Terminal.Gui.Rect.Union(Terminal.Gui.Rect, Terminal.Gui.Rect) - nameWithType: Rect.Union(Rect, Rect) -- uid: Terminal.Gui.Rect.Union* - name: Union - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Union_ - commentId: Overload:Terminal.Gui.Rect.Union - isSpec: "True" - fullName: Terminal.Gui.Rect.Union - nameWithType: Rect.Union -- uid: Terminal.Gui.Rect.Width - name: Width - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Width - commentId: F:Terminal.Gui.Rect.Width - fullName: Terminal.Gui.Rect.Width - nameWithType: Rect.Width -- uid: Terminal.Gui.Rect.X - name: X - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_X - commentId: F:Terminal.Gui.Rect.X - fullName: Terminal.Gui.Rect.X - nameWithType: Rect.X -- uid: Terminal.Gui.Rect.Y - name: Y - href: api/Terminal.Gui/Terminal.Gui.Rect.html#Terminal_Gui_Rect_Y - commentId: F:Terminal.Gui.Rect.Y - fullName: Terminal.Gui.Rect.Y - nameWithType: Rect.Y -- uid: Terminal.Gui.Responder - name: Responder - href: api/Terminal.Gui/Terminal.Gui.Responder.html - commentId: T:Terminal.Gui.Responder - fullName: Terminal.Gui.Responder - nameWithType: Responder -- uid: Terminal.Gui.Responder.CanFocus - name: CanFocus - href: api/Terminal.Gui/Terminal.Gui.Responder.html#Terminal_Gui_Responder_CanFocus - commentId: P:Terminal.Gui.Responder.CanFocus - fullName: Terminal.Gui.Responder.CanFocus - nameWithType: Responder.CanFocus -- uid: Terminal.Gui.Responder.CanFocus* - name: CanFocus - href: api/Terminal.Gui/Terminal.Gui.Responder.html#Terminal_Gui_Responder_CanFocus_ - commentId: Overload:Terminal.Gui.Responder.CanFocus - isSpec: "True" - fullName: Terminal.Gui.Responder.CanFocus - nameWithType: Responder.CanFocus -- uid: Terminal.Gui.Responder.HasFocus - name: HasFocus - href: api/Terminal.Gui/Terminal.Gui.Responder.html#Terminal_Gui_Responder_HasFocus - commentId: P:Terminal.Gui.Responder.HasFocus - fullName: Terminal.Gui.Responder.HasFocus - nameWithType: Responder.HasFocus -- uid: Terminal.Gui.Responder.HasFocus* - name: HasFocus - href: api/Terminal.Gui/Terminal.Gui.Responder.html#Terminal_Gui_Responder_HasFocus_ - commentId: Overload:Terminal.Gui.Responder.HasFocus - isSpec: "True" - fullName: Terminal.Gui.Responder.HasFocus - nameWithType: Responder.HasFocus -- uid: Terminal.Gui.Responder.MouseEvent(Terminal.Gui.MouseEvent) - name: MouseEvent(MouseEvent) - href: api/Terminal.Gui/Terminal.Gui.Responder.html#Terminal_Gui_Responder_MouseEvent_Terminal_Gui_MouseEvent_ - commentId: M:Terminal.Gui.Responder.MouseEvent(Terminal.Gui.MouseEvent) - fullName: Terminal.Gui.Responder.MouseEvent(Terminal.Gui.MouseEvent) - nameWithType: Responder.MouseEvent(MouseEvent) -- uid: Terminal.Gui.Responder.MouseEvent* - name: MouseEvent - href: api/Terminal.Gui/Terminal.Gui.Responder.html#Terminal_Gui_Responder_MouseEvent_ - commentId: Overload:Terminal.Gui.Responder.MouseEvent - isSpec: "True" - fullName: Terminal.Gui.Responder.MouseEvent - nameWithType: Responder.MouseEvent -- uid: Terminal.Gui.Responder.OnEnter - name: OnEnter() - href: api/Terminal.Gui/Terminal.Gui.Responder.html#Terminal_Gui_Responder_OnEnter - commentId: M:Terminal.Gui.Responder.OnEnter - fullName: Terminal.Gui.Responder.OnEnter() - nameWithType: Responder.OnEnter() -- uid: Terminal.Gui.Responder.OnEnter* - name: OnEnter - href: api/Terminal.Gui/Terminal.Gui.Responder.html#Terminal_Gui_Responder_OnEnter_ - commentId: Overload:Terminal.Gui.Responder.OnEnter - isSpec: "True" - fullName: Terminal.Gui.Responder.OnEnter - nameWithType: Responder.OnEnter -- uid: Terminal.Gui.Responder.OnKeyDown(Terminal.Gui.KeyEvent) - name: OnKeyDown(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.Responder.html#Terminal_Gui_Responder_OnKeyDown_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.Responder.OnKeyDown(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.Responder.OnKeyDown(Terminal.Gui.KeyEvent) - nameWithType: Responder.OnKeyDown(KeyEvent) -- uid: Terminal.Gui.Responder.OnKeyDown* - name: OnKeyDown - href: api/Terminal.Gui/Terminal.Gui.Responder.html#Terminal_Gui_Responder_OnKeyDown_ - commentId: Overload:Terminal.Gui.Responder.OnKeyDown - isSpec: "True" - fullName: Terminal.Gui.Responder.OnKeyDown - nameWithType: Responder.OnKeyDown -- uid: Terminal.Gui.Responder.OnKeyUp(Terminal.Gui.KeyEvent) - name: OnKeyUp(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.Responder.html#Terminal_Gui_Responder_OnKeyUp_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.Responder.OnKeyUp(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.Responder.OnKeyUp(Terminal.Gui.KeyEvent) - nameWithType: Responder.OnKeyUp(KeyEvent) -- uid: Terminal.Gui.Responder.OnKeyUp* - name: OnKeyUp - href: api/Terminal.Gui/Terminal.Gui.Responder.html#Terminal_Gui_Responder_OnKeyUp_ - commentId: Overload:Terminal.Gui.Responder.OnKeyUp - isSpec: "True" - fullName: Terminal.Gui.Responder.OnKeyUp - nameWithType: Responder.OnKeyUp -- uid: Terminal.Gui.Responder.OnLeave - name: OnLeave() - href: api/Terminal.Gui/Terminal.Gui.Responder.html#Terminal_Gui_Responder_OnLeave - commentId: M:Terminal.Gui.Responder.OnLeave - fullName: Terminal.Gui.Responder.OnLeave() - nameWithType: Responder.OnLeave() -- uid: Terminal.Gui.Responder.OnLeave* - name: OnLeave - href: api/Terminal.Gui/Terminal.Gui.Responder.html#Terminal_Gui_Responder_OnLeave_ - commentId: Overload:Terminal.Gui.Responder.OnLeave - isSpec: "True" - fullName: Terminal.Gui.Responder.OnLeave - nameWithType: Responder.OnLeave -- uid: Terminal.Gui.Responder.OnMouseEnter(Terminal.Gui.MouseEvent) - name: OnMouseEnter(MouseEvent) - href: api/Terminal.Gui/Terminal.Gui.Responder.html#Terminal_Gui_Responder_OnMouseEnter_Terminal_Gui_MouseEvent_ - commentId: M:Terminal.Gui.Responder.OnMouseEnter(Terminal.Gui.MouseEvent) - fullName: Terminal.Gui.Responder.OnMouseEnter(Terminal.Gui.MouseEvent) - nameWithType: Responder.OnMouseEnter(MouseEvent) -- uid: Terminal.Gui.Responder.OnMouseEnter* - name: OnMouseEnter - href: api/Terminal.Gui/Terminal.Gui.Responder.html#Terminal_Gui_Responder_OnMouseEnter_ - commentId: Overload:Terminal.Gui.Responder.OnMouseEnter - isSpec: "True" - fullName: Terminal.Gui.Responder.OnMouseEnter - nameWithType: Responder.OnMouseEnter -- uid: Terminal.Gui.Responder.OnMouseLeave(Terminal.Gui.MouseEvent) - name: OnMouseLeave(MouseEvent) - href: api/Terminal.Gui/Terminal.Gui.Responder.html#Terminal_Gui_Responder_OnMouseLeave_Terminal_Gui_MouseEvent_ - commentId: M:Terminal.Gui.Responder.OnMouseLeave(Terminal.Gui.MouseEvent) - fullName: Terminal.Gui.Responder.OnMouseLeave(Terminal.Gui.MouseEvent) - nameWithType: Responder.OnMouseLeave(MouseEvent) -- uid: Terminal.Gui.Responder.OnMouseLeave* - name: OnMouseLeave - href: api/Terminal.Gui/Terminal.Gui.Responder.html#Terminal_Gui_Responder_OnMouseLeave_ - commentId: Overload:Terminal.Gui.Responder.OnMouseLeave - isSpec: "True" - fullName: Terminal.Gui.Responder.OnMouseLeave - nameWithType: Responder.OnMouseLeave -- uid: Terminal.Gui.Responder.ProcessColdKey(Terminal.Gui.KeyEvent) - name: ProcessColdKey(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.Responder.html#Terminal_Gui_Responder_ProcessColdKey_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.Responder.ProcessColdKey(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.Responder.ProcessColdKey(Terminal.Gui.KeyEvent) - nameWithType: Responder.ProcessColdKey(KeyEvent) -- uid: Terminal.Gui.Responder.ProcessColdKey* - name: ProcessColdKey - href: api/Terminal.Gui/Terminal.Gui.Responder.html#Terminal_Gui_Responder_ProcessColdKey_ - commentId: Overload:Terminal.Gui.Responder.ProcessColdKey - isSpec: "True" - fullName: Terminal.Gui.Responder.ProcessColdKey - nameWithType: Responder.ProcessColdKey -- uid: Terminal.Gui.Responder.ProcessHotKey(Terminal.Gui.KeyEvent) - name: ProcessHotKey(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.Responder.html#Terminal_Gui_Responder_ProcessHotKey_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.Responder.ProcessHotKey(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.Responder.ProcessHotKey(Terminal.Gui.KeyEvent) - nameWithType: Responder.ProcessHotKey(KeyEvent) -- uid: Terminal.Gui.Responder.ProcessHotKey* - name: ProcessHotKey - href: api/Terminal.Gui/Terminal.Gui.Responder.html#Terminal_Gui_Responder_ProcessHotKey_ - commentId: Overload:Terminal.Gui.Responder.ProcessHotKey - isSpec: "True" - fullName: Terminal.Gui.Responder.ProcessHotKey - nameWithType: Responder.ProcessHotKey -- uid: Terminal.Gui.Responder.ProcessKey(Terminal.Gui.KeyEvent) - name: ProcessKey(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.Responder.html#Terminal_Gui_Responder_ProcessKey_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.Responder.ProcessKey(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.Responder.ProcessKey(Terminal.Gui.KeyEvent) - nameWithType: Responder.ProcessKey(KeyEvent) -- uid: Terminal.Gui.Responder.ProcessKey* - name: ProcessKey - href: api/Terminal.Gui/Terminal.Gui.Responder.html#Terminal_Gui_Responder_ProcessKey_ - commentId: Overload:Terminal.Gui.Responder.ProcessKey - isSpec: "True" - fullName: Terminal.Gui.Responder.ProcessKey - nameWithType: Responder.ProcessKey -- uid: Terminal.Gui.SaveDialog - name: SaveDialog - href: api/Terminal.Gui/Terminal.Gui.SaveDialog.html - commentId: T:Terminal.Gui.SaveDialog - fullName: Terminal.Gui.SaveDialog - nameWithType: SaveDialog -- uid: Terminal.Gui.SaveDialog.#ctor(NStack.ustring,NStack.ustring) - name: SaveDialog(ustring, ustring) - href: api/Terminal.Gui/Terminal.Gui.SaveDialog.html#Terminal_Gui_SaveDialog__ctor_NStack_ustring_NStack_ustring_ - commentId: M:Terminal.Gui.SaveDialog.#ctor(NStack.ustring,NStack.ustring) - fullName: Terminal.Gui.SaveDialog.SaveDialog(NStack.ustring, NStack.ustring) - nameWithType: SaveDialog.SaveDialog(ustring, ustring) -- uid: Terminal.Gui.SaveDialog.#ctor* - name: SaveDialog - href: api/Terminal.Gui/Terminal.Gui.SaveDialog.html#Terminal_Gui_SaveDialog__ctor_ - commentId: Overload:Terminal.Gui.SaveDialog.#ctor - isSpec: "True" - fullName: Terminal.Gui.SaveDialog.SaveDialog - nameWithType: SaveDialog.SaveDialog -- uid: Terminal.Gui.SaveDialog.FileName - name: FileName - href: api/Terminal.Gui/Terminal.Gui.SaveDialog.html#Terminal_Gui_SaveDialog_FileName - commentId: P:Terminal.Gui.SaveDialog.FileName - fullName: Terminal.Gui.SaveDialog.FileName - nameWithType: SaveDialog.FileName -- uid: Terminal.Gui.SaveDialog.FileName* - name: FileName - href: api/Terminal.Gui/Terminal.Gui.SaveDialog.html#Terminal_Gui_SaveDialog_FileName_ - commentId: Overload:Terminal.Gui.SaveDialog.FileName - isSpec: "True" - fullName: Terminal.Gui.SaveDialog.FileName - nameWithType: SaveDialog.FileName -- uid: Terminal.Gui.ScrollBarView - name: ScrollBarView - href: api/Terminal.Gui/Terminal.Gui.ScrollBarView.html - commentId: T:Terminal.Gui.ScrollBarView - fullName: Terminal.Gui.ScrollBarView - nameWithType: ScrollBarView -- uid: Terminal.Gui.ScrollBarView.#ctor(Terminal.Gui.Rect,System.Int32,System.Int32,System.Boolean) - name: ScrollBarView(Rect, Int32, Int32, Boolean) - href: api/Terminal.Gui/Terminal.Gui.ScrollBarView.html#Terminal_Gui_ScrollBarView__ctor_Terminal_Gui_Rect_System_Int32_System_Int32_System_Boolean_ - commentId: M:Terminal.Gui.ScrollBarView.#ctor(Terminal.Gui.Rect,System.Int32,System.Int32,System.Boolean) - fullName: Terminal.Gui.ScrollBarView.ScrollBarView(Terminal.Gui.Rect, System.Int32, System.Int32, System.Boolean) - nameWithType: ScrollBarView.ScrollBarView(Rect, Int32, Int32, Boolean) -- uid: Terminal.Gui.ScrollBarView.#ctor* - name: ScrollBarView - href: api/Terminal.Gui/Terminal.Gui.ScrollBarView.html#Terminal_Gui_ScrollBarView__ctor_ - commentId: Overload:Terminal.Gui.ScrollBarView.#ctor - isSpec: "True" - fullName: Terminal.Gui.ScrollBarView.ScrollBarView - nameWithType: ScrollBarView.ScrollBarView -- uid: Terminal.Gui.ScrollBarView.ChangedPosition - name: ChangedPosition - href: api/Terminal.Gui/Terminal.Gui.ScrollBarView.html#Terminal_Gui_ScrollBarView_ChangedPosition - commentId: E:Terminal.Gui.ScrollBarView.ChangedPosition - fullName: Terminal.Gui.ScrollBarView.ChangedPosition - nameWithType: ScrollBarView.ChangedPosition -- uid: Terminal.Gui.ScrollBarView.MouseEvent(Terminal.Gui.MouseEvent) - name: MouseEvent(MouseEvent) - href: api/Terminal.Gui/Terminal.Gui.ScrollBarView.html#Terminal_Gui_ScrollBarView_MouseEvent_Terminal_Gui_MouseEvent_ - commentId: M:Terminal.Gui.ScrollBarView.MouseEvent(Terminal.Gui.MouseEvent) - fullName: Terminal.Gui.ScrollBarView.MouseEvent(Terminal.Gui.MouseEvent) - nameWithType: ScrollBarView.MouseEvent(MouseEvent) -- uid: Terminal.Gui.ScrollBarView.MouseEvent* - name: MouseEvent - href: api/Terminal.Gui/Terminal.Gui.ScrollBarView.html#Terminal_Gui_ScrollBarView_MouseEvent_ - commentId: Overload:Terminal.Gui.ScrollBarView.MouseEvent - isSpec: "True" - fullName: Terminal.Gui.ScrollBarView.MouseEvent - nameWithType: ScrollBarView.MouseEvent -- uid: Terminal.Gui.ScrollBarView.Position - name: Position - href: api/Terminal.Gui/Terminal.Gui.ScrollBarView.html#Terminal_Gui_ScrollBarView_Position - commentId: P:Terminal.Gui.ScrollBarView.Position - fullName: Terminal.Gui.ScrollBarView.Position - nameWithType: ScrollBarView.Position -- uid: Terminal.Gui.ScrollBarView.Position* - name: Position - href: api/Terminal.Gui/Terminal.Gui.ScrollBarView.html#Terminal_Gui_ScrollBarView_Position_ - commentId: Overload:Terminal.Gui.ScrollBarView.Position - isSpec: "True" - fullName: Terminal.Gui.ScrollBarView.Position - nameWithType: ScrollBarView.Position -- uid: Terminal.Gui.ScrollBarView.Redraw(Terminal.Gui.Rect) - name: Redraw(Rect) - href: api/Terminal.Gui/Terminal.Gui.ScrollBarView.html#Terminal_Gui_ScrollBarView_Redraw_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.ScrollBarView.Redraw(Terminal.Gui.Rect) - fullName: Terminal.Gui.ScrollBarView.Redraw(Terminal.Gui.Rect) - nameWithType: ScrollBarView.Redraw(Rect) -- uid: Terminal.Gui.ScrollBarView.Redraw* - name: Redraw - href: api/Terminal.Gui/Terminal.Gui.ScrollBarView.html#Terminal_Gui_ScrollBarView_Redraw_ - commentId: Overload:Terminal.Gui.ScrollBarView.Redraw - isSpec: "True" - fullName: Terminal.Gui.ScrollBarView.Redraw - nameWithType: ScrollBarView.Redraw -- uid: Terminal.Gui.ScrollBarView.Size - name: Size - href: api/Terminal.Gui/Terminal.Gui.ScrollBarView.html#Terminal_Gui_ScrollBarView_Size - commentId: P:Terminal.Gui.ScrollBarView.Size - fullName: Terminal.Gui.ScrollBarView.Size - nameWithType: ScrollBarView.Size -- uid: Terminal.Gui.ScrollBarView.Size* - name: Size - href: api/Terminal.Gui/Terminal.Gui.ScrollBarView.html#Terminal_Gui_ScrollBarView_Size_ - commentId: Overload:Terminal.Gui.ScrollBarView.Size - isSpec: "True" - fullName: Terminal.Gui.ScrollBarView.Size - nameWithType: ScrollBarView.Size -- uid: Terminal.Gui.ScrollView - name: ScrollView - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html - commentId: T:Terminal.Gui.ScrollView - fullName: Terminal.Gui.ScrollView - nameWithType: ScrollView -- uid: Terminal.Gui.ScrollView.#ctor(Terminal.Gui.Rect) - name: ScrollView(Rect) - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView__ctor_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.ScrollView.#ctor(Terminal.Gui.Rect) - fullName: Terminal.Gui.ScrollView.ScrollView(Terminal.Gui.Rect) - nameWithType: ScrollView.ScrollView(Rect) -- uid: Terminal.Gui.ScrollView.#ctor* - name: ScrollView - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView__ctor_ - commentId: Overload:Terminal.Gui.ScrollView.#ctor - isSpec: "True" - fullName: Terminal.Gui.ScrollView.ScrollView - nameWithType: ScrollView.ScrollView -- uid: Terminal.Gui.ScrollView.Add(Terminal.Gui.View) - name: Add(View) - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_Add_Terminal_Gui_View_ - commentId: M:Terminal.Gui.ScrollView.Add(Terminal.Gui.View) - fullName: Terminal.Gui.ScrollView.Add(Terminal.Gui.View) - nameWithType: ScrollView.Add(View) -- uid: Terminal.Gui.ScrollView.Add* - name: Add - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_Add_ - commentId: Overload:Terminal.Gui.ScrollView.Add - isSpec: "True" - fullName: Terminal.Gui.ScrollView.Add - nameWithType: ScrollView.Add -- uid: Terminal.Gui.ScrollView.ContentOffset - name: ContentOffset - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_ContentOffset - commentId: P:Terminal.Gui.ScrollView.ContentOffset - fullName: Terminal.Gui.ScrollView.ContentOffset - nameWithType: ScrollView.ContentOffset -- uid: Terminal.Gui.ScrollView.ContentOffset* - name: ContentOffset - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_ContentOffset_ - commentId: Overload:Terminal.Gui.ScrollView.ContentOffset - isSpec: "True" - fullName: Terminal.Gui.ScrollView.ContentOffset - nameWithType: ScrollView.ContentOffset -- uid: Terminal.Gui.ScrollView.ContentSize - name: ContentSize - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_ContentSize - commentId: P:Terminal.Gui.ScrollView.ContentSize - fullName: Terminal.Gui.ScrollView.ContentSize - nameWithType: ScrollView.ContentSize -- uid: Terminal.Gui.ScrollView.ContentSize* - name: ContentSize - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_ContentSize_ - commentId: Overload:Terminal.Gui.ScrollView.ContentSize - isSpec: "True" - fullName: Terminal.Gui.ScrollView.ContentSize - nameWithType: ScrollView.ContentSize -- uid: Terminal.Gui.ScrollView.MouseEvent(Terminal.Gui.MouseEvent) - name: MouseEvent(MouseEvent) - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_MouseEvent_Terminal_Gui_MouseEvent_ - commentId: M:Terminal.Gui.ScrollView.MouseEvent(Terminal.Gui.MouseEvent) - fullName: Terminal.Gui.ScrollView.MouseEvent(Terminal.Gui.MouseEvent) - nameWithType: ScrollView.MouseEvent(MouseEvent) -- uid: Terminal.Gui.ScrollView.MouseEvent* - name: MouseEvent - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_MouseEvent_ - commentId: Overload:Terminal.Gui.ScrollView.MouseEvent - isSpec: "True" - fullName: Terminal.Gui.ScrollView.MouseEvent - nameWithType: ScrollView.MouseEvent -- uid: Terminal.Gui.ScrollView.PositionCursor - name: PositionCursor() - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_PositionCursor - commentId: M:Terminal.Gui.ScrollView.PositionCursor - fullName: Terminal.Gui.ScrollView.PositionCursor() - nameWithType: ScrollView.PositionCursor() -- uid: Terminal.Gui.ScrollView.PositionCursor* - name: PositionCursor - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_PositionCursor_ - commentId: Overload:Terminal.Gui.ScrollView.PositionCursor - isSpec: "True" - fullName: Terminal.Gui.ScrollView.PositionCursor - nameWithType: ScrollView.PositionCursor -- uid: Terminal.Gui.ScrollView.ProcessKey(Terminal.Gui.KeyEvent) - name: ProcessKey(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_ProcessKey_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.ScrollView.ProcessKey(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.ScrollView.ProcessKey(Terminal.Gui.KeyEvent) - nameWithType: ScrollView.ProcessKey(KeyEvent) -- uid: Terminal.Gui.ScrollView.ProcessKey* - name: ProcessKey - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_ProcessKey_ - commentId: Overload:Terminal.Gui.ScrollView.ProcessKey - isSpec: "True" - fullName: Terminal.Gui.ScrollView.ProcessKey - nameWithType: ScrollView.ProcessKey -- uid: Terminal.Gui.ScrollView.Redraw(Terminal.Gui.Rect) - name: Redraw(Rect) - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_Redraw_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.ScrollView.Redraw(Terminal.Gui.Rect) - fullName: Terminal.Gui.ScrollView.Redraw(Terminal.Gui.Rect) - nameWithType: ScrollView.Redraw(Rect) -- uid: Terminal.Gui.ScrollView.Redraw* - name: Redraw - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_Redraw_ - commentId: Overload:Terminal.Gui.ScrollView.Redraw - isSpec: "True" - fullName: Terminal.Gui.ScrollView.Redraw - nameWithType: ScrollView.Redraw -- uid: Terminal.Gui.ScrollView.RemoveAll - name: RemoveAll() - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_RemoveAll - commentId: M:Terminal.Gui.ScrollView.RemoveAll - fullName: Terminal.Gui.ScrollView.RemoveAll() - nameWithType: ScrollView.RemoveAll() -- uid: Terminal.Gui.ScrollView.RemoveAll* - name: RemoveAll - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_RemoveAll_ - commentId: Overload:Terminal.Gui.ScrollView.RemoveAll - isSpec: "True" - fullName: Terminal.Gui.ScrollView.RemoveAll - nameWithType: ScrollView.RemoveAll -- uid: Terminal.Gui.ScrollView.ScrollDown(System.Int32) - name: ScrollDown(Int32) - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_ScrollDown_System_Int32_ - commentId: M:Terminal.Gui.ScrollView.ScrollDown(System.Int32) - fullName: Terminal.Gui.ScrollView.ScrollDown(System.Int32) - nameWithType: ScrollView.ScrollDown(Int32) -- uid: Terminal.Gui.ScrollView.ScrollDown* - name: ScrollDown - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_ScrollDown_ - commentId: Overload:Terminal.Gui.ScrollView.ScrollDown - isSpec: "True" - fullName: Terminal.Gui.ScrollView.ScrollDown - nameWithType: ScrollView.ScrollDown -- uid: Terminal.Gui.ScrollView.ScrollLeft(System.Int32) - name: ScrollLeft(Int32) - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_ScrollLeft_System_Int32_ - commentId: M:Terminal.Gui.ScrollView.ScrollLeft(System.Int32) - fullName: Terminal.Gui.ScrollView.ScrollLeft(System.Int32) - nameWithType: ScrollView.ScrollLeft(Int32) -- uid: Terminal.Gui.ScrollView.ScrollLeft* - name: ScrollLeft - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_ScrollLeft_ - commentId: Overload:Terminal.Gui.ScrollView.ScrollLeft - isSpec: "True" - fullName: Terminal.Gui.ScrollView.ScrollLeft - nameWithType: ScrollView.ScrollLeft -- uid: Terminal.Gui.ScrollView.ScrollRight(System.Int32) - name: ScrollRight(Int32) - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_ScrollRight_System_Int32_ - commentId: M:Terminal.Gui.ScrollView.ScrollRight(System.Int32) - fullName: Terminal.Gui.ScrollView.ScrollRight(System.Int32) - nameWithType: ScrollView.ScrollRight(Int32) -- uid: Terminal.Gui.ScrollView.ScrollRight* - name: ScrollRight - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_ScrollRight_ - commentId: Overload:Terminal.Gui.ScrollView.ScrollRight - isSpec: "True" - fullName: Terminal.Gui.ScrollView.ScrollRight - nameWithType: ScrollView.ScrollRight -- uid: Terminal.Gui.ScrollView.ScrollUp(System.Int32) - name: ScrollUp(Int32) - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_ScrollUp_System_Int32_ - commentId: M:Terminal.Gui.ScrollView.ScrollUp(System.Int32) - fullName: Terminal.Gui.ScrollView.ScrollUp(System.Int32) - nameWithType: ScrollView.ScrollUp(Int32) -- uid: Terminal.Gui.ScrollView.ScrollUp* - name: ScrollUp - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_ScrollUp_ - commentId: Overload:Terminal.Gui.ScrollView.ScrollUp - isSpec: "True" - fullName: Terminal.Gui.ScrollView.ScrollUp - nameWithType: ScrollView.ScrollUp -- uid: Terminal.Gui.ScrollView.ShowHorizontalScrollIndicator - name: ShowHorizontalScrollIndicator - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_ShowHorizontalScrollIndicator - commentId: P:Terminal.Gui.ScrollView.ShowHorizontalScrollIndicator - fullName: Terminal.Gui.ScrollView.ShowHorizontalScrollIndicator - nameWithType: ScrollView.ShowHorizontalScrollIndicator -- uid: Terminal.Gui.ScrollView.ShowHorizontalScrollIndicator* - name: ShowHorizontalScrollIndicator - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_ShowHorizontalScrollIndicator_ - commentId: Overload:Terminal.Gui.ScrollView.ShowHorizontalScrollIndicator - isSpec: "True" - fullName: Terminal.Gui.ScrollView.ShowHorizontalScrollIndicator - nameWithType: ScrollView.ShowHorizontalScrollIndicator -- uid: Terminal.Gui.ScrollView.ShowVerticalScrollIndicator - name: ShowVerticalScrollIndicator - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_ShowVerticalScrollIndicator - commentId: P:Terminal.Gui.ScrollView.ShowVerticalScrollIndicator - fullName: Terminal.Gui.ScrollView.ShowVerticalScrollIndicator - nameWithType: ScrollView.ShowVerticalScrollIndicator -- uid: Terminal.Gui.ScrollView.ShowVerticalScrollIndicator* - name: ShowVerticalScrollIndicator - href: api/Terminal.Gui/Terminal.Gui.ScrollView.html#Terminal_Gui_ScrollView_ShowVerticalScrollIndicator_ - commentId: Overload:Terminal.Gui.ScrollView.ShowVerticalScrollIndicator - isSpec: "True" - fullName: Terminal.Gui.ScrollView.ShowVerticalScrollIndicator - nameWithType: ScrollView.ShowVerticalScrollIndicator -- uid: Terminal.Gui.Size - name: Size - href: api/Terminal.Gui/Terminal.Gui.Size.html - commentId: T:Terminal.Gui.Size - fullName: Terminal.Gui.Size - nameWithType: Size -- uid: Terminal.Gui.Size.#ctor(System.Int32,System.Int32) - name: Size(Int32, Int32) - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size__ctor_System_Int32_System_Int32_ - commentId: M:Terminal.Gui.Size.#ctor(System.Int32,System.Int32) - fullName: Terminal.Gui.Size.Size(System.Int32, System.Int32) - nameWithType: Size.Size(Int32, Int32) -- uid: Terminal.Gui.Size.#ctor(Terminal.Gui.Point) - name: Size(Point) - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size__ctor_Terminal_Gui_Point_ - commentId: M:Terminal.Gui.Size.#ctor(Terminal.Gui.Point) - fullName: Terminal.Gui.Size.Size(Terminal.Gui.Point) - nameWithType: Size.Size(Point) -- uid: Terminal.Gui.Size.#ctor* - name: Size - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size__ctor_ - commentId: Overload:Terminal.Gui.Size.#ctor - isSpec: "True" - fullName: Terminal.Gui.Size.Size - nameWithType: Size.Size -- uid: Terminal.Gui.Size.Add(Terminal.Gui.Size,Terminal.Gui.Size) - name: Add(Size, Size) - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size_Add_Terminal_Gui_Size_Terminal_Gui_Size_ - commentId: M:Terminal.Gui.Size.Add(Terminal.Gui.Size,Terminal.Gui.Size) - fullName: Terminal.Gui.Size.Add(Terminal.Gui.Size, Terminal.Gui.Size) - nameWithType: Size.Add(Size, Size) -- uid: Terminal.Gui.Size.Add* - name: Add - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size_Add_ - commentId: Overload:Terminal.Gui.Size.Add - isSpec: "True" - fullName: Terminal.Gui.Size.Add - nameWithType: Size.Add -- uid: Terminal.Gui.Size.Empty - name: Empty - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size_Empty - commentId: F:Terminal.Gui.Size.Empty - fullName: Terminal.Gui.Size.Empty - nameWithType: Size.Empty -- uid: Terminal.Gui.Size.Equals(System.Object) - name: Equals(Object) - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size_Equals_System_Object_ - commentId: M:Terminal.Gui.Size.Equals(System.Object) - fullName: Terminal.Gui.Size.Equals(System.Object) - nameWithType: Size.Equals(Object) -- uid: Terminal.Gui.Size.Equals* - name: Equals - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size_Equals_ - commentId: Overload:Terminal.Gui.Size.Equals - isSpec: "True" - fullName: Terminal.Gui.Size.Equals - nameWithType: Size.Equals -- uid: Terminal.Gui.Size.GetHashCode - name: GetHashCode() - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size_GetHashCode - commentId: M:Terminal.Gui.Size.GetHashCode - fullName: Terminal.Gui.Size.GetHashCode() - nameWithType: Size.GetHashCode() -- uid: Terminal.Gui.Size.GetHashCode* - name: GetHashCode - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size_GetHashCode_ - commentId: Overload:Terminal.Gui.Size.GetHashCode - isSpec: "True" - fullName: Terminal.Gui.Size.GetHashCode - nameWithType: Size.GetHashCode -- uid: Terminal.Gui.Size.Height - name: Height - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size_Height - commentId: P:Terminal.Gui.Size.Height - fullName: Terminal.Gui.Size.Height - nameWithType: Size.Height -- uid: Terminal.Gui.Size.Height* - name: Height - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size_Height_ - commentId: Overload:Terminal.Gui.Size.Height - isSpec: "True" - fullName: Terminal.Gui.Size.Height - nameWithType: Size.Height -- uid: Terminal.Gui.Size.IsEmpty - name: IsEmpty - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size_IsEmpty - commentId: P:Terminal.Gui.Size.IsEmpty - fullName: Terminal.Gui.Size.IsEmpty - nameWithType: Size.IsEmpty -- uid: Terminal.Gui.Size.IsEmpty* - name: IsEmpty - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size_IsEmpty_ - commentId: Overload:Terminal.Gui.Size.IsEmpty - isSpec: "True" - fullName: Terminal.Gui.Size.IsEmpty - nameWithType: Size.IsEmpty -- uid: Terminal.Gui.Size.op_Addition(Terminal.Gui.Size,Terminal.Gui.Size) - name: Addition(Size, Size) - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size_op_Addition_Terminal_Gui_Size_Terminal_Gui_Size_ - commentId: M:Terminal.Gui.Size.op_Addition(Terminal.Gui.Size,Terminal.Gui.Size) - fullName: Terminal.Gui.Size.Addition(Terminal.Gui.Size, Terminal.Gui.Size) - nameWithType: Size.Addition(Size, Size) -- uid: Terminal.Gui.Size.op_Addition* - name: Addition - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size_op_Addition_ - commentId: Overload:Terminal.Gui.Size.op_Addition - isSpec: "True" - fullName: Terminal.Gui.Size.Addition - nameWithType: Size.Addition -- uid: Terminal.Gui.Size.op_Equality(Terminal.Gui.Size,Terminal.Gui.Size) - name: Equality(Size, Size) - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size_op_Equality_Terminal_Gui_Size_Terminal_Gui_Size_ - commentId: M:Terminal.Gui.Size.op_Equality(Terminal.Gui.Size,Terminal.Gui.Size) - fullName: Terminal.Gui.Size.Equality(Terminal.Gui.Size, Terminal.Gui.Size) - nameWithType: Size.Equality(Size, Size) -- uid: Terminal.Gui.Size.op_Equality* - name: Equality - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size_op_Equality_ - commentId: Overload:Terminal.Gui.Size.op_Equality - isSpec: "True" - fullName: Terminal.Gui.Size.Equality - nameWithType: Size.Equality -- uid: Terminal.Gui.Size.op_Explicit(Terminal.Gui.Size)~Terminal.Gui.Point - name: Explicit(Size to Point) - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size_op_Explicit_Terminal_Gui_Size__Terminal_Gui_Point - commentId: M:Terminal.Gui.Size.op_Explicit(Terminal.Gui.Size)~Terminal.Gui.Point - name.vb: Narrowing(Size to Point) - fullName: Terminal.Gui.Size.Explicit(Terminal.Gui.Size to Terminal.Gui.Point) - fullName.vb: Terminal.Gui.Size.Narrowing(Terminal.Gui.Size to Terminal.Gui.Point) - nameWithType: Size.Explicit(Size to Point) - nameWithType.vb: Size.Narrowing(Size to Point) -- uid: Terminal.Gui.Size.op_Explicit* - name: Explicit - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size_op_Explicit_ - commentId: Overload:Terminal.Gui.Size.op_Explicit - isSpec: "True" - name.vb: Narrowing - fullName: Terminal.Gui.Size.Explicit - fullName.vb: Terminal.Gui.Size.Narrowing - nameWithType: Size.Explicit - nameWithType.vb: Size.Narrowing -- uid: Terminal.Gui.Size.op_Inequality(Terminal.Gui.Size,Terminal.Gui.Size) - name: Inequality(Size, Size) - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size_op_Inequality_Terminal_Gui_Size_Terminal_Gui_Size_ - commentId: M:Terminal.Gui.Size.op_Inequality(Terminal.Gui.Size,Terminal.Gui.Size) - fullName: Terminal.Gui.Size.Inequality(Terminal.Gui.Size, Terminal.Gui.Size) - nameWithType: Size.Inequality(Size, Size) -- uid: Terminal.Gui.Size.op_Inequality* - name: Inequality - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size_op_Inequality_ - commentId: Overload:Terminal.Gui.Size.op_Inequality - isSpec: "True" - fullName: Terminal.Gui.Size.Inequality - nameWithType: Size.Inequality -- uid: Terminal.Gui.Size.op_Subtraction(Terminal.Gui.Size,Terminal.Gui.Size) - name: Subtraction(Size, Size) - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size_op_Subtraction_Terminal_Gui_Size_Terminal_Gui_Size_ - commentId: M:Terminal.Gui.Size.op_Subtraction(Terminal.Gui.Size,Terminal.Gui.Size) - fullName: Terminal.Gui.Size.Subtraction(Terminal.Gui.Size, Terminal.Gui.Size) - nameWithType: Size.Subtraction(Size, Size) -- uid: Terminal.Gui.Size.op_Subtraction* - name: Subtraction - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size_op_Subtraction_ - commentId: Overload:Terminal.Gui.Size.op_Subtraction - isSpec: "True" - fullName: Terminal.Gui.Size.Subtraction - nameWithType: Size.Subtraction -- uid: Terminal.Gui.Size.Subtract(Terminal.Gui.Size,Terminal.Gui.Size) - name: Subtract(Size, Size) - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size_Subtract_Terminal_Gui_Size_Terminal_Gui_Size_ - commentId: M:Terminal.Gui.Size.Subtract(Terminal.Gui.Size,Terminal.Gui.Size) - fullName: Terminal.Gui.Size.Subtract(Terminal.Gui.Size, Terminal.Gui.Size) - nameWithType: Size.Subtract(Size, Size) -- uid: Terminal.Gui.Size.Subtract* - name: Subtract - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size_Subtract_ - commentId: Overload:Terminal.Gui.Size.Subtract - isSpec: "True" - fullName: Terminal.Gui.Size.Subtract - nameWithType: Size.Subtract -- uid: Terminal.Gui.Size.ToString - name: ToString() - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size_ToString - commentId: M:Terminal.Gui.Size.ToString - fullName: Terminal.Gui.Size.ToString() - nameWithType: Size.ToString() -- uid: Terminal.Gui.Size.ToString* - name: ToString - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size_ToString_ - commentId: Overload:Terminal.Gui.Size.ToString - isSpec: "True" - fullName: Terminal.Gui.Size.ToString - nameWithType: Size.ToString -- uid: Terminal.Gui.Size.Width - name: Width - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size_Width - commentId: P:Terminal.Gui.Size.Width - fullName: Terminal.Gui.Size.Width - nameWithType: Size.Width -- uid: Terminal.Gui.Size.Width* - name: Width - href: api/Terminal.Gui/Terminal.Gui.Size.html#Terminal_Gui_Size_Width_ - commentId: Overload:Terminal.Gui.Size.Width - isSpec: "True" - fullName: Terminal.Gui.Size.Width - nameWithType: Size.Width -- uid: Terminal.Gui.SpecialChar - name: SpecialChar - href: api/Terminal.Gui/Terminal.Gui.SpecialChar.html - commentId: T:Terminal.Gui.SpecialChar - fullName: Terminal.Gui.SpecialChar - nameWithType: SpecialChar -- uid: Terminal.Gui.SpecialChar.BottomTee - name: BottomTee - href: api/Terminal.Gui/Terminal.Gui.SpecialChar.html#Terminal_Gui_SpecialChar_BottomTee - commentId: F:Terminal.Gui.SpecialChar.BottomTee - fullName: Terminal.Gui.SpecialChar.BottomTee - nameWithType: SpecialChar.BottomTee -- uid: Terminal.Gui.SpecialChar.Diamond - name: Diamond - href: api/Terminal.Gui/Terminal.Gui.SpecialChar.html#Terminal_Gui_SpecialChar_Diamond - commentId: F:Terminal.Gui.SpecialChar.Diamond - fullName: Terminal.Gui.SpecialChar.Diamond - nameWithType: SpecialChar.Diamond -- uid: Terminal.Gui.SpecialChar.HLine - name: HLine - href: api/Terminal.Gui/Terminal.Gui.SpecialChar.html#Terminal_Gui_SpecialChar_HLine - commentId: F:Terminal.Gui.SpecialChar.HLine - fullName: Terminal.Gui.SpecialChar.HLine - nameWithType: SpecialChar.HLine -- uid: Terminal.Gui.SpecialChar.LeftTee - name: LeftTee - href: api/Terminal.Gui/Terminal.Gui.SpecialChar.html#Terminal_Gui_SpecialChar_LeftTee - commentId: F:Terminal.Gui.SpecialChar.LeftTee - fullName: Terminal.Gui.SpecialChar.LeftTee - nameWithType: SpecialChar.LeftTee -- uid: Terminal.Gui.SpecialChar.LLCorner - name: LLCorner - href: api/Terminal.Gui/Terminal.Gui.SpecialChar.html#Terminal_Gui_SpecialChar_LLCorner - commentId: F:Terminal.Gui.SpecialChar.LLCorner - fullName: Terminal.Gui.SpecialChar.LLCorner - nameWithType: SpecialChar.LLCorner -- uid: Terminal.Gui.SpecialChar.LRCorner - name: LRCorner - href: api/Terminal.Gui/Terminal.Gui.SpecialChar.html#Terminal_Gui_SpecialChar_LRCorner - commentId: F:Terminal.Gui.SpecialChar.LRCorner - fullName: Terminal.Gui.SpecialChar.LRCorner - nameWithType: SpecialChar.LRCorner -- uid: Terminal.Gui.SpecialChar.RightTee - name: RightTee - href: api/Terminal.Gui/Terminal.Gui.SpecialChar.html#Terminal_Gui_SpecialChar_RightTee - commentId: F:Terminal.Gui.SpecialChar.RightTee - fullName: Terminal.Gui.SpecialChar.RightTee - nameWithType: SpecialChar.RightTee -- uid: Terminal.Gui.SpecialChar.Stipple - name: Stipple - href: api/Terminal.Gui/Terminal.Gui.SpecialChar.html#Terminal_Gui_SpecialChar_Stipple - commentId: F:Terminal.Gui.SpecialChar.Stipple - fullName: Terminal.Gui.SpecialChar.Stipple - nameWithType: SpecialChar.Stipple -- uid: Terminal.Gui.SpecialChar.TopTee - name: TopTee - href: api/Terminal.Gui/Terminal.Gui.SpecialChar.html#Terminal_Gui_SpecialChar_TopTee - commentId: F:Terminal.Gui.SpecialChar.TopTee - fullName: Terminal.Gui.SpecialChar.TopTee - nameWithType: SpecialChar.TopTee -- uid: Terminal.Gui.SpecialChar.ULCorner - name: ULCorner - href: api/Terminal.Gui/Terminal.Gui.SpecialChar.html#Terminal_Gui_SpecialChar_ULCorner - commentId: F:Terminal.Gui.SpecialChar.ULCorner - fullName: Terminal.Gui.SpecialChar.ULCorner - nameWithType: SpecialChar.ULCorner -- uid: Terminal.Gui.SpecialChar.URCorner - name: URCorner - href: api/Terminal.Gui/Terminal.Gui.SpecialChar.html#Terminal_Gui_SpecialChar_URCorner - commentId: F:Terminal.Gui.SpecialChar.URCorner - fullName: Terminal.Gui.SpecialChar.URCorner - nameWithType: SpecialChar.URCorner -- uid: Terminal.Gui.SpecialChar.VLine - name: VLine - href: api/Terminal.Gui/Terminal.Gui.SpecialChar.html#Terminal_Gui_SpecialChar_VLine - commentId: F:Terminal.Gui.SpecialChar.VLine - fullName: Terminal.Gui.SpecialChar.VLine - nameWithType: SpecialChar.VLine -- uid: Terminal.Gui.StatusBar - name: StatusBar - href: api/Terminal.Gui/Terminal.Gui.StatusBar.html - commentId: T:Terminal.Gui.StatusBar - fullName: Terminal.Gui.StatusBar - nameWithType: StatusBar -- uid: Terminal.Gui.StatusBar.#ctor(Terminal.Gui.StatusItem[]) - name: StatusBar(StatusItem[]) - href: api/Terminal.Gui/Terminal.Gui.StatusBar.html#Terminal_Gui_StatusBar__ctor_Terminal_Gui_StatusItem___ - commentId: M:Terminal.Gui.StatusBar.#ctor(Terminal.Gui.StatusItem[]) - name.vb: StatusBar(StatusItem()) - fullName: Terminal.Gui.StatusBar.StatusBar(Terminal.Gui.StatusItem[]) - fullName.vb: Terminal.Gui.StatusBar.StatusBar(Terminal.Gui.StatusItem()) - nameWithType: StatusBar.StatusBar(StatusItem[]) - nameWithType.vb: StatusBar.StatusBar(StatusItem()) -- uid: Terminal.Gui.StatusBar.#ctor* - name: StatusBar - href: api/Terminal.Gui/Terminal.Gui.StatusBar.html#Terminal_Gui_StatusBar__ctor_ - commentId: Overload:Terminal.Gui.StatusBar.#ctor - isSpec: "True" - fullName: Terminal.Gui.StatusBar.StatusBar - nameWithType: StatusBar.StatusBar -- uid: Terminal.Gui.StatusBar.Items - name: Items - href: api/Terminal.Gui/Terminal.Gui.StatusBar.html#Terminal_Gui_StatusBar_Items - commentId: P:Terminal.Gui.StatusBar.Items - fullName: Terminal.Gui.StatusBar.Items - nameWithType: StatusBar.Items -- uid: Terminal.Gui.StatusBar.Items* - name: Items - href: api/Terminal.Gui/Terminal.Gui.StatusBar.html#Terminal_Gui_StatusBar_Items_ - commentId: Overload:Terminal.Gui.StatusBar.Items - isSpec: "True" - fullName: Terminal.Gui.StatusBar.Items - nameWithType: StatusBar.Items -- uid: Terminal.Gui.StatusBar.Parent - name: Parent - href: api/Terminal.Gui/Terminal.Gui.StatusBar.html#Terminal_Gui_StatusBar_Parent - commentId: P:Terminal.Gui.StatusBar.Parent - fullName: Terminal.Gui.StatusBar.Parent - nameWithType: StatusBar.Parent -- uid: Terminal.Gui.StatusBar.Parent* - name: Parent - href: api/Terminal.Gui/Terminal.Gui.StatusBar.html#Terminal_Gui_StatusBar_Parent_ - commentId: Overload:Terminal.Gui.StatusBar.Parent - isSpec: "True" - fullName: Terminal.Gui.StatusBar.Parent - nameWithType: StatusBar.Parent -- uid: Terminal.Gui.StatusBar.ProcessHotKey(Terminal.Gui.KeyEvent) - name: ProcessHotKey(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.StatusBar.html#Terminal_Gui_StatusBar_ProcessHotKey_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.StatusBar.ProcessHotKey(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.StatusBar.ProcessHotKey(Terminal.Gui.KeyEvent) - nameWithType: StatusBar.ProcessHotKey(KeyEvent) -- uid: Terminal.Gui.StatusBar.ProcessHotKey* - name: ProcessHotKey - href: api/Terminal.Gui/Terminal.Gui.StatusBar.html#Terminal_Gui_StatusBar_ProcessHotKey_ - commentId: Overload:Terminal.Gui.StatusBar.ProcessHotKey - isSpec: "True" - fullName: Terminal.Gui.StatusBar.ProcessHotKey - nameWithType: StatusBar.ProcessHotKey -- uid: Terminal.Gui.StatusBar.Redraw(Terminal.Gui.Rect) - name: Redraw(Rect) - href: api/Terminal.Gui/Terminal.Gui.StatusBar.html#Terminal_Gui_StatusBar_Redraw_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.StatusBar.Redraw(Terminal.Gui.Rect) - fullName: Terminal.Gui.StatusBar.Redraw(Terminal.Gui.Rect) - nameWithType: StatusBar.Redraw(Rect) -- uid: Terminal.Gui.StatusBar.Redraw* - name: Redraw - href: api/Terminal.Gui/Terminal.Gui.StatusBar.html#Terminal_Gui_StatusBar_Redraw_ - commentId: Overload:Terminal.Gui.StatusBar.Redraw - isSpec: "True" - fullName: Terminal.Gui.StatusBar.Redraw - nameWithType: StatusBar.Redraw -- uid: Terminal.Gui.StatusItem - name: StatusItem - href: api/Terminal.Gui/Terminal.Gui.StatusItem.html - commentId: T:Terminal.Gui.StatusItem - fullName: Terminal.Gui.StatusItem - nameWithType: StatusItem -- uid: Terminal.Gui.StatusItem.#ctor(Terminal.Gui.Key,NStack.ustring,System.Action) - name: StatusItem(Key, ustring, Action) - href: api/Terminal.Gui/Terminal.Gui.StatusItem.html#Terminal_Gui_StatusItem__ctor_Terminal_Gui_Key_NStack_ustring_System_Action_ - commentId: M:Terminal.Gui.StatusItem.#ctor(Terminal.Gui.Key,NStack.ustring,System.Action) - fullName: Terminal.Gui.StatusItem.StatusItem(Terminal.Gui.Key, NStack.ustring, System.Action) - nameWithType: StatusItem.StatusItem(Key, ustring, Action) -- uid: Terminal.Gui.StatusItem.#ctor* - name: StatusItem - href: api/Terminal.Gui/Terminal.Gui.StatusItem.html#Terminal_Gui_StatusItem__ctor_ - commentId: Overload:Terminal.Gui.StatusItem.#ctor - isSpec: "True" - fullName: Terminal.Gui.StatusItem.StatusItem - nameWithType: StatusItem.StatusItem -- uid: Terminal.Gui.StatusItem.Action - name: Action - href: api/Terminal.Gui/Terminal.Gui.StatusItem.html#Terminal_Gui_StatusItem_Action - commentId: P:Terminal.Gui.StatusItem.Action - fullName: Terminal.Gui.StatusItem.Action - nameWithType: StatusItem.Action -- uid: Terminal.Gui.StatusItem.Action* - name: Action - href: api/Terminal.Gui/Terminal.Gui.StatusItem.html#Terminal_Gui_StatusItem_Action_ - commentId: Overload:Terminal.Gui.StatusItem.Action - isSpec: "True" - fullName: Terminal.Gui.StatusItem.Action - nameWithType: StatusItem.Action -- uid: Terminal.Gui.StatusItem.Shortcut - name: Shortcut - href: api/Terminal.Gui/Terminal.Gui.StatusItem.html#Terminal_Gui_StatusItem_Shortcut - commentId: P:Terminal.Gui.StatusItem.Shortcut - fullName: Terminal.Gui.StatusItem.Shortcut - nameWithType: StatusItem.Shortcut -- uid: Terminal.Gui.StatusItem.Shortcut* - name: Shortcut - href: api/Terminal.Gui/Terminal.Gui.StatusItem.html#Terminal_Gui_StatusItem_Shortcut_ - commentId: Overload:Terminal.Gui.StatusItem.Shortcut - isSpec: "True" - fullName: Terminal.Gui.StatusItem.Shortcut - nameWithType: StatusItem.Shortcut -- uid: Terminal.Gui.StatusItem.Title - name: Title - href: api/Terminal.Gui/Terminal.Gui.StatusItem.html#Terminal_Gui_StatusItem_Title - commentId: P:Terminal.Gui.StatusItem.Title - fullName: Terminal.Gui.StatusItem.Title - nameWithType: StatusItem.Title -- uid: Terminal.Gui.StatusItem.Title* - name: Title - href: api/Terminal.Gui/Terminal.Gui.StatusItem.html#Terminal_Gui_StatusItem_Title_ - commentId: Overload:Terminal.Gui.StatusItem.Title - isSpec: "True" - fullName: Terminal.Gui.StatusItem.Title - nameWithType: StatusItem.Title -- uid: Terminal.Gui.TextAlignment - name: TextAlignment - href: api/Terminal.Gui/Terminal.Gui.TextAlignment.html - commentId: T:Terminal.Gui.TextAlignment - fullName: Terminal.Gui.TextAlignment - nameWithType: TextAlignment -- uid: Terminal.Gui.TextAlignment.Centered - name: Centered - href: api/Terminal.Gui/Terminal.Gui.TextAlignment.html#Terminal_Gui_TextAlignment_Centered - commentId: F:Terminal.Gui.TextAlignment.Centered - fullName: Terminal.Gui.TextAlignment.Centered - nameWithType: TextAlignment.Centered -- uid: Terminal.Gui.TextAlignment.Justified - name: Justified - href: api/Terminal.Gui/Terminal.Gui.TextAlignment.html#Terminal_Gui_TextAlignment_Justified - commentId: F:Terminal.Gui.TextAlignment.Justified - fullName: Terminal.Gui.TextAlignment.Justified - nameWithType: TextAlignment.Justified -- uid: Terminal.Gui.TextAlignment.Left - name: Left - href: api/Terminal.Gui/Terminal.Gui.TextAlignment.html#Terminal_Gui_TextAlignment_Left - commentId: F:Terminal.Gui.TextAlignment.Left - fullName: Terminal.Gui.TextAlignment.Left - nameWithType: TextAlignment.Left -- uid: Terminal.Gui.TextAlignment.Right - name: Right - href: api/Terminal.Gui/Terminal.Gui.TextAlignment.html#Terminal_Gui_TextAlignment_Right - commentId: F:Terminal.Gui.TextAlignment.Right - fullName: Terminal.Gui.TextAlignment.Right - nameWithType: TextAlignment.Right -- uid: Terminal.Gui.TextField - name: TextField - href: api/Terminal.Gui/Terminal.Gui.TextField.html - commentId: T:Terminal.Gui.TextField - fullName: Terminal.Gui.TextField - nameWithType: TextField -- uid: Terminal.Gui.TextField.#ctor(NStack.ustring) - name: TextField(ustring) - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField__ctor_NStack_ustring_ - commentId: M:Terminal.Gui.TextField.#ctor(NStack.ustring) - fullName: Terminal.Gui.TextField.TextField(NStack.ustring) - nameWithType: TextField.TextField(ustring) -- uid: Terminal.Gui.TextField.#ctor(System.Int32,System.Int32,System.Int32,NStack.ustring) - name: TextField(Int32, Int32, Int32, ustring) - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField__ctor_System_Int32_System_Int32_System_Int32_NStack_ustring_ - commentId: M:Terminal.Gui.TextField.#ctor(System.Int32,System.Int32,System.Int32,NStack.ustring) - fullName: Terminal.Gui.TextField.TextField(System.Int32, System.Int32, System.Int32, NStack.ustring) - nameWithType: TextField.TextField(Int32, Int32, Int32, ustring) -- uid: Terminal.Gui.TextField.#ctor(System.String) - name: TextField(String) - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField__ctor_System_String_ - commentId: M:Terminal.Gui.TextField.#ctor(System.String) - fullName: Terminal.Gui.TextField.TextField(System.String) - nameWithType: TextField.TextField(String) -- uid: Terminal.Gui.TextField.#ctor* - name: TextField - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField__ctor_ - commentId: Overload:Terminal.Gui.TextField.#ctor - isSpec: "True" - fullName: Terminal.Gui.TextField.TextField - nameWithType: TextField.TextField -- uid: Terminal.Gui.TextField.CanFocus - name: CanFocus - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_CanFocus - commentId: P:Terminal.Gui.TextField.CanFocus - fullName: Terminal.Gui.TextField.CanFocus - nameWithType: TextField.CanFocus -- uid: Terminal.Gui.TextField.CanFocus* - name: CanFocus - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_CanFocus_ - commentId: Overload:Terminal.Gui.TextField.CanFocus - isSpec: "True" - fullName: Terminal.Gui.TextField.CanFocus - nameWithType: TextField.CanFocus -- uid: Terminal.Gui.TextField.Changed - name: Changed - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_Changed - commentId: E:Terminal.Gui.TextField.Changed - fullName: Terminal.Gui.TextField.Changed - nameWithType: TextField.Changed -- uid: Terminal.Gui.TextField.ClearAllSelection - name: ClearAllSelection() - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_ClearAllSelection - commentId: M:Terminal.Gui.TextField.ClearAllSelection - fullName: Terminal.Gui.TextField.ClearAllSelection() - nameWithType: TextField.ClearAllSelection() -- uid: Terminal.Gui.TextField.ClearAllSelection* - name: ClearAllSelection - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_ClearAllSelection_ - commentId: Overload:Terminal.Gui.TextField.ClearAllSelection - isSpec: "True" - fullName: Terminal.Gui.TextField.ClearAllSelection - nameWithType: TextField.ClearAllSelection -- uid: Terminal.Gui.TextField.Copy - name: Copy() - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_Copy - commentId: M:Terminal.Gui.TextField.Copy - fullName: Terminal.Gui.TextField.Copy() - nameWithType: TextField.Copy() -- uid: Terminal.Gui.TextField.Copy* - name: Copy - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_Copy_ - commentId: Overload:Terminal.Gui.TextField.Copy - isSpec: "True" - fullName: Terminal.Gui.TextField.Copy - nameWithType: TextField.Copy -- uid: Terminal.Gui.TextField.CursorPosition - name: CursorPosition - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_CursorPosition - commentId: P:Terminal.Gui.TextField.CursorPosition - fullName: Terminal.Gui.TextField.CursorPosition - nameWithType: TextField.CursorPosition -- uid: Terminal.Gui.TextField.CursorPosition* - name: CursorPosition - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_CursorPosition_ - commentId: Overload:Terminal.Gui.TextField.CursorPosition - isSpec: "True" - fullName: Terminal.Gui.TextField.CursorPosition - nameWithType: TextField.CursorPosition -- uid: Terminal.Gui.TextField.Cut - name: Cut() - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_Cut - commentId: M:Terminal.Gui.TextField.Cut - fullName: Terminal.Gui.TextField.Cut() - nameWithType: TextField.Cut() -- uid: Terminal.Gui.TextField.Cut* - name: Cut - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_Cut_ - commentId: Overload:Terminal.Gui.TextField.Cut - isSpec: "True" - fullName: Terminal.Gui.TextField.Cut - nameWithType: TextField.Cut -- uid: Terminal.Gui.TextField.Frame - name: Frame - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_Frame - commentId: P:Terminal.Gui.TextField.Frame - fullName: Terminal.Gui.TextField.Frame - nameWithType: TextField.Frame -- uid: Terminal.Gui.TextField.Frame* - name: Frame - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_Frame_ - commentId: Overload:Terminal.Gui.TextField.Frame - isSpec: "True" - fullName: Terminal.Gui.TextField.Frame - nameWithType: TextField.Frame -- uid: Terminal.Gui.TextField.MouseEvent(Terminal.Gui.MouseEvent) - name: MouseEvent(MouseEvent) - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_MouseEvent_Terminal_Gui_MouseEvent_ - commentId: M:Terminal.Gui.TextField.MouseEvent(Terminal.Gui.MouseEvent) - fullName: Terminal.Gui.TextField.MouseEvent(Terminal.Gui.MouseEvent) - nameWithType: TextField.MouseEvent(MouseEvent) -- uid: Terminal.Gui.TextField.MouseEvent* - name: MouseEvent - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_MouseEvent_ - commentId: Overload:Terminal.Gui.TextField.MouseEvent - isSpec: "True" - fullName: Terminal.Gui.TextField.MouseEvent - nameWithType: TextField.MouseEvent -- uid: Terminal.Gui.TextField.OnLeave - name: OnLeave() - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_OnLeave - commentId: M:Terminal.Gui.TextField.OnLeave - fullName: Terminal.Gui.TextField.OnLeave() - nameWithType: TextField.OnLeave() -- uid: Terminal.Gui.TextField.OnLeave* - name: OnLeave - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_OnLeave_ - commentId: Overload:Terminal.Gui.TextField.OnLeave - isSpec: "True" - fullName: Terminal.Gui.TextField.OnLeave - nameWithType: TextField.OnLeave -- uid: Terminal.Gui.TextField.Paste - name: Paste() - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_Paste - commentId: M:Terminal.Gui.TextField.Paste - fullName: Terminal.Gui.TextField.Paste() - nameWithType: TextField.Paste() -- uid: Terminal.Gui.TextField.Paste* - name: Paste - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_Paste_ - commentId: Overload:Terminal.Gui.TextField.Paste - isSpec: "True" - fullName: Terminal.Gui.TextField.Paste - nameWithType: TextField.Paste -- uid: Terminal.Gui.TextField.PositionCursor - name: PositionCursor() - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_PositionCursor - commentId: M:Terminal.Gui.TextField.PositionCursor - fullName: Terminal.Gui.TextField.PositionCursor() - nameWithType: TextField.PositionCursor() -- uid: Terminal.Gui.TextField.PositionCursor* - name: PositionCursor - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_PositionCursor_ - commentId: Overload:Terminal.Gui.TextField.PositionCursor - isSpec: "True" - fullName: Terminal.Gui.TextField.PositionCursor - nameWithType: TextField.PositionCursor -- uid: Terminal.Gui.TextField.ProcessKey(Terminal.Gui.KeyEvent) - name: ProcessKey(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_ProcessKey_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.TextField.ProcessKey(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.TextField.ProcessKey(Terminal.Gui.KeyEvent) - nameWithType: TextField.ProcessKey(KeyEvent) -- uid: Terminal.Gui.TextField.ProcessKey* - name: ProcessKey - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_ProcessKey_ - commentId: Overload:Terminal.Gui.TextField.ProcessKey - isSpec: "True" - fullName: Terminal.Gui.TextField.ProcessKey - nameWithType: TextField.ProcessKey -- uid: Terminal.Gui.TextField.ReadOnly - name: ReadOnly - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_ReadOnly - commentId: P:Terminal.Gui.TextField.ReadOnly - fullName: Terminal.Gui.TextField.ReadOnly - nameWithType: TextField.ReadOnly -- uid: Terminal.Gui.TextField.ReadOnly* - name: ReadOnly - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_ReadOnly_ - commentId: Overload:Terminal.Gui.TextField.ReadOnly - isSpec: "True" - fullName: Terminal.Gui.TextField.ReadOnly - nameWithType: TextField.ReadOnly -- uid: Terminal.Gui.TextField.Redraw(Terminal.Gui.Rect) - name: Redraw(Rect) - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_Redraw_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.TextField.Redraw(Terminal.Gui.Rect) - fullName: Terminal.Gui.TextField.Redraw(Terminal.Gui.Rect) - nameWithType: TextField.Redraw(Rect) -- uid: Terminal.Gui.TextField.Redraw* - name: Redraw - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_Redraw_ - commentId: Overload:Terminal.Gui.TextField.Redraw - isSpec: "True" - fullName: Terminal.Gui.TextField.Redraw - nameWithType: TextField.Redraw -- uid: Terminal.Gui.TextField.Secret - name: Secret - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_Secret - commentId: P:Terminal.Gui.TextField.Secret - fullName: Terminal.Gui.TextField.Secret - nameWithType: TextField.Secret -- uid: Terminal.Gui.TextField.Secret* - name: Secret - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_Secret_ - commentId: Overload:Terminal.Gui.TextField.Secret - isSpec: "True" - fullName: Terminal.Gui.TextField.Secret - nameWithType: TextField.Secret -- uid: Terminal.Gui.TextField.SelectedLength - name: SelectedLength - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_SelectedLength - commentId: P:Terminal.Gui.TextField.SelectedLength - fullName: Terminal.Gui.TextField.SelectedLength - nameWithType: TextField.SelectedLength -- uid: Terminal.Gui.TextField.SelectedLength* - name: SelectedLength - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_SelectedLength_ - commentId: Overload:Terminal.Gui.TextField.SelectedLength - isSpec: "True" - fullName: Terminal.Gui.TextField.SelectedLength - nameWithType: TextField.SelectedLength -- uid: Terminal.Gui.TextField.SelectedStart - name: SelectedStart - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_SelectedStart - commentId: P:Terminal.Gui.TextField.SelectedStart - fullName: Terminal.Gui.TextField.SelectedStart - nameWithType: TextField.SelectedStart -- uid: Terminal.Gui.TextField.SelectedStart* - name: SelectedStart - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_SelectedStart_ - commentId: Overload:Terminal.Gui.TextField.SelectedStart - isSpec: "True" - fullName: Terminal.Gui.TextField.SelectedStart - nameWithType: TextField.SelectedStart -- uid: Terminal.Gui.TextField.SelectedText - name: SelectedText - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_SelectedText - commentId: P:Terminal.Gui.TextField.SelectedText - fullName: Terminal.Gui.TextField.SelectedText - nameWithType: TextField.SelectedText -- uid: Terminal.Gui.TextField.SelectedText* - name: SelectedText - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_SelectedText_ - commentId: Overload:Terminal.Gui.TextField.SelectedText - isSpec: "True" - fullName: Terminal.Gui.TextField.SelectedText - nameWithType: TextField.SelectedText -- uid: Terminal.Gui.TextField.Text - name: Text - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_Text - commentId: P:Terminal.Gui.TextField.Text - fullName: Terminal.Gui.TextField.Text - nameWithType: TextField.Text -- uid: Terminal.Gui.TextField.Text* - name: Text - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_Text_ - commentId: Overload:Terminal.Gui.TextField.Text - isSpec: "True" - fullName: Terminal.Gui.TextField.Text - nameWithType: TextField.Text -- uid: Terminal.Gui.TextField.Used - name: Used - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_Used - commentId: P:Terminal.Gui.TextField.Used - fullName: Terminal.Gui.TextField.Used - nameWithType: TextField.Used -- uid: Terminal.Gui.TextField.Used* - name: Used - href: api/Terminal.Gui/Terminal.Gui.TextField.html#Terminal_Gui_TextField_Used_ - commentId: Overload:Terminal.Gui.TextField.Used - isSpec: "True" - fullName: Terminal.Gui.TextField.Used - nameWithType: TextField.Used -- uid: Terminal.Gui.TextView - name: TextView - href: api/Terminal.Gui/Terminal.Gui.TextView.html - commentId: T:Terminal.Gui.TextView - fullName: Terminal.Gui.TextView - nameWithType: TextView -- uid: Terminal.Gui.TextView.#ctor - name: TextView() - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView__ctor - commentId: M:Terminal.Gui.TextView.#ctor - fullName: Terminal.Gui.TextView.TextView() - nameWithType: TextView.TextView() -- uid: Terminal.Gui.TextView.#ctor(Terminal.Gui.Rect) - name: TextView(Rect) - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView__ctor_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.TextView.#ctor(Terminal.Gui.Rect) - fullName: Terminal.Gui.TextView.TextView(Terminal.Gui.Rect) - nameWithType: TextView.TextView(Rect) -- uid: Terminal.Gui.TextView.#ctor* - name: TextView - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView__ctor_ - commentId: Overload:Terminal.Gui.TextView.#ctor - isSpec: "True" - fullName: Terminal.Gui.TextView.TextView - nameWithType: TextView.TextView -- uid: Terminal.Gui.TextView.CanFocus - name: CanFocus - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView_CanFocus - commentId: P:Terminal.Gui.TextView.CanFocus - fullName: Terminal.Gui.TextView.CanFocus - nameWithType: TextView.CanFocus -- uid: Terminal.Gui.TextView.CanFocus* - name: CanFocus - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView_CanFocus_ - commentId: Overload:Terminal.Gui.TextView.CanFocus - isSpec: "True" - fullName: Terminal.Gui.TextView.CanFocus - nameWithType: TextView.CanFocus -- uid: Terminal.Gui.TextView.CloseFile - name: CloseFile() - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView_CloseFile - commentId: M:Terminal.Gui.TextView.CloseFile - fullName: Terminal.Gui.TextView.CloseFile() - nameWithType: TextView.CloseFile() -- uid: Terminal.Gui.TextView.CloseFile* - name: CloseFile - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView_CloseFile_ - commentId: Overload:Terminal.Gui.TextView.CloseFile - isSpec: "True" - fullName: Terminal.Gui.TextView.CloseFile - nameWithType: TextView.CloseFile -- uid: Terminal.Gui.TextView.CurrentColumn - name: CurrentColumn - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView_CurrentColumn - commentId: P:Terminal.Gui.TextView.CurrentColumn - fullName: Terminal.Gui.TextView.CurrentColumn - nameWithType: TextView.CurrentColumn -- uid: Terminal.Gui.TextView.CurrentColumn* - name: CurrentColumn - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView_CurrentColumn_ - commentId: Overload:Terminal.Gui.TextView.CurrentColumn - isSpec: "True" - fullName: Terminal.Gui.TextView.CurrentColumn - nameWithType: TextView.CurrentColumn -- uid: Terminal.Gui.TextView.CurrentRow - name: CurrentRow - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView_CurrentRow - commentId: P:Terminal.Gui.TextView.CurrentRow - fullName: Terminal.Gui.TextView.CurrentRow - nameWithType: TextView.CurrentRow -- uid: Terminal.Gui.TextView.CurrentRow* - name: CurrentRow - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView_CurrentRow_ - commentId: Overload:Terminal.Gui.TextView.CurrentRow - isSpec: "True" - fullName: Terminal.Gui.TextView.CurrentRow - nameWithType: TextView.CurrentRow -- uid: Terminal.Gui.TextView.LoadFile(System.String) - name: LoadFile(String) - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView_LoadFile_System_String_ - commentId: M:Terminal.Gui.TextView.LoadFile(System.String) - fullName: Terminal.Gui.TextView.LoadFile(System.String) - nameWithType: TextView.LoadFile(String) -- uid: Terminal.Gui.TextView.LoadFile* - name: LoadFile - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView_LoadFile_ - commentId: Overload:Terminal.Gui.TextView.LoadFile - isSpec: "True" - fullName: Terminal.Gui.TextView.LoadFile - nameWithType: TextView.LoadFile -- uid: Terminal.Gui.TextView.LoadStream(System.IO.Stream) - name: LoadStream(Stream) - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView_LoadStream_System_IO_Stream_ - commentId: M:Terminal.Gui.TextView.LoadStream(System.IO.Stream) - fullName: Terminal.Gui.TextView.LoadStream(System.IO.Stream) - nameWithType: TextView.LoadStream(Stream) -- uid: Terminal.Gui.TextView.LoadStream* - name: LoadStream - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView_LoadStream_ - commentId: Overload:Terminal.Gui.TextView.LoadStream - isSpec: "True" - fullName: Terminal.Gui.TextView.LoadStream - nameWithType: TextView.LoadStream -- uid: Terminal.Gui.TextView.MouseEvent(Terminal.Gui.MouseEvent) - name: MouseEvent(MouseEvent) - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView_MouseEvent_Terminal_Gui_MouseEvent_ - commentId: M:Terminal.Gui.TextView.MouseEvent(Terminal.Gui.MouseEvent) - fullName: Terminal.Gui.TextView.MouseEvent(Terminal.Gui.MouseEvent) - nameWithType: TextView.MouseEvent(MouseEvent) -- uid: Terminal.Gui.TextView.MouseEvent* - name: MouseEvent - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView_MouseEvent_ - commentId: Overload:Terminal.Gui.TextView.MouseEvent - isSpec: "True" - fullName: Terminal.Gui.TextView.MouseEvent - nameWithType: TextView.MouseEvent -- uid: Terminal.Gui.TextView.PositionCursor - name: PositionCursor() - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView_PositionCursor - commentId: M:Terminal.Gui.TextView.PositionCursor - fullName: Terminal.Gui.TextView.PositionCursor() - nameWithType: TextView.PositionCursor() -- uid: Terminal.Gui.TextView.PositionCursor* - name: PositionCursor - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView_PositionCursor_ - commentId: Overload:Terminal.Gui.TextView.PositionCursor - isSpec: "True" - fullName: Terminal.Gui.TextView.PositionCursor - nameWithType: TextView.PositionCursor -- uid: Terminal.Gui.TextView.ProcessKey(Terminal.Gui.KeyEvent) - name: ProcessKey(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView_ProcessKey_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.TextView.ProcessKey(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.TextView.ProcessKey(Terminal.Gui.KeyEvent) - nameWithType: TextView.ProcessKey(KeyEvent) -- uid: Terminal.Gui.TextView.ProcessKey* - name: ProcessKey - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView_ProcessKey_ - commentId: Overload:Terminal.Gui.TextView.ProcessKey - isSpec: "True" - fullName: Terminal.Gui.TextView.ProcessKey - nameWithType: TextView.ProcessKey -- uid: Terminal.Gui.TextView.ReadOnly - name: ReadOnly - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView_ReadOnly - commentId: P:Terminal.Gui.TextView.ReadOnly - fullName: Terminal.Gui.TextView.ReadOnly - nameWithType: TextView.ReadOnly -- uid: Terminal.Gui.TextView.ReadOnly* - name: ReadOnly - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView_ReadOnly_ - commentId: Overload:Terminal.Gui.TextView.ReadOnly - isSpec: "True" - fullName: Terminal.Gui.TextView.ReadOnly - nameWithType: TextView.ReadOnly -- uid: Terminal.Gui.TextView.Redraw(Terminal.Gui.Rect) - name: Redraw(Rect) - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView_Redraw_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.TextView.Redraw(Terminal.Gui.Rect) - fullName: Terminal.Gui.TextView.Redraw(Terminal.Gui.Rect) - nameWithType: TextView.Redraw(Rect) -- uid: Terminal.Gui.TextView.Redraw* - name: Redraw - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView_Redraw_ - commentId: Overload:Terminal.Gui.TextView.Redraw - isSpec: "True" - fullName: Terminal.Gui.TextView.Redraw - nameWithType: TextView.Redraw -- uid: Terminal.Gui.TextView.ScrollTo(System.Int32) - name: ScrollTo(Int32) - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView_ScrollTo_System_Int32_ - commentId: M:Terminal.Gui.TextView.ScrollTo(System.Int32) - fullName: Terminal.Gui.TextView.ScrollTo(System.Int32) - nameWithType: TextView.ScrollTo(Int32) -- uid: Terminal.Gui.TextView.ScrollTo* - name: ScrollTo - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView_ScrollTo_ - commentId: Overload:Terminal.Gui.TextView.ScrollTo - isSpec: "True" - fullName: Terminal.Gui.TextView.ScrollTo - nameWithType: TextView.ScrollTo -- uid: Terminal.Gui.TextView.Text - name: Text - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView_Text - commentId: P:Terminal.Gui.TextView.Text - fullName: Terminal.Gui.TextView.Text - nameWithType: TextView.Text -- uid: Terminal.Gui.TextView.Text* - name: Text - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView_Text_ - commentId: Overload:Terminal.Gui.TextView.Text - isSpec: "True" - fullName: Terminal.Gui.TextView.Text - nameWithType: TextView.Text -- uid: Terminal.Gui.TextView.TextChanged - name: TextChanged - href: api/Terminal.Gui/Terminal.Gui.TextView.html#Terminal_Gui_TextView_TextChanged - commentId: E:Terminal.Gui.TextView.TextChanged - fullName: Terminal.Gui.TextView.TextChanged - nameWithType: TextView.TextChanged -- uid: Terminal.Gui.TimeField - name: TimeField - href: api/Terminal.Gui/Terminal.Gui.TimeField.html - commentId: T:Terminal.Gui.TimeField - fullName: Terminal.Gui.TimeField - nameWithType: TimeField -- uid: Terminal.Gui.TimeField.#ctor(System.DateTime) - name: TimeField(DateTime) - href: api/Terminal.Gui/Terminal.Gui.TimeField.html#Terminal_Gui_TimeField__ctor_System_DateTime_ - commentId: M:Terminal.Gui.TimeField.#ctor(System.DateTime) - fullName: Terminal.Gui.TimeField.TimeField(System.DateTime) - nameWithType: TimeField.TimeField(DateTime) -- uid: Terminal.Gui.TimeField.#ctor(System.Int32,System.Int32,System.DateTime,System.Boolean) - name: TimeField(Int32, Int32, DateTime, Boolean) - href: api/Terminal.Gui/Terminal.Gui.TimeField.html#Terminal_Gui_TimeField__ctor_System_Int32_System_Int32_System_DateTime_System_Boolean_ - commentId: M:Terminal.Gui.TimeField.#ctor(System.Int32,System.Int32,System.DateTime,System.Boolean) - fullName: Terminal.Gui.TimeField.TimeField(System.Int32, System.Int32, System.DateTime, System.Boolean) - nameWithType: TimeField.TimeField(Int32, Int32, DateTime, Boolean) -- uid: Terminal.Gui.TimeField.#ctor* - name: TimeField - href: api/Terminal.Gui/Terminal.Gui.TimeField.html#Terminal_Gui_TimeField__ctor_ - commentId: Overload:Terminal.Gui.TimeField.#ctor - isSpec: "True" - fullName: Terminal.Gui.TimeField.TimeField - nameWithType: TimeField.TimeField -- uid: Terminal.Gui.TimeField.IsShortFormat - name: IsShortFormat - href: api/Terminal.Gui/Terminal.Gui.TimeField.html#Terminal_Gui_TimeField_IsShortFormat - commentId: P:Terminal.Gui.TimeField.IsShortFormat - fullName: Terminal.Gui.TimeField.IsShortFormat - nameWithType: TimeField.IsShortFormat -- uid: Terminal.Gui.TimeField.IsShortFormat* - name: IsShortFormat - href: api/Terminal.Gui/Terminal.Gui.TimeField.html#Terminal_Gui_TimeField_IsShortFormat_ - commentId: Overload:Terminal.Gui.TimeField.IsShortFormat - isSpec: "True" - fullName: Terminal.Gui.TimeField.IsShortFormat - nameWithType: TimeField.IsShortFormat -- uid: Terminal.Gui.TimeField.MouseEvent(Terminal.Gui.MouseEvent) - name: MouseEvent(MouseEvent) - href: api/Terminal.Gui/Terminal.Gui.TimeField.html#Terminal_Gui_TimeField_MouseEvent_Terminal_Gui_MouseEvent_ - commentId: M:Terminal.Gui.TimeField.MouseEvent(Terminal.Gui.MouseEvent) - fullName: Terminal.Gui.TimeField.MouseEvent(Terminal.Gui.MouseEvent) - nameWithType: TimeField.MouseEvent(MouseEvent) -- uid: Terminal.Gui.TimeField.MouseEvent* - name: MouseEvent - href: api/Terminal.Gui/Terminal.Gui.TimeField.html#Terminal_Gui_TimeField_MouseEvent_ - commentId: Overload:Terminal.Gui.TimeField.MouseEvent - isSpec: "True" - fullName: Terminal.Gui.TimeField.MouseEvent - nameWithType: TimeField.MouseEvent -- uid: Terminal.Gui.TimeField.ProcessKey(Terminal.Gui.KeyEvent) - name: ProcessKey(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.TimeField.html#Terminal_Gui_TimeField_ProcessKey_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.TimeField.ProcessKey(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.TimeField.ProcessKey(Terminal.Gui.KeyEvent) - nameWithType: TimeField.ProcessKey(KeyEvent) -- uid: Terminal.Gui.TimeField.ProcessKey* - name: ProcessKey - href: api/Terminal.Gui/Terminal.Gui.TimeField.html#Terminal_Gui_TimeField_ProcessKey_ - commentId: Overload:Terminal.Gui.TimeField.ProcessKey - isSpec: "True" - fullName: Terminal.Gui.TimeField.ProcessKey - nameWithType: TimeField.ProcessKey -- uid: Terminal.Gui.TimeField.Time - name: Time - href: api/Terminal.Gui/Terminal.Gui.TimeField.html#Terminal_Gui_TimeField_Time - commentId: P:Terminal.Gui.TimeField.Time - fullName: Terminal.Gui.TimeField.Time - nameWithType: TimeField.Time -- uid: Terminal.Gui.TimeField.Time* - name: Time - href: api/Terminal.Gui/Terminal.Gui.TimeField.html#Terminal_Gui_TimeField_Time_ - commentId: Overload:Terminal.Gui.TimeField.Time - isSpec: "True" - fullName: Terminal.Gui.TimeField.Time - nameWithType: TimeField.Time -- uid: Terminal.Gui.Toplevel - name: Toplevel - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html - commentId: T:Terminal.Gui.Toplevel - fullName: Terminal.Gui.Toplevel - nameWithType: Toplevel -- uid: Terminal.Gui.Toplevel.#ctor - name: Toplevel() - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel__ctor - commentId: M:Terminal.Gui.Toplevel.#ctor - fullName: Terminal.Gui.Toplevel.Toplevel() - nameWithType: Toplevel.Toplevel() -- uid: Terminal.Gui.Toplevel.#ctor(Terminal.Gui.Rect) - name: Toplevel(Rect) - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel__ctor_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.Toplevel.#ctor(Terminal.Gui.Rect) - fullName: Terminal.Gui.Toplevel.Toplevel(Terminal.Gui.Rect) - nameWithType: Toplevel.Toplevel(Rect) -- uid: Terminal.Gui.Toplevel.#ctor* - name: Toplevel - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel__ctor_ - commentId: Overload:Terminal.Gui.Toplevel.#ctor - isSpec: "True" - fullName: Terminal.Gui.Toplevel.Toplevel - nameWithType: Toplevel.Toplevel -- uid: Terminal.Gui.Toplevel.Add(Terminal.Gui.View) - name: Add(View) - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel_Add_Terminal_Gui_View_ - commentId: M:Terminal.Gui.Toplevel.Add(Terminal.Gui.View) - fullName: Terminal.Gui.Toplevel.Add(Terminal.Gui.View) - nameWithType: Toplevel.Add(View) -- uid: Terminal.Gui.Toplevel.Add* - name: Add - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel_Add_ - commentId: Overload:Terminal.Gui.Toplevel.Add - isSpec: "True" - fullName: Terminal.Gui.Toplevel.Add - nameWithType: Toplevel.Add -- uid: Terminal.Gui.Toplevel.CanFocus - name: CanFocus - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel_CanFocus - commentId: P:Terminal.Gui.Toplevel.CanFocus - fullName: Terminal.Gui.Toplevel.CanFocus - nameWithType: Toplevel.CanFocus -- uid: Terminal.Gui.Toplevel.CanFocus* - name: CanFocus - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel_CanFocus_ - commentId: Overload:Terminal.Gui.Toplevel.CanFocus - isSpec: "True" - fullName: Terminal.Gui.Toplevel.CanFocus - nameWithType: Toplevel.CanFocus -- uid: Terminal.Gui.Toplevel.Create - name: Create() - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel_Create - commentId: M:Terminal.Gui.Toplevel.Create - fullName: Terminal.Gui.Toplevel.Create() - nameWithType: Toplevel.Create() -- uid: Terminal.Gui.Toplevel.Create* - name: Create - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel_Create_ - commentId: Overload:Terminal.Gui.Toplevel.Create - isSpec: "True" - fullName: Terminal.Gui.Toplevel.Create - nameWithType: Toplevel.Create -- uid: Terminal.Gui.Toplevel.MenuBar - name: MenuBar - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel_MenuBar - commentId: P:Terminal.Gui.Toplevel.MenuBar - fullName: Terminal.Gui.Toplevel.MenuBar - nameWithType: Toplevel.MenuBar -- uid: Terminal.Gui.Toplevel.MenuBar* - name: MenuBar - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel_MenuBar_ - commentId: Overload:Terminal.Gui.Toplevel.MenuBar - isSpec: "True" - fullName: Terminal.Gui.Toplevel.MenuBar - nameWithType: Toplevel.MenuBar -- uid: Terminal.Gui.Toplevel.Modal - name: Modal - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel_Modal - commentId: P:Terminal.Gui.Toplevel.Modal - fullName: Terminal.Gui.Toplevel.Modal - nameWithType: Toplevel.Modal -- uid: Terminal.Gui.Toplevel.Modal* - name: Modal - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel_Modal_ - commentId: Overload:Terminal.Gui.Toplevel.Modal - isSpec: "True" - fullName: Terminal.Gui.Toplevel.Modal - nameWithType: Toplevel.Modal -- uid: Terminal.Gui.Toplevel.ProcessKey(Terminal.Gui.KeyEvent) - name: ProcessKey(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel_ProcessKey_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.Toplevel.ProcessKey(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.Toplevel.ProcessKey(Terminal.Gui.KeyEvent) - nameWithType: Toplevel.ProcessKey(KeyEvent) -- uid: Terminal.Gui.Toplevel.ProcessKey* - name: ProcessKey - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel_ProcessKey_ - commentId: Overload:Terminal.Gui.Toplevel.ProcessKey - isSpec: "True" - fullName: Terminal.Gui.Toplevel.ProcessKey - nameWithType: Toplevel.ProcessKey -- uid: Terminal.Gui.Toplevel.Ready - name: Ready - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel_Ready - commentId: E:Terminal.Gui.Toplevel.Ready - fullName: Terminal.Gui.Toplevel.Ready - nameWithType: Toplevel.Ready -- uid: Terminal.Gui.Toplevel.Redraw(Terminal.Gui.Rect) - name: Redraw(Rect) - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel_Redraw_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.Toplevel.Redraw(Terminal.Gui.Rect) - fullName: Terminal.Gui.Toplevel.Redraw(Terminal.Gui.Rect) - nameWithType: Toplevel.Redraw(Rect) -- uid: Terminal.Gui.Toplevel.Redraw* - name: Redraw - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel_Redraw_ - commentId: Overload:Terminal.Gui.Toplevel.Redraw - isSpec: "True" - fullName: Terminal.Gui.Toplevel.Redraw - nameWithType: Toplevel.Redraw -- uid: Terminal.Gui.Toplevel.Remove(Terminal.Gui.View) - name: Remove(View) - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel_Remove_Terminal_Gui_View_ - commentId: M:Terminal.Gui.Toplevel.Remove(Terminal.Gui.View) - fullName: Terminal.Gui.Toplevel.Remove(Terminal.Gui.View) - nameWithType: Toplevel.Remove(View) -- uid: Terminal.Gui.Toplevel.Remove* - name: Remove - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel_Remove_ - commentId: Overload:Terminal.Gui.Toplevel.Remove - isSpec: "True" - fullName: Terminal.Gui.Toplevel.Remove - nameWithType: Toplevel.Remove -- uid: Terminal.Gui.Toplevel.RemoveAll - name: RemoveAll() - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel_RemoveAll - commentId: M:Terminal.Gui.Toplevel.RemoveAll - fullName: Terminal.Gui.Toplevel.RemoveAll() - nameWithType: Toplevel.RemoveAll() -- uid: Terminal.Gui.Toplevel.RemoveAll* - name: RemoveAll - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel_RemoveAll_ - commentId: Overload:Terminal.Gui.Toplevel.RemoveAll - isSpec: "True" - fullName: Terminal.Gui.Toplevel.RemoveAll - nameWithType: Toplevel.RemoveAll -- uid: Terminal.Gui.Toplevel.Running - name: Running - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel_Running - commentId: P:Terminal.Gui.Toplevel.Running - fullName: Terminal.Gui.Toplevel.Running - nameWithType: Toplevel.Running -- uid: Terminal.Gui.Toplevel.Running* - name: Running - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel_Running_ - commentId: Overload:Terminal.Gui.Toplevel.Running - isSpec: "True" - fullName: Terminal.Gui.Toplevel.Running - nameWithType: Toplevel.Running -- uid: Terminal.Gui.Toplevel.StatusBar - name: StatusBar - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel_StatusBar - commentId: P:Terminal.Gui.Toplevel.StatusBar - fullName: Terminal.Gui.Toplevel.StatusBar - nameWithType: Toplevel.StatusBar -- uid: Terminal.Gui.Toplevel.StatusBar* - name: StatusBar - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel_StatusBar_ - commentId: Overload:Terminal.Gui.Toplevel.StatusBar - isSpec: "True" - fullName: Terminal.Gui.Toplevel.StatusBar - nameWithType: Toplevel.StatusBar -- uid: Terminal.Gui.Toplevel.WillPresent - name: WillPresent() - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel_WillPresent - commentId: M:Terminal.Gui.Toplevel.WillPresent - fullName: Terminal.Gui.Toplevel.WillPresent() - nameWithType: Toplevel.WillPresent() -- uid: Terminal.Gui.Toplevel.WillPresent* - name: WillPresent - href: api/Terminal.Gui/Terminal.Gui.Toplevel.html#Terminal_Gui_Toplevel_WillPresent_ - commentId: Overload:Terminal.Gui.Toplevel.WillPresent - isSpec: "True" - fullName: Terminal.Gui.Toplevel.WillPresent - nameWithType: Toplevel.WillPresent -- uid: Terminal.Gui.UnixMainLoop - name: UnixMainLoop - href: api/Terminal.Gui/Terminal.Gui.UnixMainLoop.html - commentId: T:Terminal.Gui.UnixMainLoop - fullName: Terminal.Gui.UnixMainLoop - nameWithType: UnixMainLoop -- uid: Terminal.Gui.UnixMainLoop.AddWatch(System.Int32,Terminal.Gui.UnixMainLoop.Condition,System.Func{Terminal.Gui.MainLoop,System.Boolean}) - name: AddWatch(Int32, UnixMainLoop.Condition, Func) - href: api/Terminal.Gui/Terminal.Gui.UnixMainLoop.html#Terminal_Gui_UnixMainLoop_AddWatch_System_Int32_Terminal_Gui_UnixMainLoop_Condition_System_Func_Terminal_Gui_MainLoop_System_Boolean__ - commentId: M:Terminal.Gui.UnixMainLoop.AddWatch(System.Int32,Terminal.Gui.UnixMainLoop.Condition,System.Func{Terminal.Gui.MainLoop,System.Boolean}) - name.vb: AddWatch(Int32, UnixMainLoop.Condition, Func(Of MainLoop, Boolean)) - fullName: Terminal.Gui.UnixMainLoop.AddWatch(System.Int32, Terminal.Gui.UnixMainLoop.Condition, System.Func) - fullName.vb: Terminal.Gui.UnixMainLoop.AddWatch(System.Int32, Terminal.Gui.UnixMainLoop.Condition, System.Func(Of Terminal.Gui.MainLoop, System.Boolean)) - nameWithType: UnixMainLoop.AddWatch(Int32, UnixMainLoop.Condition, Func) - nameWithType.vb: UnixMainLoop.AddWatch(Int32, UnixMainLoop.Condition, Func(Of MainLoop, Boolean)) -- uid: Terminal.Gui.UnixMainLoop.AddWatch* - name: AddWatch - href: api/Terminal.Gui/Terminal.Gui.UnixMainLoop.html#Terminal_Gui_UnixMainLoop_AddWatch_ - commentId: Overload:Terminal.Gui.UnixMainLoop.AddWatch - isSpec: "True" - fullName: Terminal.Gui.UnixMainLoop.AddWatch - nameWithType: UnixMainLoop.AddWatch -- uid: Terminal.Gui.UnixMainLoop.Condition - name: UnixMainLoop.Condition - href: api/Terminal.Gui/Terminal.Gui.UnixMainLoop.Condition.html - commentId: T:Terminal.Gui.UnixMainLoop.Condition - fullName: Terminal.Gui.UnixMainLoop.Condition - nameWithType: UnixMainLoop.Condition -- uid: Terminal.Gui.UnixMainLoop.Condition.PollErr - name: PollErr - href: api/Terminal.Gui/Terminal.Gui.UnixMainLoop.Condition.html#Terminal_Gui_UnixMainLoop_Condition_PollErr - commentId: F:Terminal.Gui.UnixMainLoop.Condition.PollErr - fullName: Terminal.Gui.UnixMainLoop.Condition.PollErr - nameWithType: UnixMainLoop.Condition.PollErr -- uid: Terminal.Gui.UnixMainLoop.Condition.PollHup - name: PollHup - href: api/Terminal.Gui/Terminal.Gui.UnixMainLoop.Condition.html#Terminal_Gui_UnixMainLoop_Condition_PollHup - commentId: F:Terminal.Gui.UnixMainLoop.Condition.PollHup - fullName: Terminal.Gui.UnixMainLoop.Condition.PollHup - nameWithType: UnixMainLoop.Condition.PollHup -- uid: Terminal.Gui.UnixMainLoop.Condition.PollIn - name: PollIn - href: api/Terminal.Gui/Terminal.Gui.UnixMainLoop.Condition.html#Terminal_Gui_UnixMainLoop_Condition_PollIn - commentId: F:Terminal.Gui.UnixMainLoop.Condition.PollIn - fullName: Terminal.Gui.UnixMainLoop.Condition.PollIn - nameWithType: UnixMainLoop.Condition.PollIn -- uid: Terminal.Gui.UnixMainLoop.Condition.PollNval - name: PollNval - href: api/Terminal.Gui/Terminal.Gui.UnixMainLoop.Condition.html#Terminal_Gui_UnixMainLoop_Condition_PollNval - commentId: F:Terminal.Gui.UnixMainLoop.Condition.PollNval - fullName: Terminal.Gui.UnixMainLoop.Condition.PollNval - nameWithType: UnixMainLoop.Condition.PollNval -- uid: Terminal.Gui.UnixMainLoop.Condition.PollOut - name: PollOut - href: api/Terminal.Gui/Terminal.Gui.UnixMainLoop.Condition.html#Terminal_Gui_UnixMainLoop_Condition_PollOut - commentId: F:Terminal.Gui.UnixMainLoop.Condition.PollOut - fullName: Terminal.Gui.UnixMainLoop.Condition.PollOut - nameWithType: UnixMainLoop.Condition.PollOut -- uid: Terminal.Gui.UnixMainLoop.Condition.PollPri - name: PollPri - href: api/Terminal.Gui/Terminal.Gui.UnixMainLoop.Condition.html#Terminal_Gui_UnixMainLoop_Condition_PollPri - commentId: F:Terminal.Gui.UnixMainLoop.Condition.PollPri - fullName: Terminal.Gui.UnixMainLoop.Condition.PollPri - nameWithType: UnixMainLoop.Condition.PollPri -- uid: Terminal.Gui.UnixMainLoop.RemoveWatch(System.Object) - name: RemoveWatch(Object) - href: api/Terminal.Gui/Terminal.Gui.UnixMainLoop.html#Terminal_Gui_UnixMainLoop_RemoveWatch_System_Object_ - commentId: M:Terminal.Gui.UnixMainLoop.RemoveWatch(System.Object) - fullName: Terminal.Gui.UnixMainLoop.RemoveWatch(System.Object) - nameWithType: UnixMainLoop.RemoveWatch(Object) -- uid: Terminal.Gui.UnixMainLoop.RemoveWatch* - name: RemoveWatch - href: api/Terminal.Gui/Terminal.Gui.UnixMainLoop.html#Terminal_Gui_UnixMainLoop_RemoveWatch_ - commentId: Overload:Terminal.Gui.UnixMainLoop.RemoveWatch - isSpec: "True" - fullName: Terminal.Gui.UnixMainLoop.RemoveWatch - nameWithType: UnixMainLoop.RemoveWatch -- uid: Terminal.Gui.UnixMainLoop.Terminal#Gui#IMainLoopDriver#EventsPending(System.Boolean) - name: IMainLoopDriver.EventsPending(Boolean) - href: api/Terminal.Gui/Terminal.Gui.UnixMainLoop.html#Terminal_Gui_UnixMainLoop_Terminal_Gui_IMainLoopDriver_EventsPending_System_Boolean_ - commentId: M:Terminal.Gui.UnixMainLoop.Terminal#Gui#IMainLoopDriver#EventsPending(System.Boolean) - name.vb: Terminal.Gui.IMainLoopDriver.EventsPending(Boolean) - fullName: Terminal.Gui.UnixMainLoop.Terminal.Gui.IMainLoopDriver.EventsPending(System.Boolean) - nameWithType: UnixMainLoop.IMainLoopDriver.EventsPending(Boolean) - nameWithType.vb: UnixMainLoop.Terminal.Gui.IMainLoopDriver.EventsPending(Boolean) -- uid: Terminal.Gui.UnixMainLoop.Terminal#Gui#IMainLoopDriver#EventsPending* - name: IMainLoopDriver.EventsPending - href: api/Terminal.Gui/Terminal.Gui.UnixMainLoop.html#Terminal_Gui_UnixMainLoop_Terminal_Gui_IMainLoopDriver_EventsPending_ - commentId: Overload:Terminal.Gui.UnixMainLoop.Terminal#Gui#IMainLoopDriver#EventsPending - isSpec: "True" - name.vb: Terminal.Gui.IMainLoopDriver.EventsPending - fullName: Terminal.Gui.UnixMainLoop.Terminal.Gui.IMainLoopDriver.EventsPending - nameWithType: UnixMainLoop.IMainLoopDriver.EventsPending - nameWithType.vb: UnixMainLoop.Terminal.Gui.IMainLoopDriver.EventsPending -- uid: Terminal.Gui.UnixMainLoop.Terminal#Gui#IMainLoopDriver#MainIteration - name: IMainLoopDriver.MainIteration() - href: api/Terminal.Gui/Terminal.Gui.UnixMainLoop.html#Terminal_Gui_UnixMainLoop_Terminal_Gui_IMainLoopDriver_MainIteration - commentId: M:Terminal.Gui.UnixMainLoop.Terminal#Gui#IMainLoopDriver#MainIteration - name.vb: Terminal.Gui.IMainLoopDriver.MainIteration() - fullName: Terminal.Gui.UnixMainLoop.Terminal.Gui.IMainLoopDriver.MainIteration() - nameWithType: UnixMainLoop.IMainLoopDriver.MainIteration() - nameWithType.vb: UnixMainLoop.Terminal.Gui.IMainLoopDriver.MainIteration() -- uid: Terminal.Gui.UnixMainLoop.Terminal#Gui#IMainLoopDriver#MainIteration* - name: IMainLoopDriver.MainIteration - href: api/Terminal.Gui/Terminal.Gui.UnixMainLoop.html#Terminal_Gui_UnixMainLoop_Terminal_Gui_IMainLoopDriver_MainIteration_ - commentId: Overload:Terminal.Gui.UnixMainLoop.Terminal#Gui#IMainLoopDriver#MainIteration - isSpec: "True" - name.vb: Terminal.Gui.IMainLoopDriver.MainIteration - fullName: Terminal.Gui.UnixMainLoop.Terminal.Gui.IMainLoopDriver.MainIteration - nameWithType: UnixMainLoop.IMainLoopDriver.MainIteration - nameWithType.vb: UnixMainLoop.Terminal.Gui.IMainLoopDriver.MainIteration -- uid: Terminal.Gui.UnixMainLoop.Terminal#Gui#IMainLoopDriver#Setup(Terminal.Gui.MainLoop) - name: IMainLoopDriver.Setup(MainLoop) - href: api/Terminal.Gui/Terminal.Gui.UnixMainLoop.html#Terminal_Gui_UnixMainLoop_Terminal_Gui_IMainLoopDriver_Setup_Terminal_Gui_MainLoop_ - commentId: M:Terminal.Gui.UnixMainLoop.Terminal#Gui#IMainLoopDriver#Setup(Terminal.Gui.MainLoop) - name.vb: Terminal.Gui.IMainLoopDriver.Setup(MainLoop) - fullName: Terminal.Gui.UnixMainLoop.Terminal.Gui.IMainLoopDriver.Setup(Terminal.Gui.MainLoop) - nameWithType: UnixMainLoop.IMainLoopDriver.Setup(MainLoop) - nameWithType.vb: UnixMainLoop.Terminal.Gui.IMainLoopDriver.Setup(MainLoop) -- uid: Terminal.Gui.UnixMainLoop.Terminal#Gui#IMainLoopDriver#Setup* - name: IMainLoopDriver.Setup - href: api/Terminal.Gui/Terminal.Gui.UnixMainLoop.html#Terminal_Gui_UnixMainLoop_Terminal_Gui_IMainLoopDriver_Setup_ - commentId: Overload:Terminal.Gui.UnixMainLoop.Terminal#Gui#IMainLoopDriver#Setup - isSpec: "True" - name.vb: Terminal.Gui.IMainLoopDriver.Setup - fullName: Terminal.Gui.UnixMainLoop.Terminal.Gui.IMainLoopDriver.Setup - nameWithType: UnixMainLoop.IMainLoopDriver.Setup - nameWithType.vb: UnixMainLoop.Terminal.Gui.IMainLoopDriver.Setup -- uid: Terminal.Gui.UnixMainLoop.Terminal#Gui#IMainLoopDriver#Wakeup - name: IMainLoopDriver.Wakeup() - href: api/Terminal.Gui/Terminal.Gui.UnixMainLoop.html#Terminal_Gui_UnixMainLoop_Terminal_Gui_IMainLoopDriver_Wakeup - commentId: M:Terminal.Gui.UnixMainLoop.Terminal#Gui#IMainLoopDriver#Wakeup - name.vb: Terminal.Gui.IMainLoopDriver.Wakeup() - fullName: Terminal.Gui.UnixMainLoop.Terminal.Gui.IMainLoopDriver.Wakeup() - nameWithType: UnixMainLoop.IMainLoopDriver.Wakeup() - nameWithType.vb: UnixMainLoop.Terminal.Gui.IMainLoopDriver.Wakeup() -- uid: Terminal.Gui.UnixMainLoop.Terminal#Gui#IMainLoopDriver#Wakeup* - name: IMainLoopDriver.Wakeup - href: api/Terminal.Gui/Terminal.Gui.UnixMainLoop.html#Terminal_Gui_UnixMainLoop_Terminal_Gui_IMainLoopDriver_Wakeup_ - commentId: Overload:Terminal.Gui.UnixMainLoop.Terminal#Gui#IMainLoopDriver#Wakeup - isSpec: "True" - name.vb: Terminal.Gui.IMainLoopDriver.Wakeup - fullName: Terminal.Gui.UnixMainLoop.Terminal.Gui.IMainLoopDriver.Wakeup - nameWithType: UnixMainLoop.IMainLoopDriver.Wakeup - nameWithType.vb: UnixMainLoop.Terminal.Gui.IMainLoopDriver.Wakeup -- uid: Terminal.Gui.View - name: View - href: api/Terminal.Gui/Terminal.Gui.View.html - commentId: T:Terminal.Gui.View - fullName: Terminal.Gui.View - nameWithType: View -- uid: Terminal.Gui.View.#ctor - name: View() - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View__ctor - commentId: M:Terminal.Gui.View.#ctor - fullName: Terminal.Gui.View.View() - nameWithType: View.View() -- uid: Terminal.Gui.View.#ctor(Terminal.Gui.Rect) - name: View(Rect) - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View__ctor_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.View.#ctor(Terminal.Gui.Rect) - fullName: Terminal.Gui.View.View(Terminal.Gui.Rect) - nameWithType: View.View(Rect) -- uid: Terminal.Gui.View.#ctor* - name: View - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View__ctor_ - commentId: Overload:Terminal.Gui.View.#ctor - isSpec: "True" - fullName: Terminal.Gui.View.View - nameWithType: View.View -- uid: Terminal.Gui.View.Add(Terminal.Gui.View) - name: Add(View) - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Add_Terminal_Gui_View_ - commentId: M:Terminal.Gui.View.Add(Terminal.Gui.View) - fullName: Terminal.Gui.View.Add(Terminal.Gui.View) - nameWithType: View.Add(View) -- uid: Terminal.Gui.View.Add(Terminal.Gui.View[]) - name: Add(View[]) - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Add_Terminal_Gui_View___ - commentId: M:Terminal.Gui.View.Add(Terminal.Gui.View[]) - name.vb: Add(View()) - fullName: Terminal.Gui.View.Add(Terminal.Gui.View[]) - fullName.vb: Terminal.Gui.View.Add(Terminal.Gui.View()) - nameWithType: View.Add(View[]) - nameWithType.vb: View.Add(View()) -- uid: Terminal.Gui.View.Add* - name: Add - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Add_ - commentId: Overload:Terminal.Gui.View.Add - isSpec: "True" - fullName: Terminal.Gui.View.Add - nameWithType: View.Add -- uid: Terminal.Gui.View.AddRune(System.Int32,System.Int32,System.Rune) - name: AddRune(Int32, Int32, Rune) - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_AddRune_System_Int32_System_Int32_System_Rune_ - commentId: M:Terminal.Gui.View.AddRune(System.Int32,System.Int32,System.Rune) - fullName: Terminal.Gui.View.AddRune(System.Int32, System.Int32, System.Rune) - nameWithType: View.AddRune(Int32, Int32, Rune) -- uid: Terminal.Gui.View.AddRune* - name: AddRune - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_AddRune_ - commentId: Overload:Terminal.Gui.View.AddRune - isSpec: "True" - fullName: Terminal.Gui.View.AddRune - nameWithType: View.AddRune -- uid: Terminal.Gui.View.Bounds - name: Bounds - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Bounds - commentId: P:Terminal.Gui.View.Bounds - fullName: Terminal.Gui.View.Bounds - nameWithType: View.Bounds -- uid: Terminal.Gui.View.Bounds* - name: Bounds - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Bounds_ - commentId: Overload:Terminal.Gui.View.Bounds - isSpec: "True" - fullName: Terminal.Gui.View.Bounds - nameWithType: View.Bounds -- uid: Terminal.Gui.View.BringSubviewForward(Terminal.Gui.View) - name: BringSubviewForward(View) - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_BringSubviewForward_Terminal_Gui_View_ - commentId: M:Terminal.Gui.View.BringSubviewForward(Terminal.Gui.View) - fullName: Terminal.Gui.View.BringSubviewForward(Terminal.Gui.View) - nameWithType: View.BringSubviewForward(View) -- uid: Terminal.Gui.View.BringSubviewForward* - name: BringSubviewForward - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_BringSubviewForward_ - commentId: Overload:Terminal.Gui.View.BringSubviewForward - isSpec: "True" - fullName: Terminal.Gui.View.BringSubviewForward - nameWithType: View.BringSubviewForward -- uid: Terminal.Gui.View.BringSubviewToFront(Terminal.Gui.View) - name: BringSubviewToFront(View) - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_BringSubviewToFront_Terminal_Gui_View_ - commentId: M:Terminal.Gui.View.BringSubviewToFront(Terminal.Gui.View) - fullName: Terminal.Gui.View.BringSubviewToFront(Terminal.Gui.View) - nameWithType: View.BringSubviewToFront(View) -- uid: Terminal.Gui.View.BringSubviewToFront* - name: BringSubviewToFront - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_BringSubviewToFront_ - commentId: Overload:Terminal.Gui.View.BringSubviewToFront - isSpec: "True" - fullName: Terminal.Gui.View.BringSubviewToFront - nameWithType: View.BringSubviewToFront -- uid: Terminal.Gui.View.ChildNeedsDisplay - name: ChildNeedsDisplay() - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_ChildNeedsDisplay - commentId: M:Terminal.Gui.View.ChildNeedsDisplay - fullName: Terminal.Gui.View.ChildNeedsDisplay() - nameWithType: View.ChildNeedsDisplay() -- uid: Terminal.Gui.View.ChildNeedsDisplay* - name: ChildNeedsDisplay - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_ChildNeedsDisplay_ - commentId: Overload:Terminal.Gui.View.ChildNeedsDisplay - isSpec: "True" - fullName: Terminal.Gui.View.ChildNeedsDisplay - nameWithType: View.ChildNeedsDisplay -- uid: Terminal.Gui.View.Clear - name: Clear() - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Clear - commentId: M:Terminal.Gui.View.Clear - fullName: Terminal.Gui.View.Clear() - nameWithType: View.Clear() -- uid: Terminal.Gui.View.Clear(Terminal.Gui.Rect) - name: Clear(Rect) - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Clear_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.View.Clear(Terminal.Gui.Rect) - fullName: Terminal.Gui.View.Clear(Terminal.Gui.Rect) - nameWithType: View.Clear(Rect) -- uid: Terminal.Gui.View.Clear* - name: Clear - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Clear_ - commentId: Overload:Terminal.Gui.View.Clear - isSpec: "True" - fullName: Terminal.Gui.View.Clear - nameWithType: View.Clear -- uid: Terminal.Gui.View.ClearNeedsDisplay - name: ClearNeedsDisplay() - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_ClearNeedsDisplay - commentId: M:Terminal.Gui.View.ClearNeedsDisplay - fullName: Terminal.Gui.View.ClearNeedsDisplay() - nameWithType: View.ClearNeedsDisplay() -- uid: Terminal.Gui.View.ClearNeedsDisplay* - name: ClearNeedsDisplay - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_ClearNeedsDisplay_ - commentId: Overload:Terminal.Gui.View.ClearNeedsDisplay - isSpec: "True" - fullName: Terminal.Gui.View.ClearNeedsDisplay - nameWithType: View.ClearNeedsDisplay -- uid: Terminal.Gui.View.ClipToBounds - name: ClipToBounds() - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_ClipToBounds - commentId: M:Terminal.Gui.View.ClipToBounds - fullName: Terminal.Gui.View.ClipToBounds() - nameWithType: View.ClipToBounds() -- uid: Terminal.Gui.View.ClipToBounds* - name: ClipToBounds - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_ClipToBounds_ - commentId: Overload:Terminal.Gui.View.ClipToBounds - isSpec: "True" - fullName: Terminal.Gui.View.ClipToBounds - nameWithType: View.ClipToBounds -- uid: Terminal.Gui.View.ColorScheme - name: ColorScheme - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_ColorScheme - commentId: P:Terminal.Gui.View.ColorScheme - fullName: Terminal.Gui.View.ColorScheme - nameWithType: View.ColorScheme -- uid: Terminal.Gui.View.ColorScheme* - name: ColorScheme - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_ColorScheme_ - commentId: Overload:Terminal.Gui.View.ColorScheme - isSpec: "True" - fullName: Terminal.Gui.View.ColorScheme - nameWithType: View.ColorScheme -- uid: Terminal.Gui.View.DrawFrame(Terminal.Gui.Rect,System.Int32,System.Boolean) - name: DrawFrame(Rect, Int32, Boolean) - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_DrawFrame_Terminal_Gui_Rect_System_Int32_System_Boolean_ - commentId: M:Terminal.Gui.View.DrawFrame(Terminal.Gui.Rect,System.Int32,System.Boolean) - fullName: Terminal.Gui.View.DrawFrame(Terminal.Gui.Rect, System.Int32, System.Boolean) - nameWithType: View.DrawFrame(Rect, Int32, Boolean) -- uid: Terminal.Gui.View.DrawFrame* - name: DrawFrame - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_DrawFrame_ - commentId: Overload:Terminal.Gui.View.DrawFrame - isSpec: "True" - fullName: Terminal.Gui.View.DrawFrame - nameWithType: View.DrawFrame -- uid: Terminal.Gui.View.DrawHotString(NStack.ustring,System.Boolean,Terminal.Gui.ColorScheme) - name: DrawHotString(ustring, Boolean, ColorScheme) - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_DrawHotString_NStack_ustring_System_Boolean_Terminal_Gui_ColorScheme_ - commentId: M:Terminal.Gui.View.DrawHotString(NStack.ustring,System.Boolean,Terminal.Gui.ColorScheme) - fullName: Terminal.Gui.View.DrawHotString(NStack.ustring, System.Boolean, Terminal.Gui.ColorScheme) - nameWithType: View.DrawHotString(ustring, Boolean, ColorScheme) -- uid: Terminal.Gui.View.DrawHotString(NStack.ustring,Terminal.Gui.Attribute,Terminal.Gui.Attribute) - name: DrawHotString(ustring, Attribute, Attribute) - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_DrawHotString_NStack_ustring_Terminal_Gui_Attribute_Terminal_Gui_Attribute_ - commentId: M:Terminal.Gui.View.DrawHotString(NStack.ustring,Terminal.Gui.Attribute,Terminal.Gui.Attribute) - fullName: Terminal.Gui.View.DrawHotString(NStack.ustring, Terminal.Gui.Attribute, Terminal.Gui.Attribute) - nameWithType: View.DrawHotString(ustring, Attribute, Attribute) -- uid: Terminal.Gui.View.DrawHotString* - name: DrawHotString - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_DrawHotString_ - commentId: Overload:Terminal.Gui.View.DrawHotString - isSpec: "True" - fullName: Terminal.Gui.View.DrawHotString - nameWithType: View.DrawHotString -- uid: Terminal.Gui.View.Driver - name: Driver - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Driver - commentId: P:Terminal.Gui.View.Driver - fullName: Terminal.Gui.View.Driver - nameWithType: View.Driver -- uid: Terminal.Gui.View.Driver* - name: Driver - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Driver_ - commentId: Overload:Terminal.Gui.View.Driver - isSpec: "True" - fullName: Terminal.Gui.View.Driver - nameWithType: View.Driver -- uid: Terminal.Gui.View.EnsureFocus - name: EnsureFocus() - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_EnsureFocus - commentId: M:Terminal.Gui.View.EnsureFocus - fullName: Terminal.Gui.View.EnsureFocus() - nameWithType: View.EnsureFocus() -- uid: Terminal.Gui.View.EnsureFocus* - name: EnsureFocus - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_EnsureFocus_ - commentId: Overload:Terminal.Gui.View.EnsureFocus - isSpec: "True" - fullName: Terminal.Gui.View.EnsureFocus - nameWithType: View.EnsureFocus -- uid: Terminal.Gui.View.Enter - name: Enter - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Enter - commentId: E:Terminal.Gui.View.Enter - fullName: Terminal.Gui.View.Enter - nameWithType: View.Enter -- uid: Terminal.Gui.View.Focused - name: Focused - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Focused - commentId: P:Terminal.Gui.View.Focused - fullName: Terminal.Gui.View.Focused - nameWithType: View.Focused -- uid: Terminal.Gui.View.Focused* - name: Focused - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Focused_ - commentId: Overload:Terminal.Gui.View.Focused - isSpec: "True" - fullName: Terminal.Gui.View.Focused - nameWithType: View.Focused -- uid: Terminal.Gui.View.FocusFirst - name: FocusFirst() - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_FocusFirst - commentId: M:Terminal.Gui.View.FocusFirst - fullName: Terminal.Gui.View.FocusFirst() - nameWithType: View.FocusFirst() -- uid: Terminal.Gui.View.FocusFirst* - name: FocusFirst - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_FocusFirst_ - commentId: Overload:Terminal.Gui.View.FocusFirst - isSpec: "True" - fullName: Terminal.Gui.View.FocusFirst - nameWithType: View.FocusFirst -- uid: Terminal.Gui.View.FocusLast - name: FocusLast() - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_FocusLast - commentId: M:Terminal.Gui.View.FocusLast - fullName: Terminal.Gui.View.FocusLast() - nameWithType: View.FocusLast() -- uid: Terminal.Gui.View.FocusLast* - name: FocusLast - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_FocusLast_ - commentId: Overload:Terminal.Gui.View.FocusLast - isSpec: "True" - fullName: Terminal.Gui.View.FocusLast - nameWithType: View.FocusLast -- uid: Terminal.Gui.View.FocusNext - name: FocusNext() - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_FocusNext - commentId: M:Terminal.Gui.View.FocusNext - fullName: Terminal.Gui.View.FocusNext() - nameWithType: View.FocusNext() -- uid: Terminal.Gui.View.FocusNext* - name: FocusNext - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_FocusNext_ - commentId: Overload:Terminal.Gui.View.FocusNext - isSpec: "True" - fullName: Terminal.Gui.View.FocusNext - nameWithType: View.FocusNext -- uid: Terminal.Gui.View.FocusPrev - name: FocusPrev() - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_FocusPrev - commentId: M:Terminal.Gui.View.FocusPrev - fullName: Terminal.Gui.View.FocusPrev() - nameWithType: View.FocusPrev() -- uid: Terminal.Gui.View.FocusPrev* - name: FocusPrev - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_FocusPrev_ - commentId: Overload:Terminal.Gui.View.FocusPrev - isSpec: "True" - fullName: Terminal.Gui.View.FocusPrev - nameWithType: View.FocusPrev -- uid: Terminal.Gui.View.Frame - name: Frame - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Frame - commentId: P:Terminal.Gui.View.Frame - fullName: Terminal.Gui.View.Frame - nameWithType: View.Frame -- uid: Terminal.Gui.View.Frame* - name: Frame - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Frame_ - commentId: Overload:Terminal.Gui.View.Frame - isSpec: "True" - fullName: Terminal.Gui.View.Frame - nameWithType: View.Frame -- uid: Terminal.Gui.View.GetEnumerator - name: GetEnumerator() - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_GetEnumerator - commentId: M:Terminal.Gui.View.GetEnumerator - fullName: Terminal.Gui.View.GetEnumerator() - nameWithType: View.GetEnumerator() -- uid: Terminal.Gui.View.GetEnumerator* - name: GetEnumerator - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_GetEnumerator_ - commentId: Overload:Terminal.Gui.View.GetEnumerator - isSpec: "True" - fullName: Terminal.Gui.View.GetEnumerator - nameWithType: View.GetEnumerator -- uid: Terminal.Gui.View.HasFocus - name: HasFocus - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_HasFocus - commentId: P:Terminal.Gui.View.HasFocus - fullName: Terminal.Gui.View.HasFocus - nameWithType: View.HasFocus -- uid: Terminal.Gui.View.HasFocus* - name: HasFocus - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_HasFocus_ - commentId: Overload:Terminal.Gui.View.HasFocus - isSpec: "True" - fullName: Terminal.Gui.View.HasFocus - nameWithType: View.HasFocus -- uid: Terminal.Gui.View.Height - name: Height - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Height - commentId: P:Terminal.Gui.View.Height - fullName: Terminal.Gui.View.Height - nameWithType: View.Height -- uid: Terminal.Gui.View.Height* - name: Height - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Height_ - commentId: Overload:Terminal.Gui.View.Height - isSpec: "True" - fullName: Terminal.Gui.View.Height - nameWithType: View.Height -- uid: Terminal.Gui.View.Id - name: Id - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Id - commentId: P:Terminal.Gui.View.Id - fullName: Terminal.Gui.View.Id - nameWithType: View.Id -- uid: Terminal.Gui.View.Id* - name: Id - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Id_ - commentId: Overload:Terminal.Gui.View.Id - isSpec: "True" - fullName: Terminal.Gui.View.Id - nameWithType: View.Id -- uid: Terminal.Gui.View.IsCurrentTop - name: IsCurrentTop - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_IsCurrentTop - commentId: P:Terminal.Gui.View.IsCurrentTop - fullName: Terminal.Gui.View.IsCurrentTop - nameWithType: View.IsCurrentTop -- uid: Terminal.Gui.View.IsCurrentTop* - name: IsCurrentTop - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_IsCurrentTop_ - commentId: Overload:Terminal.Gui.View.IsCurrentTop - isSpec: "True" - fullName: Terminal.Gui.View.IsCurrentTop - nameWithType: View.IsCurrentTop -- uid: Terminal.Gui.View.KeyDown - name: KeyDown - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_KeyDown - commentId: E:Terminal.Gui.View.KeyDown - fullName: Terminal.Gui.View.KeyDown - nameWithType: View.KeyDown -- uid: Terminal.Gui.View.KeyEventEventArgs - name: View.KeyEventEventArgs - href: api/Terminal.Gui/Terminal.Gui.View.KeyEventEventArgs.html - commentId: T:Terminal.Gui.View.KeyEventEventArgs - fullName: Terminal.Gui.View.KeyEventEventArgs - nameWithType: View.KeyEventEventArgs -- uid: Terminal.Gui.View.KeyEventEventArgs.#ctor(Terminal.Gui.KeyEvent) - name: KeyEventEventArgs(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.View.KeyEventEventArgs.html#Terminal_Gui_View_KeyEventEventArgs__ctor_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.View.KeyEventEventArgs.#ctor(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.View.KeyEventEventArgs.KeyEventEventArgs(Terminal.Gui.KeyEvent) - nameWithType: View.KeyEventEventArgs.KeyEventEventArgs(KeyEvent) -- uid: Terminal.Gui.View.KeyEventEventArgs.#ctor* - name: KeyEventEventArgs - href: api/Terminal.Gui/Terminal.Gui.View.KeyEventEventArgs.html#Terminal_Gui_View_KeyEventEventArgs__ctor_ - commentId: Overload:Terminal.Gui.View.KeyEventEventArgs.#ctor - isSpec: "True" - fullName: Terminal.Gui.View.KeyEventEventArgs.KeyEventEventArgs - nameWithType: View.KeyEventEventArgs.KeyEventEventArgs -- uid: Terminal.Gui.View.KeyEventEventArgs.Handled - name: Handled - href: api/Terminal.Gui/Terminal.Gui.View.KeyEventEventArgs.html#Terminal_Gui_View_KeyEventEventArgs_Handled - commentId: P:Terminal.Gui.View.KeyEventEventArgs.Handled - fullName: Terminal.Gui.View.KeyEventEventArgs.Handled - nameWithType: View.KeyEventEventArgs.Handled -- uid: Terminal.Gui.View.KeyEventEventArgs.Handled* - name: Handled - href: api/Terminal.Gui/Terminal.Gui.View.KeyEventEventArgs.html#Terminal_Gui_View_KeyEventEventArgs_Handled_ - commentId: Overload:Terminal.Gui.View.KeyEventEventArgs.Handled - isSpec: "True" - fullName: Terminal.Gui.View.KeyEventEventArgs.Handled - nameWithType: View.KeyEventEventArgs.Handled -- uid: Terminal.Gui.View.KeyEventEventArgs.KeyEvent - name: KeyEvent - href: api/Terminal.Gui/Terminal.Gui.View.KeyEventEventArgs.html#Terminal_Gui_View_KeyEventEventArgs_KeyEvent - commentId: P:Terminal.Gui.View.KeyEventEventArgs.KeyEvent - fullName: Terminal.Gui.View.KeyEventEventArgs.KeyEvent - nameWithType: View.KeyEventEventArgs.KeyEvent -- uid: Terminal.Gui.View.KeyEventEventArgs.KeyEvent* - name: KeyEvent - href: api/Terminal.Gui/Terminal.Gui.View.KeyEventEventArgs.html#Terminal_Gui_View_KeyEventEventArgs_KeyEvent_ - commentId: Overload:Terminal.Gui.View.KeyEventEventArgs.KeyEvent - isSpec: "True" - fullName: Terminal.Gui.View.KeyEventEventArgs.KeyEvent - nameWithType: View.KeyEventEventArgs.KeyEvent -- uid: Terminal.Gui.View.KeyPress - name: KeyPress - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_KeyPress - commentId: E:Terminal.Gui.View.KeyPress - fullName: Terminal.Gui.View.KeyPress - nameWithType: View.KeyPress -- uid: Terminal.Gui.View.KeyUp - name: KeyUp - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_KeyUp - commentId: E:Terminal.Gui.View.KeyUp - fullName: Terminal.Gui.View.KeyUp - nameWithType: View.KeyUp -- uid: Terminal.Gui.View.LayoutStyle - name: LayoutStyle - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_LayoutStyle - commentId: P:Terminal.Gui.View.LayoutStyle - fullName: Terminal.Gui.View.LayoutStyle - nameWithType: View.LayoutStyle -- uid: Terminal.Gui.View.LayoutStyle* - name: LayoutStyle - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_LayoutStyle_ - commentId: Overload:Terminal.Gui.View.LayoutStyle - isSpec: "True" - fullName: Terminal.Gui.View.LayoutStyle - nameWithType: View.LayoutStyle -- uid: Terminal.Gui.View.LayoutSubviews - name: LayoutSubviews() - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_LayoutSubviews - commentId: M:Terminal.Gui.View.LayoutSubviews - fullName: Terminal.Gui.View.LayoutSubviews() - nameWithType: View.LayoutSubviews() -- uid: Terminal.Gui.View.LayoutSubviews* - name: LayoutSubviews - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_LayoutSubviews_ - commentId: Overload:Terminal.Gui.View.LayoutSubviews - isSpec: "True" - fullName: Terminal.Gui.View.LayoutSubviews - nameWithType: View.LayoutSubviews -- uid: Terminal.Gui.View.Leave - name: Leave - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Leave - commentId: E:Terminal.Gui.View.Leave - fullName: Terminal.Gui.View.Leave - nameWithType: View.Leave -- uid: Terminal.Gui.View.MostFocused - name: MostFocused - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_MostFocused - commentId: P:Terminal.Gui.View.MostFocused - fullName: Terminal.Gui.View.MostFocused - nameWithType: View.MostFocused -- uid: Terminal.Gui.View.MostFocused* - name: MostFocused - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_MostFocused_ - commentId: Overload:Terminal.Gui.View.MostFocused - isSpec: "True" - fullName: Terminal.Gui.View.MostFocused - nameWithType: View.MostFocused -- uid: Terminal.Gui.View.MouseEnter - name: MouseEnter - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_MouseEnter - commentId: E:Terminal.Gui.View.MouseEnter - fullName: Terminal.Gui.View.MouseEnter - nameWithType: View.MouseEnter -- uid: Terminal.Gui.View.MouseLeave - name: MouseLeave - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_MouseLeave - commentId: E:Terminal.Gui.View.MouseLeave - fullName: Terminal.Gui.View.MouseLeave - nameWithType: View.MouseLeave -- uid: Terminal.Gui.View.Move(System.Int32,System.Int32) - name: Move(Int32, Int32) - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Move_System_Int32_System_Int32_ - commentId: M:Terminal.Gui.View.Move(System.Int32,System.Int32) - fullName: Terminal.Gui.View.Move(System.Int32, System.Int32) - nameWithType: View.Move(Int32, Int32) -- uid: Terminal.Gui.View.Move* - name: Move - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Move_ - commentId: Overload:Terminal.Gui.View.Move - isSpec: "True" - fullName: Terminal.Gui.View.Move - nameWithType: View.Move -- uid: Terminal.Gui.View.OnEnter - name: OnEnter() - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_OnEnter - commentId: M:Terminal.Gui.View.OnEnter - fullName: Terminal.Gui.View.OnEnter() - nameWithType: View.OnEnter() -- uid: Terminal.Gui.View.OnEnter* - name: OnEnter - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_OnEnter_ - commentId: Overload:Terminal.Gui.View.OnEnter - isSpec: "True" - fullName: Terminal.Gui.View.OnEnter - nameWithType: View.OnEnter -- uid: Terminal.Gui.View.OnKeyDown(Terminal.Gui.KeyEvent) - name: OnKeyDown(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_OnKeyDown_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.View.OnKeyDown(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.View.OnKeyDown(Terminal.Gui.KeyEvent) - nameWithType: View.OnKeyDown(KeyEvent) -- uid: Terminal.Gui.View.OnKeyDown* - name: OnKeyDown - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_OnKeyDown_ - commentId: Overload:Terminal.Gui.View.OnKeyDown - isSpec: "True" - fullName: Terminal.Gui.View.OnKeyDown - nameWithType: View.OnKeyDown -- uid: Terminal.Gui.View.OnKeyUp(Terminal.Gui.KeyEvent) - name: OnKeyUp(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_OnKeyUp_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.View.OnKeyUp(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.View.OnKeyUp(Terminal.Gui.KeyEvent) - nameWithType: View.OnKeyUp(KeyEvent) -- uid: Terminal.Gui.View.OnKeyUp* - name: OnKeyUp - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_OnKeyUp_ - commentId: Overload:Terminal.Gui.View.OnKeyUp - isSpec: "True" - fullName: Terminal.Gui.View.OnKeyUp - nameWithType: View.OnKeyUp -- uid: Terminal.Gui.View.OnLeave - name: OnLeave() - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_OnLeave - commentId: M:Terminal.Gui.View.OnLeave - fullName: Terminal.Gui.View.OnLeave() - nameWithType: View.OnLeave() -- uid: Terminal.Gui.View.OnLeave* - name: OnLeave - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_OnLeave_ - commentId: Overload:Terminal.Gui.View.OnLeave - isSpec: "True" - fullName: Terminal.Gui.View.OnLeave - nameWithType: View.OnLeave -- uid: Terminal.Gui.View.OnMouseEnter(Terminal.Gui.MouseEvent) - name: OnMouseEnter(MouseEvent) - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_OnMouseEnter_Terminal_Gui_MouseEvent_ - commentId: M:Terminal.Gui.View.OnMouseEnter(Terminal.Gui.MouseEvent) - fullName: Terminal.Gui.View.OnMouseEnter(Terminal.Gui.MouseEvent) - nameWithType: View.OnMouseEnter(MouseEvent) -- uid: Terminal.Gui.View.OnMouseEnter* - name: OnMouseEnter - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_OnMouseEnter_ - commentId: Overload:Terminal.Gui.View.OnMouseEnter - isSpec: "True" - fullName: Terminal.Gui.View.OnMouseEnter - nameWithType: View.OnMouseEnter -- uid: Terminal.Gui.View.OnMouseLeave(Terminal.Gui.MouseEvent) - name: OnMouseLeave(MouseEvent) - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_OnMouseLeave_Terminal_Gui_MouseEvent_ - commentId: M:Terminal.Gui.View.OnMouseLeave(Terminal.Gui.MouseEvent) - fullName: Terminal.Gui.View.OnMouseLeave(Terminal.Gui.MouseEvent) - nameWithType: View.OnMouseLeave(MouseEvent) -- uid: Terminal.Gui.View.OnMouseLeave* - name: OnMouseLeave - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_OnMouseLeave_ - commentId: Overload:Terminal.Gui.View.OnMouseLeave - isSpec: "True" - fullName: Terminal.Gui.View.OnMouseLeave - nameWithType: View.OnMouseLeave -- uid: Terminal.Gui.View.PositionCursor - name: PositionCursor() - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_PositionCursor - commentId: M:Terminal.Gui.View.PositionCursor - fullName: Terminal.Gui.View.PositionCursor() - nameWithType: View.PositionCursor() -- uid: Terminal.Gui.View.PositionCursor* - name: PositionCursor - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_PositionCursor_ - commentId: Overload:Terminal.Gui.View.PositionCursor - isSpec: "True" - fullName: Terminal.Gui.View.PositionCursor - nameWithType: View.PositionCursor -- uid: Terminal.Gui.View.ProcessColdKey(Terminal.Gui.KeyEvent) - name: ProcessColdKey(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_ProcessColdKey_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.View.ProcessColdKey(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.View.ProcessColdKey(Terminal.Gui.KeyEvent) - nameWithType: View.ProcessColdKey(KeyEvent) -- uid: Terminal.Gui.View.ProcessColdKey* - name: ProcessColdKey - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_ProcessColdKey_ - commentId: Overload:Terminal.Gui.View.ProcessColdKey - isSpec: "True" - fullName: Terminal.Gui.View.ProcessColdKey - nameWithType: View.ProcessColdKey -- uid: Terminal.Gui.View.ProcessHotKey(Terminal.Gui.KeyEvent) - name: ProcessHotKey(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_ProcessHotKey_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.View.ProcessHotKey(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.View.ProcessHotKey(Terminal.Gui.KeyEvent) - nameWithType: View.ProcessHotKey(KeyEvent) -- uid: Terminal.Gui.View.ProcessHotKey* - name: ProcessHotKey - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_ProcessHotKey_ - commentId: Overload:Terminal.Gui.View.ProcessHotKey - isSpec: "True" - fullName: Terminal.Gui.View.ProcessHotKey - nameWithType: View.ProcessHotKey -- uid: Terminal.Gui.View.ProcessKey(Terminal.Gui.KeyEvent) - name: ProcessKey(KeyEvent) - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_ProcessKey_Terminal_Gui_KeyEvent_ - commentId: M:Terminal.Gui.View.ProcessKey(Terminal.Gui.KeyEvent) - fullName: Terminal.Gui.View.ProcessKey(Terminal.Gui.KeyEvent) - nameWithType: View.ProcessKey(KeyEvent) -- uid: Terminal.Gui.View.ProcessKey* - name: ProcessKey - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_ProcessKey_ - commentId: Overload:Terminal.Gui.View.ProcessKey - isSpec: "True" - fullName: Terminal.Gui.View.ProcessKey - nameWithType: View.ProcessKey -- uid: Terminal.Gui.View.Redraw(Terminal.Gui.Rect) - name: Redraw(Rect) - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Redraw_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.View.Redraw(Terminal.Gui.Rect) - fullName: Terminal.Gui.View.Redraw(Terminal.Gui.Rect) - nameWithType: View.Redraw(Rect) -- uid: Terminal.Gui.View.Redraw* - name: Redraw - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Redraw_ - commentId: Overload:Terminal.Gui.View.Redraw - isSpec: "True" - fullName: Terminal.Gui.View.Redraw - nameWithType: View.Redraw -- uid: Terminal.Gui.View.Remove(Terminal.Gui.View) - name: Remove(View) - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Remove_Terminal_Gui_View_ - commentId: M:Terminal.Gui.View.Remove(Terminal.Gui.View) - fullName: Terminal.Gui.View.Remove(Terminal.Gui.View) - nameWithType: View.Remove(View) -- uid: Terminal.Gui.View.Remove* - name: Remove - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Remove_ - commentId: Overload:Terminal.Gui.View.Remove - isSpec: "True" - fullName: Terminal.Gui.View.Remove - nameWithType: View.Remove -- uid: Terminal.Gui.View.RemoveAll - name: RemoveAll() - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_RemoveAll - commentId: M:Terminal.Gui.View.RemoveAll - fullName: Terminal.Gui.View.RemoveAll() - nameWithType: View.RemoveAll() -- uid: Terminal.Gui.View.RemoveAll* - name: RemoveAll - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_RemoveAll_ - commentId: Overload:Terminal.Gui.View.RemoveAll - isSpec: "True" - fullName: Terminal.Gui.View.RemoveAll - nameWithType: View.RemoveAll -- uid: Terminal.Gui.View.ScreenToView(System.Int32,System.Int32) - name: ScreenToView(Int32, Int32) - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_ScreenToView_System_Int32_System_Int32_ - commentId: M:Terminal.Gui.View.ScreenToView(System.Int32,System.Int32) - fullName: Terminal.Gui.View.ScreenToView(System.Int32, System.Int32) - nameWithType: View.ScreenToView(Int32, Int32) -- uid: Terminal.Gui.View.ScreenToView* - name: ScreenToView - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_ScreenToView_ - commentId: Overload:Terminal.Gui.View.ScreenToView - isSpec: "True" - fullName: Terminal.Gui.View.ScreenToView - nameWithType: View.ScreenToView -- uid: Terminal.Gui.View.SendSubviewBackwards(Terminal.Gui.View) - name: SendSubviewBackwards(View) - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_SendSubviewBackwards_Terminal_Gui_View_ - commentId: M:Terminal.Gui.View.SendSubviewBackwards(Terminal.Gui.View) - fullName: Terminal.Gui.View.SendSubviewBackwards(Terminal.Gui.View) - nameWithType: View.SendSubviewBackwards(View) -- uid: Terminal.Gui.View.SendSubviewBackwards* - name: SendSubviewBackwards - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_SendSubviewBackwards_ - commentId: Overload:Terminal.Gui.View.SendSubviewBackwards - isSpec: "True" - fullName: Terminal.Gui.View.SendSubviewBackwards - nameWithType: View.SendSubviewBackwards -- uid: Terminal.Gui.View.SendSubviewToBack(Terminal.Gui.View) - name: SendSubviewToBack(View) - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_SendSubviewToBack_Terminal_Gui_View_ - commentId: M:Terminal.Gui.View.SendSubviewToBack(Terminal.Gui.View) - fullName: Terminal.Gui.View.SendSubviewToBack(Terminal.Gui.View) - nameWithType: View.SendSubviewToBack(View) -- uid: Terminal.Gui.View.SendSubviewToBack* - name: SendSubviewToBack - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_SendSubviewToBack_ - commentId: Overload:Terminal.Gui.View.SendSubviewToBack - isSpec: "True" - fullName: Terminal.Gui.View.SendSubviewToBack - nameWithType: View.SendSubviewToBack -- uid: Terminal.Gui.View.SetClip(Terminal.Gui.Rect) - name: SetClip(Rect) - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_SetClip_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.View.SetClip(Terminal.Gui.Rect) - fullName: Terminal.Gui.View.SetClip(Terminal.Gui.Rect) - nameWithType: View.SetClip(Rect) -- uid: Terminal.Gui.View.SetClip* - name: SetClip - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_SetClip_ - commentId: Overload:Terminal.Gui.View.SetClip - isSpec: "True" - fullName: Terminal.Gui.View.SetClip - nameWithType: View.SetClip -- uid: Terminal.Gui.View.SetFocus(Terminal.Gui.View) - name: SetFocus(View) - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_SetFocus_Terminal_Gui_View_ - commentId: M:Terminal.Gui.View.SetFocus(Terminal.Gui.View) - fullName: Terminal.Gui.View.SetFocus(Terminal.Gui.View) - nameWithType: View.SetFocus(View) -- uid: Terminal.Gui.View.SetFocus* - name: SetFocus - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_SetFocus_ - commentId: Overload:Terminal.Gui.View.SetFocus - isSpec: "True" - fullName: Terminal.Gui.View.SetFocus - nameWithType: View.SetFocus -- uid: Terminal.Gui.View.SetNeedsDisplay - name: SetNeedsDisplay() - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_SetNeedsDisplay - commentId: M:Terminal.Gui.View.SetNeedsDisplay - fullName: Terminal.Gui.View.SetNeedsDisplay() - nameWithType: View.SetNeedsDisplay() -- uid: Terminal.Gui.View.SetNeedsDisplay(Terminal.Gui.Rect) - name: SetNeedsDisplay(Rect) - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_SetNeedsDisplay_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.View.SetNeedsDisplay(Terminal.Gui.Rect) - fullName: Terminal.Gui.View.SetNeedsDisplay(Terminal.Gui.Rect) - nameWithType: View.SetNeedsDisplay(Rect) -- uid: Terminal.Gui.View.SetNeedsDisplay* - name: SetNeedsDisplay - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_SetNeedsDisplay_ - commentId: Overload:Terminal.Gui.View.SetNeedsDisplay - isSpec: "True" - fullName: Terminal.Gui.View.SetNeedsDisplay - nameWithType: View.SetNeedsDisplay -- uid: Terminal.Gui.View.Subviews - name: Subviews - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Subviews - commentId: P:Terminal.Gui.View.Subviews - fullName: Terminal.Gui.View.Subviews - nameWithType: View.Subviews -- uid: Terminal.Gui.View.Subviews* - name: Subviews - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Subviews_ - commentId: Overload:Terminal.Gui.View.Subviews - isSpec: "True" - fullName: Terminal.Gui.View.Subviews - nameWithType: View.Subviews -- uid: Terminal.Gui.View.SuperView - name: SuperView - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_SuperView - commentId: P:Terminal.Gui.View.SuperView - fullName: Terminal.Gui.View.SuperView - nameWithType: View.SuperView -- uid: Terminal.Gui.View.SuperView* - name: SuperView - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_SuperView_ - commentId: Overload:Terminal.Gui.View.SuperView - isSpec: "True" - fullName: Terminal.Gui.View.SuperView - nameWithType: View.SuperView -- uid: Terminal.Gui.View.ToString - name: ToString() - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_ToString - commentId: M:Terminal.Gui.View.ToString - fullName: Terminal.Gui.View.ToString() - nameWithType: View.ToString() -- uid: Terminal.Gui.View.ToString* - name: ToString - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_ToString_ - commentId: Overload:Terminal.Gui.View.ToString - isSpec: "True" - fullName: Terminal.Gui.View.ToString - nameWithType: View.ToString -- uid: Terminal.Gui.View.WantContinuousButtonPressed - name: WantContinuousButtonPressed - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_WantContinuousButtonPressed - commentId: P:Terminal.Gui.View.WantContinuousButtonPressed - fullName: Terminal.Gui.View.WantContinuousButtonPressed - nameWithType: View.WantContinuousButtonPressed -- uid: Terminal.Gui.View.WantContinuousButtonPressed* - name: WantContinuousButtonPressed - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_WantContinuousButtonPressed_ - commentId: Overload:Terminal.Gui.View.WantContinuousButtonPressed - isSpec: "True" - fullName: Terminal.Gui.View.WantContinuousButtonPressed - nameWithType: View.WantContinuousButtonPressed -- uid: Terminal.Gui.View.WantMousePositionReports - name: WantMousePositionReports - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_WantMousePositionReports - commentId: P:Terminal.Gui.View.WantMousePositionReports - fullName: Terminal.Gui.View.WantMousePositionReports - nameWithType: View.WantMousePositionReports -- uid: Terminal.Gui.View.WantMousePositionReports* - name: WantMousePositionReports - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_WantMousePositionReports_ - commentId: Overload:Terminal.Gui.View.WantMousePositionReports - isSpec: "True" - fullName: Terminal.Gui.View.WantMousePositionReports - nameWithType: View.WantMousePositionReports -- uid: Terminal.Gui.View.Width - name: Width - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Width - commentId: P:Terminal.Gui.View.Width - fullName: Terminal.Gui.View.Width - nameWithType: View.Width -- uid: Terminal.Gui.View.Width* - name: Width - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Width_ - commentId: Overload:Terminal.Gui.View.Width - isSpec: "True" - fullName: Terminal.Gui.View.Width - nameWithType: View.Width -- uid: Terminal.Gui.View.X - name: X - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_X - commentId: P:Terminal.Gui.View.X - fullName: Terminal.Gui.View.X - nameWithType: View.X -- uid: Terminal.Gui.View.X* - name: X - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_X_ - commentId: Overload:Terminal.Gui.View.X - isSpec: "True" - fullName: Terminal.Gui.View.X - nameWithType: View.X -- uid: Terminal.Gui.View.Y - name: Y - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Y - commentId: P:Terminal.Gui.View.Y - fullName: Terminal.Gui.View.Y - nameWithType: View.Y -- uid: Terminal.Gui.View.Y* - name: Y - href: api/Terminal.Gui/Terminal.Gui.View.html#Terminal_Gui_View_Y_ - commentId: Overload:Terminal.Gui.View.Y - isSpec: "True" - fullName: Terminal.Gui.View.Y - nameWithType: View.Y -- uid: Terminal.Gui.Window - name: Window - href: api/Terminal.Gui/Terminal.Gui.Window.html - commentId: T:Terminal.Gui.Window - fullName: Terminal.Gui.Window - nameWithType: Window -- uid: Terminal.Gui.Window.#ctor(NStack.ustring) - name: Window(ustring) - href: api/Terminal.Gui/Terminal.Gui.Window.html#Terminal_Gui_Window__ctor_NStack_ustring_ - commentId: M:Terminal.Gui.Window.#ctor(NStack.ustring) - fullName: Terminal.Gui.Window.Window(NStack.ustring) - nameWithType: Window.Window(ustring) -- uid: Terminal.Gui.Window.#ctor(NStack.ustring,System.Int32) - name: Window(ustring, Int32) - href: api/Terminal.Gui/Terminal.Gui.Window.html#Terminal_Gui_Window__ctor_NStack_ustring_System_Int32_ - commentId: M:Terminal.Gui.Window.#ctor(NStack.ustring,System.Int32) - fullName: Terminal.Gui.Window.Window(NStack.ustring, System.Int32) - nameWithType: Window.Window(ustring, Int32) -- uid: Terminal.Gui.Window.#ctor(Terminal.Gui.Rect,NStack.ustring) - name: Window(Rect, ustring) - href: api/Terminal.Gui/Terminal.Gui.Window.html#Terminal_Gui_Window__ctor_Terminal_Gui_Rect_NStack_ustring_ - commentId: M:Terminal.Gui.Window.#ctor(Terminal.Gui.Rect,NStack.ustring) - fullName: Terminal.Gui.Window.Window(Terminal.Gui.Rect, NStack.ustring) - nameWithType: Window.Window(Rect, ustring) -- uid: Terminal.Gui.Window.#ctor(Terminal.Gui.Rect,NStack.ustring,System.Int32) - name: Window(Rect, ustring, Int32) - href: api/Terminal.Gui/Terminal.Gui.Window.html#Terminal_Gui_Window__ctor_Terminal_Gui_Rect_NStack_ustring_System_Int32_ - commentId: M:Terminal.Gui.Window.#ctor(Terminal.Gui.Rect,NStack.ustring,System.Int32) - fullName: Terminal.Gui.Window.Window(Terminal.Gui.Rect, NStack.ustring, System.Int32) - nameWithType: Window.Window(Rect, ustring, Int32) -- uid: Terminal.Gui.Window.#ctor* - name: Window - href: api/Terminal.Gui/Terminal.Gui.Window.html#Terminal_Gui_Window__ctor_ - commentId: Overload:Terminal.Gui.Window.#ctor - isSpec: "True" - fullName: Terminal.Gui.Window.Window - nameWithType: Window.Window -- uid: Terminal.Gui.Window.Add(Terminal.Gui.View) - name: Add(View) - href: api/Terminal.Gui/Terminal.Gui.Window.html#Terminal_Gui_Window_Add_Terminal_Gui_View_ - commentId: M:Terminal.Gui.Window.Add(Terminal.Gui.View) - fullName: Terminal.Gui.Window.Add(Terminal.Gui.View) - nameWithType: Window.Add(View) -- uid: Terminal.Gui.Window.Add* - name: Add - href: api/Terminal.Gui/Terminal.Gui.Window.html#Terminal_Gui_Window_Add_ - commentId: Overload:Terminal.Gui.Window.Add - isSpec: "True" - fullName: Terminal.Gui.Window.Add - nameWithType: Window.Add -- uid: Terminal.Gui.Window.GetEnumerator - name: GetEnumerator() - href: api/Terminal.Gui/Terminal.Gui.Window.html#Terminal_Gui_Window_GetEnumerator - commentId: M:Terminal.Gui.Window.GetEnumerator - fullName: Terminal.Gui.Window.GetEnumerator() - nameWithType: Window.GetEnumerator() -- uid: Terminal.Gui.Window.GetEnumerator* - name: GetEnumerator - href: api/Terminal.Gui/Terminal.Gui.Window.html#Terminal_Gui_Window_GetEnumerator_ - commentId: Overload:Terminal.Gui.Window.GetEnumerator - isSpec: "True" - fullName: Terminal.Gui.Window.GetEnumerator - nameWithType: Window.GetEnumerator -- uid: Terminal.Gui.Window.MouseEvent(Terminal.Gui.MouseEvent) - name: MouseEvent(MouseEvent) - href: api/Terminal.Gui/Terminal.Gui.Window.html#Terminal_Gui_Window_MouseEvent_Terminal_Gui_MouseEvent_ - commentId: M:Terminal.Gui.Window.MouseEvent(Terminal.Gui.MouseEvent) - fullName: Terminal.Gui.Window.MouseEvent(Terminal.Gui.MouseEvent) - nameWithType: Window.MouseEvent(MouseEvent) -- uid: Terminal.Gui.Window.MouseEvent* - name: MouseEvent - href: api/Terminal.Gui/Terminal.Gui.Window.html#Terminal_Gui_Window_MouseEvent_ - commentId: Overload:Terminal.Gui.Window.MouseEvent - isSpec: "True" - fullName: Terminal.Gui.Window.MouseEvent - nameWithType: Window.MouseEvent -- uid: Terminal.Gui.Window.Redraw(Terminal.Gui.Rect) - name: Redraw(Rect) - href: api/Terminal.Gui/Terminal.Gui.Window.html#Terminal_Gui_Window_Redraw_Terminal_Gui_Rect_ - commentId: M:Terminal.Gui.Window.Redraw(Terminal.Gui.Rect) - fullName: Terminal.Gui.Window.Redraw(Terminal.Gui.Rect) - nameWithType: Window.Redraw(Rect) -- uid: Terminal.Gui.Window.Redraw* - name: Redraw - href: api/Terminal.Gui/Terminal.Gui.Window.html#Terminal_Gui_Window_Redraw_ - commentId: Overload:Terminal.Gui.Window.Redraw - isSpec: "True" - fullName: Terminal.Gui.Window.Redraw - nameWithType: Window.Redraw -- uid: Terminal.Gui.Window.Remove(Terminal.Gui.View) - name: Remove(View) - href: api/Terminal.Gui/Terminal.Gui.Window.html#Terminal_Gui_Window_Remove_Terminal_Gui_View_ - commentId: M:Terminal.Gui.Window.Remove(Terminal.Gui.View) - fullName: Terminal.Gui.Window.Remove(Terminal.Gui.View) - nameWithType: Window.Remove(View) -- uid: Terminal.Gui.Window.Remove* - name: Remove - href: api/Terminal.Gui/Terminal.Gui.Window.html#Terminal_Gui_Window_Remove_ - commentId: Overload:Terminal.Gui.Window.Remove - isSpec: "True" - fullName: Terminal.Gui.Window.Remove - nameWithType: Window.Remove -- uid: Terminal.Gui.Window.RemoveAll - name: RemoveAll() - href: api/Terminal.Gui/Terminal.Gui.Window.html#Terminal_Gui_Window_RemoveAll - commentId: M:Terminal.Gui.Window.RemoveAll - fullName: Terminal.Gui.Window.RemoveAll() - nameWithType: Window.RemoveAll() -- uid: Terminal.Gui.Window.RemoveAll* - name: RemoveAll - href: api/Terminal.Gui/Terminal.Gui.Window.html#Terminal_Gui_Window_RemoveAll_ - commentId: Overload:Terminal.Gui.Window.RemoveAll - isSpec: "True" - fullName: Terminal.Gui.Window.RemoveAll - nameWithType: Window.RemoveAll -- uid: Terminal.Gui.Window.Title - name: Title - href: api/Terminal.Gui/Terminal.Gui.Window.html#Terminal_Gui_Window_Title - commentId: P:Terminal.Gui.Window.Title - fullName: Terminal.Gui.Window.Title - nameWithType: Window.Title -- uid: Terminal.Gui.Window.Title* - name: Title - href: api/Terminal.Gui/Terminal.Gui.Window.html#Terminal_Gui_Window_Title_ - commentId: Overload:Terminal.Gui.Window.Title - isSpec: "True" - fullName: Terminal.Gui.Window.Title - nameWithType: Window.Title -- uid: UICatalog - name: UICatalog - href: api/UICatalog/UICatalog.html - commentId: N:UICatalog - fullName: UICatalog - nameWithType: UICatalog -- uid: UICatalog.Scenario - name: Scenario - href: api/UICatalog/UICatalog.Scenario.html - commentId: T:UICatalog.Scenario - fullName: UICatalog.Scenario - nameWithType: Scenario -- uid: UICatalog.Scenario.Dispose - name: Dispose() - href: api/UICatalog/UICatalog.Scenario.html#UICatalog_Scenario_Dispose - commentId: M:UICatalog.Scenario.Dispose - fullName: UICatalog.Scenario.Dispose() - nameWithType: Scenario.Dispose() -- uid: UICatalog.Scenario.Dispose(System.Boolean) - name: Dispose(Boolean) - href: api/UICatalog/UICatalog.Scenario.html#UICatalog_Scenario_Dispose_System_Boolean_ - commentId: M:UICatalog.Scenario.Dispose(System.Boolean) - fullName: UICatalog.Scenario.Dispose(System.Boolean) - nameWithType: Scenario.Dispose(Boolean) -- uid: UICatalog.Scenario.Dispose* - name: Dispose - href: api/UICatalog/UICatalog.Scenario.html#UICatalog_Scenario_Dispose_ - commentId: Overload:UICatalog.Scenario.Dispose - isSpec: "True" - fullName: UICatalog.Scenario.Dispose - nameWithType: Scenario.Dispose -- uid: UICatalog.Scenario.GetCategories - name: GetCategories() - href: api/UICatalog/UICatalog.Scenario.html#UICatalog_Scenario_GetCategories - commentId: M:UICatalog.Scenario.GetCategories - fullName: UICatalog.Scenario.GetCategories() - nameWithType: Scenario.GetCategories() -- uid: UICatalog.Scenario.GetCategories* - name: GetCategories - href: api/UICatalog/UICatalog.Scenario.html#UICatalog_Scenario_GetCategories_ - commentId: Overload:UICatalog.Scenario.GetCategories - isSpec: "True" - fullName: UICatalog.Scenario.GetCategories - nameWithType: Scenario.GetCategories -- uid: UICatalog.Scenario.GetDescription - name: GetDescription() - href: api/UICatalog/UICatalog.Scenario.html#UICatalog_Scenario_GetDescription - commentId: M:UICatalog.Scenario.GetDescription - fullName: UICatalog.Scenario.GetDescription() - nameWithType: Scenario.GetDescription() -- uid: UICatalog.Scenario.GetDescription* - name: GetDescription - href: api/UICatalog/UICatalog.Scenario.html#UICatalog_Scenario_GetDescription_ - commentId: Overload:UICatalog.Scenario.GetDescription - isSpec: "True" - fullName: UICatalog.Scenario.GetDescription - nameWithType: Scenario.GetDescription -- uid: UICatalog.Scenario.GetName - name: GetName() - href: api/UICatalog/UICatalog.Scenario.html#UICatalog_Scenario_GetName - commentId: M:UICatalog.Scenario.GetName - fullName: UICatalog.Scenario.GetName() - nameWithType: Scenario.GetName() -- uid: UICatalog.Scenario.GetName* - name: GetName - href: api/UICatalog/UICatalog.Scenario.html#UICatalog_Scenario_GetName_ - commentId: Overload:UICatalog.Scenario.GetName - isSpec: "True" - fullName: UICatalog.Scenario.GetName - nameWithType: Scenario.GetName -- uid: UICatalog.Scenario.Init(Terminal.Gui.Toplevel) - name: Init(Toplevel) - href: api/UICatalog/UICatalog.Scenario.html#UICatalog_Scenario_Init_Terminal_Gui_Toplevel_ - commentId: M:UICatalog.Scenario.Init(Terminal.Gui.Toplevel) - fullName: UICatalog.Scenario.Init(Terminal.Gui.Toplevel) - nameWithType: Scenario.Init(Toplevel) -- uid: UICatalog.Scenario.Init* - name: Init - href: api/UICatalog/UICatalog.Scenario.html#UICatalog_Scenario_Init_ - commentId: Overload:UICatalog.Scenario.Init - isSpec: "True" - fullName: UICatalog.Scenario.Init - nameWithType: Scenario.Init -- uid: UICatalog.Scenario.RequestStop - name: RequestStop() - href: api/UICatalog/UICatalog.Scenario.html#UICatalog_Scenario_RequestStop - commentId: M:UICatalog.Scenario.RequestStop - fullName: UICatalog.Scenario.RequestStop() - nameWithType: Scenario.RequestStop() -- uid: UICatalog.Scenario.RequestStop* - name: RequestStop - href: api/UICatalog/UICatalog.Scenario.html#UICatalog_Scenario_RequestStop_ - commentId: Overload:UICatalog.Scenario.RequestStop - isSpec: "True" - fullName: UICatalog.Scenario.RequestStop - nameWithType: Scenario.RequestStop -- uid: UICatalog.Scenario.Run - name: Run() - href: api/UICatalog/UICatalog.Scenario.html#UICatalog_Scenario_Run - commentId: M:UICatalog.Scenario.Run - fullName: UICatalog.Scenario.Run() - nameWithType: Scenario.Run() -- uid: UICatalog.Scenario.Run* - name: Run - href: api/UICatalog/UICatalog.Scenario.html#UICatalog_Scenario_Run_ - commentId: Overload:UICatalog.Scenario.Run - isSpec: "True" - fullName: UICatalog.Scenario.Run - nameWithType: Scenario.Run -- uid: UICatalog.Scenario.ScenarioCategory - name: Scenario.ScenarioCategory - href: api/UICatalog/UICatalog.Scenario.ScenarioCategory.html - commentId: T:UICatalog.Scenario.ScenarioCategory - fullName: UICatalog.Scenario.ScenarioCategory - nameWithType: Scenario.ScenarioCategory -- uid: UICatalog.Scenario.ScenarioCategory.#ctor(System.String) - name: ScenarioCategory(String) - href: api/UICatalog/UICatalog.Scenario.ScenarioCategory.html#UICatalog_Scenario_ScenarioCategory__ctor_System_String_ - commentId: M:UICatalog.Scenario.ScenarioCategory.#ctor(System.String) - fullName: UICatalog.Scenario.ScenarioCategory.ScenarioCategory(System.String) - nameWithType: Scenario.ScenarioCategory.ScenarioCategory(String) -- uid: UICatalog.Scenario.ScenarioCategory.#ctor* - name: ScenarioCategory - href: api/UICatalog/UICatalog.Scenario.ScenarioCategory.html#UICatalog_Scenario_ScenarioCategory__ctor_ - commentId: Overload:UICatalog.Scenario.ScenarioCategory.#ctor - isSpec: "True" - fullName: UICatalog.Scenario.ScenarioCategory.ScenarioCategory - nameWithType: Scenario.ScenarioCategory.ScenarioCategory -- uid: UICatalog.Scenario.ScenarioCategory.GetCategories(System.Type) - name: GetCategories(Type) - href: api/UICatalog/UICatalog.Scenario.ScenarioCategory.html#UICatalog_Scenario_ScenarioCategory_GetCategories_System_Type_ - commentId: M:UICatalog.Scenario.ScenarioCategory.GetCategories(System.Type) - fullName: UICatalog.Scenario.ScenarioCategory.GetCategories(System.Type) - nameWithType: Scenario.ScenarioCategory.GetCategories(Type) -- uid: UICatalog.Scenario.ScenarioCategory.GetCategories* - name: GetCategories - href: api/UICatalog/UICatalog.Scenario.ScenarioCategory.html#UICatalog_Scenario_ScenarioCategory_GetCategories_ - commentId: Overload:UICatalog.Scenario.ScenarioCategory.GetCategories - isSpec: "True" - fullName: UICatalog.Scenario.ScenarioCategory.GetCategories - nameWithType: Scenario.ScenarioCategory.GetCategories -- uid: UICatalog.Scenario.ScenarioCategory.GetName(System.Type) - name: GetName(Type) - href: api/UICatalog/UICatalog.Scenario.ScenarioCategory.html#UICatalog_Scenario_ScenarioCategory_GetName_System_Type_ - commentId: M:UICatalog.Scenario.ScenarioCategory.GetName(System.Type) - fullName: UICatalog.Scenario.ScenarioCategory.GetName(System.Type) - nameWithType: Scenario.ScenarioCategory.GetName(Type) -- uid: UICatalog.Scenario.ScenarioCategory.GetName* - name: GetName - href: api/UICatalog/UICatalog.Scenario.ScenarioCategory.html#UICatalog_Scenario_ScenarioCategory_GetName_ - commentId: Overload:UICatalog.Scenario.ScenarioCategory.GetName - isSpec: "True" - fullName: UICatalog.Scenario.ScenarioCategory.GetName - nameWithType: Scenario.ScenarioCategory.GetName -- uid: UICatalog.Scenario.ScenarioCategory.Name - name: Name - href: api/UICatalog/UICatalog.Scenario.ScenarioCategory.html#UICatalog_Scenario_ScenarioCategory_Name - commentId: P:UICatalog.Scenario.ScenarioCategory.Name - fullName: UICatalog.Scenario.ScenarioCategory.Name - nameWithType: Scenario.ScenarioCategory.Name -- uid: UICatalog.Scenario.ScenarioCategory.Name* - name: Name - href: api/UICatalog/UICatalog.Scenario.ScenarioCategory.html#UICatalog_Scenario_ScenarioCategory_Name_ - commentId: Overload:UICatalog.Scenario.ScenarioCategory.Name - isSpec: "True" - fullName: UICatalog.Scenario.ScenarioCategory.Name - nameWithType: Scenario.ScenarioCategory.Name -- uid: UICatalog.Scenario.ScenarioMetadata - name: Scenario.ScenarioMetadata - href: api/UICatalog/UICatalog.Scenario.ScenarioMetadata.html - commentId: T:UICatalog.Scenario.ScenarioMetadata - fullName: UICatalog.Scenario.ScenarioMetadata - nameWithType: Scenario.ScenarioMetadata -- uid: UICatalog.Scenario.ScenarioMetadata.#ctor(System.String,System.String) - name: ScenarioMetadata(String, String) - href: api/UICatalog/UICatalog.Scenario.ScenarioMetadata.html#UICatalog_Scenario_ScenarioMetadata__ctor_System_String_System_String_ - commentId: M:UICatalog.Scenario.ScenarioMetadata.#ctor(System.String,System.String) - fullName: UICatalog.Scenario.ScenarioMetadata.ScenarioMetadata(System.String, System.String) - nameWithType: Scenario.ScenarioMetadata.ScenarioMetadata(String, String) -- uid: UICatalog.Scenario.ScenarioMetadata.#ctor* - name: ScenarioMetadata - href: api/UICatalog/UICatalog.Scenario.ScenarioMetadata.html#UICatalog_Scenario_ScenarioMetadata__ctor_ - commentId: Overload:UICatalog.Scenario.ScenarioMetadata.#ctor - isSpec: "True" - fullName: UICatalog.Scenario.ScenarioMetadata.ScenarioMetadata - nameWithType: Scenario.ScenarioMetadata.ScenarioMetadata -- uid: UICatalog.Scenario.ScenarioMetadata.Description - name: Description - href: api/UICatalog/UICatalog.Scenario.ScenarioMetadata.html#UICatalog_Scenario_ScenarioMetadata_Description - commentId: P:UICatalog.Scenario.ScenarioMetadata.Description - fullName: UICatalog.Scenario.ScenarioMetadata.Description - nameWithType: Scenario.ScenarioMetadata.Description -- uid: UICatalog.Scenario.ScenarioMetadata.Description* - name: Description - href: api/UICatalog/UICatalog.Scenario.ScenarioMetadata.html#UICatalog_Scenario_ScenarioMetadata_Description_ - commentId: Overload:UICatalog.Scenario.ScenarioMetadata.Description - isSpec: "True" - fullName: UICatalog.Scenario.ScenarioMetadata.Description - nameWithType: Scenario.ScenarioMetadata.Description -- uid: UICatalog.Scenario.ScenarioMetadata.GetDescription(System.Type) - name: GetDescription(Type) - href: api/UICatalog/UICatalog.Scenario.ScenarioMetadata.html#UICatalog_Scenario_ScenarioMetadata_GetDescription_System_Type_ - commentId: M:UICatalog.Scenario.ScenarioMetadata.GetDescription(System.Type) - fullName: UICatalog.Scenario.ScenarioMetadata.GetDescription(System.Type) - nameWithType: Scenario.ScenarioMetadata.GetDescription(Type) -- uid: UICatalog.Scenario.ScenarioMetadata.GetDescription* - name: GetDescription - href: api/UICatalog/UICatalog.Scenario.ScenarioMetadata.html#UICatalog_Scenario_ScenarioMetadata_GetDescription_ - commentId: Overload:UICatalog.Scenario.ScenarioMetadata.GetDescription - isSpec: "True" - fullName: UICatalog.Scenario.ScenarioMetadata.GetDescription - nameWithType: Scenario.ScenarioMetadata.GetDescription -- uid: UICatalog.Scenario.ScenarioMetadata.GetName(System.Type) - name: GetName(Type) - href: api/UICatalog/UICatalog.Scenario.ScenarioMetadata.html#UICatalog_Scenario_ScenarioMetadata_GetName_System_Type_ - commentId: M:UICatalog.Scenario.ScenarioMetadata.GetName(System.Type) - fullName: UICatalog.Scenario.ScenarioMetadata.GetName(System.Type) - nameWithType: Scenario.ScenarioMetadata.GetName(Type) -- uid: UICatalog.Scenario.ScenarioMetadata.GetName* - name: GetName - href: api/UICatalog/UICatalog.Scenario.ScenarioMetadata.html#UICatalog_Scenario_ScenarioMetadata_GetName_ - commentId: Overload:UICatalog.Scenario.ScenarioMetadata.GetName - isSpec: "True" - fullName: UICatalog.Scenario.ScenarioMetadata.GetName - nameWithType: Scenario.ScenarioMetadata.GetName -- uid: UICatalog.Scenario.ScenarioMetadata.Name - name: Name - href: api/UICatalog/UICatalog.Scenario.ScenarioMetadata.html#UICatalog_Scenario_ScenarioMetadata_Name - commentId: P:UICatalog.Scenario.ScenarioMetadata.Name - fullName: UICatalog.Scenario.ScenarioMetadata.Name - nameWithType: Scenario.ScenarioMetadata.Name -- uid: UICatalog.Scenario.ScenarioMetadata.Name* - name: Name - href: api/UICatalog/UICatalog.Scenario.ScenarioMetadata.html#UICatalog_Scenario_ScenarioMetadata_Name_ - commentId: Overload:UICatalog.Scenario.ScenarioMetadata.Name - isSpec: "True" - fullName: UICatalog.Scenario.ScenarioMetadata.Name - nameWithType: Scenario.ScenarioMetadata.Name -- uid: UICatalog.Scenario.Setup - name: Setup() - href: api/UICatalog/UICatalog.Scenario.html#UICatalog_Scenario_Setup - commentId: M:UICatalog.Scenario.Setup - fullName: UICatalog.Scenario.Setup() - nameWithType: Scenario.Setup() -- uid: UICatalog.Scenario.Setup* - name: Setup - href: api/UICatalog/UICatalog.Scenario.html#UICatalog_Scenario_Setup_ - commentId: Overload:UICatalog.Scenario.Setup - isSpec: "True" - fullName: UICatalog.Scenario.Setup - nameWithType: Scenario.Setup -- uid: UICatalog.Scenario.Top - name: Top - href: api/UICatalog/UICatalog.Scenario.html#UICatalog_Scenario_Top - commentId: P:UICatalog.Scenario.Top - fullName: UICatalog.Scenario.Top - nameWithType: Scenario.Top -- uid: UICatalog.Scenario.Top* - name: Top - href: api/UICatalog/UICatalog.Scenario.html#UICatalog_Scenario_Top_ - commentId: Overload:UICatalog.Scenario.Top - isSpec: "True" - fullName: UICatalog.Scenario.Top - nameWithType: Scenario.Top -- uid: UICatalog.Scenario.ToString - name: ToString() - href: api/UICatalog/UICatalog.Scenario.html#UICatalog_Scenario_ToString - commentId: M:UICatalog.Scenario.ToString - fullName: UICatalog.Scenario.ToString() - nameWithType: Scenario.ToString() -- uid: UICatalog.Scenario.ToString* - name: ToString - href: api/UICatalog/UICatalog.Scenario.html#UICatalog_Scenario_ToString_ - commentId: Overload:UICatalog.Scenario.ToString - isSpec: "True" - fullName: UICatalog.Scenario.ToString - nameWithType: Scenario.ToString -- uid: UICatalog.Scenario.Win - name: Win - href: api/UICatalog/UICatalog.Scenario.html#UICatalog_Scenario_Win - commentId: P:UICatalog.Scenario.Win - fullName: UICatalog.Scenario.Win - nameWithType: Scenario.Win -- uid: UICatalog.Scenario.Win* - name: Win - href: api/UICatalog/UICatalog.Scenario.html#UICatalog_Scenario_Win_ - commentId: Overload:UICatalog.Scenario.Win - isSpec: "True" - fullName: UICatalog.Scenario.Win - nameWithType: Scenario.Win -- uid: UICatalog.UICatalogApp - name: UICatalogApp - href: api/UICatalog/UICatalog.UICatalogApp.html - commentId: T:UICatalog.UICatalogApp - fullName: UICatalog.UICatalogApp - nameWithType: UICatalogApp -- uid: Unix.Terminal - name: Unix.Terminal - href: api/Terminal.Gui/Unix.Terminal.html - commentId: N:Unix.Terminal - fullName: Unix.Terminal - nameWithType: Unix.Terminal -- uid: Unix.Terminal.Curses - name: Curses - href: api/Terminal.Gui/Unix.Terminal.Curses.html - commentId: T:Unix.Terminal.Curses - fullName: Unix.Terminal.Curses - nameWithType: Curses -- uid: Unix.Terminal.Curses.A_BLINK - name: A_BLINK - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_A_BLINK - commentId: F:Unix.Terminal.Curses.A_BLINK - fullName: Unix.Terminal.Curses.A_BLINK - nameWithType: Curses.A_BLINK -- uid: Unix.Terminal.Curses.A_BOLD - name: A_BOLD - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_A_BOLD - commentId: F:Unix.Terminal.Curses.A_BOLD - fullName: Unix.Terminal.Curses.A_BOLD - nameWithType: Curses.A_BOLD -- uid: Unix.Terminal.Curses.A_DIM - name: A_DIM - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_A_DIM - commentId: F:Unix.Terminal.Curses.A_DIM - fullName: Unix.Terminal.Curses.A_DIM - nameWithType: Curses.A_DIM -- uid: Unix.Terminal.Curses.A_INVIS - name: A_INVIS - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_A_INVIS - commentId: F:Unix.Terminal.Curses.A_INVIS - fullName: Unix.Terminal.Curses.A_INVIS - nameWithType: Curses.A_INVIS -- uid: Unix.Terminal.Curses.A_NORMAL - name: A_NORMAL - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_A_NORMAL - commentId: F:Unix.Terminal.Curses.A_NORMAL - fullName: Unix.Terminal.Curses.A_NORMAL - nameWithType: Curses.A_NORMAL -- uid: Unix.Terminal.Curses.A_PROTECT - name: A_PROTECT - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_A_PROTECT - commentId: F:Unix.Terminal.Curses.A_PROTECT - fullName: Unix.Terminal.Curses.A_PROTECT - nameWithType: Curses.A_PROTECT -- uid: Unix.Terminal.Curses.A_REVERSE - name: A_REVERSE - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_A_REVERSE - commentId: F:Unix.Terminal.Curses.A_REVERSE - fullName: Unix.Terminal.Curses.A_REVERSE - nameWithType: Curses.A_REVERSE -- uid: Unix.Terminal.Curses.A_STANDOUT - name: A_STANDOUT - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_A_STANDOUT - commentId: F:Unix.Terminal.Curses.A_STANDOUT - fullName: Unix.Terminal.Curses.A_STANDOUT - nameWithType: Curses.A_STANDOUT -- uid: Unix.Terminal.Curses.A_UNDERLINE - name: A_UNDERLINE - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_A_UNDERLINE - commentId: F:Unix.Terminal.Curses.A_UNDERLINE - fullName: Unix.Terminal.Curses.A_UNDERLINE - nameWithType: Curses.A_UNDERLINE -- uid: Unix.Terminal.Curses.ACS_BLOCK - name: ACS_BLOCK - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ACS_BLOCK - commentId: F:Unix.Terminal.Curses.ACS_BLOCK - fullName: Unix.Terminal.Curses.ACS_BLOCK - nameWithType: Curses.ACS_BLOCK -- uid: Unix.Terminal.Curses.ACS_BOARD - name: ACS_BOARD - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ACS_BOARD - commentId: F:Unix.Terminal.Curses.ACS_BOARD - fullName: Unix.Terminal.Curses.ACS_BOARD - nameWithType: Curses.ACS_BOARD -- uid: Unix.Terminal.Curses.ACS_BTEE - name: ACS_BTEE - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ACS_BTEE - commentId: F:Unix.Terminal.Curses.ACS_BTEE - fullName: Unix.Terminal.Curses.ACS_BTEE - nameWithType: Curses.ACS_BTEE -- uid: Unix.Terminal.Curses.ACS_BULLET - name: ACS_BULLET - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ACS_BULLET - commentId: F:Unix.Terminal.Curses.ACS_BULLET - fullName: Unix.Terminal.Curses.ACS_BULLET - nameWithType: Curses.ACS_BULLET -- uid: Unix.Terminal.Curses.ACS_CKBOARD - name: ACS_CKBOARD - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ACS_CKBOARD - commentId: F:Unix.Terminal.Curses.ACS_CKBOARD - fullName: Unix.Terminal.Curses.ACS_CKBOARD - nameWithType: Curses.ACS_CKBOARD -- uid: Unix.Terminal.Curses.ACS_DARROW - name: ACS_DARROW - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ACS_DARROW - commentId: F:Unix.Terminal.Curses.ACS_DARROW - fullName: Unix.Terminal.Curses.ACS_DARROW - nameWithType: Curses.ACS_DARROW -- uid: Unix.Terminal.Curses.ACS_DEGREE - name: ACS_DEGREE - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ACS_DEGREE - commentId: F:Unix.Terminal.Curses.ACS_DEGREE - fullName: Unix.Terminal.Curses.ACS_DEGREE - nameWithType: Curses.ACS_DEGREE -- uid: Unix.Terminal.Curses.ACS_DIAMOND - name: ACS_DIAMOND - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ACS_DIAMOND - commentId: F:Unix.Terminal.Curses.ACS_DIAMOND - fullName: Unix.Terminal.Curses.ACS_DIAMOND - nameWithType: Curses.ACS_DIAMOND -- uid: Unix.Terminal.Curses.ACS_HLINE - name: ACS_HLINE - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ACS_HLINE - commentId: F:Unix.Terminal.Curses.ACS_HLINE - fullName: Unix.Terminal.Curses.ACS_HLINE - nameWithType: Curses.ACS_HLINE -- uid: Unix.Terminal.Curses.ACS_LANTERN - name: ACS_LANTERN - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ACS_LANTERN - commentId: F:Unix.Terminal.Curses.ACS_LANTERN - fullName: Unix.Terminal.Curses.ACS_LANTERN - nameWithType: Curses.ACS_LANTERN -- uid: Unix.Terminal.Curses.ACS_LARROW - name: ACS_LARROW - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ACS_LARROW - commentId: F:Unix.Terminal.Curses.ACS_LARROW - fullName: Unix.Terminal.Curses.ACS_LARROW - nameWithType: Curses.ACS_LARROW -- uid: Unix.Terminal.Curses.ACS_LLCORNER - name: ACS_LLCORNER - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ACS_LLCORNER - commentId: F:Unix.Terminal.Curses.ACS_LLCORNER - fullName: Unix.Terminal.Curses.ACS_LLCORNER - nameWithType: Curses.ACS_LLCORNER -- uid: Unix.Terminal.Curses.ACS_LRCORNER - name: ACS_LRCORNER - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ACS_LRCORNER - commentId: F:Unix.Terminal.Curses.ACS_LRCORNER - fullName: Unix.Terminal.Curses.ACS_LRCORNER - nameWithType: Curses.ACS_LRCORNER -- uid: Unix.Terminal.Curses.ACS_LTEE - name: ACS_LTEE - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ACS_LTEE - commentId: F:Unix.Terminal.Curses.ACS_LTEE - fullName: Unix.Terminal.Curses.ACS_LTEE - nameWithType: Curses.ACS_LTEE -- uid: Unix.Terminal.Curses.ACS_PLMINUS - name: ACS_PLMINUS - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ACS_PLMINUS - commentId: F:Unix.Terminal.Curses.ACS_PLMINUS - fullName: Unix.Terminal.Curses.ACS_PLMINUS - nameWithType: Curses.ACS_PLMINUS -- uid: Unix.Terminal.Curses.ACS_PLUS - name: ACS_PLUS - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ACS_PLUS - commentId: F:Unix.Terminal.Curses.ACS_PLUS - fullName: Unix.Terminal.Curses.ACS_PLUS - nameWithType: Curses.ACS_PLUS -- uid: Unix.Terminal.Curses.ACS_RARROW - name: ACS_RARROW - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ACS_RARROW - commentId: F:Unix.Terminal.Curses.ACS_RARROW - fullName: Unix.Terminal.Curses.ACS_RARROW - nameWithType: Curses.ACS_RARROW -- uid: Unix.Terminal.Curses.ACS_RTEE - name: ACS_RTEE - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ACS_RTEE - commentId: F:Unix.Terminal.Curses.ACS_RTEE - fullName: Unix.Terminal.Curses.ACS_RTEE - nameWithType: Curses.ACS_RTEE -- uid: Unix.Terminal.Curses.ACS_S1 - name: ACS_S1 - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ACS_S1 - commentId: F:Unix.Terminal.Curses.ACS_S1 - fullName: Unix.Terminal.Curses.ACS_S1 - nameWithType: Curses.ACS_S1 -- uid: Unix.Terminal.Curses.ACS_S9 - name: ACS_S9 - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ACS_S9 - commentId: F:Unix.Terminal.Curses.ACS_S9 - fullName: Unix.Terminal.Curses.ACS_S9 - nameWithType: Curses.ACS_S9 -- uid: Unix.Terminal.Curses.ACS_TTEE - name: ACS_TTEE - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ACS_TTEE - commentId: F:Unix.Terminal.Curses.ACS_TTEE - fullName: Unix.Terminal.Curses.ACS_TTEE - nameWithType: Curses.ACS_TTEE -- uid: Unix.Terminal.Curses.ACS_UARROW - name: ACS_UARROW - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ACS_UARROW - commentId: F:Unix.Terminal.Curses.ACS_UARROW - fullName: Unix.Terminal.Curses.ACS_UARROW - nameWithType: Curses.ACS_UARROW -- uid: Unix.Terminal.Curses.ACS_ULCORNER - name: ACS_ULCORNER - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ACS_ULCORNER - commentId: F:Unix.Terminal.Curses.ACS_ULCORNER - fullName: Unix.Terminal.Curses.ACS_ULCORNER - nameWithType: Curses.ACS_ULCORNER -- uid: Unix.Terminal.Curses.ACS_URCORNER - name: ACS_URCORNER - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ACS_URCORNER - commentId: F:Unix.Terminal.Curses.ACS_URCORNER - fullName: Unix.Terminal.Curses.ACS_URCORNER - nameWithType: Curses.ACS_URCORNER -- uid: Unix.Terminal.Curses.ACS_VLINE - name: ACS_VLINE - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ACS_VLINE - commentId: F:Unix.Terminal.Curses.ACS_VLINE - fullName: Unix.Terminal.Curses.ACS_VLINE - nameWithType: Curses.ACS_VLINE -- uid: Unix.Terminal.Curses.addch(System.Int32) - name: addch(Int32) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_addch_System_Int32_ - commentId: M:Unix.Terminal.Curses.addch(System.Int32) - fullName: Unix.Terminal.Curses.addch(System.Int32) - nameWithType: Curses.addch(Int32) -- uid: Unix.Terminal.Curses.addch* - name: addch - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_addch_ - commentId: Overload:Unix.Terminal.Curses.addch - isSpec: "True" - fullName: Unix.Terminal.Curses.addch - nameWithType: Curses.addch -- uid: Unix.Terminal.Curses.addstr(System.String,System.Object[]) - name: addstr(String, Object[]) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_addstr_System_String_System_Object___ - commentId: M:Unix.Terminal.Curses.addstr(System.String,System.Object[]) - name.vb: addstr(String, Object()) - fullName: Unix.Terminal.Curses.addstr(System.String, System.Object[]) - fullName.vb: Unix.Terminal.Curses.addstr(System.String, System.Object()) - nameWithType: Curses.addstr(String, Object[]) - nameWithType.vb: Curses.addstr(String, Object()) -- uid: Unix.Terminal.Curses.addstr* - name: addstr - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_addstr_ - commentId: Overload:Unix.Terminal.Curses.addstr - isSpec: "True" - fullName: Unix.Terminal.Curses.addstr - nameWithType: Curses.addstr -- uid: Unix.Terminal.Curses.addwstr(System.String) - name: addwstr(String) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_addwstr_System_String_ - commentId: M:Unix.Terminal.Curses.addwstr(System.String) - fullName: Unix.Terminal.Curses.addwstr(System.String) - nameWithType: Curses.addwstr(String) -- uid: Unix.Terminal.Curses.addwstr* - name: addwstr - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_addwstr_ - commentId: Overload:Unix.Terminal.Curses.addwstr - isSpec: "True" - fullName: Unix.Terminal.Curses.addwstr - nameWithType: Curses.addwstr -- uid: Unix.Terminal.Curses.AltKeyDown - name: AltKeyDown - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_AltKeyDown - commentId: F:Unix.Terminal.Curses.AltKeyDown - fullName: Unix.Terminal.Curses.AltKeyDown - nameWithType: Curses.AltKeyDown -- uid: Unix.Terminal.Curses.AltKeyEnd - name: AltKeyEnd - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_AltKeyEnd - commentId: F:Unix.Terminal.Curses.AltKeyEnd - fullName: Unix.Terminal.Curses.AltKeyEnd - nameWithType: Curses.AltKeyEnd -- uid: Unix.Terminal.Curses.AltKeyHome - name: AltKeyHome - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_AltKeyHome - commentId: F:Unix.Terminal.Curses.AltKeyHome - fullName: Unix.Terminal.Curses.AltKeyHome - nameWithType: Curses.AltKeyHome -- uid: Unix.Terminal.Curses.AltKeyLeft - name: AltKeyLeft - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_AltKeyLeft - commentId: F:Unix.Terminal.Curses.AltKeyLeft - fullName: Unix.Terminal.Curses.AltKeyLeft - nameWithType: Curses.AltKeyLeft -- uid: Unix.Terminal.Curses.AltKeyNPage - name: AltKeyNPage - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_AltKeyNPage - commentId: F:Unix.Terminal.Curses.AltKeyNPage - fullName: Unix.Terminal.Curses.AltKeyNPage - nameWithType: Curses.AltKeyNPage -- uid: Unix.Terminal.Curses.AltKeyPPage - name: AltKeyPPage - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_AltKeyPPage - commentId: F:Unix.Terminal.Curses.AltKeyPPage - fullName: Unix.Terminal.Curses.AltKeyPPage - nameWithType: Curses.AltKeyPPage -- uid: Unix.Terminal.Curses.AltKeyRight - name: AltKeyRight - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_AltKeyRight - commentId: F:Unix.Terminal.Curses.AltKeyRight - fullName: Unix.Terminal.Curses.AltKeyRight - nameWithType: Curses.AltKeyRight -- uid: Unix.Terminal.Curses.AltKeyUp - name: AltKeyUp - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_AltKeyUp - commentId: F:Unix.Terminal.Curses.AltKeyUp - fullName: Unix.Terminal.Curses.AltKeyUp - nameWithType: Curses.AltKeyUp -- uid: Unix.Terminal.Curses.attroff(System.Int32) - name: attroff(Int32) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_attroff_System_Int32_ - commentId: M:Unix.Terminal.Curses.attroff(System.Int32) - fullName: Unix.Terminal.Curses.attroff(System.Int32) - nameWithType: Curses.attroff(Int32) -- uid: Unix.Terminal.Curses.attroff* - name: attroff - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_attroff_ - commentId: Overload:Unix.Terminal.Curses.attroff - isSpec: "True" - fullName: Unix.Terminal.Curses.attroff - nameWithType: Curses.attroff -- uid: Unix.Terminal.Curses.attron(System.Int32) - name: attron(Int32) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_attron_System_Int32_ - commentId: M:Unix.Terminal.Curses.attron(System.Int32) - fullName: Unix.Terminal.Curses.attron(System.Int32) - nameWithType: Curses.attron(Int32) -- uid: Unix.Terminal.Curses.attron* - name: attron - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_attron_ - commentId: Overload:Unix.Terminal.Curses.attron - isSpec: "True" - fullName: Unix.Terminal.Curses.attron - nameWithType: Curses.attron -- uid: Unix.Terminal.Curses.attrset(System.Int32) - name: attrset(Int32) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_attrset_System_Int32_ - commentId: M:Unix.Terminal.Curses.attrset(System.Int32) - fullName: Unix.Terminal.Curses.attrset(System.Int32) - nameWithType: Curses.attrset(Int32) -- uid: Unix.Terminal.Curses.attrset* - name: attrset - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_attrset_ - commentId: Overload:Unix.Terminal.Curses.attrset - isSpec: "True" - fullName: Unix.Terminal.Curses.attrset - nameWithType: Curses.attrset -- uid: Unix.Terminal.Curses.cbreak - name: cbreak() - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_cbreak - commentId: M:Unix.Terminal.Curses.cbreak - fullName: Unix.Terminal.Curses.cbreak() - nameWithType: Curses.cbreak() -- uid: Unix.Terminal.Curses.cbreak* - name: cbreak - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_cbreak_ - commentId: Overload:Unix.Terminal.Curses.cbreak - isSpec: "True" - fullName: Unix.Terminal.Curses.cbreak - nameWithType: Curses.cbreak -- uid: Unix.Terminal.Curses.CheckWinChange - name: CheckWinChange() - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_CheckWinChange - commentId: M:Unix.Terminal.Curses.CheckWinChange - fullName: Unix.Terminal.Curses.CheckWinChange() - nameWithType: Curses.CheckWinChange() -- uid: Unix.Terminal.Curses.CheckWinChange* - name: CheckWinChange - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_CheckWinChange_ - commentId: Overload:Unix.Terminal.Curses.CheckWinChange - isSpec: "True" - fullName: Unix.Terminal.Curses.CheckWinChange - nameWithType: Curses.CheckWinChange -- uid: Unix.Terminal.Curses.clearok(System.IntPtr,System.Boolean) - name: clearok(IntPtr, Boolean) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_clearok_System_IntPtr_System_Boolean_ - commentId: M:Unix.Terminal.Curses.clearok(System.IntPtr,System.Boolean) - fullName: Unix.Terminal.Curses.clearok(System.IntPtr, System.Boolean) - nameWithType: Curses.clearok(IntPtr, Boolean) -- uid: Unix.Terminal.Curses.clearok* - name: clearok - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_clearok_ - commentId: Overload:Unix.Terminal.Curses.clearok - isSpec: "True" - fullName: Unix.Terminal.Curses.clearok - nameWithType: Curses.clearok -- uid: Unix.Terminal.Curses.COLOR_BLACK - name: COLOR_BLACK - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_COLOR_BLACK - commentId: F:Unix.Terminal.Curses.COLOR_BLACK - fullName: Unix.Terminal.Curses.COLOR_BLACK - nameWithType: Curses.COLOR_BLACK -- uid: Unix.Terminal.Curses.COLOR_BLUE - name: COLOR_BLUE - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_COLOR_BLUE - commentId: F:Unix.Terminal.Curses.COLOR_BLUE - fullName: Unix.Terminal.Curses.COLOR_BLUE - nameWithType: Curses.COLOR_BLUE -- uid: Unix.Terminal.Curses.COLOR_CYAN - name: COLOR_CYAN - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_COLOR_CYAN - commentId: F:Unix.Terminal.Curses.COLOR_CYAN - fullName: Unix.Terminal.Curses.COLOR_CYAN - nameWithType: Curses.COLOR_CYAN -- uid: Unix.Terminal.Curses.COLOR_GREEN - name: COLOR_GREEN - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_COLOR_GREEN - commentId: F:Unix.Terminal.Curses.COLOR_GREEN - fullName: Unix.Terminal.Curses.COLOR_GREEN - nameWithType: Curses.COLOR_GREEN -- uid: Unix.Terminal.Curses.COLOR_MAGENTA - name: COLOR_MAGENTA - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_COLOR_MAGENTA - commentId: F:Unix.Terminal.Curses.COLOR_MAGENTA - fullName: Unix.Terminal.Curses.COLOR_MAGENTA - nameWithType: Curses.COLOR_MAGENTA -- uid: Unix.Terminal.Curses.COLOR_PAIRS - name: COLOR_PAIRS() - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_COLOR_PAIRS - commentId: M:Unix.Terminal.Curses.COLOR_PAIRS - fullName: Unix.Terminal.Curses.COLOR_PAIRS() - nameWithType: Curses.COLOR_PAIRS() -- uid: Unix.Terminal.Curses.COLOR_PAIRS* - name: COLOR_PAIRS - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_COLOR_PAIRS_ - commentId: Overload:Unix.Terminal.Curses.COLOR_PAIRS - isSpec: "True" - fullName: Unix.Terminal.Curses.COLOR_PAIRS - nameWithType: Curses.COLOR_PAIRS -- uid: Unix.Terminal.Curses.COLOR_RED - name: COLOR_RED - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_COLOR_RED - commentId: F:Unix.Terminal.Curses.COLOR_RED - fullName: Unix.Terminal.Curses.COLOR_RED - nameWithType: Curses.COLOR_RED -- uid: Unix.Terminal.Curses.COLOR_WHITE - name: COLOR_WHITE - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_COLOR_WHITE - commentId: F:Unix.Terminal.Curses.COLOR_WHITE - fullName: Unix.Terminal.Curses.COLOR_WHITE - nameWithType: Curses.COLOR_WHITE -- uid: Unix.Terminal.Curses.COLOR_YELLOW - name: COLOR_YELLOW - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_COLOR_YELLOW - commentId: F:Unix.Terminal.Curses.COLOR_YELLOW - fullName: Unix.Terminal.Curses.COLOR_YELLOW - nameWithType: Curses.COLOR_YELLOW -- uid: Unix.Terminal.Curses.ColorPair(System.Int32) - name: ColorPair(Int32) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ColorPair_System_Int32_ - commentId: M:Unix.Terminal.Curses.ColorPair(System.Int32) - fullName: Unix.Terminal.Curses.ColorPair(System.Int32) - nameWithType: Curses.ColorPair(Int32) -- uid: Unix.Terminal.Curses.ColorPair* - name: ColorPair - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ColorPair_ - commentId: Overload:Unix.Terminal.Curses.ColorPair - isSpec: "True" - fullName: Unix.Terminal.Curses.ColorPair - nameWithType: Curses.ColorPair -- uid: Unix.Terminal.Curses.ColorPairs - name: ColorPairs - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ColorPairs - commentId: P:Unix.Terminal.Curses.ColorPairs - fullName: Unix.Terminal.Curses.ColorPairs - nameWithType: Curses.ColorPairs -- uid: Unix.Terminal.Curses.ColorPairs* - name: ColorPairs - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ColorPairs_ - commentId: Overload:Unix.Terminal.Curses.ColorPairs - isSpec: "True" - fullName: Unix.Terminal.Curses.ColorPairs - nameWithType: Curses.ColorPairs -- uid: Unix.Terminal.Curses.Cols - name: Cols - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_Cols - commentId: P:Unix.Terminal.Curses.Cols - fullName: Unix.Terminal.Curses.Cols - nameWithType: Curses.Cols -- uid: Unix.Terminal.Curses.Cols* - name: Cols - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_Cols_ - commentId: Overload:Unix.Terminal.Curses.Cols - isSpec: "True" - fullName: Unix.Terminal.Curses.Cols - nameWithType: Curses.Cols -- uid: Unix.Terminal.Curses.CtrlKeyDown - name: CtrlKeyDown - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_CtrlKeyDown - commentId: F:Unix.Terminal.Curses.CtrlKeyDown - fullName: Unix.Terminal.Curses.CtrlKeyDown - nameWithType: Curses.CtrlKeyDown -- uid: Unix.Terminal.Curses.CtrlKeyEnd - name: CtrlKeyEnd - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_CtrlKeyEnd - commentId: F:Unix.Terminal.Curses.CtrlKeyEnd - fullName: Unix.Terminal.Curses.CtrlKeyEnd - nameWithType: Curses.CtrlKeyEnd -- uid: Unix.Terminal.Curses.CtrlKeyHome - name: CtrlKeyHome - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_CtrlKeyHome - commentId: F:Unix.Terminal.Curses.CtrlKeyHome - fullName: Unix.Terminal.Curses.CtrlKeyHome - nameWithType: Curses.CtrlKeyHome -- uid: Unix.Terminal.Curses.CtrlKeyLeft - name: CtrlKeyLeft - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_CtrlKeyLeft - commentId: F:Unix.Terminal.Curses.CtrlKeyLeft - fullName: Unix.Terminal.Curses.CtrlKeyLeft - nameWithType: Curses.CtrlKeyLeft -- uid: Unix.Terminal.Curses.CtrlKeyNPage - name: CtrlKeyNPage - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_CtrlKeyNPage - commentId: F:Unix.Terminal.Curses.CtrlKeyNPage - fullName: Unix.Terminal.Curses.CtrlKeyNPage - nameWithType: Curses.CtrlKeyNPage -- uid: Unix.Terminal.Curses.CtrlKeyPPage - name: CtrlKeyPPage - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_CtrlKeyPPage - commentId: F:Unix.Terminal.Curses.CtrlKeyPPage - fullName: Unix.Terminal.Curses.CtrlKeyPPage - nameWithType: Curses.CtrlKeyPPage -- uid: Unix.Terminal.Curses.CtrlKeyRight - name: CtrlKeyRight - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_CtrlKeyRight - commentId: F:Unix.Terminal.Curses.CtrlKeyRight - fullName: Unix.Terminal.Curses.CtrlKeyRight - nameWithType: Curses.CtrlKeyRight -- uid: Unix.Terminal.Curses.CtrlKeyUp - name: CtrlKeyUp - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_CtrlKeyUp - commentId: F:Unix.Terminal.Curses.CtrlKeyUp - fullName: Unix.Terminal.Curses.CtrlKeyUp - nameWithType: Curses.CtrlKeyUp -- uid: Unix.Terminal.Curses.doupdate - name: doupdate() - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_doupdate - commentId: M:Unix.Terminal.Curses.doupdate - fullName: Unix.Terminal.Curses.doupdate() - nameWithType: Curses.doupdate() -- uid: Unix.Terminal.Curses.doupdate* - name: doupdate - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_doupdate_ - commentId: Overload:Unix.Terminal.Curses.doupdate - isSpec: "True" - fullName: Unix.Terminal.Curses.doupdate - nameWithType: Curses.doupdate -- uid: Unix.Terminal.Curses.DownEnd - name: DownEnd - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_DownEnd - commentId: F:Unix.Terminal.Curses.DownEnd - fullName: Unix.Terminal.Curses.DownEnd - nameWithType: Curses.DownEnd -- uid: Unix.Terminal.Curses.echo - name: echo() - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_echo - commentId: M:Unix.Terminal.Curses.echo - fullName: Unix.Terminal.Curses.echo() - nameWithType: Curses.echo() -- uid: Unix.Terminal.Curses.echo* - name: echo - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_echo_ - commentId: Overload:Unix.Terminal.Curses.echo - isSpec: "True" - fullName: Unix.Terminal.Curses.echo - nameWithType: Curses.echo -- uid: Unix.Terminal.Curses.endwin - name: endwin() - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_endwin - commentId: M:Unix.Terminal.Curses.endwin - fullName: Unix.Terminal.Curses.endwin() - nameWithType: Curses.endwin() -- uid: Unix.Terminal.Curses.endwin* - name: endwin - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_endwin_ - commentId: Overload:Unix.Terminal.Curses.endwin - isSpec: "True" - fullName: Unix.Terminal.Curses.endwin - nameWithType: Curses.endwin -- uid: Unix.Terminal.Curses.ERR - name: ERR - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ERR - commentId: F:Unix.Terminal.Curses.ERR - fullName: Unix.Terminal.Curses.ERR - nameWithType: Curses.ERR -- uid: Unix.Terminal.Curses.Event - name: Curses.Event - href: api/Terminal.Gui/Unix.Terminal.Curses.Event.html - commentId: T:Unix.Terminal.Curses.Event - fullName: Unix.Terminal.Curses.Event - nameWithType: Curses.Event -- uid: Unix.Terminal.Curses.Event.AllEvents - name: AllEvents - href: api/Terminal.Gui/Unix.Terminal.Curses.Event.html#Unix_Terminal_Curses_Event_AllEvents - commentId: F:Unix.Terminal.Curses.Event.AllEvents - fullName: Unix.Terminal.Curses.Event.AllEvents - nameWithType: Curses.Event.AllEvents -- uid: Unix.Terminal.Curses.Event.Button1Clicked - name: Button1Clicked - href: api/Terminal.Gui/Unix.Terminal.Curses.Event.html#Unix_Terminal_Curses_Event_Button1Clicked - commentId: F:Unix.Terminal.Curses.Event.Button1Clicked - fullName: Unix.Terminal.Curses.Event.Button1Clicked - nameWithType: Curses.Event.Button1Clicked -- uid: Unix.Terminal.Curses.Event.Button1DoubleClicked - name: Button1DoubleClicked - href: api/Terminal.Gui/Unix.Terminal.Curses.Event.html#Unix_Terminal_Curses_Event_Button1DoubleClicked - commentId: F:Unix.Terminal.Curses.Event.Button1DoubleClicked - fullName: Unix.Terminal.Curses.Event.Button1DoubleClicked - nameWithType: Curses.Event.Button1DoubleClicked -- uid: Unix.Terminal.Curses.Event.Button1Pressed - name: Button1Pressed - href: api/Terminal.Gui/Unix.Terminal.Curses.Event.html#Unix_Terminal_Curses_Event_Button1Pressed - commentId: F:Unix.Terminal.Curses.Event.Button1Pressed - fullName: Unix.Terminal.Curses.Event.Button1Pressed - nameWithType: Curses.Event.Button1Pressed -- uid: Unix.Terminal.Curses.Event.Button1Released - name: Button1Released - href: api/Terminal.Gui/Unix.Terminal.Curses.Event.html#Unix_Terminal_Curses_Event_Button1Released - commentId: F:Unix.Terminal.Curses.Event.Button1Released - fullName: Unix.Terminal.Curses.Event.Button1Released - nameWithType: Curses.Event.Button1Released -- uid: Unix.Terminal.Curses.Event.Button1TripleClicked - name: Button1TripleClicked - href: api/Terminal.Gui/Unix.Terminal.Curses.Event.html#Unix_Terminal_Curses_Event_Button1TripleClicked - commentId: F:Unix.Terminal.Curses.Event.Button1TripleClicked - fullName: Unix.Terminal.Curses.Event.Button1TripleClicked - nameWithType: Curses.Event.Button1TripleClicked -- uid: Unix.Terminal.Curses.Event.Button2Clicked - name: Button2Clicked - href: api/Terminal.Gui/Unix.Terminal.Curses.Event.html#Unix_Terminal_Curses_Event_Button2Clicked - commentId: F:Unix.Terminal.Curses.Event.Button2Clicked - fullName: Unix.Terminal.Curses.Event.Button2Clicked - nameWithType: Curses.Event.Button2Clicked -- uid: Unix.Terminal.Curses.Event.Button2DoubleClicked - name: Button2DoubleClicked - href: api/Terminal.Gui/Unix.Terminal.Curses.Event.html#Unix_Terminal_Curses_Event_Button2DoubleClicked - commentId: F:Unix.Terminal.Curses.Event.Button2DoubleClicked - fullName: Unix.Terminal.Curses.Event.Button2DoubleClicked - nameWithType: Curses.Event.Button2DoubleClicked -- uid: Unix.Terminal.Curses.Event.Button2Pressed - name: Button2Pressed - href: api/Terminal.Gui/Unix.Terminal.Curses.Event.html#Unix_Terminal_Curses_Event_Button2Pressed - commentId: F:Unix.Terminal.Curses.Event.Button2Pressed - fullName: Unix.Terminal.Curses.Event.Button2Pressed - nameWithType: Curses.Event.Button2Pressed -- uid: Unix.Terminal.Curses.Event.Button2Released - name: Button2Released - href: api/Terminal.Gui/Unix.Terminal.Curses.Event.html#Unix_Terminal_Curses_Event_Button2Released - commentId: F:Unix.Terminal.Curses.Event.Button2Released - fullName: Unix.Terminal.Curses.Event.Button2Released - nameWithType: Curses.Event.Button2Released -- uid: Unix.Terminal.Curses.Event.Button2TrippleClicked - name: Button2TrippleClicked - href: api/Terminal.Gui/Unix.Terminal.Curses.Event.html#Unix_Terminal_Curses_Event_Button2TrippleClicked - commentId: F:Unix.Terminal.Curses.Event.Button2TrippleClicked - fullName: Unix.Terminal.Curses.Event.Button2TrippleClicked - nameWithType: Curses.Event.Button2TrippleClicked -- uid: Unix.Terminal.Curses.Event.Button3Clicked - name: Button3Clicked - href: api/Terminal.Gui/Unix.Terminal.Curses.Event.html#Unix_Terminal_Curses_Event_Button3Clicked - commentId: F:Unix.Terminal.Curses.Event.Button3Clicked - fullName: Unix.Terminal.Curses.Event.Button3Clicked - nameWithType: Curses.Event.Button3Clicked -- uid: Unix.Terminal.Curses.Event.Button3DoubleClicked - name: Button3DoubleClicked - href: api/Terminal.Gui/Unix.Terminal.Curses.Event.html#Unix_Terminal_Curses_Event_Button3DoubleClicked - commentId: F:Unix.Terminal.Curses.Event.Button3DoubleClicked - fullName: Unix.Terminal.Curses.Event.Button3DoubleClicked - nameWithType: Curses.Event.Button3DoubleClicked -- uid: Unix.Terminal.Curses.Event.Button3Pressed - name: Button3Pressed - href: api/Terminal.Gui/Unix.Terminal.Curses.Event.html#Unix_Terminal_Curses_Event_Button3Pressed - commentId: F:Unix.Terminal.Curses.Event.Button3Pressed - fullName: Unix.Terminal.Curses.Event.Button3Pressed - nameWithType: Curses.Event.Button3Pressed -- uid: Unix.Terminal.Curses.Event.Button3Released - name: Button3Released - href: api/Terminal.Gui/Unix.Terminal.Curses.Event.html#Unix_Terminal_Curses_Event_Button3Released - commentId: F:Unix.Terminal.Curses.Event.Button3Released - fullName: Unix.Terminal.Curses.Event.Button3Released - nameWithType: Curses.Event.Button3Released -- uid: Unix.Terminal.Curses.Event.Button3TripleClicked - name: Button3TripleClicked - href: api/Terminal.Gui/Unix.Terminal.Curses.Event.html#Unix_Terminal_Curses_Event_Button3TripleClicked - commentId: F:Unix.Terminal.Curses.Event.Button3TripleClicked - fullName: Unix.Terminal.Curses.Event.Button3TripleClicked - nameWithType: Curses.Event.Button3TripleClicked -- uid: Unix.Terminal.Curses.Event.Button4Clicked - name: Button4Clicked - href: api/Terminal.Gui/Unix.Terminal.Curses.Event.html#Unix_Terminal_Curses_Event_Button4Clicked - commentId: F:Unix.Terminal.Curses.Event.Button4Clicked - fullName: Unix.Terminal.Curses.Event.Button4Clicked - nameWithType: Curses.Event.Button4Clicked -- uid: Unix.Terminal.Curses.Event.Button4DoubleClicked - name: Button4DoubleClicked - href: api/Terminal.Gui/Unix.Terminal.Curses.Event.html#Unix_Terminal_Curses_Event_Button4DoubleClicked - commentId: F:Unix.Terminal.Curses.Event.Button4DoubleClicked - fullName: Unix.Terminal.Curses.Event.Button4DoubleClicked - nameWithType: Curses.Event.Button4DoubleClicked -- uid: Unix.Terminal.Curses.Event.Button4Pressed - name: Button4Pressed - href: api/Terminal.Gui/Unix.Terminal.Curses.Event.html#Unix_Terminal_Curses_Event_Button4Pressed - commentId: F:Unix.Terminal.Curses.Event.Button4Pressed - fullName: Unix.Terminal.Curses.Event.Button4Pressed - nameWithType: Curses.Event.Button4Pressed -- uid: Unix.Terminal.Curses.Event.Button4Released - name: Button4Released - href: api/Terminal.Gui/Unix.Terminal.Curses.Event.html#Unix_Terminal_Curses_Event_Button4Released - commentId: F:Unix.Terminal.Curses.Event.Button4Released - fullName: Unix.Terminal.Curses.Event.Button4Released - nameWithType: Curses.Event.Button4Released -- uid: Unix.Terminal.Curses.Event.Button4TripleClicked - name: Button4TripleClicked - href: api/Terminal.Gui/Unix.Terminal.Curses.Event.html#Unix_Terminal_Curses_Event_Button4TripleClicked - commentId: F:Unix.Terminal.Curses.Event.Button4TripleClicked - fullName: Unix.Terminal.Curses.Event.Button4TripleClicked - nameWithType: Curses.Event.Button4TripleClicked -- uid: Unix.Terminal.Curses.Event.ButtonAlt - name: ButtonAlt - href: api/Terminal.Gui/Unix.Terminal.Curses.Event.html#Unix_Terminal_Curses_Event_ButtonAlt - commentId: F:Unix.Terminal.Curses.Event.ButtonAlt - fullName: Unix.Terminal.Curses.Event.ButtonAlt - nameWithType: Curses.Event.ButtonAlt -- uid: Unix.Terminal.Curses.Event.ButtonCtrl - name: ButtonCtrl - href: api/Terminal.Gui/Unix.Terminal.Curses.Event.html#Unix_Terminal_Curses_Event_ButtonCtrl - commentId: F:Unix.Terminal.Curses.Event.ButtonCtrl - fullName: Unix.Terminal.Curses.Event.ButtonCtrl - nameWithType: Curses.Event.ButtonCtrl -- uid: Unix.Terminal.Curses.Event.ButtonShift - name: ButtonShift - href: api/Terminal.Gui/Unix.Terminal.Curses.Event.html#Unix_Terminal_Curses_Event_ButtonShift - commentId: F:Unix.Terminal.Curses.Event.ButtonShift - fullName: Unix.Terminal.Curses.Event.ButtonShift - nameWithType: Curses.Event.ButtonShift -- uid: Unix.Terminal.Curses.Event.ReportMousePosition - name: ReportMousePosition - href: api/Terminal.Gui/Unix.Terminal.Curses.Event.html#Unix_Terminal_Curses_Event_ReportMousePosition - commentId: F:Unix.Terminal.Curses.Event.ReportMousePosition - fullName: Unix.Terminal.Curses.Event.ReportMousePosition - nameWithType: Curses.Event.ReportMousePosition -- uid: Unix.Terminal.Curses.get_wch(System.Int32@) - name: get_wch(out Int32) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_get_wch_System_Int32__ - commentId: M:Unix.Terminal.Curses.get_wch(System.Int32@) - name.vb: get_wch(ByRef Int32) - fullName: Unix.Terminal.Curses.get_wch(out System.Int32) - fullName.vb: Unix.Terminal.Curses.get_wch(ByRef System.Int32) - nameWithType: Curses.get_wch(out Int32) - nameWithType.vb: Curses.get_wch(ByRef Int32) -- uid: Unix.Terminal.Curses.get_wch* - name: get_wch - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_get_wch_ - commentId: Overload:Unix.Terminal.Curses.get_wch - isSpec: "True" - fullName: Unix.Terminal.Curses.get_wch - nameWithType: Curses.get_wch -- uid: Unix.Terminal.Curses.getch - name: getch() - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_getch - commentId: M:Unix.Terminal.Curses.getch - fullName: Unix.Terminal.Curses.getch() - nameWithType: Curses.getch() -- uid: Unix.Terminal.Curses.getch* - name: getch - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_getch_ - commentId: Overload:Unix.Terminal.Curses.getch - isSpec: "True" - fullName: Unix.Terminal.Curses.getch - nameWithType: Curses.getch -- uid: Unix.Terminal.Curses.getmouse(Unix.Terminal.Curses.MouseEvent@) - name: getmouse(out Curses.MouseEvent) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_getmouse_Unix_Terminal_Curses_MouseEvent__ - commentId: M:Unix.Terminal.Curses.getmouse(Unix.Terminal.Curses.MouseEvent@) - name.vb: getmouse(ByRef Curses.MouseEvent) - fullName: Unix.Terminal.Curses.getmouse(out Unix.Terminal.Curses.MouseEvent) - fullName.vb: Unix.Terminal.Curses.getmouse(ByRef Unix.Terminal.Curses.MouseEvent) - nameWithType: Curses.getmouse(out Curses.MouseEvent) - nameWithType.vb: Curses.getmouse(ByRef Curses.MouseEvent) -- uid: Unix.Terminal.Curses.getmouse* - name: getmouse - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_getmouse_ - commentId: Overload:Unix.Terminal.Curses.getmouse - isSpec: "True" - fullName: Unix.Terminal.Curses.getmouse - nameWithType: Curses.getmouse -- uid: Unix.Terminal.Curses.halfdelay(System.Int32) - name: halfdelay(Int32) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_halfdelay_System_Int32_ - commentId: M:Unix.Terminal.Curses.halfdelay(System.Int32) - fullName: Unix.Terminal.Curses.halfdelay(System.Int32) - nameWithType: Curses.halfdelay(Int32) -- uid: Unix.Terminal.Curses.halfdelay* - name: halfdelay - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_halfdelay_ - commentId: Overload:Unix.Terminal.Curses.halfdelay - isSpec: "True" - fullName: Unix.Terminal.Curses.halfdelay - nameWithType: Curses.halfdelay -- uid: Unix.Terminal.Curses.has_colors - name: has_colors() - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_has_colors - commentId: M:Unix.Terminal.Curses.has_colors - fullName: Unix.Terminal.Curses.has_colors() - nameWithType: Curses.has_colors() -- uid: Unix.Terminal.Curses.has_colors* - name: has_colors - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_has_colors_ - commentId: Overload:Unix.Terminal.Curses.has_colors - isSpec: "True" - fullName: Unix.Terminal.Curses.has_colors - nameWithType: Curses.has_colors -- uid: Unix.Terminal.Curses.HasColors - name: HasColors - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_HasColors - commentId: P:Unix.Terminal.Curses.HasColors - fullName: Unix.Terminal.Curses.HasColors - nameWithType: Curses.HasColors -- uid: Unix.Terminal.Curses.HasColors* - name: HasColors - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_HasColors_ - commentId: Overload:Unix.Terminal.Curses.HasColors - isSpec: "True" - fullName: Unix.Terminal.Curses.HasColors - nameWithType: Curses.HasColors -- uid: Unix.Terminal.Curses.Home - name: Home - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_Home - commentId: F:Unix.Terminal.Curses.Home - fullName: Unix.Terminal.Curses.Home - nameWithType: Curses.Home -- uid: Unix.Terminal.Curses.idcok(System.IntPtr,System.Boolean) - name: idcok(IntPtr, Boolean) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_idcok_System_IntPtr_System_Boolean_ - commentId: M:Unix.Terminal.Curses.idcok(System.IntPtr,System.Boolean) - fullName: Unix.Terminal.Curses.idcok(System.IntPtr, System.Boolean) - nameWithType: Curses.idcok(IntPtr, Boolean) -- uid: Unix.Terminal.Curses.idcok* - name: idcok - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_idcok_ - commentId: Overload:Unix.Terminal.Curses.idcok - isSpec: "True" - fullName: Unix.Terminal.Curses.idcok - nameWithType: Curses.idcok -- uid: Unix.Terminal.Curses.idlok(System.IntPtr,System.Boolean) - name: idlok(IntPtr, Boolean) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_idlok_System_IntPtr_System_Boolean_ - commentId: M:Unix.Terminal.Curses.idlok(System.IntPtr,System.Boolean) - fullName: Unix.Terminal.Curses.idlok(System.IntPtr, System.Boolean) - nameWithType: Curses.idlok(IntPtr, Boolean) -- uid: Unix.Terminal.Curses.idlok* - name: idlok - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_idlok_ - commentId: Overload:Unix.Terminal.Curses.idlok - isSpec: "True" - fullName: Unix.Terminal.Curses.idlok - nameWithType: Curses.idlok -- uid: Unix.Terminal.Curses.immedok(System.IntPtr,System.Boolean) - name: immedok(IntPtr, Boolean) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_immedok_System_IntPtr_System_Boolean_ - commentId: M:Unix.Terminal.Curses.immedok(System.IntPtr,System.Boolean) - fullName: Unix.Terminal.Curses.immedok(System.IntPtr, System.Boolean) - nameWithType: Curses.immedok(IntPtr, Boolean) -- uid: Unix.Terminal.Curses.immedok* - name: immedok - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_immedok_ - commentId: Overload:Unix.Terminal.Curses.immedok - isSpec: "True" - fullName: Unix.Terminal.Curses.immedok - nameWithType: Curses.immedok -- uid: Unix.Terminal.Curses.init_pair(System.Int16,System.Int16,System.Int16) - name: init_pair(Int16, Int16, Int16) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_init_pair_System_Int16_System_Int16_System_Int16_ - commentId: M:Unix.Terminal.Curses.init_pair(System.Int16,System.Int16,System.Int16) - fullName: Unix.Terminal.Curses.init_pair(System.Int16, System.Int16, System.Int16) - nameWithType: Curses.init_pair(Int16, Int16, Int16) -- uid: Unix.Terminal.Curses.init_pair* - name: init_pair - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_init_pair_ - commentId: Overload:Unix.Terminal.Curses.init_pair - isSpec: "True" - fullName: Unix.Terminal.Curses.init_pair - nameWithType: Curses.init_pair -- uid: Unix.Terminal.Curses.InitColorPair(System.Int16,System.Int16,System.Int16) - name: InitColorPair(Int16, Int16, Int16) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_InitColorPair_System_Int16_System_Int16_System_Int16_ - commentId: M:Unix.Terminal.Curses.InitColorPair(System.Int16,System.Int16,System.Int16) - fullName: Unix.Terminal.Curses.InitColorPair(System.Int16, System.Int16, System.Int16) - nameWithType: Curses.InitColorPair(Int16, Int16, Int16) -- uid: Unix.Terminal.Curses.InitColorPair* - name: InitColorPair - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_InitColorPair_ - commentId: Overload:Unix.Terminal.Curses.InitColorPair - isSpec: "True" - fullName: Unix.Terminal.Curses.InitColorPair - nameWithType: Curses.InitColorPair -- uid: Unix.Terminal.Curses.initscr - name: initscr() - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_initscr - commentId: M:Unix.Terminal.Curses.initscr - fullName: Unix.Terminal.Curses.initscr() - nameWithType: Curses.initscr() -- uid: Unix.Terminal.Curses.initscr* - name: initscr - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_initscr_ - commentId: Overload:Unix.Terminal.Curses.initscr - isSpec: "True" - fullName: Unix.Terminal.Curses.initscr - nameWithType: Curses.initscr -- uid: Unix.Terminal.Curses.intrflush(System.IntPtr,System.Boolean) - name: intrflush(IntPtr, Boolean) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_intrflush_System_IntPtr_System_Boolean_ - commentId: M:Unix.Terminal.Curses.intrflush(System.IntPtr,System.Boolean) - fullName: Unix.Terminal.Curses.intrflush(System.IntPtr, System.Boolean) - nameWithType: Curses.intrflush(IntPtr, Boolean) -- uid: Unix.Terminal.Curses.intrflush* - name: intrflush - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_intrflush_ - commentId: Overload:Unix.Terminal.Curses.intrflush - isSpec: "True" - fullName: Unix.Terminal.Curses.intrflush - nameWithType: Curses.intrflush -- uid: Unix.Terminal.Curses.IsAlt(System.Int32) - name: IsAlt(Int32) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_IsAlt_System_Int32_ - commentId: M:Unix.Terminal.Curses.IsAlt(System.Int32) - fullName: Unix.Terminal.Curses.IsAlt(System.Int32) - nameWithType: Curses.IsAlt(Int32) -- uid: Unix.Terminal.Curses.IsAlt* - name: IsAlt - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_IsAlt_ - commentId: Overload:Unix.Terminal.Curses.IsAlt - isSpec: "True" - fullName: Unix.Terminal.Curses.IsAlt - nameWithType: Curses.IsAlt -- uid: Unix.Terminal.Curses.isendwin - name: isendwin() - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_isendwin - commentId: M:Unix.Terminal.Curses.isendwin - fullName: Unix.Terminal.Curses.isendwin() - nameWithType: Curses.isendwin() -- uid: Unix.Terminal.Curses.isendwin* - name: isendwin - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_isendwin_ - commentId: Overload:Unix.Terminal.Curses.isendwin - isSpec: "True" - fullName: Unix.Terminal.Curses.isendwin - nameWithType: Curses.isendwin -- uid: Unix.Terminal.Curses.KEY_CODE_YES - name: KEY_CODE_YES - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KEY_CODE_YES - commentId: F:Unix.Terminal.Curses.KEY_CODE_YES - fullName: Unix.Terminal.Curses.KEY_CODE_YES - nameWithType: Curses.KEY_CODE_YES -- uid: Unix.Terminal.Curses.KeyAlt - name: KeyAlt - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyAlt - commentId: F:Unix.Terminal.Curses.KeyAlt - fullName: Unix.Terminal.Curses.KeyAlt - nameWithType: Curses.KeyAlt -- uid: Unix.Terminal.Curses.KeyBackspace - name: KeyBackspace - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyBackspace - commentId: F:Unix.Terminal.Curses.KeyBackspace - fullName: Unix.Terminal.Curses.KeyBackspace - nameWithType: Curses.KeyBackspace -- uid: Unix.Terminal.Curses.KeyBackTab - name: KeyBackTab - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyBackTab - commentId: F:Unix.Terminal.Curses.KeyBackTab - fullName: Unix.Terminal.Curses.KeyBackTab - nameWithType: Curses.KeyBackTab -- uid: Unix.Terminal.Curses.KeyDeleteChar - name: KeyDeleteChar - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyDeleteChar - commentId: F:Unix.Terminal.Curses.KeyDeleteChar - fullName: Unix.Terminal.Curses.KeyDeleteChar - nameWithType: Curses.KeyDeleteChar -- uid: Unix.Terminal.Curses.KeyDown - name: KeyDown - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyDown - commentId: F:Unix.Terminal.Curses.KeyDown - fullName: Unix.Terminal.Curses.KeyDown - nameWithType: Curses.KeyDown -- uid: Unix.Terminal.Curses.KeyEnd - name: KeyEnd - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyEnd - commentId: F:Unix.Terminal.Curses.KeyEnd - fullName: Unix.Terminal.Curses.KeyEnd - nameWithType: Curses.KeyEnd -- uid: Unix.Terminal.Curses.KeyF1 - name: KeyF1 - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyF1 - commentId: F:Unix.Terminal.Curses.KeyF1 - fullName: Unix.Terminal.Curses.KeyF1 - nameWithType: Curses.KeyF1 -- uid: Unix.Terminal.Curses.KeyF10 - name: KeyF10 - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyF10 - commentId: F:Unix.Terminal.Curses.KeyF10 - fullName: Unix.Terminal.Curses.KeyF10 - nameWithType: Curses.KeyF10 -- uid: Unix.Terminal.Curses.KeyF11 - name: KeyF11 - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyF11 - commentId: F:Unix.Terminal.Curses.KeyF11 - fullName: Unix.Terminal.Curses.KeyF11 - nameWithType: Curses.KeyF11 -- uid: Unix.Terminal.Curses.KeyF12 - name: KeyF12 - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyF12 - commentId: F:Unix.Terminal.Curses.KeyF12 - fullName: Unix.Terminal.Curses.KeyF12 - nameWithType: Curses.KeyF12 -- uid: Unix.Terminal.Curses.KeyF2 - name: KeyF2 - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyF2 - commentId: F:Unix.Terminal.Curses.KeyF2 - fullName: Unix.Terminal.Curses.KeyF2 - nameWithType: Curses.KeyF2 -- uid: Unix.Terminal.Curses.KeyF3 - name: KeyF3 - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyF3 - commentId: F:Unix.Terminal.Curses.KeyF3 - fullName: Unix.Terminal.Curses.KeyF3 - nameWithType: Curses.KeyF3 -- uid: Unix.Terminal.Curses.KeyF4 - name: KeyF4 - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyF4 - commentId: F:Unix.Terminal.Curses.KeyF4 - fullName: Unix.Terminal.Curses.KeyF4 - nameWithType: Curses.KeyF4 -- uid: Unix.Terminal.Curses.KeyF5 - name: KeyF5 - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyF5 - commentId: F:Unix.Terminal.Curses.KeyF5 - fullName: Unix.Terminal.Curses.KeyF5 - nameWithType: Curses.KeyF5 -- uid: Unix.Terminal.Curses.KeyF6 - name: KeyF6 - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyF6 - commentId: F:Unix.Terminal.Curses.KeyF6 - fullName: Unix.Terminal.Curses.KeyF6 - nameWithType: Curses.KeyF6 -- uid: Unix.Terminal.Curses.KeyF7 - name: KeyF7 - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyF7 - commentId: F:Unix.Terminal.Curses.KeyF7 - fullName: Unix.Terminal.Curses.KeyF7 - nameWithType: Curses.KeyF7 -- uid: Unix.Terminal.Curses.KeyF8 - name: KeyF8 - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyF8 - commentId: F:Unix.Terminal.Curses.KeyF8 - fullName: Unix.Terminal.Curses.KeyF8 - nameWithType: Curses.KeyF8 -- uid: Unix.Terminal.Curses.KeyF9 - name: KeyF9 - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyF9 - commentId: F:Unix.Terminal.Curses.KeyF9 - fullName: Unix.Terminal.Curses.KeyF9 - nameWithType: Curses.KeyF9 -- uid: Unix.Terminal.Curses.KeyHome - name: KeyHome - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyHome - commentId: F:Unix.Terminal.Curses.KeyHome - fullName: Unix.Terminal.Curses.KeyHome - nameWithType: Curses.KeyHome -- uid: Unix.Terminal.Curses.KeyInsertChar - name: KeyInsertChar - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyInsertChar - commentId: F:Unix.Terminal.Curses.KeyInsertChar - fullName: Unix.Terminal.Curses.KeyInsertChar - nameWithType: Curses.KeyInsertChar -- uid: Unix.Terminal.Curses.KeyLeft - name: KeyLeft - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyLeft - commentId: F:Unix.Terminal.Curses.KeyLeft - fullName: Unix.Terminal.Curses.KeyLeft - nameWithType: Curses.KeyLeft -- uid: Unix.Terminal.Curses.KeyMouse - name: KeyMouse - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyMouse - commentId: F:Unix.Terminal.Curses.KeyMouse - fullName: Unix.Terminal.Curses.KeyMouse - nameWithType: Curses.KeyMouse -- uid: Unix.Terminal.Curses.KeyNPage - name: KeyNPage - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyNPage - commentId: F:Unix.Terminal.Curses.KeyNPage - fullName: Unix.Terminal.Curses.KeyNPage - nameWithType: Curses.KeyNPage -- uid: Unix.Terminal.Curses.keypad(System.IntPtr,System.Boolean) - name: keypad(IntPtr, Boolean) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_keypad_System_IntPtr_System_Boolean_ - commentId: M:Unix.Terminal.Curses.keypad(System.IntPtr,System.Boolean) - fullName: Unix.Terminal.Curses.keypad(System.IntPtr, System.Boolean) - nameWithType: Curses.keypad(IntPtr, Boolean) -- uid: Unix.Terminal.Curses.keypad* - name: keypad - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_keypad_ - commentId: Overload:Unix.Terminal.Curses.keypad - isSpec: "True" - fullName: Unix.Terminal.Curses.keypad - nameWithType: Curses.keypad -- uid: Unix.Terminal.Curses.KeyPPage - name: KeyPPage - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyPPage - commentId: F:Unix.Terminal.Curses.KeyPPage - fullName: Unix.Terminal.Curses.KeyPPage - nameWithType: Curses.KeyPPage -- uid: Unix.Terminal.Curses.KeyResize - name: KeyResize - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyResize - commentId: F:Unix.Terminal.Curses.KeyResize - fullName: Unix.Terminal.Curses.KeyResize - nameWithType: Curses.KeyResize -- uid: Unix.Terminal.Curses.KeyRight - name: KeyRight - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyRight - commentId: F:Unix.Terminal.Curses.KeyRight - fullName: Unix.Terminal.Curses.KeyRight - nameWithType: Curses.KeyRight -- uid: Unix.Terminal.Curses.KeyTab - name: KeyTab - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyTab - commentId: F:Unix.Terminal.Curses.KeyTab - fullName: Unix.Terminal.Curses.KeyTab - nameWithType: Curses.KeyTab -- uid: Unix.Terminal.Curses.KeyUp - name: KeyUp - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_KeyUp - commentId: F:Unix.Terminal.Curses.KeyUp - fullName: Unix.Terminal.Curses.KeyUp - nameWithType: Curses.KeyUp -- uid: Unix.Terminal.Curses.LC_ALL - name: LC_ALL - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_LC_ALL - commentId: F:Unix.Terminal.Curses.LC_ALL - fullName: Unix.Terminal.Curses.LC_ALL - nameWithType: Curses.LC_ALL -- uid: Unix.Terminal.Curses.leaveok(System.IntPtr,System.Boolean) - name: leaveok(IntPtr, Boolean) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_leaveok_System_IntPtr_System_Boolean_ - commentId: M:Unix.Terminal.Curses.leaveok(System.IntPtr,System.Boolean) - fullName: Unix.Terminal.Curses.leaveok(System.IntPtr, System.Boolean) - nameWithType: Curses.leaveok(IntPtr, Boolean) -- uid: Unix.Terminal.Curses.leaveok* - name: leaveok - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_leaveok_ - commentId: Overload:Unix.Terminal.Curses.leaveok - isSpec: "True" - fullName: Unix.Terminal.Curses.leaveok - nameWithType: Curses.leaveok -- uid: Unix.Terminal.Curses.LeftRightUpNPagePPage - name: LeftRightUpNPagePPage - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_LeftRightUpNPagePPage - commentId: F:Unix.Terminal.Curses.LeftRightUpNPagePPage - fullName: Unix.Terminal.Curses.LeftRightUpNPagePPage - nameWithType: Curses.LeftRightUpNPagePPage -- uid: Unix.Terminal.Curses.Lines - name: Lines - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_Lines - commentId: P:Unix.Terminal.Curses.Lines - fullName: Unix.Terminal.Curses.Lines - nameWithType: Curses.Lines -- uid: Unix.Terminal.Curses.Lines* - name: Lines - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_Lines_ - commentId: Overload:Unix.Terminal.Curses.Lines - isSpec: "True" - fullName: Unix.Terminal.Curses.Lines - nameWithType: Curses.Lines -- uid: Unix.Terminal.Curses.meta(System.IntPtr,System.Boolean) - name: meta(IntPtr, Boolean) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_meta_System_IntPtr_System_Boolean_ - commentId: M:Unix.Terminal.Curses.meta(System.IntPtr,System.Boolean) - fullName: Unix.Terminal.Curses.meta(System.IntPtr, System.Boolean) - nameWithType: Curses.meta(IntPtr, Boolean) -- uid: Unix.Terminal.Curses.meta* - name: meta - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_meta_ - commentId: Overload:Unix.Terminal.Curses.meta - isSpec: "True" - fullName: Unix.Terminal.Curses.meta - nameWithType: Curses.meta -- uid: Unix.Terminal.Curses.MouseEvent - name: Curses.MouseEvent - href: api/Terminal.Gui/Unix.Terminal.Curses.MouseEvent.html - commentId: T:Unix.Terminal.Curses.MouseEvent - fullName: Unix.Terminal.Curses.MouseEvent - nameWithType: Curses.MouseEvent -- uid: Unix.Terminal.Curses.MouseEvent.ButtonState - name: ButtonState - href: api/Terminal.Gui/Unix.Terminal.Curses.MouseEvent.html#Unix_Terminal_Curses_MouseEvent_ButtonState - commentId: F:Unix.Terminal.Curses.MouseEvent.ButtonState - fullName: Unix.Terminal.Curses.MouseEvent.ButtonState - nameWithType: Curses.MouseEvent.ButtonState -- uid: Unix.Terminal.Curses.MouseEvent.ID - name: ID - href: api/Terminal.Gui/Unix.Terminal.Curses.MouseEvent.html#Unix_Terminal_Curses_MouseEvent_ID - commentId: F:Unix.Terminal.Curses.MouseEvent.ID - fullName: Unix.Terminal.Curses.MouseEvent.ID - nameWithType: Curses.MouseEvent.ID -- uid: Unix.Terminal.Curses.MouseEvent.X - name: X - href: api/Terminal.Gui/Unix.Terminal.Curses.MouseEvent.html#Unix_Terminal_Curses_MouseEvent_X - commentId: F:Unix.Terminal.Curses.MouseEvent.X - fullName: Unix.Terminal.Curses.MouseEvent.X - nameWithType: Curses.MouseEvent.X -- uid: Unix.Terminal.Curses.MouseEvent.Y - name: Y - href: api/Terminal.Gui/Unix.Terminal.Curses.MouseEvent.html#Unix_Terminal_Curses_MouseEvent_Y - commentId: F:Unix.Terminal.Curses.MouseEvent.Y - fullName: Unix.Terminal.Curses.MouseEvent.Y - nameWithType: Curses.MouseEvent.Y -- uid: Unix.Terminal.Curses.MouseEvent.Z - name: Z - href: api/Terminal.Gui/Unix.Terminal.Curses.MouseEvent.html#Unix_Terminal_Curses_MouseEvent_Z - commentId: F:Unix.Terminal.Curses.MouseEvent.Z - fullName: Unix.Terminal.Curses.MouseEvent.Z - nameWithType: Curses.MouseEvent.Z -- uid: Unix.Terminal.Curses.mouseinterval(System.Int32) - name: mouseinterval(Int32) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_mouseinterval_System_Int32_ - commentId: M:Unix.Terminal.Curses.mouseinterval(System.Int32) - fullName: Unix.Terminal.Curses.mouseinterval(System.Int32) - nameWithType: Curses.mouseinterval(Int32) -- uid: Unix.Terminal.Curses.mouseinterval* - name: mouseinterval - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_mouseinterval_ - commentId: Overload:Unix.Terminal.Curses.mouseinterval - isSpec: "True" - fullName: Unix.Terminal.Curses.mouseinterval - nameWithType: Curses.mouseinterval -- uid: Unix.Terminal.Curses.mousemask(Unix.Terminal.Curses.Event,Unix.Terminal.Curses.Event@) - name: mousemask(Curses.Event, out Curses.Event) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_mousemask_Unix_Terminal_Curses_Event_Unix_Terminal_Curses_Event__ - commentId: M:Unix.Terminal.Curses.mousemask(Unix.Terminal.Curses.Event,Unix.Terminal.Curses.Event@) - name.vb: mousemask(Curses.Event, ByRef Curses.Event) - fullName: Unix.Terminal.Curses.mousemask(Unix.Terminal.Curses.Event, out Unix.Terminal.Curses.Event) - fullName.vb: Unix.Terminal.Curses.mousemask(Unix.Terminal.Curses.Event, ByRef Unix.Terminal.Curses.Event) - nameWithType: Curses.mousemask(Curses.Event, out Curses.Event) - nameWithType.vb: Curses.mousemask(Curses.Event, ByRef Curses.Event) -- uid: Unix.Terminal.Curses.mousemask* - name: mousemask - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_mousemask_ - commentId: Overload:Unix.Terminal.Curses.mousemask - isSpec: "True" - fullName: Unix.Terminal.Curses.mousemask - nameWithType: Curses.mousemask -- uid: Unix.Terminal.Curses.move(System.Int32,System.Int32) - name: move(Int32, Int32) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_move_System_Int32_System_Int32_ - commentId: M:Unix.Terminal.Curses.move(System.Int32,System.Int32) - fullName: Unix.Terminal.Curses.move(System.Int32, System.Int32) - nameWithType: Curses.move(Int32, Int32) -- uid: Unix.Terminal.Curses.move* - name: move - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_move_ - commentId: Overload:Unix.Terminal.Curses.move - isSpec: "True" - fullName: Unix.Terminal.Curses.move - nameWithType: Curses.move -- uid: Unix.Terminal.Curses.mvgetch(System.Int32,System.Int32) - name: mvgetch(Int32, Int32) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_mvgetch_System_Int32_System_Int32_ - commentId: M:Unix.Terminal.Curses.mvgetch(System.Int32,System.Int32) - fullName: Unix.Terminal.Curses.mvgetch(System.Int32, System.Int32) - nameWithType: Curses.mvgetch(Int32, Int32) -- uid: Unix.Terminal.Curses.mvgetch* - name: mvgetch - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_mvgetch_ - commentId: Overload:Unix.Terminal.Curses.mvgetch - isSpec: "True" - fullName: Unix.Terminal.Curses.mvgetch - nameWithType: Curses.mvgetch -- uid: Unix.Terminal.Curses.nl - name: nl() - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_nl - commentId: M:Unix.Terminal.Curses.nl - fullName: Unix.Terminal.Curses.nl() - nameWithType: Curses.nl() -- uid: Unix.Terminal.Curses.nl* - name: nl - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_nl_ - commentId: Overload:Unix.Terminal.Curses.nl - isSpec: "True" - fullName: Unix.Terminal.Curses.nl - nameWithType: Curses.nl -- uid: Unix.Terminal.Curses.nocbreak - name: nocbreak() - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_nocbreak - commentId: M:Unix.Terminal.Curses.nocbreak - fullName: Unix.Terminal.Curses.nocbreak() - nameWithType: Curses.nocbreak() -- uid: Unix.Terminal.Curses.nocbreak* - name: nocbreak - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_nocbreak_ - commentId: Overload:Unix.Terminal.Curses.nocbreak - isSpec: "True" - fullName: Unix.Terminal.Curses.nocbreak - nameWithType: Curses.nocbreak -- uid: Unix.Terminal.Curses.noecho - name: noecho() - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_noecho - commentId: M:Unix.Terminal.Curses.noecho - fullName: Unix.Terminal.Curses.noecho() - nameWithType: Curses.noecho() -- uid: Unix.Terminal.Curses.noecho* - name: noecho - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_noecho_ - commentId: Overload:Unix.Terminal.Curses.noecho - isSpec: "True" - fullName: Unix.Terminal.Curses.noecho - nameWithType: Curses.noecho -- uid: Unix.Terminal.Curses.nonl - name: nonl() - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_nonl - commentId: M:Unix.Terminal.Curses.nonl - fullName: Unix.Terminal.Curses.nonl() - nameWithType: Curses.nonl() -- uid: Unix.Terminal.Curses.nonl* - name: nonl - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_nonl_ - commentId: Overload:Unix.Terminal.Curses.nonl - isSpec: "True" - fullName: Unix.Terminal.Curses.nonl - nameWithType: Curses.nonl -- uid: Unix.Terminal.Curses.noqiflush - name: noqiflush() - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_noqiflush - commentId: M:Unix.Terminal.Curses.noqiflush - fullName: Unix.Terminal.Curses.noqiflush() - nameWithType: Curses.noqiflush() -- uid: Unix.Terminal.Curses.noqiflush* - name: noqiflush - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_noqiflush_ - commentId: Overload:Unix.Terminal.Curses.noqiflush - isSpec: "True" - fullName: Unix.Terminal.Curses.noqiflush - nameWithType: Curses.noqiflush -- uid: Unix.Terminal.Curses.noraw - name: noraw() - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_noraw - commentId: M:Unix.Terminal.Curses.noraw - fullName: Unix.Terminal.Curses.noraw() - nameWithType: Curses.noraw() -- uid: Unix.Terminal.Curses.noraw* - name: noraw - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_noraw_ - commentId: Overload:Unix.Terminal.Curses.noraw - isSpec: "True" - fullName: Unix.Terminal.Curses.noraw - nameWithType: Curses.noraw -- uid: Unix.Terminal.Curses.notimeout(System.IntPtr,System.Boolean) - name: notimeout(IntPtr, Boolean) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_notimeout_System_IntPtr_System_Boolean_ - commentId: M:Unix.Terminal.Curses.notimeout(System.IntPtr,System.Boolean) - fullName: Unix.Terminal.Curses.notimeout(System.IntPtr, System.Boolean) - nameWithType: Curses.notimeout(IntPtr, Boolean) -- uid: Unix.Terminal.Curses.notimeout* - name: notimeout - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_notimeout_ - commentId: Overload:Unix.Terminal.Curses.notimeout - isSpec: "True" - fullName: Unix.Terminal.Curses.notimeout - nameWithType: Curses.notimeout -- uid: Unix.Terminal.Curses.qiflush - name: qiflush() - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_qiflush - commentId: M:Unix.Terminal.Curses.qiflush - fullName: Unix.Terminal.Curses.qiflush() - nameWithType: Curses.qiflush() -- uid: Unix.Terminal.Curses.qiflush* - name: qiflush - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_qiflush_ - commentId: Overload:Unix.Terminal.Curses.qiflush - isSpec: "True" - fullName: Unix.Terminal.Curses.qiflush - nameWithType: Curses.qiflush -- uid: Unix.Terminal.Curses.raw - name: raw() - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_raw - commentId: M:Unix.Terminal.Curses.raw - fullName: Unix.Terminal.Curses.raw() - nameWithType: Curses.raw() -- uid: Unix.Terminal.Curses.raw* - name: raw - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_raw_ - commentId: Overload:Unix.Terminal.Curses.raw - isSpec: "True" - fullName: Unix.Terminal.Curses.raw - nameWithType: Curses.raw -- uid: Unix.Terminal.Curses.redrawwin(System.IntPtr) - name: redrawwin(IntPtr) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_redrawwin_System_IntPtr_ - commentId: M:Unix.Terminal.Curses.redrawwin(System.IntPtr) - fullName: Unix.Terminal.Curses.redrawwin(System.IntPtr) - nameWithType: Curses.redrawwin(IntPtr) -- uid: Unix.Terminal.Curses.redrawwin* - name: redrawwin - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_redrawwin_ - commentId: Overload:Unix.Terminal.Curses.redrawwin - isSpec: "True" - fullName: Unix.Terminal.Curses.redrawwin - nameWithType: Curses.redrawwin -- uid: Unix.Terminal.Curses.refresh - name: refresh() - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_refresh - commentId: M:Unix.Terminal.Curses.refresh - fullName: Unix.Terminal.Curses.refresh() - nameWithType: Curses.refresh() -- uid: Unix.Terminal.Curses.refresh* - name: refresh - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_refresh_ - commentId: Overload:Unix.Terminal.Curses.refresh - isSpec: "True" - fullName: Unix.Terminal.Curses.refresh - nameWithType: Curses.refresh -- uid: Unix.Terminal.Curses.scrollok(System.IntPtr,System.Boolean) - name: scrollok(IntPtr, Boolean) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_scrollok_System_IntPtr_System_Boolean_ - commentId: M:Unix.Terminal.Curses.scrollok(System.IntPtr,System.Boolean) - fullName: Unix.Terminal.Curses.scrollok(System.IntPtr, System.Boolean) - nameWithType: Curses.scrollok(IntPtr, Boolean) -- uid: Unix.Terminal.Curses.scrollok* - name: scrollok - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_scrollok_ - commentId: Overload:Unix.Terminal.Curses.scrollok - isSpec: "True" - fullName: Unix.Terminal.Curses.scrollok - nameWithType: Curses.scrollok -- uid: Unix.Terminal.Curses.setlocale(System.Int32,System.String) - name: setlocale(Int32, String) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_setlocale_System_Int32_System_String_ - commentId: M:Unix.Terminal.Curses.setlocale(System.Int32,System.String) - fullName: Unix.Terminal.Curses.setlocale(System.Int32, System.String) - nameWithType: Curses.setlocale(Int32, String) -- uid: Unix.Terminal.Curses.setlocale* - name: setlocale - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_setlocale_ - commentId: Overload:Unix.Terminal.Curses.setlocale - fullName: Unix.Terminal.Curses.setlocale - nameWithType: Curses.setlocale -- uid: Unix.Terminal.Curses.setscrreg(System.Int32,System.Int32) - name: setscrreg(Int32, Int32) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_setscrreg_System_Int32_System_Int32_ - commentId: M:Unix.Terminal.Curses.setscrreg(System.Int32,System.Int32) - fullName: Unix.Terminal.Curses.setscrreg(System.Int32, System.Int32) - nameWithType: Curses.setscrreg(Int32, Int32) -- uid: Unix.Terminal.Curses.setscrreg* - name: setscrreg - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_setscrreg_ - commentId: Overload:Unix.Terminal.Curses.setscrreg - isSpec: "True" - fullName: Unix.Terminal.Curses.setscrreg - nameWithType: Curses.setscrreg -- uid: Unix.Terminal.Curses.ShiftCtrlKeyDown - name: ShiftCtrlKeyDown - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ShiftCtrlKeyDown - commentId: F:Unix.Terminal.Curses.ShiftCtrlKeyDown - fullName: Unix.Terminal.Curses.ShiftCtrlKeyDown - nameWithType: Curses.ShiftCtrlKeyDown -- uid: Unix.Terminal.Curses.ShiftCtrlKeyEnd - name: ShiftCtrlKeyEnd - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ShiftCtrlKeyEnd - commentId: F:Unix.Terminal.Curses.ShiftCtrlKeyEnd - fullName: Unix.Terminal.Curses.ShiftCtrlKeyEnd - nameWithType: Curses.ShiftCtrlKeyEnd -- uid: Unix.Terminal.Curses.ShiftCtrlKeyHome - name: ShiftCtrlKeyHome - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ShiftCtrlKeyHome - commentId: F:Unix.Terminal.Curses.ShiftCtrlKeyHome - fullName: Unix.Terminal.Curses.ShiftCtrlKeyHome - nameWithType: Curses.ShiftCtrlKeyHome -- uid: Unix.Terminal.Curses.ShiftCtrlKeyLeft - name: ShiftCtrlKeyLeft - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ShiftCtrlKeyLeft - commentId: F:Unix.Terminal.Curses.ShiftCtrlKeyLeft - fullName: Unix.Terminal.Curses.ShiftCtrlKeyLeft - nameWithType: Curses.ShiftCtrlKeyLeft -- uid: Unix.Terminal.Curses.ShiftCtrlKeyNPage - name: ShiftCtrlKeyNPage - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ShiftCtrlKeyNPage - commentId: F:Unix.Terminal.Curses.ShiftCtrlKeyNPage - fullName: Unix.Terminal.Curses.ShiftCtrlKeyNPage - nameWithType: Curses.ShiftCtrlKeyNPage -- uid: Unix.Terminal.Curses.ShiftCtrlKeyPPage - name: ShiftCtrlKeyPPage - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ShiftCtrlKeyPPage - commentId: F:Unix.Terminal.Curses.ShiftCtrlKeyPPage - fullName: Unix.Terminal.Curses.ShiftCtrlKeyPPage - nameWithType: Curses.ShiftCtrlKeyPPage -- uid: Unix.Terminal.Curses.ShiftCtrlKeyRight - name: ShiftCtrlKeyRight - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ShiftCtrlKeyRight - commentId: F:Unix.Terminal.Curses.ShiftCtrlKeyRight - fullName: Unix.Terminal.Curses.ShiftCtrlKeyRight - nameWithType: Curses.ShiftCtrlKeyRight -- uid: Unix.Terminal.Curses.ShiftCtrlKeyUp - name: ShiftCtrlKeyUp - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ShiftCtrlKeyUp - commentId: F:Unix.Terminal.Curses.ShiftCtrlKeyUp - fullName: Unix.Terminal.Curses.ShiftCtrlKeyUp - nameWithType: Curses.ShiftCtrlKeyUp -- uid: Unix.Terminal.Curses.ShiftKeyDown - name: ShiftKeyDown - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ShiftKeyDown - commentId: F:Unix.Terminal.Curses.ShiftKeyDown - fullName: Unix.Terminal.Curses.ShiftKeyDown - nameWithType: Curses.ShiftKeyDown -- uid: Unix.Terminal.Curses.ShiftKeyEnd - name: ShiftKeyEnd - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ShiftKeyEnd - commentId: F:Unix.Terminal.Curses.ShiftKeyEnd - fullName: Unix.Terminal.Curses.ShiftKeyEnd - nameWithType: Curses.ShiftKeyEnd -- uid: Unix.Terminal.Curses.ShiftKeyHome - name: ShiftKeyHome - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ShiftKeyHome - commentId: F:Unix.Terminal.Curses.ShiftKeyHome - fullName: Unix.Terminal.Curses.ShiftKeyHome - nameWithType: Curses.ShiftKeyHome -- uid: Unix.Terminal.Curses.ShiftKeyLeft - name: ShiftKeyLeft - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ShiftKeyLeft - commentId: F:Unix.Terminal.Curses.ShiftKeyLeft - fullName: Unix.Terminal.Curses.ShiftKeyLeft - nameWithType: Curses.ShiftKeyLeft -- uid: Unix.Terminal.Curses.ShiftKeyNPage - name: ShiftKeyNPage - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ShiftKeyNPage - commentId: F:Unix.Terminal.Curses.ShiftKeyNPage - fullName: Unix.Terminal.Curses.ShiftKeyNPage - nameWithType: Curses.ShiftKeyNPage -- uid: Unix.Terminal.Curses.ShiftKeyPPage - name: ShiftKeyPPage - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ShiftKeyPPage - commentId: F:Unix.Terminal.Curses.ShiftKeyPPage - fullName: Unix.Terminal.Curses.ShiftKeyPPage - nameWithType: Curses.ShiftKeyPPage -- uid: Unix.Terminal.Curses.ShiftKeyRight - name: ShiftKeyRight - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ShiftKeyRight - commentId: F:Unix.Terminal.Curses.ShiftKeyRight - fullName: Unix.Terminal.Curses.ShiftKeyRight - nameWithType: Curses.ShiftKeyRight -- uid: Unix.Terminal.Curses.ShiftKeyUp - name: ShiftKeyUp - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ShiftKeyUp - commentId: F:Unix.Terminal.Curses.ShiftKeyUp - fullName: Unix.Terminal.Curses.ShiftKeyUp - nameWithType: Curses.ShiftKeyUp -- uid: Unix.Terminal.Curses.start_color - name: start_color() - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_start_color - commentId: M:Unix.Terminal.Curses.start_color - fullName: Unix.Terminal.Curses.start_color() - nameWithType: Curses.start_color() -- uid: Unix.Terminal.Curses.start_color* - name: start_color - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_start_color_ - commentId: Overload:Unix.Terminal.Curses.start_color - isSpec: "True" - fullName: Unix.Terminal.Curses.start_color - nameWithType: Curses.start_color -- uid: Unix.Terminal.Curses.StartColor - name: StartColor() - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_StartColor - commentId: M:Unix.Terminal.Curses.StartColor - fullName: Unix.Terminal.Curses.StartColor() - nameWithType: Curses.StartColor() -- uid: Unix.Terminal.Curses.StartColor* - name: StartColor - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_StartColor_ - commentId: Overload:Unix.Terminal.Curses.StartColor - isSpec: "True" - fullName: Unix.Terminal.Curses.StartColor - nameWithType: Curses.StartColor -- uid: Unix.Terminal.Curses.timeout(System.Int32) - name: timeout(Int32) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_timeout_System_Int32_ - commentId: M:Unix.Terminal.Curses.timeout(System.Int32) - fullName: Unix.Terminal.Curses.timeout(System.Int32) - nameWithType: Curses.timeout(Int32) -- uid: Unix.Terminal.Curses.timeout* - name: timeout - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_timeout_ - commentId: Overload:Unix.Terminal.Curses.timeout - isSpec: "True" - fullName: Unix.Terminal.Curses.timeout - nameWithType: Curses.timeout -- uid: Unix.Terminal.Curses.typeahead(System.IntPtr) - name: typeahead(IntPtr) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_typeahead_System_IntPtr_ - commentId: M:Unix.Terminal.Curses.typeahead(System.IntPtr) - fullName: Unix.Terminal.Curses.typeahead(System.IntPtr) - nameWithType: Curses.typeahead(IntPtr) -- uid: Unix.Terminal.Curses.typeahead* - name: typeahead - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_typeahead_ - commentId: Overload:Unix.Terminal.Curses.typeahead - isSpec: "True" - fullName: Unix.Terminal.Curses.typeahead - nameWithType: Curses.typeahead -- uid: Unix.Terminal.Curses.ungetch(System.Int32) - name: ungetch(Int32) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ungetch_System_Int32_ - commentId: M:Unix.Terminal.Curses.ungetch(System.Int32) - fullName: Unix.Terminal.Curses.ungetch(System.Int32) - nameWithType: Curses.ungetch(Int32) -- uid: Unix.Terminal.Curses.ungetch* - name: ungetch - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ungetch_ - commentId: Overload:Unix.Terminal.Curses.ungetch - isSpec: "True" - fullName: Unix.Terminal.Curses.ungetch - nameWithType: Curses.ungetch -- uid: Unix.Terminal.Curses.ungetmouse(Unix.Terminal.Curses.MouseEvent@) - name: ungetmouse(ref Curses.MouseEvent) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ungetmouse_Unix_Terminal_Curses_MouseEvent__ - commentId: M:Unix.Terminal.Curses.ungetmouse(Unix.Terminal.Curses.MouseEvent@) - name.vb: ungetmouse(ByRef Curses.MouseEvent) - fullName: Unix.Terminal.Curses.ungetmouse(ref Unix.Terminal.Curses.MouseEvent) - fullName.vb: Unix.Terminal.Curses.ungetmouse(ByRef Unix.Terminal.Curses.MouseEvent) - nameWithType: Curses.ungetmouse(ref Curses.MouseEvent) - nameWithType.vb: Curses.ungetmouse(ByRef Curses.MouseEvent) -- uid: Unix.Terminal.Curses.ungetmouse* - name: ungetmouse - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_ungetmouse_ - commentId: Overload:Unix.Terminal.Curses.ungetmouse - isSpec: "True" - fullName: Unix.Terminal.Curses.ungetmouse - nameWithType: Curses.ungetmouse -- uid: Unix.Terminal.Curses.use_default_colors - name: use_default_colors() - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_use_default_colors - commentId: M:Unix.Terminal.Curses.use_default_colors - fullName: Unix.Terminal.Curses.use_default_colors() - nameWithType: Curses.use_default_colors() -- uid: Unix.Terminal.Curses.use_default_colors* - name: use_default_colors - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_use_default_colors_ - commentId: Overload:Unix.Terminal.Curses.use_default_colors - isSpec: "True" - fullName: Unix.Terminal.Curses.use_default_colors - nameWithType: Curses.use_default_colors -- uid: Unix.Terminal.Curses.UseDefaultColors - name: UseDefaultColors() - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_UseDefaultColors - commentId: M:Unix.Terminal.Curses.UseDefaultColors - fullName: Unix.Terminal.Curses.UseDefaultColors() - nameWithType: Curses.UseDefaultColors() -- uid: Unix.Terminal.Curses.UseDefaultColors* - name: UseDefaultColors - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_UseDefaultColors_ - commentId: Overload:Unix.Terminal.Curses.UseDefaultColors - isSpec: "True" - fullName: Unix.Terminal.Curses.UseDefaultColors - nameWithType: Curses.UseDefaultColors -- uid: Unix.Terminal.Curses.waddch(System.IntPtr,System.Int32) - name: waddch(IntPtr, Int32) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_waddch_System_IntPtr_System_Int32_ - commentId: M:Unix.Terminal.Curses.waddch(System.IntPtr,System.Int32) - fullName: Unix.Terminal.Curses.waddch(System.IntPtr, System.Int32) - nameWithType: Curses.waddch(IntPtr, Int32) -- uid: Unix.Terminal.Curses.waddch* - name: waddch - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_waddch_ - commentId: Overload:Unix.Terminal.Curses.waddch - isSpec: "True" - fullName: Unix.Terminal.Curses.waddch - nameWithType: Curses.waddch -- uid: Unix.Terminal.Curses.Window - name: Curses.Window - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html - commentId: T:Unix.Terminal.Curses.Window - fullName: Unix.Terminal.Curses.Window - nameWithType: Curses.Window -- uid: Unix.Terminal.Curses.Window.addch(System.Char) - name: addch(Char) - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_addch_System_Char_ - commentId: M:Unix.Terminal.Curses.Window.addch(System.Char) - fullName: Unix.Terminal.Curses.Window.addch(System.Char) - nameWithType: Curses.Window.addch(Char) -- uid: Unix.Terminal.Curses.Window.addch* - name: addch - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_addch_ - commentId: Overload:Unix.Terminal.Curses.Window.addch - isSpec: "True" - fullName: Unix.Terminal.Curses.Window.addch - nameWithType: Curses.Window.addch -- uid: Unix.Terminal.Curses.Window.clearok(System.Boolean) - name: clearok(Boolean) - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_clearok_System_Boolean_ - commentId: M:Unix.Terminal.Curses.Window.clearok(System.Boolean) - fullName: Unix.Terminal.Curses.Window.clearok(System.Boolean) - nameWithType: Curses.Window.clearok(Boolean) -- uid: Unix.Terminal.Curses.Window.clearok* - name: clearok - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_clearok_ - commentId: Overload:Unix.Terminal.Curses.Window.clearok - isSpec: "True" - fullName: Unix.Terminal.Curses.Window.clearok - nameWithType: Curses.Window.clearok -- uid: Unix.Terminal.Curses.Window.Current - name: Current - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_Current - commentId: P:Unix.Terminal.Curses.Window.Current - fullName: Unix.Terminal.Curses.Window.Current - nameWithType: Curses.Window.Current -- uid: Unix.Terminal.Curses.Window.Current* - name: Current - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_Current_ - commentId: Overload:Unix.Terminal.Curses.Window.Current - isSpec: "True" - fullName: Unix.Terminal.Curses.Window.Current - nameWithType: Curses.Window.Current -- uid: Unix.Terminal.Curses.Window.Handle - name: Handle - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_Handle - commentId: F:Unix.Terminal.Curses.Window.Handle - fullName: Unix.Terminal.Curses.Window.Handle - nameWithType: Curses.Window.Handle -- uid: Unix.Terminal.Curses.Window.idcok(System.Boolean) - name: idcok(Boolean) - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_idcok_System_Boolean_ - commentId: M:Unix.Terminal.Curses.Window.idcok(System.Boolean) - fullName: Unix.Terminal.Curses.Window.idcok(System.Boolean) - nameWithType: Curses.Window.idcok(Boolean) -- uid: Unix.Terminal.Curses.Window.idcok* - name: idcok - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_idcok_ - commentId: Overload:Unix.Terminal.Curses.Window.idcok - isSpec: "True" - fullName: Unix.Terminal.Curses.Window.idcok - nameWithType: Curses.Window.idcok -- uid: Unix.Terminal.Curses.Window.idlok(System.Boolean) - name: idlok(Boolean) - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_idlok_System_Boolean_ - commentId: M:Unix.Terminal.Curses.Window.idlok(System.Boolean) - fullName: Unix.Terminal.Curses.Window.idlok(System.Boolean) - nameWithType: Curses.Window.idlok(Boolean) -- uid: Unix.Terminal.Curses.Window.idlok* - name: idlok - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_idlok_ - commentId: Overload:Unix.Terminal.Curses.Window.idlok - isSpec: "True" - fullName: Unix.Terminal.Curses.Window.idlok - nameWithType: Curses.Window.idlok -- uid: Unix.Terminal.Curses.Window.immedok(System.Boolean) - name: immedok(Boolean) - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_immedok_System_Boolean_ - commentId: M:Unix.Terminal.Curses.Window.immedok(System.Boolean) - fullName: Unix.Terminal.Curses.Window.immedok(System.Boolean) - nameWithType: Curses.Window.immedok(Boolean) -- uid: Unix.Terminal.Curses.Window.immedok* - name: immedok - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_immedok_ - commentId: Overload:Unix.Terminal.Curses.Window.immedok - isSpec: "True" - fullName: Unix.Terminal.Curses.Window.immedok - nameWithType: Curses.Window.immedok -- uid: Unix.Terminal.Curses.Window.intrflush(System.Boolean) - name: intrflush(Boolean) - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_intrflush_System_Boolean_ - commentId: M:Unix.Terminal.Curses.Window.intrflush(System.Boolean) - fullName: Unix.Terminal.Curses.Window.intrflush(System.Boolean) - nameWithType: Curses.Window.intrflush(Boolean) -- uid: Unix.Terminal.Curses.Window.intrflush* - name: intrflush - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_intrflush_ - commentId: Overload:Unix.Terminal.Curses.Window.intrflush - isSpec: "True" - fullName: Unix.Terminal.Curses.Window.intrflush - nameWithType: Curses.Window.intrflush -- uid: Unix.Terminal.Curses.Window.keypad(System.Boolean) - name: keypad(Boolean) - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_keypad_System_Boolean_ - commentId: M:Unix.Terminal.Curses.Window.keypad(System.Boolean) - fullName: Unix.Terminal.Curses.Window.keypad(System.Boolean) - nameWithType: Curses.Window.keypad(Boolean) -- uid: Unix.Terminal.Curses.Window.keypad* - name: keypad - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_keypad_ - commentId: Overload:Unix.Terminal.Curses.Window.keypad - isSpec: "True" - fullName: Unix.Terminal.Curses.Window.keypad - nameWithType: Curses.Window.keypad -- uid: Unix.Terminal.Curses.Window.leaveok(System.Boolean) - name: leaveok(Boolean) - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_leaveok_System_Boolean_ - commentId: M:Unix.Terminal.Curses.Window.leaveok(System.Boolean) - fullName: Unix.Terminal.Curses.Window.leaveok(System.Boolean) - nameWithType: Curses.Window.leaveok(Boolean) -- uid: Unix.Terminal.Curses.Window.leaveok* - name: leaveok - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_leaveok_ - commentId: Overload:Unix.Terminal.Curses.Window.leaveok - isSpec: "True" - fullName: Unix.Terminal.Curses.Window.leaveok - nameWithType: Curses.Window.leaveok -- uid: Unix.Terminal.Curses.Window.meta(System.Boolean) - name: meta(Boolean) - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_meta_System_Boolean_ - commentId: M:Unix.Terminal.Curses.Window.meta(System.Boolean) - fullName: Unix.Terminal.Curses.Window.meta(System.Boolean) - nameWithType: Curses.Window.meta(Boolean) -- uid: Unix.Terminal.Curses.Window.meta* - name: meta - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_meta_ - commentId: Overload:Unix.Terminal.Curses.Window.meta - isSpec: "True" - fullName: Unix.Terminal.Curses.Window.meta - nameWithType: Curses.Window.meta -- uid: Unix.Terminal.Curses.Window.move(System.Int32,System.Int32) - name: move(Int32, Int32) - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_move_System_Int32_System_Int32_ - commentId: M:Unix.Terminal.Curses.Window.move(System.Int32,System.Int32) - fullName: Unix.Terminal.Curses.Window.move(System.Int32, System.Int32) - nameWithType: Curses.Window.move(Int32, Int32) -- uid: Unix.Terminal.Curses.Window.move* - name: move - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_move_ - commentId: Overload:Unix.Terminal.Curses.Window.move - isSpec: "True" - fullName: Unix.Terminal.Curses.Window.move - nameWithType: Curses.Window.move -- uid: Unix.Terminal.Curses.Window.notimeout(System.Boolean) - name: notimeout(Boolean) - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_notimeout_System_Boolean_ - commentId: M:Unix.Terminal.Curses.Window.notimeout(System.Boolean) - fullName: Unix.Terminal.Curses.Window.notimeout(System.Boolean) - nameWithType: Curses.Window.notimeout(Boolean) -- uid: Unix.Terminal.Curses.Window.notimeout* - name: notimeout - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_notimeout_ - commentId: Overload:Unix.Terminal.Curses.Window.notimeout - isSpec: "True" - fullName: Unix.Terminal.Curses.Window.notimeout - nameWithType: Curses.Window.notimeout -- uid: Unix.Terminal.Curses.Window.redrawwin - name: redrawwin() - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_redrawwin - commentId: M:Unix.Terminal.Curses.Window.redrawwin - fullName: Unix.Terminal.Curses.Window.redrawwin() - nameWithType: Curses.Window.redrawwin() -- uid: Unix.Terminal.Curses.Window.redrawwin* - name: redrawwin - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_redrawwin_ - commentId: Overload:Unix.Terminal.Curses.Window.redrawwin - isSpec: "True" - fullName: Unix.Terminal.Curses.Window.redrawwin - nameWithType: Curses.Window.redrawwin -- uid: Unix.Terminal.Curses.Window.refresh - name: refresh() - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_refresh - commentId: M:Unix.Terminal.Curses.Window.refresh - fullName: Unix.Terminal.Curses.Window.refresh() - nameWithType: Curses.Window.refresh() -- uid: Unix.Terminal.Curses.Window.refresh* - name: refresh - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_refresh_ - commentId: Overload:Unix.Terminal.Curses.Window.refresh - isSpec: "True" - fullName: Unix.Terminal.Curses.Window.refresh - nameWithType: Curses.Window.refresh -- uid: Unix.Terminal.Curses.Window.scrollok(System.Boolean) - name: scrollok(Boolean) - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_scrollok_System_Boolean_ - commentId: M:Unix.Terminal.Curses.Window.scrollok(System.Boolean) - fullName: Unix.Terminal.Curses.Window.scrollok(System.Boolean) - nameWithType: Curses.Window.scrollok(Boolean) -- uid: Unix.Terminal.Curses.Window.scrollok* - name: scrollok - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_scrollok_ - commentId: Overload:Unix.Terminal.Curses.Window.scrollok - isSpec: "True" - fullName: Unix.Terminal.Curses.Window.scrollok - nameWithType: Curses.Window.scrollok -- uid: Unix.Terminal.Curses.Window.setscrreg(System.Int32,System.Int32) - name: setscrreg(Int32, Int32) - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_setscrreg_System_Int32_System_Int32_ - commentId: M:Unix.Terminal.Curses.Window.setscrreg(System.Int32,System.Int32) - fullName: Unix.Terminal.Curses.Window.setscrreg(System.Int32, System.Int32) - nameWithType: Curses.Window.setscrreg(Int32, Int32) -- uid: Unix.Terminal.Curses.Window.setscrreg* - name: setscrreg - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_setscrreg_ - commentId: Overload:Unix.Terminal.Curses.Window.setscrreg - isSpec: "True" - fullName: Unix.Terminal.Curses.Window.setscrreg - nameWithType: Curses.Window.setscrreg -- uid: Unix.Terminal.Curses.Window.Standard - name: Standard - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_Standard - commentId: P:Unix.Terminal.Curses.Window.Standard - fullName: Unix.Terminal.Curses.Window.Standard - nameWithType: Curses.Window.Standard -- uid: Unix.Terminal.Curses.Window.Standard* - name: Standard - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_Standard_ - commentId: Overload:Unix.Terminal.Curses.Window.Standard - isSpec: "True" - fullName: Unix.Terminal.Curses.Window.Standard - nameWithType: Curses.Window.Standard -- uid: Unix.Terminal.Curses.Window.wnoutrefresh - name: wnoutrefresh() - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_wnoutrefresh - commentId: M:Unix.Terminal.Curses.Window.wnoutrefresh - fullName: Unix.Terminal.Curses.Window.wnoutrefresh() - nameWithType: Curses.Window.wnoutrefresh() -- uid: Unix.Terminal.Curses.Window.wnoutrefresh* - name: wnoutrefresh - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_wnoutrefresh_ - commentId: Overload:Unix.Terminal.Curses.Window.wnoutrefresh - isSpec: "True" - fullName: Unix.Terminal.Curses.Window.wnoutrefresh - nameWithType: Curses.Window.wnoutrefresh -- uid: Unix.Terminal.Curses.Window.wrefresh - name: wrefresh() - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_wrefresh - commentId: M:Unix.Terminal.Curses.Window.wrefresh - fullName: Unix.Terminal.Curses.Window.wrefresh() - nameWithType: Curses.Window.wrefresh() -- uid: Unix.Terminal.Curses.Window.wrefresh* - name: wrefresh - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_wrefresh_ - commentId: Overload:Unix.Terminal.Curses.Window.wrefresh - isSpec: "True" - fullName: Unix.Terminal.Curses.Window.wrefresh - nameWithType: Curses.Window.wrefresh -- uid: Unix.Terminal.Curses.Window.wtimeout(System.Int32) - name: wtimeout(Int32) - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_wtimeout_System_Int32_ - commentId: M:Unix.Terminal.Curses.Window.wtimeout(System.Int32) - fullName: Unix.Terminal.Curses.Window.wtimeout(System.Int32) - nameWithType: Curses.Window.wtimeout(Int32) -- uid: Unix.Terminal.Curses.Window.wtimeout* - name: wtimeout - href: api/Terminal.Gui/Unix.Terminal.Curses.Window.html#Unix_Terminal_Curses_Window_wtimeout_ - commentId: Overload:Unix.Terminal.Curses.Window.wtimeout - isSpec: "True" - fullName: Unix.Terminal.Curses.Window.wtimeout - nameWithType: Curses.Window.wtimeout -- uid: Unix.Terminal.Curses.wmove(System.IntPtr,System.Int32,System.Int32) - name: wmove(IntPtr, Int32, Int32) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_wmove_System_IntPtr_System_Int32_System_Int32_ - commentId: M:Unix.Terminal.Curses.wmove(System.IntPtr,System.Int32,System.Int32) - fullName: Unix.Terminal.Curses.wmove(System.IntPtr, System.Int32, System.Int32) - nameWithType: Curses.wmove(IntPtr, Int32, Int32) -- uid: Unix.Terminal.Curses.wmove* - name: wmove - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_wmove_ - commentId: Overload:Unix.Terminal.Curses.wmove - isSpec: "True" - fullName: Unix.Terminal.Curses.wmove - nameWithType: Curses.wmove -- uid: Unix.Terminal.Curses.wnoutrefresh(System.IntPtr) - name: wnoutrefresh(IntPtr) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_wnoutrefresh_System_IntPtr_ - commentId: M:Unix.Terminal.Curses.wnoutrefresh(System.IntPtr) - fullName: Unix.Terminal.Curses.wnoutrefresh(System.IntPtr) - nameWithType: Curses.wnoutrefresh(IntPtr) -- uid: Unix.Terminal.Curses.wnoutrefresh* - name: wnoutrefresh - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_wnoutrefresh_ - commentId: Overload:Unix.Terminal.Curses.wnoutrefresh - isSpec: "True" - fullName: Unix.Terminal.Curses.wnoutrefresh - nameWithType: Curses.wnoutrefresh -- uid: Unix.Terminal.Curses.wrefresh(System.IntPtr) - name: wrefresh(IntPtr) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_wrefresh_System_IntPtr_ - commentId: M:Unix.Terminal.Curses.wrefresh(System.IntPtr) - fullName: Unix.Terminal.Curses.wrefresh(System.IntPtr) - nameWithType: Curses.wrefresh(IntPtr) -- uid: Unix.Terminal.Curses.wrefresh* - name: wrefresh - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_wrefresh_ - commentId: Overload:Unix.Terminal.Curses.wrefresh - isSpec: "True" - fullName: Unix.Terminal.Curses.wrefresh - nameWithType: Curses.wrefresh -- uid: Unix.Terminal.Curses.wsetscrreg(System.IntPtr,System.Int32,System.Int32) - name: wsetscrreg(IntPtr, Int32, Int32) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_wsetscrreg_System_IntPtr_System_Int32_System_Int32_ - commentId: M:Unix.Terminal.Curses.wsetscrreg(System.IntPtr,System.Int32,System.Int32) - fullName: Unix.Terminal.Curses.wsetscrreg(System.IntPtr, System.Int32, System.Int32) - nameWithType: Curses.wsetscrreg(IntPtr, Int32, Int32) -- uid: Unix.Terminal.Curses.wsetscrreg* - name: wsetscrreg - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_wsetscrreg_ - commentId: Overload:Unix.Terminal.Curses.wsetscrreg - isSpec: "True" - fullName: Unix.Terminal.Curses.wsetscrreg - nameWithType: Curses.wsetscrreg -- uid: Unix.Terminal.Curses.wtimeout(System.IntPtr,System.Int32) - name: wtimeout(IntPtr, Int32) - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_wtimeout_System_IntPtr_System_Int32_ - commentId: M:Unix.Terminal.Curses.wtimeout(System.IntPtr,System.Int32) - fullName: Unix.Terminal.Curses.wtimeout(System.IntPtr, System.Int32) - nameWithType: Curses.wtimeout(IntPtr, Int32) -- uid: Unix.Terminal.Curses.wtimeout* - name: wtimeout - href: api/Terminal.Gui/Unix.Terminal.Curses.html#Unix_Terminal_Curses_wtimeout_ - commentId: Overload:Unix.Terminal.Curses.wtimeout - isSpec: "True" - fullName: Unix.Terminal.Curses.wtimeout - nameWithType: Curses.wtimeout