Search is not available for this dataset
id
stringlengths
1
8
text
stringlengths
72
9.81M
addition_count
int64
0
10k
commit_subject
stringlengths
0
3.7k
deletion_count
int64
0
8.43k
file_extension
stringlengths
0
32
lang
stringlengths
1
94
license
stringclasses
10 values
repo_name
stringlengths
9
59
10063850
<NME> LineNumberMargin.cs <BEF> // Copyright (c) 2014 AlphaSierraPapa for the SharpDevelop Team // // Permission is hereby granted, free of charge, to any person obtaining a copy of this // software and associated documentation files (the "Software"), to deal in the Software // without restriction, including without limitation the rights to use, copy, modify, merge, // publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons // to whom the Software is furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in all copies or // substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, // INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR // PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE // FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR // OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER // DEALINGS IN THE SOFTWARE. using System; using System.Globalization; using System.Linq; using Avalonia; using AvaloniaEdit.Document; using AvaloniaEdit.Rendering; using AvaloniaEdit.Utils; using Avalonia.Controls; using Avalonia.Controls.Primitives; using Avalonia.Input; using Avalonia.Media; namespace AvaloniaEdit.Editing { /// <summary> /// </summary> public class LineNumberMargin : AbstractMargin { private TextArea _textArea; /// <summary> /// The typeface used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> protected FontFamily Typeface; /// <summary> /// The font size used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> protected double EmSize; /// <inheritdoc/> protected override Size MeasureOverride(Size availableSize) protected override Size MeasureOverride(Size availableSize) { Typeface = this.CreateTypeface(); EmSize = GetValue(TextBlock.FontSizeProperty); var text = TextFormatterFactory.CreateFormattedText( this, new string('9', MaxLineNumberLength), Typeface, EmSize, GetValue(TextBlock.ForegroundProperty) ); return new Size(text.Width, 0); } public override void Render(DrawingContext drawingContext) { var textView = TextView; var renderSize = Bounds.Size; if (textView is {VisualLinesValid: true}) { var foreground = GetValue(TextBlock.ForegroundProperty); foreach (var line in textView.VisualLines) { var lineNumber = line.FirstDocumentLine.LineNumber; var text = TextFormatterFactory.CreateFormattedText( this, lineNumber.ToString(CultureInfo.CurrentCulture), Typeface, EmSize, foreground ); var y = line.GetTextLineVisualYPosition(line.TextLines[0], VisualYPosition.TextTop); drawingContext.DrawText(text, new Point(renderSize.Width - text.Width, y - textView.VerticalOffset)); } } } /// <inheritdoc/> protected override void OnTextViewChanged(TextView oldTextView, TextView newTextView) { if (oldTextView != null) { oldTextView.VisualLinesChanged -= TextViewVisualLinesChanged; } base.OnTextViewChanged(oldTextView, newTextView); if (newTextView != null) { newTextView.VisualLinesChanged += TextViewVisualLinesChanged; } InvalidateVisual(); } /// <inheritdoc/> protected override void OnDocumentChanged(TextDocument oldDocument, TextDocument newDocument) { if (oldDocument != null) { TextDocumentWeakEventManager.LineCountChanged.RemoveHandler(oldDocument, OnDocumentLineCountChanged); } base.OnDocumentChanged(oldDocument, newDocument); if (newDocument != null) { TextDocumentWeakEventManager.LineCountChanged.AddHandler(newDocument, OnDocumentLineCountChanged); } OnDocumentLineCountChanged(); } private void OnDocumentLineCountChanged(object sender, EventArgs e) { OnDocumentLineCountChanged(); } void TextViewVisualLinesChanged(object sender, EventArgs e) { InvalidateMeasure(); } } } private AnchorSegment _selectionStart; private bool _selecting; protected override void OnPointerPressed(PointerPressedEventArgs e) { base.OnPointerPressed(e); if (!e.Handled && e.MouseButton == MouseButton.Left && TextView != null && _textArea != null) { e.Handled = true; _textArea.Focus(); var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; e.Device.Capture(this); if (e.Device.Captured == this) { } _selectionStart = new AnchorSegment(Document, currentSeg.Offset, currentSeg.Length); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { if (_textArea.Selection is SimpleSelection simpleSelection) _selectionStart = new AnchorSegment(Document, simpleSelection.SurroundingSegment); } _textArea.Selection = Selection.Create(_textArea, _selectionStart); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { ExtendSelection(currentSeg); } _textArea.Caret.BringCaretToView(5.0); } } } e.Pointer.Capture(this); if (e.Pointer.Captured == this) { _selecting = true; _selectionStart = new AnchorSegment(Document, currentSeg.Offset, currentSeg.Length); if (e.KeyModifiers.HasFlag(KeyModifiers.Shift)) { if (TextArea.Selection is SimpleSelection simpleSelection) _selectionStart = new AnchorSegment(Document, simpleSelection.SurroundingSegment); } TextArea.Selection = Selection.Create(TextArea, _selectionStart); if (e.KeyModifiers.HasFlag(KeyModifiers.Shift)) { ExtendSelection(currentSeg); } TextArea.Caret.BringCaretToView(0); } } } { if (currentSeg.Offset < _selectionStart.Offset) { _textArea.Caret.Offset = currentSeg.Offset; _textArea.Selection = Selection.Create(_textArea, currentSeg.Offset, _selectionStart.Offset + _selectionStart.Length); } else { _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; _textArea.Selection = Selection.Create(_textArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); } } protected override void OnPointerMoved(PointerEventArgs e) { if (_selecting && _textArea != null && TextView != null) { e.Handled = true; var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; ExtendSelection(currentSeg); _textArea.Caret.BringCaretToView(5.0); } base.OnPointerMoved(e); } { TextArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; TextArea.Selection = Selection.Create(TextArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); } } protected override void OnPointerMoved(PointerEventArgs e) { if (_selecting && TextArea != null && TextView != null) { e.Handled = true; var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; ExtendSelection(currentSeg); TextArea.Caret.BringCaretToView(0); } base.OnPointerMoved(e); } protected override void OnPointerReleased(PointerReleasedEventArgs e) { if (_selecting) { _selecting = false; _selectionStart = null; e.Pointer.Capture(null); e.Handled = true; } base.OnPointerReleased(e); } } } <MSG> Fix line margin interactivity <DFF> @@ -34,19 +34,20 @@ namespace AvaloniaEdit.Editing /// </summary> public class LineNumberMargin : AbstractMargin { - private TextArea _textArea; + private AnchorSegment _selectionStart; + private bool _selecting; /// <summary> /// The typeface used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> - protected FontFamily Typeface; + protected FontFamily Typeface { get; set; } /// <summary> /// The font size used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> - protected double EmSize; + protected double EmSize { get; set; } /// <inheritdoc/> protected override Size MeasureOverride(Size availableSize) @@ -129,22 +130,19 @@ namespace AvaloniaEdit.Editing } } - private AnchorSegment _selectionStart; - private bool _selecting; - protected override void OnPointerPressed(PointerPressedEventArgs e) { base.OnPointerPressed(e); - if (!e.Handled && e.MouseButton == MouseButton.Left && TextView != null && _textArea != null) + if (!e.Handled && e.MouseButton == MouseButton.Left && TextView != null && TextArea != null) { e.Handled = true; - _textArea.Focus(); + TextArea.Focus(); var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; - _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; + TextArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; e.Device.Capture(this); if (e.Device.Captured == this) { @@ -152,15 +150,15 @@ namespace AvaloniaEdit.Editing _selectionStart = new AnchorSegment(Document, currentSeg.Offset, currentSeg.Length); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { - if (_textArea.Selection is SimpleSelection simpleSelection) + if (TextArea.Selection is SimpleSelection simpleSelection) _selectionStart = new AnchorSegment(Document, simpleSelection.SurroundingSegment); } - _textArea.Selection = Selection.Create(_textArea, _selectionStart); + TextArea.Selection = Selection.Create(TextArea, _selectionStart); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { ExtendSelection(currentSeg); } - _textArea.Caret.BringCaretToView(5.0); + TextArea.Caret.BringCaretToView(5.0); } } } @@ -187,26 +185,26 @@ namespace AvaloniaEdit.Editing { if (currentSeg.Offset < _selectionStart.Offset) { - _textArea.Caret.Offset = currentSeg.Offset; - _textArea.Selection = Selection.Create(_textArea, currentSeg.Offset, _selectionStart.Offset + _selectionStart.Length); + TextArea.Caret.Offset = currentSeg.Offset; + TextArea.Selection = Selection.Create(TextArea, currentSeg.Offset, _selectionStart.Offset + _selectionStart.Length); } else { - _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; - _textArea.Selection = Selection.Create(_textArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); + TextArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; + TextArea.Selection = Selection.Create(TextArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); } } protected override void OnPointerMoved(PointerEventArgs e) { - if (_selecting && _textArea != null && TextView != null) + if (_selecting && TextArea != null && TextView != null) { e.Handled = true; var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; ExtendSelection(currentSeg); - _textArea.Caret.BringCaretToView(5.0); + TextArea.Caret.BringCaretToView(5.0); } base.OnPointerMoved(e); }
16
Fix line margin interactivity
18
.cs
cs
mit
AvaloniaUI/AvaloniaEdit
10063851
<NME> LineNumberMargin.cs <BEF> // Copyright (c) 2014 AlphaSierraPapa for the SharpDevelop Team // // Permission is hereby granted, free of charge, to any person obtaining a copy of this // software and associated documentation files (the "Software"), to deal in the Software // without restriction, including without limitation the rights to use, copy, modify, merge, // publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons // to whom the Software is furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in all copies or // substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, // INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR // PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE // FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR // OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER // DEALINGS IN THE SOFTWARE. using System; using System.Globalization; using System.Linq; using Avalonia; using AvaloniaEdit.Document; using AvaloniaEdit.Rendering; using AvaloniaEdit.Utils; using Avalonia.Controls; using Avalonia.Controls.Primitives; using Avalonia.Input; using Avalonia.Media; namespace AvaloniaEdit.Editing { /// <summary> /// </summary> public class LineNumberMargin : AbstractMargin { private TextArea _textArea; /// <summary> /// The typeface used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> protected FontFamily Typeface; /// <summary> /// The font size used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> protected double EmSize; /// <inheritdoc/> protected override Size MeasureOverride(Size availableSize) protected override Size MeasureOverride(Size availableSize) { Typeface = this.CreateTypeface(); EmSize = GetValue(TextBlock.FontSizeProperty); var text = TextFormatterFactory.CreateFormattedText( this, new string('9', MaxLineNumberLength), Typeface, EmSize, GetValue(TextBlock.ForegroundProperty) ); return new Size(text.Width, 0); } public override void Render(DrawingContext drawingContext) { var textView = TextView; var renderSize = Bounds.Size; if (textView is {VisualLinesValid: true}) { var foreground = GetValue(TextBlock.ForegroundProperty); foreach (var line in textView.VisualLines) { var lineNumber = line.FirstDocumentLine.LineNumber; var text = TextFormatterFactory.CreateFormattedText( this, lineNumber.ToString(CultureInfo.CurrentCulture), Typeface, EmSize, foreground ); var y = line.GetTextLineVisualYPosition(line.TextLines[0], VisualYPosition.TextTop); drawingContext.DrawText(text, new Point(renderSize.Width - text.Width, y - textView.VerticalOffset)); } } } /// <inheritdoc/> protected override void OnTextViewChanged(TextView oldTextView, TextView newTextView) { if (oldTextView != null) { oldTextView.VisualLinesChanged -= TextViewVisualLinesChanged; } base.OnTextViewChanged(oldTextView, newTextView); if (newTextView != null) { newTextView.VisualLinesChanged += TextViewVisualLinesChanged; } InvalidateVisual(); } /// <inheritdoc/> protected override void OnDocumentChanged(TextDocument oldDocument, TextDocument newDocument) { if (oldDocument != null) { TextDocumentWeakEventManager.LineCountChanged.RemoveHandler(oldDocument, OnDocumentLineCountChanged); } base.OnDocumentChanged(oldDocument, newDocument); if (newDocument != null) { TextDocumentWeakEventManager.LineCountChanged.AddHandler(newDocument, OnDocumentLineCountChanged); } OnDocumentLineCountChanged(); } private void OnDocumentLineCountChanged(object sender, EventArgs e) { OnDocumentLineCountChanged(); } void TextViewVisualLinesChanged(object sender, EventArgs e) { InvalidateMeasure(); } } } private AnchorSegment _selectionStart; private bool _selecting; protected override void OnPointerPressed(PointerPressedEventArgs e) { base.OnPointerPressed(e); if (!e.Handled && e.MouseButton == MouseButton.Left && TextView != null && _textArea != null) { e.Handled = true; _textArea.Focus(); var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; e.Device.Capture(this); if (e.Device.Captured == this) { } _selectionStart = new AnchorSegment(Document, currentSeg.Offset, currentSeg.Length); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { if (_textArea.Selection is SimpleSelection simpleSelection) _selectionStart = new AnchorSegment(Document, simpleSelection.SurroundingSegment); } _textArea.Selection = Selection.Create(_textArea, _selectionStart); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { ExtendSelection(currentSeg); } _textArea.Caret.BringCaretToView(5.0); } } } e.Pointer.Capture(this); if (e.Pointer.Captured == this) { _selecting = true; _selectionStart = new AnchorSegment(Document, currentSeg.Offset, currentSeg.Length); if (e.KeyModifiers.HasFlag(KeyModifiers.Shift)) { if (TextArea.Selection is SimpleSelection simpleSelection) _selectionStart = new AnchorSegment(Document, simpleSelection.SurroundingSegment); } TextArea.Selection = Selection.Create(TextArea, _selectionStart); if (e.KeyModifiers.HasFlag(KeyModifiers.Shift)) { ExtendSelection(currentSeg); } TextArea.Caret.BringCaretToView(0); } } } { if (currentSeg.Offset < _selectionStart.Offset) { _textArea.Caret.Offset = currentSeg.Offset; _textArea.Selection = Selection.Create(_textArea, currentSeg.Offset, _selectionStart.Offset + _selectionStart.Length); } else { _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; _textArea.Selection = Selection.Create(_textArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); } } protected override void OnPointerMoved(PointerEventArgs e) { if (_selecting && _textArea != null && TextView != null) { e.Handled = true; var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; ExtendSelection(currentSeg); _textArea.Caret.BringCaretToView(5.0); } base.OnPointerMoved(e); } { TextArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; TextArea.Selection = Selection.Create(TextArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); } } protected override void OnPointerMoved(PointerEventArgs e) { if (_selecting && TextArea != null && TextView != null) { e.Handled = true; var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; ExtendSelection(currentSeg); TextArea.Caret.BringCaretToView(0); } base.OnPointerMoved(e); } protected override void OnPointerReleased(PointerReleasedEventArgs e) { if (_selecting) { _selecting = false; _selectionStart = null; e.Pointer.Capture(null); e.Handled = true; } base.OnPointerReleased(e); } } } <MSG> Fix line margin interactivity <DFF> @@ -34,19 +34,20 @@ namespace AvaloniaEdit.Editing /// </summary> public class LineNumberMargin : AbstractMargin { - private TextArea _textArea; + private AnchorSegment _selectionStart; + private bool _selecting; /// <summary> /// The typeface used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> - protected FontFamily Typeface; + protected FontFamily Typeface { get; set; } /// <summary> /// The font size used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> - protected double EmSize; + protected double EmSize { get; set; } /// <inheritdoc/> protected override Size MeasureOverride(Size availableSize) @@ -129,22 +130,19 @@ namespace AvaloniaEdit.Editing } } - private AnchorSegment _selectionStart; - private bool _selecting; - protected override void OnPointerPressed(PointerPressedEventArgs e) { base.OnPointerPressed(e); - if (!e.Handled && e.MouseButton == MouseButton.Left && TextView != null && _textArea != null) + if (!e.Handled && e.MouseButton == MouseButton.Left && TextView != null && TextArea != null) { e.Handled = true; - _textArea.Focus(); + TextArea.Focus(); var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; - _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; + TextArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; e.Device.Capture(this); if (e.Device.Captured == this) { @@ -152,15 +150,15 @@ namespace AvaloniaEdit.Editing _selectionStart = new AnchorSegment(Document, currentSeg.Offset, currentSeg.Length); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { - if (_textArea.Selection is SimpleSelection simpleSelection) + if (TextArea.Selection is SimpleSelection simpleSelection) _selectionStart = new AnchorSegment(Document, simpleSelection.SurroundingSegment); } - _textArea.Selection = Selection.Create(_textArea, _selectionStart); + TextArea.Selection = Selection.Create(TextArea, _selectionStart); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { ExtendSelection(currentSeg); } - _textArea.Caret.BringCaretToView(5.0); + TextArea.Caret.BringCaretToView(5.0); } } } @@ -187,26 +185,26 @@ namespace AvaloniaEdit.Editing { if (currentSeg.Offset < _selectionStart.Offset) { - _textArea.Caret.Offset = currentSeg.Offset; - _textArea.Selection = Selection.Create(_textArea, currentSeg.Offset, _selectionStart.Offset + _selectionStart.Length); + TextArea.Caret.Offset = currentSeg.Offset; + TextArea.Selection = Selection.Create(TextArea, currentSeg.Offset, _selectionStart.Offset + _selectionStart.Length); } else { - _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; - _textArea.Selection = Selection.Create(_textArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); + TextArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; + TextArea.Selection = Selection.Create(TextArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); } } protected override void OnPointerMoved(PointerEventArgs e) { - if (_selecting && _textArea != null && TextView != null) + if (_selecting && TextArea != null && TextView != null) { e.Handled = true; var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; ExtendSelection(currentSeg); - _textArea.Caret.BringCaretToView(5.0); + TextArea.Caret.BringCaretToView(5.0); } base.OnPointerMoved(e); }
16
Fix line margin interactivity
18
.cs
cs
mit
AvaloniaUI/AvaloniaEdit
10063852
<NME> LineNumberMargin.cs <BEF> // Copyright (c) 2014 AlphaSierraPapa for the SharpDevelop Team // // Permission is hereby granted, free of charge, to any person obtaining a copy of this // software and associated documentation files (the "Software"), to deal in the Software // without restriction, including without limitation the rights to use, copy, modify, merge, // publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons // to whom the Software is furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in all copies or // substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, // INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR // PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE // FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR // OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER // DEALINGS IN THE SOFTWARE. using System; using System.Globalization; using System.Linq; using Avalonia; using AvaloniaEdit.Document; using AvaloniaEdit.Rendering; using AvaloniaEdit.Utils; using Avalonia.Controls; using Avalonia.Controls.Primitives; using Avalonia.Input; using Avalonia.Media; namespace AvaloniaEdit.Editing { /// <summary> /// </summary> public class LineNumberMargin : AbstractMargin { private TextArea _textArea; /// <summary> /// The typeface used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> protected FontFamily Typeface; /// <summary> /// The font size used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> protected double EmSize; /// <inheritdoc/> protected override Size MeasureOverride(Size availableSize) protected override Size MeasureOverride(Size availableSize) { Typeface = this.CreateTypeface(); EmSize = GetValue(TextBlock.FontSizeProperty); var text = TextFormatterFactory.CreateFormattedText( this, new string('9', MaxLineNumberLength), Typeface, EmSize, GetValue(TextBlock.ForegroundProperty) ); return new Size(text.Width, 0); } public override void Render(DrawingContext drawingContext) { var textView = TextView; var renderSize = Bounds.Size; if (textView is {VisualLinesValid: true}) { var foreground = GetValue(TextBlock.ForegroundProperty); foreach (var line in textView.VisualLines) { var lineNumber = line.FirstDocumentLine.LineNumber; var text = TextFormatterFactory.CreateFormattedText( this, lineNumber.ToString(CultureInfo.CurrentCulture), Typeface, EmSize, foreground ); var y = line.GetTextLineVisualYPosition(line.TextLines[0], VisualYPosition.TextTop); drawingContext.DrawText(text, new Point(renderSize.Width - text.Width, y - textView.VerticalOffset)); } } } /// <inheritdoc/> protected override void OnTextViewChanged(TextView oldTextView, TextView newTextView) { if (oldTextView != null) { oldTextView.VisualLinesChanged -= TextViewVisualLinesChanged; } base.OnTextViewChanged(oldTextView, newTextView); if (newTextView != null) { newTextView.VisualLinesChanged += TextViewVisualLinesChanged; } InvalidateVisual(); } /// <inheritdoc/> protected override void OnDocumentChanged(TextDocument oldDocument, TextDocument newDocument) { if (oldDocument != null) { TextDocumentWeakEventManager.LineCountChanged.RemoveHandler(oldDocument, OnDocumentLineCountChanged); } base.OnDocumentChanged(oldDocument, newDocument); if (newDocument != null) { TextDocumentWeakEventManager.LineCountChanged.AddHandler(newDocument, OnDocumentLineCountChanged); } OnDocumentLineCountChanged(); } private void OnDocumentLineCountChanged(object sender, EventArgs e) { OnDocumentLineCountChanged(); } void TextViewVisualLinesChanged(object sender, EventArgs e) { InvalidateMeasure(); } } } private AnchorSegment _selectionStart; private bool _selecting; protected override void OnPointerPressed(PointerPressedEventArgs e) { base.OnPointerPressed(e); if (!e.Handled && e.MouseButton == MouseButton.Left && TextView != null && _textArea != null) { e.Handled = true; _textArea.Focus(); var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; e.Device.Capture(this); if (e.Device.Captured == this) { } _selectionStart = new AnchorSegment(Document, currentSeg.Offset, currentSeg.Length); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { if (_textArea.Selection is SimpleSelection simpleSelection) _selectionStart = new AnchorSegment(Document, simpleSelection.SurroundingSegment); } _textArea.Selection = Selection.Create(_textArea, _selectionStart); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { ExtendSelection(currentSeg); } _textArea.Caret.BringCaretToView(5.0); } } } e.Pointer.Capture(this); if (e.Pointer.Captured == this) { _selecting = true; _selectionStart = new AnchorSegment(Document, currentSeg.Offset, currentSeg.Length); if (e.KeyModifiers.HasFlag(KeyModifiers.Shift)) { if (TextArea.Selection is SimpleSelection simpleSelection) _selectionStart = new AnchorSegment(Document, simpleSelection.SurroundingSegment); } TextArea.Selection = Selection.Create(TextArea, _selectionStart); if (e.KeyModifiers.HasFlag(KeyModifiers.Shift)) { ExtendSelection(currentSeg); } TextArea.Caret.BringCaretToView(0); } } } { if (currentSeg.Offset < _selectionStart.Offset) { _textArea.Caret.Offset = currentSeg.Offset; _textArea.Selection = Selection.Create(_textArea, currentSeg.Offset, _selectionStart.Offset + _selectionStart.Length); } else { _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; _textArea.Selection = Selection.Create(_textArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); } } protected override void OnPointerMoved(PointerEventArgs e) { if (_selecting && _textArea != null && TextView != null) { e.Handled = true; var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; ExtendSelection(currentSeg); _textArea.Caret.BringCaretToView(5.0); } base.OnPointerMoved(e); } { TextArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; TextArea.Selection = Selection.Create(TextArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); } } protected override void OnPointerMoved(PointerEventArgs e) { if (_selecting && TextArea != null && TextView != null) { e.Handled = true; var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; ExtendSelection(currentSeg); TextArea.Caret.BringCaretToView(0); } base.OnPointerMoved(e); } protected override void OnPointerReleased(PointerReleasedEventArgs e) { if (_selecting) { _selecting = false; _selectionStart = null; e.Pointer.Capture(null); e.Handled = true; } base.OnPointerReleased(e); } } } <MSG> Fix line margin interactivity <DFF> @@ -34,19 +34,20 @@ namespace AvaloniaEdit.Editing /// </summary> public class LineNumberMargin : AbstractMargin { - private TextArea _textArea; + private AnchorSegment _selectionStart; + private bool _selecting; /// <summary> /// The typeface used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> - protected FontFamily Typeface; + protected FontFamily Typeface { get; set; } /// <summary> /// The font size used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> - protected double EmSize; + protected double EmSize { get; set; } /// <inheritdoc/> protected override Size MeasureOverride(Size availableSize) @@ -129,22 +130,19 @@ namespace AvaloniaEdit.Editing } } - private AnchorSegment _selectionStart; - private bool _selecting; - protected override void OnPointerPressed(PointerPressedEventArgs e) { base.OnPointerPressed(e); - if (!e.Handled && e.MouseButton == MouseButton.Left && TextView != null && _textArea != null) + if (!e.Handled && e.MouseButton == MouseButton.Left && TextView != null && TextArea != null) { e.Handled = true; - _textArea.Focus(); + TextArea.Focus(); var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; - _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; + TextArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; e.Device.Capture(this); if (e.Device.Captured == this) { @@ -152,15 +150,15 @@ namespace AvaloniaEdit.Editing _selectionStart = new AnchorSegment(Document, currentSeg.Offset, currentSeg.Length); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { - if (_textArea.Selection is SimpleSelection simpleSelection) + if (TextArea.Selection is SimpleSelection simpleSelection) _selectionStart = new AnchorSegment(Document, simpleSelection.SurroundingSegment); } - _textArea.Selection = Selection.Create(_textArea, _selectionStart); + TextArea.Selection = Selection.Create(TextArea, _selectionStart); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { ExtendSelection(currentSeg); } - _textArea.Caret.BringCaretToView(5.0); + TextArea.Caret.BringCaretToView(5.0); } } } @@ -187,26 +185,26 @@ namespace AvaloniaEdit.Editing { if (currentSeg.Offset < _selectionStart.Offset) { - _textArea.Caret.Offset = currentSeg.Offset; - _textArea.Selection = Selection.Create(_textArea, currentSeg.Offset, _selectionStart.Offset + _selectionStart.Length); + TextArea.Caret.Offset = currentSeg.Offset; + TextArea.Selection = Selection.Create(TextArea, currentSeg.Offset, _selectionStart.Offset + _selectionStart.Length); } else { - _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; - _textArea.Selection = Selection.Create(_textArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); + TextArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; + TextArea.Selection = Selection.Create(TextArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); } } protected override void OnPointerMoved(PointerEventArgs e) { - if (_selecting && _textArea != null && TextView != null) + if (_selecting && TextArea != null && TextView != null) { e.Handled = true; var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; ExtendSelection(currentSeg); - _textArea.Caret.BringCaretToView(5.0); + TextArea.Caret.BringCaretToView(5.0); } base.OnPointerMoved(e); }
16
Fix line margin interactivity
18
.cs
cs
mit
AvaloniaUI/AvaloniaEdit
10063853
<NME> LineNumberMargin.cs <BEF> // Copyright (c) 2014 AlphaSierraPapa for the SharpDevelop Team // // Permission is hereby granted, free of charge, to any person obtaining a copy of this // software and associated documentation files (the "Software"), to deal in the Software // without restriction, including without limitation the rights to use, copy, modify, merge, // publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons // to whom the Software is furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in all copies or // substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, // INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR // PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE // FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR // OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER // DEALINGS IN THE SOFTWARE. using System; using System.Globalization; using System.Linq; using Avalonia; using AvaloniaEdit.Document; using AvaloniaEdit.Rendering; using AvaloniaEdit.Utils; using Avalonia.Controls; using Avalonia.Controls.Primitives; using Avalonia.Input; using Avalonia.Media; namespace AvaloniaEdit.Editing { /// <summary> /// </summary> public class LineNumberMargin : AbstractMargin { private TextArea _textArea; /// <summary> /// The typeface used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> protected FontFamily Typeface; /// <summary> /// The font size used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> protected double EmSize; /// <inheritdoc/> protected override Size MeasureOverride(Size availableSize) protected override Size MeasureOverride(Size availableSize) { Typeface = this.CreateTypeface(); EmSize = GetValue(TextBlock.FontSizeProperty); var text = TextFormatterFactory.CreateFormattedText( this, new string('9', MaxLineNumberLength), Typeface, EmSize, GetValue(TextBlock.ForegroundProperty) ); return new Size(text.Width, 0); } public override void Render(DrawingContext drawingContext) { var textView = TextView; var renderSize = Bounds.Size; if (textView is {VisualLinesValid: true}) { var foreground = GetValue(TextBlock.ForegroundProperty); foreach (var line in textView.VisualLines) { var lineNumber = line.FirstDocumentLine.LineNumber; var text = TextFormatterFactory.CreateFormattedText( this, lineNumber.ToString(CultureInfo.CurrentCulture), Typeface, EmSize, foreground ); var y = line.GetTextLineVisualYPosition(line.TextLines[0], VisualYPosition.TextTop); drawingContext.DrawText(text, new Point(renderSize.Width - text.Width, y - textView.VerticalOffset)); } } } /// <inheritdoc/> protected override void OnTextViewChanged(TextView oldTextView, TextView newTextView) { if (oldTextView != null) { oldTextView.VisualLinesChanged -= TextViewVisualLinesChanged; } base.OnTextViewChanged(oldTextView, newTextView); if (newTextView != null) { newTextView.VisualLinesChanged += TextViewVisualLinesChanged; } InvalidateVisual(); } /// <inheritdoc/> protected override void OnDocumentChanged(TextDocument oldDocument, TextDocument newDocument) { if (oldDocument != null) { TextDocumentWeakEventManager.LineCountChanged.RemoveHandler(oldDocument, OnDocumentLineCountChanged); } base.OnDocumentChanged(oldDocument, newDocument); if (newDocument != null) { TextDocumentWeakEventManager.LineCountChanged.AddHandler(newDocument, OnDocumentLineCountChanged); } OnDocumentLineCountChanged(); } private void OnDocumentLineCountChanged(object sender, EventArgs e) { OnDocumentLineCountChanged(); } void TextViewVisualLinesChanged(object sender, EventArgs e) { InvalidateMeasure(); } } } private AnchorSegment _selectionStart; private bool _selecting; protected override void OnPointerPressed(PointerPressedEventArgs e) { base.OnPointerPressed(e); if (!e.Handled && e.MouseButton == MouseButton.Left && TextView != null && _textArea != null) { e.Handled = true; _textArea.Focus(); var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; e.Device.Capture(this); if (e.Device.Captured == this) { } _selectionStart = new AnchorSegment(Document, currentSeg.Offset, currentSeg.Length); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { if (_textArea.Selection is SimpleSelection simpleSelection) _selectionStart = new AnchorSegment(Document, simpleSelection.SurroundingSegment); } _textArea.Selection = Selection.Create(_textArea, _selectionStart); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { ExtendSelection(currentSeg); } _textArea.Caret.BringCaretToView(5.0); } } } e.Pointer.Capture(this); if (e.Pointer.Captured == this) { _selecting = true; _selectionStart = new AnchorSegment(Document, currentSeg.Offset, currentSeg.Length); if (e.KeyModifiers.HasFlag(KeyModifiers.Shift)) { if (TextArea.Selection is SimpleSelection simpleSelection) _selectionStart = new AnchorSegment(Document, simpleSelection.SurroundingSegment); } TextArea.Selection = Selection.Create(TextArea, _selectionStart); if (e.KeyModifiers.HasFlag(KeyModifiers.Shift)) { ExtendSelection(currentSeg); } TextArea.Caret.BringCaretToView(0); } } } { if (currentSeg.Offset < _selectionStart.Offset) { _textArea.Caret.Offset = currentSeg.Offset; _textArea.Selection = Selection.Create(_textArea, currentSeg.Offset, _selectionStart.Offset + _selectionStart.Length); } else { _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; _textArea.Selection = Selection.Create(_textArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); } } protected override void OnPointerMoved(PointerEventArgs e) { if (_selecting && _textArea != null && TextView != null) { e.Handled = true; var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; ExtendSelection(currentSeg); _textArea.Caret.BringCaretToView(5.0); } base.OnPointerMoved(e); } { TextArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; TextArea.Selection = Selection.Create(TextArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); } } protected override void OnPointerMoved(PointerEventArgs e) { if (_selecting && TextArea != null && TextView != null) { e.Handled = true; var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; ExtendSelection(currentSeg); TextArea.Caret.BringCaretToView(0); } base.OnPointerMoved(e); } protected override void OnPointerReleased(PointerReleasedEventArgs e) { if (_selecting) { _selecting = false; _selectionStart = null; e.Pointer.Capture(null); e.Handled = true; } base.OnPointerReleased(e); } } } <MSG> Fix line margin interactivity <DFF> @@ -34,19 +34,20 @@ namespace AvaloniaEdit.Editing /// </summary> public class LineNumberMargin : AbstractMargin { - private TextArea _textArea; + private AnchorSegment _selectionStart; + private bool _selecting; /// <summary> /// The typeface used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> - protected FontFamily Typeface; + protected FontFamily Typeface { get; set; } /// <summary> /// The font size used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> - protected double EmSize; + protected double EmSize { get; set; } /// <inheritdoc/> protected override Size MeasureOverride(Size availableSize) @@ -129,22 +130,19 @@ namespace AvaloniaEdit.Editing } } - private AnchorSegment _selectionStart; - private bool _selecting; - protected override void OnPointerPressed(PointerPressedEventArgs e) { base.OnPointerPressed(e); - if (!e.Handled && e.MouseButton == MouseButton.Left && TextView != null && _textArea != null) + if (!e.Handled && e.MouseButton == MouseButton.Left && TextView != null && TextArea != null) { e.Handled = true; - _textArea.Focus(); + TextArea.Focus(); var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; - _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; + TextArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; e.Device.Capture(this); if (e.Device.Captured == this) { @@ -152,15 +150,15 @@ namespace AvaloniaEdit.Editing _selectionStart = new AnchorSegment(Document, currentSeg.Offset, currentSeg.Length); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { - if (_textArea.Selection is SimpleSelection simpleSelection) + if (TextArea.Selection is SimpleSelection simpleSelection) _selectionStart = new AnchorSegment(Document, simpleSelection.SurroundingSegment); } - _textArea.Selection = Selection.Create(_textArea, _selectionStart); + TextArea.Selection = Selection.Create(TextArea, _selectionStart); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { ExtendSelection(currentSeg); } - _textArea.Caret.BringCaretToView(5.0); + TextArea.Caret.BringCaretToView(5.0); } } } @@ -187,26 +185,26 @@ namespace AvaloniaEdit.Editing { if (currentSeg.Offset < _selectionStart.Offset) { - _textArea.Caret.Offset = currentSeg.Offset; - _textArea.Selection = Selection.Create(_textArea, currentSeg.Offset, _selectionStart.Offset + _selectionStart.Length); + TextArea.Caret.Offset = currentSeg.Offset; + TextArea.Selection = Selection.Create(TextArea, currentSeg.Offset, _selectionStart.Offset + _selectionStart.Length); } else { - _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; - _textArea.Selection = Selection.Create(_textArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); + TextArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; + TextArea.Selection = Selection.Create(TextArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); } } protected override void OnPointerMoved(PointerEventArgs e) { - if (_selecting && _textArea != null && TextView != null) + if (_selecting && TextArea != null && TextView != null) { e.Handled = true; var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; ExtendSelection(currentSeg); - _textArea.Caret.BringCaretToView(5.0); + TextArea.Caret.BringCaretToView(5.0); } base.OnPointerMoved(e); }
16
Fix line margin interactivity
18
.cs
cs
mit
AvaloniaUI/AvaloniaEdit
10063854
<NME> LineNumberMargin.cs <BEF> // Copyright (c) 2014 AlphaSierraPapa for the SharpDevelop Team // // Permission is hereby granted, free of charge, to any person obtaining a copy of this // software and associated documentation files (the "Software"), to deal in the Software // without restriction, including without limitation the rights to use, copy, modify, merge, // publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons // to whom the Software is furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in all copies or // substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, // INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR // PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE // FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR // OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER // DEALINGS IN THE SOFTWARE. using System; using System.Globalization; using System.Linq; using Avalonia; using AvaloniaEdit.Document; using AvaloniaEdit.Rendering; using AvaloniaEdit.Utils; using Avalonia.Controls; using Avalonia.Controls.Primitives; using Avalonia.Input; using Avalonia.Media; namespace AvaloniaEdit.Editing { /// <summary> /// </summary> public class LineNumberMargin : AbstractMargin { private TextArea _textArea; /// <summary> /// The typeface used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> protected FontFamily Typeface; /// <summary> /// The font size used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> protected double EmSize; /// <inheritdoc/> protected override Size MeasureOverride(Size availableSize) protected override Size MeasureOverride(Size availableSize) { Typeface = this.CreateTypeface(); EmSize = GetValue(TextBlock.FontSizeProperty); var text = TextFormatterFactory.CreateFormattedText( this, new string('9', MaxLineNumberLength), Typeface, EmSize, GetValue(TextBlock.ForegroundProperty) ); return new Size(text.Width, 0); } public override void Render(DrawingContext drawingContext) { var textView = TextView; var renderSize = Bounds.Size; if (textView is {VisualLinesValid: true}) { var foreground = GetValue(TextBlock.ForegroundProperty); foreach (var line in textView.VisualLines) { var lineNumber = line.FirstDocumentLine.LineNumber; var text = TextFormatterFactory.CreateFormattedText( this, lineNumber.ToString(CultureInfo.CurrentCulture), Typeface, EmSize, foreground ); var y = line.GetTextLineVisualYPosition(line.TextLines[0], VisualYPosition.TextTop); drawingContext.DrawText(text, new Point(renderSize.Width - text.Width, y - textView.VerticalOffset)); } } } /// <inheritdoc/> protected override void OnTextViewChanged(TextView oldTextView, TextView newTextView) { if (oldTextView != null) { oldTextView.VisualLinesChanged -= TextViewVisualLinesChanged; } base.OnTextViewChanged(oldTextView, newTextView); if (newTextView != null) { newTextView.VisualLinesChanged += TextViewVisualLinesChanged; } InvalidateVisual(); } /// <inheritdoc/> protected override void OnDocumentChanged(TextDocument oldDocument, TextDocument newDocument) { if (oldDocument != null) { TextDocumentWeakEventManager.LineCountChanged.RemoveHandler(oldDocument, OnDocumentLineCountChanged); } base.OnDocumentChanged(oldDocument, newDocument); if (newDocument != null) { TextDocumentWeakEventManager.LineCountChanged.AddHandler(newDocument, OnDocumentLineCountChanged); } OnDocumentLineCountChanged(); } private void OnDocumentLineCountChanged(object sender, EventArgs e) { OnDocumentLineCountChanged(); } void TextViewVisualLinesChanged(object sender, EventArgs e) { InvalidateMeasure(); } } } private AnchorSegment _selectionStart; private bool _selecting; protected override void OnPointerPressed(PointerPressedEventArgs e) { base.OnPointerPressed(e); if (!e.Handled && e.MouseButton == MouseButton.Left && TextView != null && _textArea != null) { e.Handled = true; _textArea.Focus(); var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; e.Device.Capture(this); if (e.Device.Captured == this) { } _selectionStart = new AnchorSegment(Document, currentSeg.Offset, currentSeg.Length); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { if (_textArea.Selection is SimpleSelection simpleSelection) _selectionStart = new AnchorSegment(Document, simpleSelection.SurroundingSegment); } _textArea.Selection = Selection.Create(_textArea, _selectionStart); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { ExtendSelection(currentSeg); } _textArea.Caret.BringCaretToView(5.0); } } } e.Pointer.Capture(this); if (e.Pointer.Captured == this) { _selecting = true; _selectionStart = new AnchorSegment(Document, currentSeg.Offset, currentSeg.Length); if (e.KeyModifiers.HasFlag(KeyModifiers.Shift)) { if (TextArea.Selection is SimpleSelection simpleSelection) _selectionStart = new AnchorSegment(Document, simpleSelection.SurroundingSegment); } TextArea.Selection = Selection.Create(TextArea, _selectionStart); if (e.KeyModifiers.HasFlag(KeyModifiers.Shift)) { ExtendSelection(currentSeg); } TextArea.Caret.BringCaretToView(0); } } } { if (currentSeg.Offset < _selectionStart.Offset) { _textArea.Caret.Offset = currentSeg.Offset; _textArea.Selection = Selection.Create(_textArea, currentSeg.Offset, _selectionStart.Offset + _selectionStart.Length); } else { _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; _textArea.Selection = Selection.Create(_textArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); } } protected override void OnPointerMoved(PointerEventArgs e) { if (_selecting && _textArea != null && TextView != null) { e.Handled = true; var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; ExtendSelection(currentSeg); _textArea.Caret.BringCaretToView(5.0); } base.OnPointerMoved(e); } { TextArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; TextArea.Selection = Selection.Create(TextArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); } } protected override void OnPointerMoved(PointerEventArgs e) { if (_selecting && TextArea != null && TextView != null) { e.Handled = true; var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; ExtendSelection(currentSeg); TextArea.Caret.BringCaretToView(0); } base.OnPointerMoved(e); } protected override void OnPointerReleased(PointerReleasedEventArgs e) { if (_selecting) { _selecting = false; _selectionStart = null; e.Pointer.Capture(null); e.Handled = true; } base.OnPointerReleased(e); } } } <MSG> Fix line margin interactivity <DFF> @@ -34,19 +34,20 @@ namespace AvaloniaEdit.Editing /// </summary> public class LineNumberMargin : AbstractMargin { - private TextArea _textArea; + private AnchorSegment _selectionStart; + private bool _selecting; /// <summary> /// The typeface used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> - protected FontFamily Typeface; + protected FontFamily Typeface { get; set; } /// <summary> /// The font size used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> - protected double EmSize; + protected double EmSize { get; set; } /// <inheritdoc/> protected override Size MeasureOverride(Size availableSize) @@ -129,22 +130,19 @@ namespace AvaloniaEdit.Editing } } - private AnchorSegment _selectionStart; - private bool _selecting; - protected override void OnPointerPressed(PointerPressedEventArgs e) { base.OnPointerPressed(e); - if (!e.Handled && e.MouseButton == MouseButton.Left && TextView != null && _textArea != null) + if (!e.Handled && e.MouseButton == MouseButton.Left && TextView != null && TextArea != null) { e.Handled = true; - _textArea.Focus(); + TextArea.Focus(); var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; - _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; + TextArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; e.Device.Capture(this); if (e.Device.Captured == this) { @@ -152,15 +150,15 @@ namespace AvaloniaEdit.Editing _selectionStart = new AnchorSegment(Document, currentSeg.Offset, currentSeg.Length); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { - if (_textArea.Selection is SimpleSelection simpleSelection) + if (TextArea.Selection is SimpleSelection simpleSelection) _selectionStart = new AnchorSegment(Document, simpleSelection.SurroundingSegment); } - _textArea.Selection = Selection.Create(_textArea, _selectionStart); + TextArea.Selection = Selection.Create(TextArea, _selectionStart); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { ExtendSelection(currentSeg); } - _textArea.Caret.BringCaretToView(5.0); + TextArea.Caret.BringCaretToView(5.0); } } } @@ -187,26 +185,26 @@ namespace AvaloniaEdit.Editing { if (currentSeg.Offset < _selectionStart.Offset) { - _textArea.Caret.Offset = currentSeg.Offset; - _textArea.Selection = Selection.Create(_textArea, currentSeg.Offset, _selectionStart.Offset + _selectionStart.Length); + TextArea.Caret.Offset = currentSeg.Offset; + TextArea.Selection = Selection.Create(TextArea, currentSeg.Offset, _selectionStart.Offset + _selectionStart.Length); } else { - _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; - _textArea.Selection = Selection.Create(_textArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); + TextArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; + TextArea.Selection = Selection.Create(TextArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); } } protected override void OnPointerMoved(PointerEventArgs e) { - if (_selecting && _textArea != null && TextView != null) + if (_selecting && TextArea != null && TextView != null) { e.Handled = true; var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; ExtendSelection(currentSeg); - _textArea.Caret.BringCaretToView(5.0); + TextArea.Caret.BringCaretToView(5.0); } base.OnPointerMoved(e); }
16
Fix line margin interactivity
18
.cs
cs
mit
AvaloniaUI/AvaloniaEdit
10063855
<NME> LineNumberMargin.cs <BEF> // Copyright (c) 2014 AlphaSierraPapa for the SharpDevelop Team // // Permission is hereby granted, free of charge, to any person obtaining a copy of this // software and associated documentation files (the "Software"), to deal in the Software // without restriction, including without limitation the rights to use, copy, modify, merge, // publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons // to whom the Software is furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in all copies or // substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, // INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR // PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE // FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR // OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER // DEALINGS IN THE SOFTWARE. using System; using System.Globalization; using System.Linq; using Avalonia; using AvaloniaEdit.Document; using AvaloniaEdit.Rendering; using AvaloniaEdit.Utils; using Avalonia.Controls; using Avalonia.Controls.Primitives; using Avalonia.Input; using Avalonia.Media; namespace AvaloniaEdit.Editing { /// <summary> /// </summary> public class LineNumberMargin : AbstractMargin { private TextArea _textArea; /// <summary> /// The typeface used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> protected FontFamily Typeface; /// <summary> /// The font size used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> protected double EmSize; /// <inheritdoc/> protected override Size MeasureOverride(Size availableSize) protected override Size MeasureOverride(Size availableSize) { Typeface = this.CreateTypeface(); EmSize = GetValue(TextBlock.FontSizeProperty); var text = TextFormatterFactory.CreateFormattedText( this, new string('9', MaxLineNumberLength), Typeface, EmSize, GetValue(TextBlock.ForegroundProperty) ); return new Size(text.Width, 0); } public override void Render(DrawingContext drawingContext) { var textView = TextView; var renderSize = Bounds.Size; if (textView is {VisualLinesValid: true}) { var foreground = GetValue(TextBlock.ForegroundProperty); foreach (var line in textView.VisualLines) { var lineNumber = line.FirstDocumentLine.LineNumber; var text = TextFormatterFactory.CreateFormattedText( this, lineNumber.ToString(CultureInfo.CurrentCulture), Typeface, EmSize, foreground ); var y = line.GetTextLineVisualYPosition(line.TextLines[0], VisualYPosition.TextTop); drawingContext.DrawText(text, new Point(renderSize.Width - text.Width, y - textView.VerticalOffset)); } } } /// <inheritdoc/> protected override void OnTextViewChanged(TextView oldTextView, TextView newTextView) { if (oldTextView != null) { oldTextView.VisualLinesChanged -= TextViewVisualLinesChanged; } base.OnTextViewChanged(oldTextView, newTextView); if (newTextView != null) { newTextView.VisualLinesChanged += TextViewVisualLinesChanged; } InvalidateVisual(); } /// <inheritdoc/> protected override void OnDocumentChanged(TextDocument oldDocument, TextDocument newDocument) { if (oldDocument != null) { TextDocumentWeakEventManager.LineCountChanged.RemoveHandler(oldDocument, OnDocumentLineCountChanged); } base.OnDocumentChanged(oldDocument, newDocument); if (newDocument != null) { TextDocumentWeakEventManager.LineCountChanged.AddHandler(newDocument, OnDocumentLineCountChanged); } OnDocumentLineCountChanged(); } private void OnDocumentLineCountChanged(object sender, EventArgs e) { OnDocumentLineCountChanged(); } void TextViewVisualLinesChanged(object sender, EventArgs e) { InvalidateMeasure(); } } } private AnchorSegment _selectionStart; private bool _selecting; protected override void OnPointerPressed(PointerPressedEventArgs e) { base.OnPointerPressed(e); if (!e.Handled && e.MouseButton == MouseButton.Left && TextView != null && _textArea != null) { e.Handled = true; _textArea.Focus(); var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; e.Device.Capture(this); if (e.Device.Captured == this) { } _selectionStart = new AnchorSegment(Document, currentSeg.Offset, currentSeg.Length); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { if (_textArea.Selection is SimpleSelection simpleSelection) _selectionStart = new AnchorSegment(Document, simpleSelection.SurroundingSegment); } _textArea.Selection = Selection.Create(_textArea, _selectionStart); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { ExtendSelection(currentSeg); } _textArea.Caret.BringCaretToView(5.0); } } } e.Pointer.Capture(this); if (e.Pointer.Captured == this) { _selecting = true; _selectionStart = new AnchorSegment(Document, currentSeg.Offset, currentSeg.Length); if (e.KeyModifiers.HasFlag(KeyModifiers.Shift)) { if (TextArea.Selection is SimpleSelection simpleSelection) _selectionStart = new AnchorSegment(Document, simpleSelection.SurroundingSegment); } TextArea.Selection = Selection.Create(TextArea, _selectionStart); if (e.KeyModifiers.HasFlag(KeyModifiers.Shift)) { ExtendSelection(currentSeg); } TextArea.Caret.BringCaretToView(0); } } } { if (currentSeg.Offset < _selectionStart.Offset) { _textArea.Caret.Offset = currentSeg.Offset; _textArea.Selection = Selection.Create(_textArea, currentSeg.Offset, _selectionStart.Offset + _selectionStart.Length); } else { _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; _textArea.Selection = Selection.Create(_textArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); } } protected override void OnPointerMoved(PointerEventArgs e) { if (_selecting && _textArea != null && TextView != null) { e.Handled = true; var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; ExtendSelection(currentSeg); _textArea.Caret.BringCaretToView(5.0); } base.OnPointerMoved(e); } { TextArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; TextArea.Selection = Selection.Create(TextArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); } } protected override void OnPointerMoved(PointerEventArgs e) { if (_selecting && TextArea != null && TextView != null) { e.Handled = true; var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; ExtendSelection(currentSeg); TextArea.Caret.BringCaretToView(0); } base.OnPointerMoved(e); } protected override void OnPointerReleased(PointerReleasedEventArgs e) { if (_selecting) { _selecting = false; _selectionStart = null; e.Pointer.Capture(null); e.Handled = true; } base.OnPointerReleased(e); } } } <MSG> Fix line margin interactivity <DFF> @@ -34,19 +34,20 @@ namespace AvaloniaEdit.Editing /// </summary> public class LineNumberMargin : AbstractMargin { - private TextArea _textArea; + private AnchorSegment _selectionStart; + private bool _selecting; /// <summary> /// The typeface used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> - protected FontFamily Typeface; + protected FontFamily Typeface { get; set; } /// <summary> /// The font size used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> - protected double EmSize; + protected double EmSize { get; set; } /// <inheritdoc/> protected override Size MeasureOverride(Size availableSize) @@ -129,22 +130,19 @@ namespace AvaloniaEdit.Editing } } - private AnchorSegment _selectionStart; - private bool _selecting; - protected override void OnPointerPressed(PointerPressedEventArgs e) { base.OnPointerPressed(e); - if (!e.Handled && e.MouseButton == MouseButton.Left && TextView != null && _textArea != null) + if (!e.Handled && e.MouseButton == MouseButton.Left && TextView != null && TextArea != null) { e.Handled = true; - _textArea.Focus(); + TextArea.Focus(); var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; - _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; + TextArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; e.Device.Capture(this); if (e.Device.Captured == this) { @@ -152,15 +150,15 @@ namespace AvaloniaEdit.Editing _selectionStart = new AnchorSegment(Document, currentSeg.Offset, currentSeg.Length); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { - if (_textArea.Selection is SimpleSelection simpleSelection) + if (TextArea.Selection is SimpleSelection simpleSelection) _selectionStart = new AnchorSegment(Document, simpleSelection.SurroundingSegment); } - _textArea.Selection = Selection.Create(_textArea, _selectionStart); + TextArea.Selection = Selection.Create(TextArea, _selectionStart); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { ExtendSelection(currentSeg); } - _textArea.Caret.BringCaretToView(5.0); + TextArea.Caret.BringCaretToView(5.0); } } } @@ -187,26 +185,26 @@ namespace AvaloniaEdit.Editing { if (currentSeg.Offset < _selectionStart.Offset) { - _textArea.Caret.Offset = currentSeg.Offset; - _textArea.Selection = Selection.Create(_textArea, currentSeg.Offset, _selectionStart.Offset + _selectionStart.Length); + TextArea.Caret.Offset = currentSeg.Offset; + TextArea.Selection = Selection.Create(TextArea, currentSeg.Offset, _selectionStart.Offset + _selectionStart.Length); } else { - _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; - _textArea.Selection = Selection.Create(_textArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); + TextArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; + TextArea.Selection = Selection.Create(TextArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); } } protected override void OnPointerMoved(PointerEventArgs e) { - if (_selecting && _textArea != null && TextView != null) + if (_selecting && TextArea != null && TextView != null) { e.Handled = true; var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; ExtendSelection(currentSeg); - _textArea.Caret.BringCaretToView(5.0); + TextArea.Caret.BringCaretToView(5.0); } base.OnPointerMoved(e); }
16
Fix line margin interactivity
18
.cs
cs
mit
AvaloniaUI/AvaloniaEdit
10063856
<NME> LineNumberMargin.cs <BEF> // Copyright (c) 2014 AlphaSierraPapa for the SharpDevelop Team // // Permission is hereby granted, free of charge, to any person obtaining a copy of this // software and associated documentation files (the "Software"), to deal in the Software // without restriction, including without limitation the rights to use, copy, modify, merge, // publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons // to whom the Software is furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in all copies or // substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, // INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR // PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE // FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR // OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER // DEALINGS IN THE SOFTWARE. using System; using System.Globalization; using System.Linq; using Avalonia; using AvaloniaEdit.Document; using AvaloniaEdit.Rendering; using AvaloniaEdit.Utils; using Avalonia.Controls; using Avalonia.Controls.Primitives; using Avalonia.Input; using Avalonia.Media; namespace AvaloniaEdit.Editing { /// <summary> /// </summary> public class LineNumberMargin : AbstractMargin { private TextArea _textArea; /// <summary> /// The typeface used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> protected FontFamily Typeface; /// <summary> /// The font size used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> protected double EmSize; /// <inheritdoc/> protected override Size MeasureOverride(Size availableSize) protected override Size MeasureOverride(Size availableSize) { Typeface = this.CreateTypeface(); EmSize = GetValue(TextBlock.FontSizeProperty); var text = TextFormatterFactory.CreateFormattedText( this, new string('9', MaxLineNumberLength), Typeface, EmSize, GetValue(TextBlock.ForegroundProperty) ); return new Size(text.Width, 0); } public override void Render(DrawingContext drawingContext) { var textView = TextView; var renderSize = Bounds.Size; if (textView is {VisualLinesValid: true}) { var foreground = GetValue(TextBlock.ForegroundProperty); foreach (var line in textView.VisualLines) { var lineNumber = line.FirstDocumentLine.LineNumber; var text = TextFormatterFactory.CreateFormattedText( this, lineNumber.ToString(CultureInfo.CurrentCulture), Typeface, EmSize, foreground ); var y = line.GetTextLineVisualYPosition(line.TextLines[0], VisualYPosition.TextTop); drawingContext.DrawText(text, new Point(renderSize.Width - text.Width, y - textView.VerticalOffset)); } } } /// <inheritdoc/> protected override void OnTextViewChanged(TextView oldTextView, TextView newTextView) { if (oldTextView != null) { oldTextView.VisualLinesChanged -= TextViewVisualLinesChanged; } base.OnTextViewChanged(oldTextView, newTextView); if (newTextView != null) { newTextView.VisualLinesChanged += TextViewVisualLinesChanged; } InvalidateVisual(); } /// <inheritdoc/> protected override void OnDocumentChanged(TextDocument oldDocument, TextDocument newDocument) { if (oldDocument != null) { TextDocumentWeakEventManager.LineCountChanged.RemoveHandler(oldDocument, OnDocumentLineCountChanged); } base.OnDocumentChanged(oldDocument, newDocument); if (newDocument != null) { TextDocumentWeakEventManager.LineCountChanged.AddHandler(newDocument, OnDocumentLineCountChanged); } OnDocumentLineCountChanged(); } private void OnDocumentLineCountChanged(object sender, EventArgs e) { OnDocumentLineCountChanged(); } void TextViewVisualLinesChanged(object sender, EventArgs e) { InvalidateMeasure(); } } } private AnchorSegment _selectionStart; private bool _selecting; protected override void OnPointerPressed(PointerPressedEventArgs e) { base.OnPointerPressed(e); if (!e.Handled && e.MouseButton == MouseButton.Left && TextView != null && _textArea != null) { e.Handled = true; _textArea.Focus(); var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; e.Device.Capture(this); if (e.Device.Captured == this) { } _selectionStart = new AnchorSegment(Document, currentSeg.Offset, currentSeg.Length); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { if (_textArea.Selection is SimpleSelection simpleSelection) _selectionStart = new AnchorSegment(Document, simpleSelection.SurroundingSegment); } _textArea.Selection = Selection.Create(_textArea, _selectionStart); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { ExtendSelection(currentSeg); } _textArea.Caret.BringCaretToView(5.0); } } } e.Pointer.Capture(this); if (e.Pointer.Captured == this) { _selecting = true; _selectionStart = new AnchorSegment(Document, currentSeg.Offset, currentSeg.Length); if (e.KeyModifiers.HasFlag(KeyModifiers.Shift)) { if (TextArea.Selection is SimpleSelection simpleSelection) _selectionStart = new AnchorSegment(Document, simpleSelection.SurroundingSegment); } TextArea.Selection = Selection.Create(TextArea, _selectionStart); if (e.KeyModifiers.HasFlag(KeyModifiers.Shift)) { ExtendSelection(currentSeg); } TextArea.Caret.BringCaretToView(0); } } } { if (currentSeg.Offset < _selectionStart.Offset) { _textArea.Caret.Offset = currentSeg.Offset; _textArea.Selection = Selection.Create(_textArea, currentSeg.Offset, _selectionStart.Offset + _selectionStart.Length); } else { _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; _textArea.Selection = Selection.Create(_textArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); } } protected override void OnPointerMoved(PointerEventArgs e) { if (_selecting && _textArea != null && TextView != null) { e.Handled = true; var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; ExtendSelection(currentSeg); _textArea.Caret.BringCaretToView(5.0); } base.OnPointerMoved(e); } { TextArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; TextArea.Selection = Selection.Create(TextArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); } } protected override void OnPointerMoved(PointerEventArgs e) { if (_selecting && TextArea != null && TextView != null) { e.Handled = true; var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; ExtendSelection(currentSeg); TextArea.Caret.BringCaretToView(0); } base.OnPointerMoved(e); } protected override void OnPointerReleased(PointerReleasedEventArgs e) { if (_selecting) { _selecting = false; _selectionStart = null; e.Pointer.Capture(null); e.Handled = true; } base.OnPointerReleased(e); } } } <MSG> Fix line margin interactivity <DFF> @@ -34,19 +34,20 @@ namespace AvaloniaEdit.Editing /// </summary> public class LineNumberMargin : AbstractMargin { - private TextArea _textArea; + private AnchorSegment _selectionStart; + private bool _selecting; /// <summary> /// The typeface used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> - protected FontFamily Typeface; + protected FontFamily Typeface { get; set; } /// <summary> /// The font size used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> - protected double EmSize; + protected double EmSize { get; set; } /// <inheritdoc/> protected override Size MeasureOverride(Size availableSize) @@ -129,22 +130,19 @@ namespace AvaloniaEdit.Editing } } - private AnchorSegment _selectionStart; - private bool _selecting; - protected override void OnPointerPressed(PointerPressedEventArgs e) { base.OnPointerPressed(e); - if (!e.Handled && e.MouseButton == MouseButton.Left && TextView != null && _textArea != null) + if (!e.Handled && e.MouseButton == MouseButton.Left && TextView != null && TextArea != null) { e.Handled = true; - _textArea.Focus(); + TextArea.Focus(); var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; - _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; + TextArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; e.Device.Capture(this); if (e.Device.Captured == this) { @@ -152,15 +150,15 @@ namespace AvaloniaEdit.Editing _selectionStart = new AnchorSegment(Document, currentSeg.Offset, currentSeg.Length); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { - if (_textArea.Selection is SimpleSelection simpleSelection) + if (TextArea.Selection is SimpleSelection simpleSelection) _selectionStart = new AnchorSegment(Document, simpleSelection.SurroundingSegment); } - _textArea.Selection = Selection.Create(_textArea, _selectionStart); + TextArea.Selection = Selection.Create(TextArea, _selectionStart); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { ExtendSelection(currentSeg); } - _textArea.Caret.BringCaretToView(5.0); + TextArea.Caret.BringCaretToView(5.0); } } } @@ -187,26 +185,26 @@ namespace AvaloniaEdit.Editing { if (currentSeg.Offset < _selectionStart.Offset) { - _textArea.Caret.Offset = currentSeg.Offset; - _textArea.Selection = Selection.Create(_textArea, currentSeg.Offset, _selectionStart.Offset + _selectionStart.Length); + TextArea.Caret.Offset = currentSeg.Offset; + TextArea.Selection = Selection.Create(TextArea, currentSeg.Offset, _selectionStart.Offset + _selectionStart.Length); } else { - _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; - _textArea.Selection = Selection.Create(_textArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); + TextArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; + TextArea.Selection = Selection.Create(TextArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); } } protected override void OnPointerMoved(PointerEventArgs e) { - if (_selecting && _textArea != null && TextView != null) + if (_selecting && TextArea != null && TextView != null) { e.Handled = true; var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; ExtendSelection(currentSeg); - _textArea.Caret.BringCaretToView(5.0); + TextArea.Caret.BringCaretToView(5.0); } base.OnPointerMoved(e); }
16
Fix line margin interactivity
18
.cs
cs
mit
AvaloniaUI/AvaloniaEdit
10063857
<NME> LineNumberMargin.cs <BEF> // Copyright (c) 2014 AlphaSierraPapa for the SharpDevelop Team // // Permission is hereby granted, free of charge, to any person obtaining a copy of this // software and associated documentation files (the "Software"), to deal in the Software // without restriction, including without limitation the rights to use, copy, modify, merge, // publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons // to whom the Software is furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in all copies or // substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, // INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR // PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE // FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR // OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER // DEALINGS IN THE SOFTWARE. using System; using System.Globalization; using System.Linq; using Avalonia; using AvaloniaEdit.Document; using AvaloniaEdit.Rendering; using AvaloniaEdit.Utils; using Avalonia.Controls; using Avalonia.Controls.Primitives; using Avalonia.Input; using Avalonia.Media; namespace AvaloniaEdit.Editing { /// <summary> /// </summary> public class LineNumberMargin : AbstractMargin { private TextArea _textArea; /// <summary> /// The typeface used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> protected FontFamily Typeface; /// <summary> /// The font size used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> protected double EmSize; /// <inheritdoc/> protected override Size MeasureOverride(Size availableSize) protected override Size MeasureOverride(Size availableSize) { Typeface = this.CreateTypeface(); EmSize = GetValue(TextBlock.FontSizeProperty); var text = TextFormatterFactory.CreateFormattedText( this, new string('9', MaxLineNumberLength), Typeface, EmSize, GetValue(TextBlock.ForegroundProperty) ); return new Size(text.Width, 0); } public override void Render(DrawingContext drawingContext) { var textView = TextView; var renderSize = Bounds.Size; if (textView is {VisualLinesValid: true}) { var foreground = GetValue(TextBlock.ForegroundProperty); foreach (var line in textView.VisualLines) { var lineNumber = line.FirstDocumentLine.LineNumber; var text = TextFormatterFactory.CreateFormattedText( this, lineNumber.ToString(CultureInfo.CurrentCulture), Typeface, EmSize, foreground ); var y = line.GetTextLineVisualYPosition(line.TextLines[0], VisualYPosition.TextTop); drawingContext.DrawText(text, new Point(renderSize.Width - text.Width, y - textView.VerticalOffset)); } } } /// <inheritdoc/> protected override void OnTextViewChanged(TextView oldTextView, TextView newTextView) { if (oldTextView != null) { oldTextView.VisualLinesChanged -= TextViewVisualLinesChanged; } base.OnTextViewChanged(oldTextView, newTextView); if (newTextView != null) { newTextView.VisualLinesChanged += TextViewVisualLinesChanged; } InvalidateVisual(); } /// <inheritdoc/> protected override void OnDocumentChanged(TextDocument oldDocument, TextDocument newDocument) { if (oldDocument != null) { TextDocumentWeakEventManager.LineCountChanged.RemoveHandler(oldDocument, OnDocumentLineCountChanged); } base.OnDocumentChanged(oldDocument, newDocument); if (newDocument != null) { TextDocumentWeakEventManager.LineCountChanged.AddHandler(newDocument, OnDocumentLineCountChanged); } OnDocumentLineCountChanged(); } private void OnDocumentLineCountChanged(object sender, EventArgs e) { OnDocumentLineCountChanged(); } void TextViewVisualLinesChanged(object sender, EventArgs e) { InvalidateMeasure(); } } } private AnchorSegment _selectionStart; private bool _selecting; protected override void OnPointerPressed(PointerPressedEventArgs e) { base.OnPointerPressed(e); if (!e.Handled && e.MouseButton == MouseButton.Left && TextView != null && _textArea != null) { e.Handled = true; _textArea.Focus(); var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; e.Device.Capture(this); if (e.Device.Captured == this) { } _selectionStart = new AnchorSegment(Document, currentSeg.Offset, currentSeg.Length); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { if (_textArea.Selection is SimpleSelection simpleSelection) _selectionStart = new AnchorSegment(Document, simpleSelection.SurroundingSegment); } _textArea.Selection = Selection.Create(_textArea, _selectionStart); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { ExtendSelection(currentSeg); } _textArea.Caret.BringCaretToView(5.0); } } } e.Pointer.Capture(this); if (e.Pointer.Captured == this) { _selecting = true; _selectionStart = new AnchorSegment(Document, currentSeg.Offset, currentSeg.Length); if (e.KeyModifiers.HasFlag(KeyModifiers.Shift)) { if (TextArea.Selection is SimpleSelection simpleSelection) _selectionStart = new AnchorSegment(Document, simpleSelection.SurroundingSegment); } TextArea.Selection = Selection.Create(TextArea, _selectionStart); if (e.KeyModifiers.HasFlag(KeyModifiers.Shift)) { ExtendSelection(currentSeg); } TextArea.Caret.BringCaretToView(0); } } } { if (currentSeg.Offset < _selectionStart.Offset) { _textArea.Caret.Offset = currentSeg.Offset; _textArea.Selection = Selection.Create(_textArea, currentSeg.Offset, _selectionStart.Offset + _selectionStart.Length); } else { _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; _textArea.Selection = Selection.Create(_textArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); } } protected override void OnPointerMoved(PointerEventArgs e) { if (_selecting && _textArea != null && TextView != null) { e.Handled = true; var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; ExtendSelection(currentSeg); _textArea.Caret.BringCaretToView(5.0); } base.OnPointerMoved(e); } { TextArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; TextArea.Selection = Selection.Create(TextArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); } } protected override void OnPointerMoved(PointerEventArgs e) { if (_selecting && TextArea != null && TextView != null) { e.Handled = true; var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; ExtendSelection(currentSeg); TextArea.Caret.BringCaretToView(0); } base.OnPointerMoved(e); } protected override void OnPointerReleased(PointerReleasedEventArgs e) { if (_selecting) { _selecting = false; _selectionStart = null; e.Pointer.Capture(null); e.Handled = true; } base.OnPointerReleased(e); } } } <MSG> Fix line margin interactivity <DFF> @@ -34,19 +34,20 @@ namespace AvaloniaEdit.Editing /// </summary> public class LineNumberMargin : AbstractMargin { - private TextArea _textArea; + private AnchorSegment _selectionStart; + private bool _selecting; /// <summary> /// The typeface used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> - protected FontFamily Typeface; + protected FontFamily Typeface { get; set; } /// <summary> /// The font size used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> - protected double EmSize; + protected double EmSize { get; set; } /// <inheritdoc/> protected override Size MeasureOverride(Size availableSize) @@ -129,22 +130,19 @@ namespace AvaloniaEdit.Editing } } - private AnchorSegment _selectionStart; - private bool _selecting; - protected override void OnPointerPressed(PointerPressedEventArgs e) { base.OnPointerPressed(e); - if (!e.Handled && e.MouseButton == MouseButton.Left && TextView != null && _textArea != null) + if (!e.Handled && e.MouseButton == MouseButton.Left && TextView != null && TextArea != null) { e.Handled = true; - _textArea.Focus(); + TextArea.Focus(); var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; - _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; + TextArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; e.Device.Capture(this); if (e.Device.Captured == this) { @@ -152,15 +150,15 @@ namespace AvaloniaEdit.Editing _selectionStart = new AnchorSegment(Document, currentSeg.Offset, currentSeg.Length); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { - if (_textArea.Selection is SimpleSelection simpleSelection) + if (TextArea.Selection is SimpleSelection simpleSelection) _selectionStart = new AnchorSegment(Document, simpleSelection.SurroundingSegment); } - _textArea.Selection = Selection.Create(_textArea, _selectionStart); + TextArea.Selection = Selection.Create(TextArea, _selectionStart); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { ExtendSelection(currentSeg); } - _textArea.Caret.BringCaretToView(5.0); + TextArea.Caret.BringCaretToView(5.0); } } } @@ -187,26 +185,26 @@ namespace AvaloniaEdit.Editing { if (currentSeg.Offset < _selectionStart.Offset) { - _textArea.Caret.Offset = currentSeg.Offset; - _textArea.Selection = Selection.Create(_textArea, currentSeg.Offset, _selectionStart.Offset + _selectionStart.Length); + TextArea.Caret.Offset = currentSeg.Offset; + TextArea.Selection = Selection.Create(TextArea, currentSeg.Offset, _selectionStart.Offset + _selectionStart.Length); } else { - _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; - _textArea.Selection = Selection.Create(_textArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); + TextArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; + TextArea.Selection = Selection.Create(TextArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); } } protected override void OnPointerMoved(PointerEventArgs e) { - if (_selecting && _textArea != null && TextView != null) + if (_selecting && TextArea != null && TextView != null) { e.Handled = true; var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; ExtendSelection(currentSeg); - _textArea.Caret.BringCaretToView(5.0); + TextArea.Caret.BringCaretToView(5.0); } base.OnPointerMoved(e); }
16
Fix line margin interactivity
18
.cs
cs
mit
AvaloniaUI/AvaloniaEdit
10063858
<NME> LineNumberMargin.cs <BEF> // Copyright (c) 2014 AlphaSierraPapa for the SharpDevelop Team // // Permission is hereby granted, free of charge, to any person obtaining a copy of this // software and associated documentation files (the "Software"), to deal in the Software // without restriction, including without limitation the rights to use, copy, modify, merge, // publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons // to whom the Software is furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in all copies or // substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, // INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR // PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE // FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR // OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER // DEALINGS IN THE SOFTWARE. using System; using System.Globalization; using System.Linq; using Avalonia; using AvaloniaEdit.Document; using AvaloniaEdit.Rendering; using AvaloniaEdit.Utils; using Avalonia.Controls; using Avalonia.Controls.Primitives; using Avalonia.Input; using Avalonia.Media; namespace AvaloniaEdit.Editing { /// <summary> /// </summary> public class LineNumberMargin : AbstractMargin { private TextArea _textArea; /// <summary> /// The typeface used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> protected FontFamily Typeface; /// <summary> /// The font size used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> protected double EmSize; /// <inheritdoc/> protected override Size MeasureOverride(Size availableSize) protected override Size MeasureOverride(Size availableSize) { Typeface = this.CreateTypeface(); EmSize = GetValue(TextBlock.FontSizeProperty); var text = TextFormatterFactory.CreateFormattedText( this, new string('9', MaxLineNumberLength), Typeface, EmSize, GetValue(TextBlock.ForegroundProperty) ); return new Size(text.Width, 0); } public override void Render(DrawingContext drawingContext) { var textView = TextView; var renderSize = Bounds.Size; if (textView is {VisualLinesValid: true}) { var foreground = GetValue(TextBlock.ForegroundProperty); foreach (var line in textView.VisualLines) { var lineNumber = line.FirstDocumentLine.LineNumber; var text = TextFormatterFactory.CreateFormattedText( this, lineNumber.ToString(CultureInfo.CurrentCulture), Typeface, EmSize, foreground ); var y = line.GetTextLineVisualYPosition(line.TextLines[0], VisualYPosition.TextTop); drawingContext.DrawText(text, new Point(renderSize.Width - text.Width, y - textView.VerticalOffset)); } } } /// <inheritdoc/> protected override void OnTextViewChanged(TextView oldTextView, TextView newTextView) { if (oldTextView != null) { oldTextView.VisualLinesChanged -= TextViewVisualLinesChanged; } base.OnTextViewChanged(oldTextView, newTextView); if (newTextView != null) { newTextView.VisualLinesChanged += TextViewVisualLinesChanged; } InvalidateVisual(); } /// <inheritdoc/> protected override void OnDocumentChanged(TextDocument oldDocument, TextDocument newDocument) { if (oldDocument != null) { TextDocumentWeakEventManager.LineCountChanged.RemoveHandler(oldDocument, OnDocumentLineCountChanged); } base.OnDocumentChanged(oldDocument, newDocument); if (newDocument != null) { TextDocumentWeakEventManager.LineCountChanged.AddHandler(newDocument, OnDocumentLineCountChanged); } OnDocumentLineCountChanged(); } private void OnDocumentLineCountChanged(object sender, EventArgs e) { OnDocumentLineCountChanged(); } void TextViewVisualLinesChanged(object sender, EventArgs e) { InvalidateMeasure(); } } } private AnchorSegment _selectionStart; private bool _selecting; protected override void OnPointerPressed(PointerPressedEventArgs e) { base.OnPointerPressed(e); if (!e.Handled && e.MouseButton == MouseButton.Left && TextView != null && _textArea != null) { e.Handled = true; _textArea.Focus(); var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; e.Device.Capture(this); if (e.Device.Captured == this) { } _selectionStart = new AnchorSegment(Document, currentSeg.Offset, currentSeg.Length); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { if (_textArea.Selection is SimpleSelection simpleSelection) _selectionStart = new AnchorSegment(Document, simpleSelection.SurroundingSegment); } _textArea.Selection = Selection.Create(_textArea, _selectionStart); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { ExtendSelection(currentSeg); } _textArea.Caret.BringCaretToView(5.0); } } } e.Pointer.Capture(this); if (e.Pointer.Captured == this) { _selecting = true; _selectionStart = new AnchorSegment(Document, currentSeg.Offset, currentSeg.Length); if (e.KeyModifiers.HasFlag(KeyModifiers.Shift)) { if (TextArea.Selection is SimpleSelection simpleSelection) _selectionStart = new AnchorSegment(Document, simpleSelection.SurroundingSegment); } TextArea.Selection = Selection.Create(TextArea, _selectionStart); if (e.KeyModifiers.HasFlag(KeyModifiers.Shift)) { ExtendSelection(currentSeg); } TextArea.Caret.BringCaretToView(0); } } } { if (currentSeg.Offset < _selectionStart.Offset) { _textArea.Caret.Offset = currentSeg.Offset; _textArea.Selection = Selection.Create(_textArea, currentSeg.Offset, _selectionStart.Offset + _selectionStart.Length); } else { _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; _textArea.Selection = Selection.Create(_textArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); } } protected override void OnPointerMoved(PointerEventArgs e) { if (_selecting && _textArea != null && TextView != null) { e.Handled = true; var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; ExtendSelection(currentSeg); _textArea.Caret.BringCaretToView(5.0); } base.OnPointerMoved(e); } { TextArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; TextArea.Selection = Selection.Create(TextArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); } } protected override void OnPointerMoved(PointerEventArgs e) { if (_selecting && TextArea != null && TextView != null) { e.Handled = true; var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; ExtendSelection(currentSeg); TextArea.Caret.BringCaretToView(0); } base.OnPointerMoved(e); } protected override void OnPointerReleased(PointerReleasedEventArgs e) { if (_selecting) { _selecting = false; _selectionStart = null; e.Pointer.Capture(null); e.Handled = true; } base.OnPointerReleased(e); } } } <MSG> Fix line margin interactivity <DFF> @@ -34,19 +34,20 @@ namespace AvaloniaEdit.Editing /// </summary> public class LineNumberMargin : AbstractMargin { - private TextArea _textArea; + private AnchorSegment _selectionStart; + private bool _selecting; /// <summary> /// The typeface used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> - protected FontFamily Typeface; + protected FontFamily Typeface { get; set; } /// <summary> /// The font size used for rendering the line number margin. /// This field is calculated in MeasureOverride() based on the FontFamily etc. properties. /// </summary> - protected double EmSize; + protected double EmSize { get; set; } /// <inheritdoc/> protected override Size MeasureOverride(Size availableSize) @@ -129,22 +130,19 @@ namespace AvaloniaEdit.Editing } } - private AnchorSegment _selectionStart; - private bool _selecting; - protected override void OnPointerPressed(PointerPressedEventArgs e) { base.OnPointerPressed(e); - if (!e.Handled && e.MouseButton == MouseButton.Left && TextView != null && _textArea != null) + if (!e.Handled && e.MouseButton == MouseButton.Left && TextView != null && TextArea != null) { e.Handled = true; - _textArea.Focus(); + TextArea.Focus(); var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; - _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; + TextArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; e.Device.Capture(this); if (e.Device.Captured == this) { @@ -152,15 +150,15 @@ namespace AvaloniaEdit.Editing _selectionStart = new AnchorSegment(Document, currentSeg.Offset, currentSeg.Length); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { - if (_textArea.Selection is SimpleSelection simpleSelection) + if (TextArea.Selection is SimpleSelection simpleSelection) _selectionStart = new AnchorSegment(Document, simpleSelection.SurroundingSegment); } - _textArea.Selection = Selection.Create(_textArea, _selectionStart); + TextArea.Selection = Selection.Create(TextArea, _selectionStart); if (e.InputModifiers.HasFlag(InputModifiers.Shift)) { ExtendSelection(currentSeg); } - _textArea.Caret.BringCaretToView(5.0); + TextArea.Caret.BringCaretToView(5.0); } } } @@ -187,26 +185,26 @@ namespace AvaloniaEdit.Editing { if (currentSeg.Offset < _selectionStart.Offset) { - _textArea.Caret.Offset = currentSeg.Offset; - _textArea.Selection = Selection.Create(_textArea, currentSeg.Offset, _selectionStart.Offset + _selectionStart.Length); + TextArea.Caret.Offset = currentSeg.Offset; + TextArea.Selection = Selection.Create(TextArea, currentSeg.Offset, _selectionStart.Offset + _selectionStart.Length); } else { - _textArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; - _textArea.Selection = Selection.Create(_textArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); + TextArea.Caret.Offset = currentSeg.Offset + currentSeg.Length; + TextArea.Selection = Selection.Create(TextArea, _selectionStart.Offset, currentSeg.Offset + currentSeg.Length); } } protected override void OnPointerMoved(PointerEventArgs e) { - if (_selecting && _textArea != null && TextView != null) + if (_selecting && TextArea != null && TextView != null) { e.Handled = true; var currentSeg = GetTextLineSegment(e); if (currentSeg == SimpleSegment.Invalid) return; ExtendSelection(currentSeg); - _textArea.Caret.BringCaretToView(5.0); + TextArea.Caret.BringCaretToView(5.0); } base.OnPointerMoved(e); }
16
Fix line margin interactivity
18
.cs
cs
mit
AvaloniaUI/AvaloniaEdit
10063859
<NME> GruntFile.js <BEF> module.exports = function(grunt) { // Project configuration. grunt.initConfig({ pkg: grunt.file.readJSON('package.json'), browserify: { build: { src: 'lib/index.js', dest: 'build/<%= pkg.name %>.js' }, test: { src: 'coverage/lib/index.js', dest: 'coverage/build/<%= pkg.name %>.js' }, options: { standalone: '<%= pkg.name %>' browserify: { build: { src: ['lib/index.js'], dest: 'build/<%= pkg.name %>.js' }, test: { src: ['coverage/lib/index.js'], dest: 'coverage/build/<%= pkg.name %>.js' }, options: { build: { src: 'build/<%= pkg.name %>.js', dest: 'build/<%= pkg.name %>.min.js' } }, watch: { scripts: { files: ['lib/**/*.js'], tasks: ['browserify'] } }, instrument: { files: 'lib/**/*.js', options: { basePath: 'coverage/' } }, }); grunt.loadNpmTasks('grunt-browserify'); grunt.loadNpmTasks('grunt-contrib-uglify'); grunt.loadNpmTasks('grunt-contrib-watch'); grunt.loadNpmTasks('grunt-run'); // Default task. grunt.registerTask('default', ['browserify:build', 'uglify']); grunt.registerTask('test', ['browserify:test', 'run:test']); }; <MSG> Unnecessary changes <DFF> @@ -18,11 +18,11 @@ module.exports = function(grunt) { browserify: { build: { - src: ['lib/index.js'], + src: 'lib/index.js', dest: 'build/<%= pkg.name %>.js' }, test: { - src: ['coverage/lib/index.js'], + src: 'coverage/lib/index.js', dest: 'coverage/build/<%= pkg.name %>.js' }, options: {
2
Unnecessary changes
2
.js
js
mit
ftlabs/fruitmachine
10063860
<NME> README.md <BEF> # LoadJS <img src="https://www.muicss.com/static/images/loadjs.svg" width="250px"> LoadJS is a tiny async loader for modern browsers (899 bytes). [![Dependency Status](https://david-dm.org/muicss/loadjs.svg)](https://david-dm.org/muicss/loadjs) [![devDependency Status](https://david-dm.org/muicss/loadjs/dev-status.svg)](https://david-dm.org/muicss/loadjs?type=dev) [![CDNJS](https://img.shields.io/cdnjs/v/loadjs.svg)](https://cdnjs.com/libraries/loadjs) ## Introduction LoadJS is a tiny async loading library for modern browsers (IE9+). It has a simple yet powerful dependency management system that lets you fetch JavaScript, CSS and image files in parallel and execute code after the dependencies have been met. The recommended way to use LoadJS is to include the minified source code of [loadjs.js](https://raw.githubusercontent.com/muicss/loadjs/master/dist/loadjs.min.js) in your &lt;html&gt; (possibly in the &lt;head&gt; tag) and then use the `loadjs` global to manage JavaScript dependencies after pageload. LoadJS is based on the excellent [$script](https://github.com/ded/script.js) library by [Dustin Diaz](https://github.com/ded). We kept the behavior of the library the same but we re-wrote the code from scratch to add support for success/error callbacks and to optimize the library for modern browsers. LoadJS is 899 bytes (minified + gzipped). Here's an example of what you can do with LoadJS: ```html <script src="//unpkg.com/loadjs@latest/dist/loadjs.min.js"></script> <script> // define a dependency bundle and execute code when it loads loadjs(['/path/to/foo.js', '/path/to/bar.js'], 'foobar'); loadjs.ready('foobar', function() { /* foo.js & bar.js loaded */ }); </script> ``` You can also use more advanced syntax for more options: ```html ## Documentation ```javascript loadjs('foo.js', function() { // foo.js succeeded }); loadjs('foo.js', 'foo', function() { // foo.js succeeded }, function(depsNotFound) { // foo.js failed }); loadjs(['foo.js', 'bar.js'], function() { // foo.js & bar.js succeeded }); loadjs(['foo.js', 'bar.js'], 'bundle') loadjs.ready('bundle', function() { // foo.js & bar.js succeeded }); // create an id and callback inline loadjs(['foo.js', 'bar.js'], 'bundle', function() { // foo.js & bar.js succeeded }); loadjs('foo.js', 'foo'); loadjs('bar.js', 'bar'); loadjs .ready('foo', function() { // foo.js succeeded }) .ready('bar', function() { // bar.js succeeded }); loadjs('foo.js', 'foo'); loadjs('bar.js', 'bar'); loadjs(['thunkor.js', 'thunky.js'], 'thunk'); // wait for multiple depdendencies loadjs.ready(['foo', 'bar', 'thunk'], function() { // foo.js & bar.js & thunkor.js & thunky.js succeeded }, function(depsNotFound) { if (depsNotFound.indexOf('foo') === -1) {}; // foo failed ## Documentation }); // in my-awesome-plugin.js loadjs.ready('jquery', function() { window.myAwesomePlugin = {}; // define awesome jquery plugin loadjs.done('my-awesome-plugin'); }, function(depsNotFound) { // jquery failed }); // in index.html loadjs('jquery.js', 'jquery') loadjs('my-awesome-plugin.js') loadjs.ready('my-awesome-plugin', function() { // run code here when jquery and my awesome plugin are both finished }) ``` ## Development Dependencies loadjs(['/path/to/foo.css', '/path/to/bar.png', 'path/to/thunk.js'], function() { /* foo.css, bar.png and thunk.js loaded */ }); ``` 1. Force treat file as CSS stylesheet ```javascript loadjs(['css!/path/to/cssfile.custom'], function() { /* cssfile.custom loaded as stylesheet */ }); ``` 1. Force treat file as image ```javascript loadjs(['img!/path/to/image.custom'], function() { /* image.custom loaded */ }); ``` 1. Add a bundle id ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], 'foobar', function() { /* foo.js & bar.js loaded */ }); ``` 1. Use .ready() to define bundles and callbacks separately ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], 'foobar'); loadjs.ready('foobar', function() { /* foo.js & bar.js loaded */ }); ``` 1. Use multiple bundles in .ready() dependency lists ```javascript loadjs('/path/to/foo.js', 'foo'); loadjs(['/path/to/bar1.js', '/path/to/bar2.js'], 'bar'); loadjs.ready(['foo', 'bar'], function() { /* foo.js & bar1.js & bar2.js loaded */ }); ``` 1. Chain .ready() together ```javascript loadjs('/path/to/foo.js', 'foo'); loadjs('/path/to/bar.js', 'bar'); loadjs .ready('foo', function() { /* foo.js loaded */ }) .ready('bar', function() { /* bar.js loaded */ }); ``` 1. Use Promises to register callbacks ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], {returnPromise: true}) .then(function() { /* foo.js & bar.js loaded */ }) .catch(function(pathsNotFound) { /* at least one didn't load */ }); ``` 1. Check if bundle has already been defined ```javascript if (!loadjs.isDefined('foobar')) { loadjs(['/path/to/foo.js', '/path/to/bar.js'], 'foobar', function() { /* foo.js & bar.js loaded */ }); } ``` 1. Fetch files in parallel and load them in series ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], { success: function() { /* foo.js and bar.js loaded in series */ }, async: false }); ``` 1. Add an error callback ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], 'foobar', { success: function() { /* foo.js & bar.js loaded */ }, error: function(pathsNotFound) { /* at least one path didn't load */ } }); ``` 1. Retry files before calling the error callback ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], 'foobar', { success: function() { /* foo.js & bar.js loaded */ }, error: function(pathsNotFound) { /* at least one path didn't load */ }, numRetries: 3 }); // NOTE: Using `numRetries` with `async: false` can cause files to load out-of-sync on retries ``` 1. Execute a callback before script tags are embedded ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], { success: function() {}, error: function(pathsNotFound) {}, before: function(path, scriptEl) { /* called for each script node before being embedded */ if (path === '/path/to/foo.js') scriptEl.crossOrigin = true; } }); ``` 1. Bypass LoadJS default DOM insertion mechanism (DOM `<head>`) ```javascript loadjs(['/path/to/foo.js'], { success: function() {}, error: function(pathsNotFound) {}, before: function(path, scriptEl) { document.body.appendChild(scriptEl); /* return `false` to bypass default DOM insertion mechanism */ return false; } }); ``` 1. Use bundle ids in error callback ```javascript loadjs('/path/to/foo.js', 'foo'); loadjs('/path/to/bar.js', 'bar'); loadjs(['/path/to/thunkor.js', '/path/to/thunky.js'], 'thunk'); // wait for multiple depdendencies loadjs.ready(['foo', 'bar', 'thunk'], { success: function() { // foo.js & bar.js & thunkor.js & thunky.js loaded }, error: function(depsNotFound) { if (depsNotFound.indexOf('foo') > -1) {}; // foo failed if (depsNotFound.indexOf('bar') > -1) {}; // bar failed if (depsNotFound.indexOf('thunk') > -1) {}; // thunk failed } }); ``` 1. Use .done() for more control ```javascript loadjs.ready(['dependency1', 'dependency2'], function() { /* run code after dependencies have been met */ }); function fn1() { loadjs.done('dependency1'); } function fn2() { loadjs.done('dependency2'); } ``` 1. Reset dependency trackers ```javascript loadjs.reset(); ``` 1. Implement a require-like dependency manager ```javascript var bundles = { 'bundleA': ['/file1.js', '/file2.js'], 'bundleB': ['/file3.js', '/file4.js'] }; function require(bundleIds, callbackFn) { bundleIds.forEach(function(bundleId) { if (!loadjs.isDefined(bundleId)) loadjs(bundles[bundleId], bundleId); }); loadjs.ready(bundleIds, callbackFn); } require(['bundleA'], function() { /* bundleA loaded */ }); require(['bundleB'], function() { /* bundleB loaded */ }); require(['bundleA', 'bundleB'], function() { /* bundleA and bundleB loaded */ }); ``` ## Directory structure <pre> loadjs/ ├── dist │   ├── loadjs.js │   ├── loadjs.min.js │   └── loadjs.umd.js ├── examples ├── gulpfile.js ├── LICENSE.txt ├── package.json ├── README.md ├── src │   └── loadjs.js ├── test └── umd-templates </pre> ## Development Quickstart 1. Install dependencies * [nodejs](http://nodejs.org/) * [npm](https://www.npmjs.org/) * http-server (via npm) 1. Clone repository ```bash $ git clone [email protected]:muicss/loadjs.git $ cd loadjs ``` 1. Install node dependencies using npm ```bash $ npm install ``` 1. Build examples ```bash $ npm run build-examples ``` To view the examples you can use any static file server. To use the `nodejs` http-server module: ```bash $ npm install http-server $ npm run http-server -- -p 3000 ``` Then visit [http://localhost:3000/examples](http://localhost:3000/examples) 1. Build distribution files ```bash $ npm run build-dist ``` The files will be located in the `dist` directory. 1. Run tests To run the browser tests first build the `loadjs` library: ```bash $ npm run build-tests ``` Then visit [http://localhost:3000/test](http://localhost:3000/test) 1. Build all files ```bash $ npm run build-all ``` <MSG> Update README.md <DFF> @@ -33,55 +33,62 @@ loadjs/ ## Documentation ```javascript +// load a single file loadjs('foo.js', function() { - // foo.js succeeded + // foo.js loaded }); -loadjs('foo.js', 'foo', function() { - // foo.js succeeded - }, - function(depsNotFound) { - // foo.js failed - }); - - +// load multiple files loadjs(['foo.js', 'bar.js'], function() { - // foo.js & bar.js succeeded + // foo.js & bar.js loaded }); -loadjs(['foo.js', 'bar.js'], 'bundle') -loadjs.ready('bundle', function() { - // foo.js & bar.js succeeded +// add a bundle id +loadjs(['foo.js', 'bar.js'], 'foobar', function() { + // foo.js & bar.js loaded }); -// create an id and callback inline -loadjs(['foo.js', 'bar.js'], 'bundle', function() { - // foo.js & bar.js succeeded +// add a failure callback +loadjs(['foo.js', 'bar.js'], + 'foobar', + function() { /* foo.js & bar.js loaded */ }, + function(pathsNotFound) { /* at least one path didn't load */ }); + + +// execute a callback after bundle finishes loading +loadjs(['foo.js', 'bar.js'], 'foobar'); + +loadjs.ready('foobar', function() { + // foo.js & bar.js loaded }); +// .ready() can be chained together loadjs('foo.js', 'foo'); loadjs('bar.js', 'bar'); + loadjs .ready('foo', function() { - // foo.js succeeded + // foo.js loaded }) .ready('bar', function() { - // bar.js succeeded + // bar.js loaded }); +// compose more complex dependency lists loadjs('foo.js', 'foo'); loadjs('bar.js', 'bar'); loadjs(['thunkor.js', 'thunky.js'], 'thunk'); + // wait for multiple depdendencies loadjs.ready(['foo', 'bar', 'thunk'], function() { - // foo.js & bar.js & thunkor.js & thunky.js succeeded + // foo.js & bar.js & thunkor.js & thunky.js loaded }, function(depsNotFound) { if (depsNotFound.indexOf('foo') === -1) {}; // foo failed @@ -90,24 +97,20 @@ loadjs.ready(['foo', 'bar', 'thunk'], }); -// in my-awesome-plugin.js -loadjs.ready('jquery', - function() { - window.myAwesomePlugin = {}; // define awesome jquery plugin - - loadjs.done('my-awesome-plugin'); - }, - function(depsNotFound) { - // jquery failed - }); - - -// in index.html -loadjs('jquery.js', 'jquery') -loadjs('my-awesome-plugin.js') +// use .done() for more control loadjs.ready('my-awesome-plugin', function() { - // run code here when jquery and my awesome plugin are both finished -}) + myAwesomePlugin(); +}); + +loadjs.ready('jquery', function() { + // plugin requires jquery + window.myAwesomePlugin = function() { + if (!window.jQuery) throw "jQuery is missing!"; + }; + + // plugin is done loading + loadjs.done('my-awesome-plugin'); +}); ``` ## Development Dependencies
39
Update README.md
36
.md
md
mit
muicss/loadjs
10063861
<NME> README.md <BEF> # LoadJS <img src="https://www.muicss.com/static/images/loadjs.svg" width="250px"> LoadJS is a tiny async loader for modern browsers (899 bytes). [![Dependency Status](https://david-dm.org/muicss/loadjs.svg)](https://david-dm.org/muicss/loadjs) [![devDependency Status](https://david-dm.org/muicss/loadjs/dev-status.svg)](https://david-dm.org/muicss/loadjs?type=dev) [![CDNJS](https://img.shields.io/cdnjs/v/loadjs.svg)](https://cdnjs.com/libraries/loadjs) ## Introduction LoadJS is a tiny async loading library for modern browsers (IE9+). It has a simple yet powerful dependency management system that lets you fetch JavaScript, CSS and image files in parallel and execute code after the dependencies have been met. The recommended way to use LoadJS is to include the minified source code of [loadjs.js](https://raw.githubusercontent.com/muicss/loadjs/master/dist/loadjs.min.js) in your &lt;html&gt; (possibly in the &lt;head&gt; tag) and then use the `loadjs` global to manage JavaScript dependencies after pageload. LoadJS is based on the excellent [$script](https://github.com/ded/script.js) library by [Dustin Diaz](https://github.com/ded). We kept the behavior of the library the same but we re-wrote the code from scratch to add support for success/error callbacks and to optimize the library for modern browsers. LoadJS is 899 bytes (minified + gzipped). Here's an example of what you can do with LoadJS: ```html <script src="//unpkg.com/loadjs@latest/dist/loadjs.min.js"></script> <script> // define a dependency bundle and execute code when it loads loadjs(['/path/to/foo.js', '/path/to/bar.js'], 'foobar'); loadjs.ready('foobar', function() { /* foo.js & bar.js loaded */ }); </script> ``` You can also use more advanced syntax for more options: ```html ## Documentation ```javascript loadjs('foo.js', function() { // foo.js succeeded }); loadjs('foo.js', 'foo', function() { // foo.js succeeded }, function(depsNotFound) { // foo.js failed }); loadjs(['foo.js', 'bar.js'], function() { // foo.js & bar.js succeeded }); loadjs(['foo.js', 'bar.js'], 'bundle') loadjs.ready('bundle', function() { // foo.js & bar.js succeeded }); // create an id and callback inline loadjs(['foo.js', 'bar.js'], 'bundle', function() { // foo.js & bar.js succeeded }); loadjs('foo.js', 'foo'); loadjs('bar.js', 'bar'); loadjs .ready('foo', function() { // foo.js succeeded }) .ready('bar', function() { // bar.js succeeded }); loadjs('foo.js', 'foo'); loadjs('bar.js', 'bar'); loadjs(['thunkor.js', 'thunky.js'], 'thunk'); // wait for multiple depdendencies loadjs.ready(['foo', 'bar', 'thunk'], function() { // foo.js & bar.js & thunkor.js & thunky.js succeeded }, function(depsNotFound) { if (depsNotFound.indexOf('foo') === -1) {}; // foo failed ## Documentation }); // in my-awesome-plugin.js loadjs.ready('jquery', function() { window.myAwesomePlugin = {}; // define awesome jquery plugin loadjs.done('my-awesome-plugin'); }, function(depsNotFound) { // jquery failed }); // in index.html loadjs('jquery.js', 'jquery') loadjs('my-awesome-plugin.js') loadjs.ready('my-awesome-plugin', function() { // run code here when jquery and my awesome plugin are both finished }) ``` ## Development Dependencies loadjs(['/path/to/foo.css', '/path/to/bar.png', 'path/to/thunk.js'], function() { /* foo.css, bar.png and thunk.js loaded */ }); ``` 1. Force treat file as CSS stylesheet ```javascript loadjs(['css!/path/to/cssfile.custom'], function() { /* cssfile.custom loaded as stylesheet */ }); ``` 1. Force treat file as image ```javascript loadjs(['img!/path/to/image.custom'], function() { /* image.custom loaded */ }); ``` 1. Add a bundle id ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], 'foobar', function() { /* foo.js & bar.js loaded */ }); ``` 1. Use .ready() to define bundles and callbacks separately ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], 'foobar'); loadjs.ready('foobar', function() { /* foo.js & bar.js loaded */ }); ``` 1. Use multiple bundles in .ready() dependency lists ```javascript loadjs('/path/to/foo.js', 'foo'); loadjs(['/path/to/bar1.js', '/path/to/bar2.js'], 'bar'); loadjs.ready(['foo', 'bar'], function() { /* foo.js & bar1.js & bar2.js loaded */ }); ``` 1. Chain .ready() together ```javascript loadjs('/path/to/foo.js', 'foo'); loadjs('/path/to/bar.js', 'bar'); loadjs .ready('foo', function() { /* foo.js loaded */ }) .ready('bar', function() { /* bar.js loaded */ }); ``` 1. Use Promises to register callbacks ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], {returnPromise: true}) .then(function() { /* foo.js & bar.js loaded */ }) .catch(function(pathsNotFound) { /* at least one didn't load */ }); ``` 1. Check if bundle has already been defined ```javascript if (!loadjs.isDefined('foobar')) { loadjs(['/path/to/foo.js', '/path/to/bar.js'], 'foobar', function() { /* foo.js & bar.js loaded */ }); } ``` 1. Fetch files in parallel and load them in series ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], { success: function() { /* foo.js and bar.js loaded in series */ }, async: false }); ``` 1. Add an error callback ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], 'foobar', { success: function() { /* foo.js & bar.js loaded */ }, error: function(pathsNotFound) { /* at least one path didn't load */ } }); ``` 1. Retry files before calling the error callback ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], 'foobar', { success: function() { /* foo.js & bar.js loaded */ }, error: function(pathsNotFound) { /* at least one path didn't load */ }, numRetries: 3 }); // NOTE: Using `numRetries` with `async: false` can cause files to load out-of-sync on retries ``` 1. Execute a callback before script tags are embedded ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], { success: function() {}, error: function(pathsNotFound) {}, before: function(path, scriptEl) { /* called for each script node before being embedded */ if (path === '/path/to/foo.js') scriptEl.crossOrigin = true; } }); ``` 1. Bypass LoadJS default DOM insertion mechanism (DOM `<head>`) ```javascript loadjs(['/path/to/foo.js'], { success: function() {}, error: function(pathsNotFound) {}, before: function(path, scriptEl) { document.body.appendChild(scriptEl); /* return `false` to bypass default DOM insertion mechanism */ return false; } }); ``` 1. Use bundle ids in error callback ```javascript loadjs('/path/to/foo.js', 'foo'); loadjs('/path/to/bar.js', 'bar'); loadjs(['/path/to/thunkor.js', '/path/to/thunky.js'], 'thunk'); // wait for multiple depdendencies loadjs.ready(['foo', 'bar', 'thunk'], { success: function() { // foo.js & bar.js & thunkor.js & thunky.js loaded }, error: function(depsNotFound) { if (depsNotFound.indexOf('foo') > -1) {}; // foo failed if (depsNotFound.indexOf('bar') > -1) {}; // bar failed if (depsNotFound.indexOf('thunk') > -1) {}; // thunk failed } }); ``` 1. Use .done() for more control ```javascript loadjs.ready(['dependency1', 'dependency2'], function() { /* run code after dependencies have been met */ }); function fn1() { loadjs.done('dependency1'); } function fn2() { loadjs.done('dependency2'); } ``` 1. Reset dependency trackers ```javascript loadjs.reset(); ``` 1. Implement a require-like dependency manager ```javascript var bundles = { 'bundleA': ['/file1.js', '/file2.js'], 'bundleB': ['/file3.js', '/file4.js'] }; function require(bundleIds, callbackFn) { bundleIds.forEach(function(bundleId) { if (!loadjs.isDefined(bundleId)) loadjs(bundles[bundleId], bundleId); }); loadjs.ready(bundleIds, callbackFn); } require(['bundleA'], function() { /* bundleA loaded */ }); require(['bundleB'], function() { /* bundleB loaded */ }); require(['bundleA', 'bundleB'], function() { /* bundleA and bundleB loaded */ }); ``` ## Directory structure <pre> loadjs/ ├── dist │   ├── loadjs.js │   ├── loadjs.min.js │   └── loadjs.umd.js ├── examples ├── gulpfile.js ├── LICENSE.txt ├── package.json ├── README.md ├── src │   └── loadjs.js ├── test └── umd-templates </pre> ## Development Quickstart 1. Install dependencies * [nodejs](http://nodejs.org/) * [npm](https://www.npmjs.org/) * http-server (via npm) 1. Clone repository ```bash $ git clone [email protected]:muicss/loadjs.git $ cd loadjs ``` 1. Install node dependencies using npm ```bash $ npm install ``` 1. Build examples ```bash $ npm run build-examples ``` To view the examples you can use any static file server. To use the `nodejs` http-server module: ```bash $ npm install http-server $ npm run http-server -- -p 3000 ``` Then visit [http://localhost:3000/examples](http://localhost:3000/examples) 1. Build distribution files ```bash $ npm run build-dist ``` The files will be located in the `dist` directory. 1. Run tests To run the browser tests first build the `loadjs` library: ```bash $ npm run build-tests ``` Then visit [http://localhost:3000/test](http://localhost:3000/test) 1. Build all files ```bash $ npm run build-all ``` <MSG> Update README.md <DFF> @@ -33,55 +33,62 @@ loadjs/ ## Documentation ```javascript +// load a single file loadjs('foo.js', function() { - // foo.js succeeded + // foo.js loaded }); -loadjs('foo.js', 'foo', function() { - // foo.js succeeded - }, - function(depsNotFound) { - // foo.js failed - }); - - +// load multiple files loadjs(['foo.js', 'bar.js'], function() { - // foo.js & bar.js succeeded + // foo.js & bar.js loaded }); -loadjs(['foo.js', 'bar.js'], 'bundle') -loadjs.ready('bundle', function() { - // foo.js & bar.js succeeded +// add a bundle id +loadjs(['foo.js', 'bar.js'], 'foobar', function() { + // foo.js & bar.js loaded }); -// create an id and callback inline -loadjs(['foo.js', 'bar.js'], 'bundle', function() { - // foo.js & bar.js succeeded +// add a failure callback +loadjs(['foo.js', 'bar.js'], + 'foobar', + function() { /* foo.js & bar.js loaded */ }, + function(pathsNotFound) { /* at least one path didn't load */ }); + + +// execute a callback after bundle finishes loading +loadjs(['foo.js', 'bar.js'], 'foobar'); + +loadjs.ready('foobar', function() { + // foo.js & bar.js loaded }); +// .ready() can be chained together loadjs('foo.js', 'foo'); loadjs('bar.js', 'bar'); + loadjs .ready('foo', function() { - // foo.js succeeded + // foo.js loaded }) .ready('bar', function() { - // bar.js succeeded + // bar.js loaded }); +// compose more complex dependency lists loadjs('foo.js', 'foo'); loadjs('bar.js', 'bar'); loadjs(['thunkor.js', 'thunky.js'], 'thunk'); + // wait for multiple depdendencies loadjs.ready(['foo', 'bar', 'thunk'], function() { - // foo.js & bar.js & thunkor.js & thunky.js succeeded + // foo.js & bar.js & thunkor.js & thunky.js loaded }, function(depsNotFound) { if (depsNotFound.indexOf('foo') === -1) {}; // foo failed @@ -90,24 +97,20 @@ loadjs.ready(['foo', 'bar', 'thunk'], }); -// in my-awesome-plugin.js -loadjs.ready('jquery', - function() { - window.myAwesomePlugin = {}; // define awesome jquery plugin - - loadjs.done('my-awesome-plugin'); - }, - function(depsNotFound) { - // jquery failed - }); - - -// in index.html -loadjs('jquery.js', 'jquery') -loadjs('my-awesome-plugin.js') +// use .done() for more control loadjs.ready('my-awesome-plugin', function() { - // run code here when jquery and my awesome plugin are both finished -}) + myAwesomePlugin(); +}); + +loadjs.ready('jquery', function() { + // plugin requires jquery + window.myAwesomePlugin = function() { + if (!window.jQuery) throw "jQuery is missing!"; + }; + + // plugin is done loading + loadjs.done('my-awesome-plugin'); +}); ``` ## Development Dependencies
39
Update README.md
36
.md
md
mit
muicss/loadjs
10063862
<NME> .editorconfig <BEF> ADDFILE <MSG> Config: Add .editorconfig <DFF> @@ -0,0 +1,20 @@ +# EditorConfig helps developers define and maintain consistent +# coding styles between different editors and IDEs +# editorconfig.org + +root = true + +[*] + +# Change these settings to your own preference +indent_style = space +indent_size = 4 + +# We recommend you to keep these unchanged +end_of_line = lf +charset = utf-8 +trim_trailing_whitespace = true +insert_final_newline = true + +[*.md] +trim_trailing_whitespace = false \ No newline at end of file
20
Config: Add .editorconfig
0
editorconfig
mit
tabalinas/jsgrid
10063863
<NME> .editorconfig <BEF> ADDFILE <MSG> Config: Add .editorconfig <DFF> @@ -0,0 +1,20 @@ +# EditorConfig helps developers define and maintain consistent +# coding styles between different editors and IDEs +# editorconfig.org + +root = true + +[*] + +# Change these settings to your own preference +indent_style = space +indent_size = 4 + +# We recommend you to keep these unchanged +end_of_line = lf +charset = utf-8 +trim_trailing_whitespace = true +insert_final_newline = true + +[*.md] +trim_trailing_whitespace = false \ No newline at end of file
20
Config: Add .editorconfig
0
editorconfig
mit
tabalinas/jsgrid
10063864
<NME> MainWindow.xaml.cs <BEF> using System; using System.Collections.Generic; using System.ComponentModel; using System.Linq; using System.Runtime.CompilerServices; using Avalonia.Controls; using Avalonia.Input; using Avalonia.Interactivity; using Avalonia.Markup.Xaml; using Avalonia.Media; using Avalonia.Media.Imaging; using AvaloniaEdit.CodeCompletion; using AvaloniaEdit.Demo.Resources; using AvaloniaEdit.Document; using AvaloniaEdit.Editing; using AvaloniaEdit.Folding; using AvaloniaEdit.Rendering; using AvaloniaEdit.TextMate; using TextMateSharp.Grammars; using Avalonia.Diagnostics; namespace AvaloniaEdit.Demo { using Pair = KeyValuePair<int, Control>; public class MainWindow : Window { private readonly TextEditor _textEditor; private FoldingManager _foldingManager; private readonly TextMate.TextMate.Installation _textMateInstallation; private CompletionWindow _completionWindow; private OverloadInsightWindow _insightWindow; private Button _addControlButton; private Button _clearControlButton; private Button _changeThemeButton; private ComboBox _syntaxModeCombo; private TextBlock _statusTextBlock; private ElementGenerator _generator = new ElementGenerator(); private RegistryOptions _registryOptions; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.HorizontalScrollBarVisibility = Avalonia.Controls.Primitives.ScrollBarVisibility.Visible; _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.ContextMenu = new ContextMenu { Items = new List<MenuItem> { new MenuItem { Header = "Copy", InputGesture = new KeyGesture(Key.C, KeyModifiers.Control) }, new MenuItem { Header = "Paste", InputGesture = new KeyGesture(Key.V, KeyModifiers.Control) }, new MenuItem { Header = "Cut", InputGesture = new KeyGesture(Key.X, KeyModifiers.Control) } } }; _textEditor.TextArea.Background = this.Background; _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor.Options.ShowBoxForControlCharacters = true; _textEditor.Options.ColumnRulerPositions = new List<int>() { 80, 100 }; _textEditor.TextArea.IndentationStrategy = new Indentation.CSharp.CSharpIndentationStrategy(_textEditor.Options); _textEditor.TextArea.Caret.PositionChanged += Caret_PositionChanged; _textEditor.TextArea.RightClickMovesCaret = true; _addControlButton = this.FindControl<Button>("addControlBtn"); _addControlButton.Click += AddControlButton_Click; _clearControlButton = this.FindControl<Button>("clearControlBtn"); _clearControlButton.Click += ClearControlButton_Click; _changeThemeButton = this.FindControl<Button>("changeThemeBtn"); _changeThemeButton.Click += ChangeThemeButton_Click; _textEditor.TextArea.TextView.ElementGenerators.Add(_generator); _registryOptions = new RegistryOptions( (ThemeName)_currentTheme); _textMateInstallation = _textEditor.InstallTextMate(_registryOptions); Language csharpLanguage = _registryOptions.GetLanguageByExtension(".cs"); _syntaxModeCombo = this.FindControl<ComboBox>("syntaxModeCombo"); _syntaxModeCombo.Items = _registryOptions.GetAvailableLanguages(); _syntaxModeCombo.SelectedItem = csharpLanguage; _syntaxModeCombo.SelectionChanged += SyntaxModeCombo_SelectionChanged; string scopeName = _registryOptions.GetScopeByLanguageId(csharpLanguage.Id); _textEditor.Document = new TextDocument( "// AvaloniaEdit supports displaying control chars: \a or \b or \v" + Environment.NewLine + "// AvaloniaEdit supports displaying underline and strikethrough" + Environment.NewLine + ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(_registryOptions.GetScopeByLanguageId(csharpLanguage.Id)); _textEditor.TextArea.TextView.LineTransformers.Add(new UnderlineAndStrikeThroughTransformer()); _statusTextBlock = this.Find<TextBlock>("StatusText"); this.AddHandler(PointerWheelChangedEvent, (o, i) => { if (i.KeyModifiers != KeyModifiers.Control) return; if (i.Delta.Y > 0) _textEditor.FontSize++; else _textEditor.FontSize = _textEditor.FontSize > 1 ? _textEditor.FontSize - 1 : 1; }, RoutingStrategies.Bubble, true); } private void Caret_PositionChanged(object sender, EventArgs e) { _statusTextBlock.Text = string.Format("Line {0} Column {1}", _textEditor.TextArea.Caret.Line, _textEditor.TextArea.Caret.Column); } protected override void OnClosed(EventArgs e) { base.OnClosed(e); _textMateInstallation.Dispose(); } private void SyntaxModeCombo_SelectionChanged(object sender, SelectionChangedEventArgs e) { RemoveUnderlineAndStrikethroughTransformer(); Language language = (Language)_syntaxModeCombo.SelectedItem; if (_foldingManager != null) { _foldingManager.Clear(); FoldingManager.Uninstall(_foldingManager); } string scopeName = _registryOptions.GetScopeByLanguageId(language.Id); _textMateInstallation.SetGrammar(null); _textEditor.Document = new TextDocument(ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(scopeName); if (language.Id == "xml") { _foldingManager = FoldingManager.Install(_textEditor.TextArea); var strategy = new XmlFoldingStrategy(); strategy.UpdateFoldings(_foldingManager, _textEditor.Document); return; } } private void RemoveUnderlineAndStrikethroughTransformer() { for (int i = _textEditor.TextArea.TextView.LineTransformers.Count - 1; i >= 0; i--) { if (_textEditor.TextArea.TextView.LineTransformers[i] is UnderlineAndStrikeThroughTransformer) { _textEditor.TextArea.TextView.LineTransformers.RemoveAt(i); } } } private void ChangeThemeButton_Click(object sender, RoutedEventArgs e) { _currentTheme = (_currentTheme + 1) % Enum.GetNames(typeof(ThemeName)).Length; _textMateInstallation.SetTheme(_registryOptions.LoadTheme( (ThemeName)_currentTheme)); } private void InitializeComponent() { AvaloniaXamlLoader.Load(this); } private void AddControlButton_Click(object sender, RoutedEventArgs e) { _generator.controls.Add(new Pair(_textEditor.CaretOffset, new Button() { Content = "Click me", Cursor = Cursor.Default })); _textEditor.TextArea.TextView.Redraw(); } private void ClearControlButton_Click(object sender, RoutedEventArgs e) { //TODO: delete elements using back key _generator.controls.Clear(); _textEditor.TextArea.TextView.Redraw(); } private void textEditor_TextArea_TextEntering(object sender, TextInputEventArgs e) { if (e.Text.Length > 0 && _completionWindow != null) { if (!char.IsLetterOrDigit(e.Text[0])) { // Whenever a non-letter is typed while the completion window is open, // insert the currently selected element. _completionWindow.CompletionList.RequestInsertion(e); } } _insightWindow?.Hide(); // Do not set e.Handled=true. // We still want to insert the character that was typed. } private void textEditor_TextArea_TextEntered(object sender, TextInputEventArgs e) { if (e.Text == ".") { _completionWindow = new CompletionWindow(_textEditor.TextArea); _completionWindow.Closed += (o, args) => _completionWindow = null; var data = _completionWindow.CompletionList.CompletionData; data.Add(new MyCompletionData("Item1")); data.Add(new MyCompletionData("Item2")); data.Add(new MyCompletionData("Item3")); data.Add(new MyCompletionData("Item4")); data.Add(new MyCompletionData("Item5")); data.Add(new MyCompletionData("Item6")); data.Add(new MyCompletionData("Item7")); data.Add(new MyCompletionData("Item8")); data.Add(new MyCompletionData("Item9")); data.Add(new MyCompletionData("Item10")); data.Add(new MyCompletionData("Item11")); data.Add(new MyCompletionData("Item12")); data.Add(new MyCompletionData("Item13")); _completionWindow.Show(); } else if (e.Text == "(") { _insightWindow = new OverloadInsightWindow(_textEditor.TextArea); _insightWindow.Closed += (o, args) => _insightWindow = null; _insightWindow.Provider = new MyOverloadProvider(new[] { ("Method1(int, string)", "Method1 description"), ("Method2(int)", "Method2 description"), ("Method3(string)", "Method3 description"), }); _insightWindow.Show(); } } class UnderlineAndStrikeThroughTransformer : DocumentColorizingTransformer { protected override void ColorizeLine(DocumentLine line) { if (line.LineNumber == 2) { string lineText = this.CurrentContext.Document.GetText(line); int indexOfUnderline = lineText.IndexOf("underline"); int indexOfStrikeThrough = lineText.IndexOf("strikethrough"); if (indexOfUnderline != -1) { ChangeLinePart( line.Offset + indexOfUnderline, line.Offset + indexOfUnderline + "underline".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Underline[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Underline); } } ); } if (indexOfStrikeThrough != -1) { ChangeLinePart( line.Offset + indexOfStrikeThrough, line.Offset + indexOfStrikeThrough + "strikethrough".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Strikethrough[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Strikethrough); } } ); } } } } private class MyOverloadProvider : IOverloadProvider { private readonly IList<(string header, string content)> _items; private int _selectedIndex; public MyOverloadProvider(IList<(string header, string content)> items) { _items = items; SelectedIndex = 0; } public int SelectedIndex { get => _selectedIndex; set { _selectedIndex = value; OnPropertyChanged(); // ReSharper disable ExplicitCallerInfoArgument OnPropertyChanged(nameof(CurrentHeader)); OnPropertyChanged(nameof(CurrentContent)); // ReSharper restore ExplicitCallerInfoArgument } } public int Count => _items.Count; public string CurrentIndexText => null; public object CurrentHeader => _items[SelectedIndex].header; public object CurrentContent => _items[SelectedIndex].content; public event PropertyChangedEventHandler PropertyChanged; private void OnPropertyChanged([CallerMemberName] string propertyName = null) { PropertyChanged?.Invoke(this, new PropertyChangedEventArgs(propertyName)); } } public class MyCompletionData : ICompletionData { public MyCompletionData(string text) { Text = text; } public IBitmap Image => null; public string Text { get; } // Use this property if you want to show a fancy UIElement in the list. public object Content => Text; public object Description => "Description for " + Text; public double Priority { get; } = 0; public void Complete(TextArea textArea, ISegment completionSegment, EventArgs insertionRequestEventArgs) { textArea.Document.Replace(completionSegment, Text); } } class ElementGenerator : VisualLineElementGenerator, IComparer<Pair> { public List<Pair> controls = new List<Pair>(); /// <summary> /// Gets the first interested offset using binary search /// </summary> /// <returns>The first interested offset.</returns> /// <param name="startOffset">Start offset.</param> public override int GetFirstInterestedOffset(int startOffset) { int pos = controls.BinarySearch(new Pair(startOffset, null), this); if (pos < 0) pos = ~pos; if (pos < controls.Count) return controls[pos].Key; else return -1; } public override VisualLineElement ConstructElement(int offset) { int pos = controls.BinarySearch(new Pair(offset, null), this); if (pos >= 0) return new InlineObjectElement(0, controls[pos].Value); else return null; } int IComparer<Pair>.Compare(Pair x, Pair y) { return x.Key.CompareTo(y.Key); } } } } <MSG> remove demo readonly <DFF> @@ -39,7 +39,6 @@ namespace AvaloniaEdit.Demo _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; - _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering;
0
remove demo readonly
1
.cs
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063865
<NME> MainWindow.xaml.cs <BEF> using System; using System.Collections.Generic; using System.ComponentModel; using System.Linq; using System.Runtime.CompilerServices; using Avalonia.Controls; using Avalonia.Input; using Avalonia.Interactivity; using Avalonia.Markup.Xaml; using Avalonia.Media; using Avalonia.Media.Imaging; using AvaloniaEdit.CodeCompletion; using AvaloniaEdit.Demo.Resources; using AvaloniaEdit.Document; using AvaloniaEdit.Editing; using AvaloniaEdit.Folding; using AvaloniaEdit.Rendering; using AvaloniaEdit.TextMate; using TextMateSharp.Grammars; using Avalonia.Diagnostics; namespace AvaloniaEdit.Demo { using Pair = KeyValuePair<int, Control>; public class MainWindow : Window { private readonly TextEditor _textEditor; private FoldingManager _foldingManager; private readonly TextMate.TextMate.Installation _textMateInstallation; private CompletionWindow _completionWindow; private OverloadInsightWindow _insightWindow; private Button _addControlButton; private Button _clearControlButton; private Button _changeThemeButton; private ComboBox _syntaxModeCombo; private TextBlock _statusTextBlock; private ElementGenerator _generator = new ElementGenerator(); private RegistryOptions _registryOptions; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.HorizontalScrollBarVisibility = Avalonia.Controls.Primitives.ScrollBarVisibility.Visible; _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.ContextMenu = new ContextMenu { Items = new List<MenuItem> { new MenuItem { Header = "Copy", InputGesture = new KeyGesture(Key.C, KeyModifiers.Control) }, new MenuItem { Header = "Paste", InputGesture = new KeyGesture(Key.V, KeyModifiers.Control) }, new MenuItem { Header = "Cut", InputGesture = new KeyGesture(Key.X, KeyModifiers.Control) } } }; _textEditor.TextArea.Background = this.Background; _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor.Options.ShowBoxForControlCharacters = true; _textEditor.Options.ColumnRulerPositions = new List<int>() { 80, 100 }; _textEditor.TextArea.IndentationStrategy = new Indentation.CSharp.CSharpIndentationStrategy(_textEditor.Options); _textEditor.TextArea.Caret.PositionChanged += Caret_PositionChanged; _textEditor.TextArea.RightClickMovesCaret = true; _addControlButton = this.FindControl<Button>("addControlBtn"); _addControlButton.Click += AddControlButton_Click; _clearControlButton = this.FindControl<Button>("clearControlBtn"); _clearControlButton.Click += ClearControlButton_Click; _changeThemeButton = this.FindControl<Button>("changeThemeBtn"); _changeThemeButton.Click += ChangeThemeButton_Click; _textEditor.TextArea.TextView.ElementGenerators.Add(_generator); _registryOptions = new RegistryOptions( (ThemeName)_currentTheme); _textMateInstallation = _textEditor.InstallTextMate(_registryOptions); Language csharpLanguage = _registryOptions.GetLanguageByExtension(".cs"); _syntaxModeCombo = this.FindControl<ComboBox>("syntaxModeCombo"); _syntaxModeCombo.Items = _registryOptions.GetAvailableLanguages(); _syntaxModeCombo.SelectedItem = csharpLanguage; _syntaxModeCombo.SelectionChanged += SyntaxModeCombo_SelectionChanged; string scopeName = _registryOptions.GetScopeByLanguageId(csharpLanguage.Id); _textEditor.Document = new TextDocument( "// AvaloniaEdit supports displaying control chars: \a or \b or \v" + Environment.NewLine + "// AvaloniaEdit supports displaying underline and strikethrough" + Environment.NewLine + ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(_registryOptions.GetScopeByLanguageId(csharpLanguage.Id)); _textEditor.TextArea.TextView.LineTransformers.Add(new UnderlineAndStrikeThroughTransformer()); _statusTextBlock = this.Find<TextBlock>("StatusText"); this.AddHandler(PointerWheelChangedEvent, (o, i) => { if (i.KeyModifiers != KeyModifiers.Control) return; if (i.Delta.Y > 0) _textEditor.FontSize++; else _textEditor.FontSize = _textEditor.FontSize > 1 ? _textEditor.FontSize - 1 : 1; }, RoutingStrategies.Bubble, true); } private void Caret_PositionChanged(object sender, EventArgs e) { _statusTextBlock.Text = string.Format("Line {0} Column {1}", _textEditor.TextArea.Caret.Line, _textEditor.TextArea.Caret.Column); } protected override void OnClosed(EventArgs e) { base.OnClosed(e); _textMateInstallation.Dispose(); } private void SyntaxModeCombo_SelectionChanged(object sender, SelectionChangedEventArgs e) { RemoveUnderlineAndStrikethroughTransformer(); Language language = (Language)_syntaxModeCombo.SelectedItem; if (_foldingManager != null) { _foldingManager.Clear(); FoldingManager.Uninstall(_foldingManager); } string scopeName = _registryOptions.GetScopeByLanguageId(language.Id); _textMateInstallation.SetGrammar(null); _textEditor.Document = new TextDocument(ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(scopeName); if (language.Id == "xml") { _foldingManager = FoldingManager.Install(_textEditor.TextArea); var strategy = new XmlFoldingStrategy(); strategy.UpdateFoldings(_foldingManager, _textEditor.Document); return; } } private void RemoveUnderlineAndStrikethroughTransformer() { for (int i = _textEditor.TextArea.TextView.LineTransformers.Count - 1; i >= 0; i--) { if (_textEditor.TextArea.TextView.LineTransformers[i] is UnderlineAndStrikeThroughTransformer) { _textEditor.TextArea.TextView.LineTransformers.RemoveAt(i); } } } private void ChangeThemeButton_Click(object sender, RoutedEventArgs e) { _currentTheme = (_currentTheme + 1) % Enum.GetNames(typeof(ThemeName)).Length; _textMateInstallation.SetTheme(_registryOptions.LoadTheme( (ThemeName)_currentTheme)); } private void InitializeComponent() { AvaloniaXamlLoader.Load(this); } private void AddControlButton_Click(object sender, RoutedEventArgs e) { _generator.controls.Add(new Pair(_textEditor.CaretOffset, new Button() { Content = "Click me", Cursor = Cursor.Default })); _textEditor.TextArea.TextView.Redraw(); } private void ClearControlButton_Click(object sender, RoutedEventArgs e) { //TODO: delete elements using back key _generator.controls.Clear(); _textEditor.TextArea.TextView.Redraw(); } private void textEditor_TextArea_TextEntering(object sender, TextInputEventArgs e) { if (e.Text.Length > 0 && _completionWindow != null) { if (!char.IsLetterOrDigit(e.Text[0])) { // Whenever a non-letter is typed while the completion window is open, // insert the currently selected element. _completionWindow.CompletionList.RequestInsertion(e); } } _insightWindow?.Hide(); // Do not set e.Handled=true. // We still want to insert the character that was typed. } private void textEditor_TextArea_TextEntered(object sender, TextInputEventArgs e) { if (e.Text == ".") { _completionWindow = new CompletionWindow(_textEditor.TextArea); _completionWindow.Closed += (o, args) => _completionWindow = null; var data = _completionWindow.CompletionList.CompletionData; data.Add(new MyCompletionData("Item1")); data.Add(new MyCompletionData("Item2")); data.Add(new MyCompletionData("Item3")); data.Add(new MyCompletionData("Item4")); data.Add(new MyCompletionData("Item5")); data.Add(new MyCompletionData("Item6")); data.Add(new MyCompletionData("Item7")); data.Add(new MyCompletionData("Item8")); data.Add(new MyCompletionData("Item9")); data.Add(new MyCompletionData("Item10")); data.Add(new MyCompletionData("Item11")); data.Add(new MyCompletionData("Item12")); data.Add(new MyCompletionData("Item13")); _completionWindow.Show(); } else if (e.Text == "(") { _insightWindow = new OverloadInsightWindow(_textEditor.TextArea); _insightWindow.Closed += (o, args) => _insightWindow = null; _insightWindow.Provider = new MyOverloadProvider(new[] { ("Method1(int, string)", "Method1 description"), ("Method2(int)", "Method2 description"), ("Method3(string)", "Method3 description"), }); _insightWindow.Show(); } } class UnderlineAndStrikeThroughTransformer : DocumentColorizingTransformer { protected override void ColorizeLine(DocumentLine line) { if (line.LineNumber == 2) { string lineText = this.CurrentContext.Document.GetText(line); int indexOfUnderline = lineText.IndexOf("underline"); int indexOfStrikeThrough = lineText.IndexOf("strikethrough"); if (indexOfUnderline != -1) { ChangeLinePart( line.Offset + indexOfUnderline, line.Offset + indexOfUnderline + "underline".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Underline[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Underline); } } ); } if (indexOfStrikeThrough != -1) { ChangeLinePart( line.Offset + indexOfStrikeThrough, line.Offset + indexOfStrikeThrough + "strikethrough".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Strikethrough[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Strikethrough); } } ); } } } } private class MyOverloadProvider : IOverloadProvider { private readonly IList<(string header, string content)> _items; private int _selectedIndex; public MyOverloadProvider(IList<(string header, string content)> items) { _items = items; SelectedIndex = 0; } public int SelectedIndex { get => _selectedIndex; set { _selectedIndex = value; OnPropertyChanged(); // ReSharper disable ExplicitCallerInfoArgument OnPropertyChanged(nameof(CurrentHeader)); OnPropertyChanged(nameof(CurrentContent)); // ReSharper restore ExplicitCallerInfoArgument } } public int Count => _items.Count; public string CurrentIndexText => null; public object CurrentHeader => _items[SelectedIndex].header; public object CurrentContent => _items[SelectedIndex].content; public event PropertyChangedEventHandler PropertyChanged; private void OnPropertyChanged([CallerMemberName] string propertyName = null) { PropertyChanged?.Invoke(this, new PropertyChangedEventArgs(propertyName)); } } public class MyCompletionData : ICompletionData { public MyCompletionData(string text) { Text = text; } public IBitmap Image => null; public string Text { get; } // Use this property if you want to show a fancy UIElement in the list. public object Content => Text; public object Description => "Description for " + Text; public double Priority { get; } = 0; public void Complete(TextArea textArea, ISegment completionSegment, EventArgs insertionRequestEventArgs) { textArea.Document.Replace(completionSegment, Text); } } class ElementGenerator : VisualLineElementGenerator, IComparer<Pair> { public List<Pair> controls = new List<Pair>(); /// <summary> /// Gets the first interested offset using binary search /// </summary> /// <returns>The first interested offset.</returns> /// <param name="startOffset">Start offset.</param> public override int GetFirstInterestedOffset(int startOffset) { int pos = controls.BinarySearch(new Pair(startOffset, null), this); if (pos < 0) pos = ~pos; if (pos < controls.Count) return controls[pos].Key; else return -1; } public override VisualLineElement ConstructElement(int offset) { int pos = controls.BinarySearch(new Pair(offset, null), this); if (pos >= 0) return new InlineObjectElement(0, controls[pos].Value); else return null; } int IComparer<Pair>.Compare(Pair x, Pair y) { return x.Key.CompareTo(y.Key); } } } } <MSG> remove demo readonly <DFF> @@ -39,7 +39,6 @@ namespace AvaloniaEdit.Demo _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; - _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering;
0
remove demo readonly
1
.cs
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063866
<NME> MainWindow.xaml.cs <BEF> using System; using System.Collections.Generic; using System.ComponentModel; using System.Linq; using System.Runtime.CompilerServices; using Avalonia.Controls; using Avalonia.Input; using Avalonia.Interactivity; using Avalonia.Markup.Xaml; using Avalonia.Media; using Avalonia.Media.Imaging; using AvaloniaEdit.CodeCompletion; using AvaloniaEdit.Demo.Resources; using AvaloniaEdit.Document; using AvaloniaEdit.Editing; using AvaloniaEdit.Folding; using AvaloniaEdit.Rendering; using AvaloniaEdit.TextMate; using TextMateSharp.Grammars; using Avalonia.Diagnostics; namespace AvaloniaEdit.Demo { using Pair = KeyValuePair<int, Control>; public class MainWindow : Window { private readonly TextEditor _textEditor; private FoldingManager _foldingManager; private readonly TextMate.TextMate.Installation _textMateInstallation; private CompletionWindow _completionWindow; private OverloadInsightWindow _insightWindow; private Button _addControlButton; private Button _clearControlButton; private Button _changeThemeButton; private ComboBox _syntaxModeCombo; private TextBlock _statusTextBlock; private ElementGenerator _generator = new ElementGenerator(); private RegistryOptions _registryOptions; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.HorizontalScrollBarVisibility = Avalonia.Controls.Primitives.ScrollBarVisibility.Visible; _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.ContextMenu = new ContextMenu { Items = new List<MenuItem> { new MenuItem { Header = "Copy", InputGesture = new KeyGesture(Key.C, KeyModifiers.Control) }, new MenuItem { Header = "Paste", InputGesture = new KeyGesture(Key.V, KeyModifiers.Control) }, new MenuItem { Header = "Cut", InputGesture = new KeyGesture(Key.X, KeyModifiers.Control) } } }; _textEditor.TextArea.Background = this.Background; _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor.Options.ShowBoxForControlCharacters = true; _textEditor.Options.ColumnRulerPositions = new List<int>() { 80, 100 }; _textEditor.TextArea.IndentationStrategy = new Indentation.CSharp.CSharpIndentationStrategy(_textEditor.Options); _textEditor.TextArea.Caret.PositionChanged += Caret_PositionChanged; _textEditor.TextArea.RightClickMovesCaret = true; _addControlButton = this.FindControl<Button>("addControlBtn"); _addControlButton.Click += AddControlButton_Click; _clearControlButton = this.FindControl<Button>("clearControlBtn"); _clearControlButton.Click += ClearControlButton_Click; _changeThemeButton = this.FindControl<Button>("changeThemeBtn"); _changeThemeButton.Click += ChangeThemeButton_Click; _textEditor.TextArea.TextView.ElementGenerators.Add(_generator); _registryOptions = new RegistryOptions( (ThemeName)_currentTheme); _textMateInstallation = _textEditor.InstallTextMate(_registryOptions); Language csharpLanguage = _registryOptions.GetLanguageByExtension(".cs"); _syntaxModeCombo = this.FindControl<ComboBox>("syntaxModeCombo"); _syntaxModeCombo.Items = _registryOptions.GetAvailableLanguages(); _syntaxModeCombo.SelectedItem = csharpLanguage; _syntaxModeCombo.SelectionChanged += SyntaxModeCombo_SelectionChanged; string scopeName = _registryOptions.GetScopeByLanguageId(csharpLanguage.Id); _textEditor.Document = new TextDocument( "// AvaloniaEdit supports displaying control chars: \a or \b or \v" + Environment.NewLine + "// AvaloniaEdit supports displaying underline and strikethrough" + Environment.NewLine + ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(_registryOptions.GetScopeByLanguageId(csharpLanguage.Id)); _textEditor.TextArea.TextView.LineTransformers.Add(new UnderlineAndStrikeThroughTransformer()); _statusTextBlock = this.Find<TextBlock>("StatusText"); this.AddHandler(PointerWheelChangedEvent, (o, i) => { if (i.KeyModifiers != KeyModifiers.Control) return; if (i.Delta.Y > 0) _textEditor.FontSize++; else _textEditor.FontSize = _textEditor.FontSize > 1 ? _textEditor.FontSize - 1 : 1; }, RoutingStrategies.Bubble, true); } private void Caret_PositionChanged(object sender, EventArgs e) { _statusTextBlock.Text = string.Format("Line {0} Column {1}", _textEditor.TextArea.Caret.Line, _textEditor.TextArea.Caret.Column); } protected override void OnClosed(EventArgs e) { base.OnClosed(e); _textMateInstallation.Dispose(); } private void SyntaxModeCombo_SelectionChanged(object sender, SelectionChangedEventArgs e) { RemoveUnderlineAndStrikethroughTransformer(); Language language = (Language)_syntaxModeCombo.SelectedItem; if (_foldingManager != null) { _foldingManager.Clear(); FoldingManager.Uninstall(_foldingManager); } string scopeName = _registryOptions.GetScopeByLanguageId(language.Id); _textMateInstallation.SetGrammar(null); _textEditor.Document = new TextDocument(ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(scopeName); if (language.Id == "xml") { _foldingManager = FoldingManager.Install(_textEditor.TextArea); var strategy = new XmlFoldingStrategy(); strategy.UpdateFoldings(_foldingManager, _textEditor.Document); return; } } private void RemoveUnderlineAndStrikethroughTransformer() { for (int i = _textEditor.TextArea.TextView.LineTransformers.Count - 1; i >= 0; i--) { if (_textEditor.TextArea.TextView.LineTransformers[i] is UnderlineAndStrikeThroughTransformer) { _textEditor.TextArea.TextView.LineTransformers.RemoveAt(i); } } } private void ChangeThemeButton_Click(object sender, RoutedEventArgs e) { _currentTheme = (_currentTheme + 1) % Enum.GetNames(typeof(ThemeName)).Length; _textMateInstallation.SetTheme(_registryOptions.LoadTheme( (ThemeName)_currentTheme)); } private void InitializeComponent() { AvaloniaXamlLoader.Load(this); } private void AddControlButton_Click(object sender, RoutedEventArgs e) { _generator.controls.Add(new Pair(_textEditor.CaretOffset, new Button() { Content = "Click me", Cursor = Cursor.Default })); _textEditor.TextArea.TextView.Redraw(); } private void ClearControlButton_Click(object sender, RoutedEventArgs e) { //TODO: delete elements using back key _generator.controls.Clear(); _textEditor.TextArea.TextView.Redraw(); } private void textEditor_TextArea_TextEntering(object sender, TextInputEventArgs e) { if (e.Text.Length > 0 && _completionWindow != null) { if (!char.IsLetterOrDigit(e.Text[0])) { // Whenever a non-letter is typed while the completion window is open, // insert the currently selected element. _completionWindow.CompletionList.RequestInsertion(e); } } _insightWindow?.Hide(); // Do not set e.Handled=true. // We still want to insert the character that was typed. } private void textEditor_TextArea_TextEntered(object sender, TextInputEventArgs e) { if (e.Text == ".") { _completionWindow = new CompletionWindow(_textEditor.TextArea); _completionWindow.Closed += (o, args) => _completionWindow = null; var data = _completionWindow.CompletionList.CompletionData; data.Add(new MyCompletionData("Item1")); data.Add(new MyCompletionData("Item2")); data.Add(new MyCompletionData("Item3")); data.Add(new MyCompletionData("Item4")); data.Add(new MyCompletionData("Item5")); data.Add(new MyCompletionData("Item6")); data.Add(new MyCompletionData("Item7")); data.Add(new MyCompletionData("Item8")); data.Add(new MyCompletionData("Item9")); data.Add(new MyCompletionData("Item10")); data.Add(new MyCompletionData("Item11")); data.Add(new MyCompletionData("Item12")); data.Add(new MyCompletionData("Item13")); _completionWindow.Show(); } else if (e.Text == "(") { _insightWindow = new OverloadInsightWindow(_textEditor.TextArea); _insightWindow.Closed += (o, args) => _insightWindow = null; _insightWindow.Provider = new MyOverloadProvider(new[] { ("Method1(int, string)", "Method1 description"), ("Method2(int)", "Method2 description"), ("Method3(string)", "Method3 description"), }); _insightWindow.Show(); } } class UnderlineAndStrikeThroughTransformer : DocumentColorizingTransformer { protected override void ColorizeLine(DocumentLine line) { if (line.LineNumber == 2) { string lineText = this.CurrentContext.Document.GetText(line); int indexOfUnderline = lineText.IndexOf("underline"); int indexOfStrikeThrough = lineText.IndexOf("strikethrough"); if (indexOfUnderline != -1) { ChangeLinePart( line.Offset + indexOfUnderline, line.Offset + indexOfUnderline + "underline".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Underline[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Underline); } } ); } if (indexOfStrikeThrough != -1) { ChangeLinePart( line.Offset + indexOfStrikeThrough, line.Offset + indexOfStrikeThrough + "strikethrough".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Strikethrough[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Strikethrough); } } ); } } } } private class MyOverloadProvider : IOverloadProvider { private readonly IList<(string header, string content)> _items; private int _selectedIndex; public MyOverloadProvider(IList<(string header, string content)> items) { _items = items; SelectedIndex = 0; } public int SelectedIndex { get => _selectedIndex; set { _selectedIndex = value; OnPropertyChanged(); // ReSharper disable ExplicitCallerInfoArgument OnPropertyChanged(nameof(CurrentHeader)); OnPropertyChanged(nameof(CurrentContent)); // ReSharper restore ExplicitCallerInfoArgument } } public int Count => _items.Count; public string CurrentIndexText => null; public object CurrentHeader => _items[SelectedIndex].header; public object CurrentContent => _items[SelectedIndex].content; public event PropertyChangedEventHandler PropertyChanged; private void OnPropertyChanged([CallerMemberName] string propertyName = null) { PropertyChanged?.Invoke(this, new PropertyChangedEventArgs(propertyName)); } } public class MyCompletionData : ICompletionData { public MyCompletionData(string text) { Text = text; } public IBitmap Image => null; public string Text { get; } // Use this property if you want to show a fancy UIElement in the list. public object Content => Text; public object Description => "Description for " + Text; public double Priority { get; } = 0; public void Complete(TextArea textArea, ISegment completionSegment, EventArgs insertionRequestEventArgs) { textArea.Document.Replace(completionSegment, Text); } } class ElementGenerator : VisualLineElementGenerator, IComparer<Pair> { public List<Pair> controls = new List<Pair>(); /// <summary> /// Gets the first interested offset using binary search /// </summary> /// <returns>The first interested offset.</returns> /// <param name="startOffset">Start offset.</param> public override int GetFirstInterestedOffset(int startOffset) { int pos = controls.BinarySearch(new Pair(startOffset, null), this); if (pos < 0) pos = ~pos; if (pos < controls.Count) return controls[pos].Key; else return -1; } public override VisualLineElement ConstructElement(int offset) { int pos = controls.BinarySearch(new Pair(offset, null), this); if (pos >= 0) return new InlineObjectElement(0, controls[pos].Value); else return null; } int IComparer<Pair>.Compare(Pair x, Pair y) { return x.Key.CompareTo(y.Key); } } } } <MSG> remove demo readonly <DFF> @@ -39,7 +39,6 @@ namespace AvaloniaEdit.Demo _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; - _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering;
0
remove demo readonly
1
.cs
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063867
<NME> MainWindow.xaml.cs <BEF> using System; using System.Collections.Generic; using System.ComponentModel; using System.Linq; using System.Runtime.CompilerServices; using Avalonia.Controls; using Avalonia.Input; using Avalonia.Interactivity; using Avalonia.Markup.Xaml; using Avalonia.Media; using Avalonia.Media.Imaging; using AvaloniaEdit.CodeCompletion; using AvaloniaEdit.Demo.Resources; using AvaloniaEdit.Document; using AvaloniaEdit.Editing; using AvaloniaEdit.Folding; using AvaloniaEdit.Rendering; using AvaloniaEdit.TextMate; using TextMateSharp.Grammars; using Avalonia.Diagnostics; namespace AvaloniaEdit.Demo { using Pair = KeyValuePair<int, Control>; public class MainWindow : Window { private readonly TextEditor _textEditor; private FoldingManager _foldingManager; private readonly TextMate.TextMate.Installation _textMateInstallation; private CompletionWindow _completionWindow; private OverloadInsightWindow _insightWindow; private Button _addControlButton; private Button _clearControlButton; private Button _changeThemeButton; private ComboBox _syntaxModeCombo; private TextBlock _statusTextBlock; private ElementGenerator _generator = new ElementGenerator(); private RegistryOptions _registryOptions; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.HorizontalScrollBarVisibility = Avalonia.Controls.Primitives.ScrollBarVisibility.Visible; _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.ContextMenu = new ContextMenu { Items = new List<MenuItem> { new MenuItem { Header = "Copy", InputGesture = new KeyGesture(Key.C, KeyModifiers.Control) }, new MenuItem { Header = "Paste", InputGesture = new KeyGesture(Key.V, KeyModifiers.Control) }, new MenuItem { Header = "Cut", InputGesture = new KeyGesture(Key.X, KeyModifiers.Control) } } }; _textEditor.TextArea.Background = this.Background; _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor.Options.ShowBoxForControlCharacters = true; _textEditor.Options.ColumnRulerPositions = new List<int>() { 80, 100 }; _textEditor.TextArea.IndentationStrategy = new Indentation.CSharp.CSharpIndentationStrategy(_textEditor.Options); _textEditor.TextArea.Caret.PositionChanged += Caret_PositionChanged; _textEditor.TextArea.RightClickMovesCaret = true; _addControlButton = this.FindControl<Button>("addControlBtn"); _addControlButton.Click += AddControlButton_Click; _clearControlButton = this.FindControl<Button>("clearControlBtn"); _clearControlButton.Click += ClearControlButton_Click; _changeThemeButton = this.FindControl<Button>("changeThemeBtn"); _changeThemeButton.Click += ChangeThemeButton_Click; _textEditor.TextArea.TextView.ElementGenerators.Add(_generator); _registryOptions = new RegistryOptions( (ThemeName)_currentTheme); _textMateInstallation = _textEditor.InstallTextMate(_registryOptions); Language csharpLanguage = _registryOptions.GetLanguageByExtension(".cs"); _syntaxModeCombo = this.FindControl<ComboBox>("syntaxModeCombo"); _syntaxModeCombo.Items = _registryOptions.GetAvailableLanguages(); _syntaxModeCombo.SelectedItem = csharpLanguage; _syntaxModeCombo.SelectionChanged += SyntaxModeCombo_SelectionChanged; string scopeName = _registryOptions.GetScopeByLanguageId(csharpLanguage.Id); _textEditor.Document = new TextDocument( "// AvaloniaEdit supports displaying control chars: \a or \b or \v" + Environment.NewLine + "// AvaloniaEdit supports displaying underline and strikethrough" + Environment.NewLine + ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(_registryOptions.GetScopeByLanguageId(csharpLanguage.Id)); _textEditor.TextArea.TextView.LineTransformers.Add(new UnderlineAndStrikeThroughTransformer()); _statusTextBlock = this.Find<TextBlock>("StatusText"); this.AddHandler(PointerWheelChangedEvent, (o, i) => { if (i.KeyModifiers != KeyModifiers.Control) return; if (i.Delta.Y > 0) _textEditor.FontSize++; else _textEditor.FontSize = _textEditor.FontSize > 1 ? _textEditor.FontSize - 1 : 1; }, RoutingStrategies.Bubble, true); } private void Caret_PositionChanged(object sender, EventArgs e) { _statusTextBlock.Text = string.Format("Line {0} Column {1}", _textEditor.TextArea.Caret.Line, _textEditor.TextArea.Caret.Column); } protected override void OnClosed(EventArgs e) { base.OnClosed(e); _textMateInstallation.Dispose(); } private void SyntaxModeCombo_SelectionChanged(object sender, SelectionChangedEventArgs e) { RemoveUnderlineAndStrikethroughTransformer(); Language language = (Language)_syntaxModeCombo.SelectedItem; if (_foldingManager != null) { _foldingManager.Clear(); FoldingManager.Uninstall(_foldingManager); } string scopeName = _registryOptions.GetScopeByLanguageId(language.Id); _textMateInstallation.SetGrammar(null); _textEditor.Document = new TextDocument(ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(scopeName); if (language.Id == "xml") { _foldingManager = FoldingManager.Install(_textEditor.TextArea); var strategy = new XmlFoldingStrategy(); strategy.UpdateFoldings(_foldingManager, _textEditor.Document); return; } } private void RemoveUnderlineAndStrikethroughTransformer() { for (int i = _textEditor.TextArea.TextView.LineTransformers.Count - 1; i >= 0; i--) { if (_textEditor.TextArea.TextView.LineTransformers[i] is UnderlineAndStrikeThroughTransformer) { _textEditor.TextArea.TextView.LineTransformers.RemoveAt(i); } } } private void ChangeThemeButton_Click(object sender, RoutedEventArgs e) { _currentTheme = (_currentTheme + 1) % Enum.GetNames(typeof(ThemeName)).Length; _textMateInstallation.SetTheme(_registryOptions.LoadTheme( (ThemeName)_currentTheme)); } private void InitializeComponent() { AvaloniaXamlLoader.Load(this); } private void AddControlButton_Click(object sender, RoutedEventArgs e) { _generator.controls.Add(new Pair(_textEditor.CaretOffset, new Button() { Content = "Click me", Cursor = Cursor.Default })); _textEditor.TextArea.TextView.Redraw(); } private void ClearControlButton_Click(object sender, RoutedEventArgs e) { //TODO: delete elements using back key _generator.controls.Clear(); _textEditor.TextArea.TextView.Redraw(); } private void textEditor_TextArea_TextEntering(object sender, TextInputEventArgs e) { if (e.Text.Length > 0 && _completionWindow != null) { if (!char.IsLetterOrDigit(e.Text[0])) { // Whenever a non-letter is typed while the completion window is open, // insert the currently selected element. _completionWindow.CompletionList.RequestInsertion(e); } } _insightWindow?.Hide(); // Do not set e.Handled=true. // We still want to insert the character that was typed. } private void textEditor_TextArea_TextEntered(object sender, TextInputEventArgs e) { if (e.Text == ".") { _completionWindow = new CompletionWindow(_textEditor.TextArea); _completionWindow.Closed += (o, args) => _completionWindow = null; var data = _completionWindow.CompletionList.CompletionData; data.Add(new MyCompletionData("Item1")); data.Add(new MyCompletionData("Item2")); data.Add(new MyCompletionData("Item3")); data.Add(new MyCompletionData("Item4")); data.Add(new MyCompletionData("Item5")); data.Add(new MyCompletionData("Item6")); data.Add(new MyCompletionData("Item7")); data.Add(new MyCompletionData("Item8")); data.Add(new MyCompletionData("Item9")); data.Add(new MyCompletionData("Item10")); data.Add(new MyCompletionData("Item11")); data.Add(new MyCompletionData("Item12")); data.Add(new MyCompletionData("Item13")); _completionWindow.Show(); } else if (e.Text == "(") { _insightWindow = new OverloadInsightWindow(_textEditor.TextArea); _insightWindow.Closed += (o, args) => _insightWindow = null; _insightWindow.Provider = new MyOverloadProvider(new[] { ("Method1(int, string)", "Method1 description"), ("Method2(int)", "Method2 description"), ("Method3(string)", "Method3 description"), }); _insightWindow.Show(); } } class UnderlineAndStrikeThroughTransformer : DocumentColorizingTransformer { protected override void ColorizeLine(DocumentLine line) { if (line.LineNumber == 2) { string lineText = this.CurrentContext.Document.GetText(line); int indexOfUnderline = lineText.IndexOf("underline"); int indexOfStrikeThrough = lineText.IndexOf("strikethrough"); if (indexOfUnderline != -1) { ChangeLinePart( line.Offset + indexOfUnderline, line.Offset + indexOfUnderline + "underline".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Underline[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Underline); } } ); } if (indexOfStrikeThrough != -1) { ChangeLinePart( line.Offset + indexOfStrikeThrough, line.Offset + indexOfStrikeThrough + "strikethrough".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Strikethrough[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Strikethrough); } } ); } } } } private class MyOverloadProvider : IOverloadProvider { private readonly IList<(string header, string content)> _items; private int _selectedIndex; public MyOverloadProvider(IList<(string header, string content)> items) { _items = items; SelectedIndex = 0; } public int SelectedIndex { get => _selectedIndex; set { _selectedIndex = value; OnPropertyChanged(); // ReSharper disable ExplicitCallerInfoArgument OnPropertyChanged(nameof(CurrentHeader)); OnPropertyChanged(nameof(CurrentContent)); // ReSharper restore ExplicitCallerInfoArgument } } public int Count => _items.Count; public string CurrentIndexText => null; public object CurrentHeader => _items[SelectedIndex].header; public object CurrentContent => _items[SelectedIndex].content; public event PropertyChangedEventHandler PropertyChanged; private void OnPropertyChanged([CallerMemberName] string propertyName = null) { PropertyChanged?.Invoke(this, new PropertyChangedEventArgs(propertyName)); } } public class MyCompletionData : ICompletionData { public MyCompletionData(string text) { Text = text; } public IBitmap Image => null; public string Text { get; } // Use this property if you want to show a fancy UIElement in the list. public object Content => Text; public object Description => "Description for " + Text; public double Priority { get; } = 0; public void Complete(TextArea textArea, ISegment completionSegment, EventArgs insertionRequestEventArgs) { textArea.Document.Replace(completionSegment, Text); } } class ElementGenerator : VisualLineElementGenerator, IComparer<Pair> { public List<Pair> controls = new List<Pair>(); /// <summary> /// Gets the first interested offset using binary search /// </summary> /// <returns>The first interested offset.</returns> /// <param name="startOffset">Start offset.</param> public override int GetFirstInterestedOffset(int startOffset) { int pos = controls.BinarySearch(new Pair(startOffset, null), this); if (pos < 0) pos = ~pos; if (pos < controls.Count) return controls[pos].Key; else return -1; } public override VisualLineElement ConstructElement(int offset) { int pos = controls.BinarySearch(new Pair(offset, null), this); if (pos >= 0) return new InlineObjectElement(0, controls[pos].Value); else return null; } int IComparer<Pair>.Compare(Pair x, Pair y) { return x.Key.CompareTo(y.Key); } } } } <MSG> remove demo readonly <DFF> @@ -39,7 +39,6 @@ namespace AvaloniaEdit.Demo _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; - _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering;
0
remove demo readonly
1
.cs
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063868
<NME> MainWindow.xaml.cs <BEF> using System; using System.Collections.Generic; using System.ComponentModel; using System.Linq; using System.Runtime.CompilerServices; using Avalonia.Controls; using Avalonia.Input; using Avalonia.Interactivity; using Avalonia.Markup.Xaml; using Avalonia.Media; using Avalonia.Media.Imaging; using AvaloniaEdit.CodeCompletion; using AvaloniaEdit.Demo.Resources; using AvaloniaEdit.Document; using AvaloniaEdit.Editing; using AvaloniaEdit.Folding; using AvaloniaEdit.Rendering; using AvaloniaEdit.TextMate; using TextMateSharp.Grammars; using Avalonia.Diagnostics; namespace AvaloniaEdit.Demo { using Pair = KeyValuePair<int, Control>; public class MainWindow : Window { private readonly TextEditor _textEditor; private FoldingManager _foldingManager; private readonly TextMate.TextMate.Installation _textMateInstallation; private CompletionWindow _completionWindow; private OverloadInsightWindow _insightWindow; private Button _addControlButton; private Button _clearControlButton; private Button _changeThemeButton; private ComboBox _syntaxModeCombo; private TextBlock _statusTextBlock; private ElementGenerator _generator = new ElementGenerator(); private RegistryOptions _registryOptions; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.HorizontalScrollBarVisibility = Avalonia.Controls.Primitives.ScrollBarVisibility.Visible; _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.ContextMenu = new ContextMenu { Items = new List<MenuItem> { new MenuItem { Header = "Copy", InputGesture = new KeyGesture(Key.C, KeyModifiers.Control) }, new MenuItem { Header = "Paste", InputGesture = new KeyGesture(Key.V, KeyModifiers.Control) }, new MenuItem { Header = "Cut", InputGesture = new KeyGesture(Key.X, KeyModifiers.Control) } } }; _textEditor.TextArea.Background = this.Background; _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor.Options.ShowBoxForControlCharacters = true; _textEditor.Options.ColumnRulerPositions = new List<int>() { 80, 100 }; _textEditor.TextArea.IndentationStrategy = new Indentation.CSharp.CSharpIndentationStrategy(_textEditor.Options); _textEditor.TextArea.Caret.PositionChanged += Caret_PositionChanged; _textEditor.TextArea.RightClickMovesCaret = true; _addControlButton = this.FindControl<Button>("addControlBtn"); _addControlButton.Click += AddControlButton_Click; _clearControlButton = this.FindControl<Button>("clearControlBtn"); _clearControlButton.Click += ClearControlButton_Click; _changeThemeButton = this.FindControl<Button>("changeThemeBtn"); _changeThemeButton.Click += ChangeThemeButton_Click; _textEditor.TextArea.TextView.ElementGenerators.Add(_generator); _registryOptions = new RegistryOptions( (ThemeName)_currentTheme); _textMateInstallation = _textEditor.InstallTextMate(_registryOptions); Language csharpLanguage = _registryOptions.GetLanguageByExtension(".cs"); _syntaxModeCombo = this.FindControl<ComboBox>("syntaxModeCombo"); _syntaxModeCombo.Items = _registryOptions.GetAvailableLanguages(); _syntaxModeCombo.SelectedItem = csharpLanguage; _syntaxModeCombo.SelectionChanged += SyntaxModeCombo_SelectionChanged; string scopeName = _registryOptions.GetScopeByLanguageId(csharpLanguage.Id); _textEditor.Document = new TextDocument( "// AvaloniaEdit supports displaying control chars: \a or \b or \v" + Environment.NewLine + "// AvaloniaEdit supports displaying underline and strikethrough" + Environment.NewLine + ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(_registryOptions.GetScopeByLanguageId(csharpLanguage.Id)); _textEditor.TextArea.TextView.LineTransformers.Add(new UnderlineAndStrikeThroughTransformer()); _statusTextBlock = this.Find<TextBlock>("StatusText"); this.AddHandler(PointerWheelChangedEvent, (o, i) => { if (i.KeyModifiers != KeyModifiers.Control) return; if (i.Delta.Y > 0) _textEditor.FontSize++; else _textEditor.FontSize = _textEditor.FontSize > 1 ? _textEditor.FontSize - 1 : 1; }, RoutingStrategies.Bubble, true); } private void Caret_PositionChanged(object sender, EventArgs e) { _statusTextBlock.Text = string.Format("Line {0} Column {1}", _textEditor.TextArea.Caret.Line, _textEditor.TextArea.Caret.Column); } protected override void OnClosed(EventArgs e) { base.OnClosed(e); _textMateInstallation.Dispose(); } private void SyntaxModeCombo_SelectionChanged(object sender, SelectionChangedEventArgs e) { RemoveUnderlineAndStrikethroughTransformer(); Language language = (Language)_syntaxModeCombo.SelectedItem; if (_foldingManager != null) { _foldingManager.Clear(); FoldingManager.Uninstall(_foldingManager); } string scopeName = _registryOptions.GetScopeByLanguageId(language.Id); _textMateInstallation.SetGrammar(null); _textEditor.Document = new TextDocument(ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(scopeName); if (language.Id == "xml") { _foldingManager = FoldingManager.Install(_textEditor.TextArea); var strategy = new XmlFoldingStrategy(); strategy.UpdateFoldings(_foldingManager, _textEditor.Document); return; } } private void RemoveUnderlineAndStrikethroughTransformer() { for (int i = _textEditor.TextArea.TextView.LineTransformers.Count - 1; i >= 0; i--) { if (_textEditor.TextArea.TextView.LineTransformers[i] is UnderlineAndStrikeThroughTransformer) { _textEditor.TextArea.TextView.LineTransformers.RemoveAt(i); } } } private void ChangeThemeButton_Click(object sender, RoutedEventArgs e) { _currentTheme = (_currentTheme + 1) % Enum.GetNames(typeof(ThemeName)).Length; _textMateInstallation.SetTheme(_registryOptions.LoadTheme( (ThemeName)_currentTheme)); } private void InitializeComponent() { AvaloniaXamlLoader.Load(this); } private void AddControlButton_Click(object sender, RoutedEventArgs e) { _generator.controls.Add(new Pair(_textEditor.CaretOffset, new Button() { Content = "Click me", Cursor = Cursor.Default })); _textEditor.TextArea.TextView.Redraw(); } private void ClearControlButton_Click(object sender, RoutedEventArgs e) { //TODO: delete elements using back key _generator.controls.Clear(); _textEditor.TextArea.TextView.Redraw(); } private void textEditor_TextArea_TextEntering(object sender, TextInputEventArgs e) { if (e.Text.Length > 0 && _completionWindow != null) { if (!char.IsLetterOrDigit(e.Text[0])) { // Whenever a non-letter is typed while the completion window is open, // insert the currently selected element. _completionWindow.CompletionList.RequestInsertion(e); } } _insightWindow?.Hide(); // Do not set e.Handled=true. // We still want to insert the character that was typed. } private void textEditor_TextArea_TextEntered(object sender, TextInputEventArgs e) { if (e.Text == ".") { _completionWindow = new CompletionWindow(_textEditor.TextArea); _completionWindow.Closed += (o, args) => _completionWindow = null; var data = _completionWindow.CompletionList.CompletionData; data.Add(new MyCompletionData("Item1")); data.Add(new MyCompletionData("Item2")); data.Add(new MyCompletionData("Item3")); data.Add(new MyCompletionData("Item4")); data.Add(new MyCompletionData("Item5")); data.Add(new MyCompletionData("Item6")); data.Add(new MyCompletionData("Item7")); data.Add(new MyCompletionData("Item8")); data.Add(new MyCompletionData("Item9")); data.Add(new MyCompletionData("Item10")); data.Add(new MyCompletionData("Item11")); data.Add(new MyCompletionData("Item12")); data.Add(new MyCompletionData("Item13")); _completionWindow.Show(); } else if (e.Text == "(") { _insightWindow = new OverloadInsightWindow(_textEditor.TextArea); _insightWindow.Closed += (o, args) => _insightWindow = null; _insightWindow.Provider = new MyOverloadProvider(new[] { ("Method1(int, string)", "Method1 description"), ("Method2(int)", "Method2 description"), ("Method3(string)", "Method3 description"), }); _insightWindow.Show(); } } class UnderlineAndStrikeThroughTransformer : DocumentColorizingTransformer { protected override void ColorizeLine(DocumentLine line) { if (line.LineNumber == 2) { string lineText = this.CurrentContext.Document.GetText(line); int indexOfUnderline = lineText.IndexOf("underline"); int indexOfStrikeThrough = lineText.IndexOf("strikethrough"); if (indexOfUnderline != -1) { ChangeLinePart( line.Offset + indexOfUnderline, line.Offset + indexOfUnderline + "underline".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Underline[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Underline); } } ); } if (indexOfStrikeThrough != -1) { ChangeLinePart( line.Offset + indexOfStrikeThrough, line.Offset + indexOfStrikeThrough + "strikethrough".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Strikethrough[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Strikethrough); } } ); } } } } private class MyOverloadProvider : IOverloadProvider { private readonly IList<(string header, string content)> _items; private int _selectedIndex; public MyOverloadProvider(IList<(string header, string content)> items) { _items = items; SelectedIndex = 0; } public int SelectedIndex { get => _selectedIndex; set { _selectedIndex = value; OnPropertyChanged(); // ReSharper disable ExplicitCallerInfoArgument OnPropertyChanged(nameof(CurrentHeader)); OnPropertyChanged(nameof(CurrentContent)); // ReSharper restore ExplicitCallerInfoArgument } } public int Count => _items.Count; public string CurrentIndexText => null; public object CurrentHeader => _items[SelectedIndex].header; public object CurrentContent => _items[SelectedIndex].content; public event PropertyChangedEventHandler PropertyChanged; private void OnPropertyChanged([CallerMemberName] string propertyName = null) { PropertyChanged?.Invoke(this, new PropertyChangedEventArgs(propertyName)); } } public class MyCompletionData : ICompletionData { public MyCompletionData(string text) { Text = text; } public IBitmap Image => null; public string Text { get; } // Use this property if you want to show a fancy UIElement in the list. public object Content => Text; public object Description => "Description for " + Text; public double Priority { get; } = 0; public void Complete(TextArea textArea, ISegment completionSegment, EventArgs insertionRequestEventArgs) { textArea.Document.Replace(completionSegment, Text); } } class ElementGenerator : VisualLineElementGenerator, IComparer<Pair> { public List<Pair> controls = new List<Pair>(); /// <summary> /// Gets the first interested offset using binary search /// </summary> /// <returns>The first interested offset.</returns> /// <param name="startOffset">Start offset.</param> public override int GetFirstInterestedOffset(int startOffset) { int pos = controls.BinarySearch(new Pair(startOffset, null), this); if (pos < 0) pos = ~pos; if (pos < controls.Count) return controls[pos].Key; else return -1; } public override VisualLineElement ConstructElement(int offset) { int pos = controls.BinarySearch(new Pair(offset, null), this); if (pos >= 0) return new InlineObjectElement(0, controls[pos].Value); else return null; } int IComparer<Pair>.Compare(Pair x, Pair y) { return x.Key.CompareTo(y.Key); } } } } <MSG> remove demo readonly <DFF> @@ -39,7 +39,6 @@ namespace AvaloniaEdit.Demo _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; - _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering;
0
remove demo readonly
1
.cs
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063869
<NME> MainWindow.xaml.cs <BEF> using System; using System.Collections.Generic; using System.ComponentModel; using System.Linq; using System.Runtime.CompilerServices; using Avalonia.Controls; using Avalonia.Input; using Avalonia.Interactivity; using Avalonia.Markup.Xaml; using Avalonia.Media; using Avalonia.Media.Imaging; using AvaloniaEdit.CodeCompletion; using AvaloniaEdit.Demo.Resources; using AvaloniaEdit.Document; using AvaloniaEdit.Editing; using AvaloniaEdit.Folding; using AvaloniaEdit.Rendering; using AvaloniaEdit.TextMate; using TextMateSharp.Grammars; using Avalonia.Diagnostics; namespace AvaloniaEdit.Demo { using Pair = KeyValuePair<int, Control>; public class MainWindow : Window { private readonly TextEditor _textEditor; private FoldingManager _foldingManager; private readonly TextMate.TextMate.Installation _textMateInstallation; private CompletionWindow _completionWindow; private OverloadInsightWindow _insightWindow; private Button _addControlButton; private Button _clearControlButton; private Button _changeThemeButton; private ComboBox _syntaxModeCombo; private TextBlock _statusTextBlock; private ElementGenerator _generator = new ElementGenerator(); private RegistryOptions _registryOptions; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.HorizontalScrollBarVisibility = Avalonia.Controls.Primitives.ScrollBarVisibility.Visible; _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.ContextMenu = new ContextMenu { Items = new List<MenuItem> { new MenuItem { Header = "Copy", InputGesture = new KeyGesture(Key.C, KeyModifiers.Control) }, new MenuItem { Header = "Paste", InputGesture = new KeyGesture(Key.V, KeyModifiers.Control) }, new MenuItem { Header = "Cut", InputGesture = new KeyGesture(Key.X, KeyModifiers.Control) } } }; _textEditor.TextArea.Background = this.Background; _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor.Options.ShowBoxForControlCharacters = true; _textEditor.Options.ColumnRulerPositions = new List<int>() { 80, 100 }; _textEditor.TextArea.IndentationStrategy = new Indentation.CSharp.CSharpIndentationStrategy(_textEditor.Options); _textEditor.TextArea.Caret.PositionChanged += Caret_PositionChanged; _textEditor.TextArea.RightClickMovesCaret = true; _addControlButton = this.FindControl<Button>("addControlBtn"); _addControlButton.Click += AddControlButton_Click; _clearControlButton = this.FindControl<Button>("clearControlBtn"); _clearControlButton.Click += ClearControlButton_Click; _changeThemeButton = this.FindControl<Button>("changeThemeBtn"); _changeThemeButton.Click += ChangeThemeButton_Click; _textEditor.TextArea.TextView.ElementGenerators.Add(_generator); _registryOptions = new RegistryOptions( (ThemeName)_currentTheme); _textMateInstallation = _textEditor.InstallTextMate(_registryOptions); Language csharpLanguage = _registryOptions.GetLanguageByExtension(".cs"); _syntaxModeCombo = this.FindControl<ComboBox>("syntaxModeCombo"); _syntaxModeCombo.Items = _registryOptions.GetAvailableLanguages(); _syntaxModeCombo.SelectedItem = csharpLanguage; _syntaxModeCombo.SelectionChanged += SyntaxModeCombo_SelectionChanged; string scopeName = _registryOptions.GetScopeByLanguageId(csharpLanguage.Id); _textEditor.Document = new TextDocument( "// AvaloniaEdit supports displaying control chars: \a or \b or \v" + Environment.NewLine + "// AvaloniaEdit supports displaying underline and strikethrough" + Environment.NewLine + ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(_registryOptions.GetScopeByLanguageId(csharpLanguage.Id)); _textEditor.TextArea.TextView.LineTransformers.Add(new UnderlineAndStrikeThroughTransformer()); _statusTextBlock = this.Find<TextBlock>("StatusText"); this.AddHandler(PointerWheelChangedEvent, (o, i) => { if (i.KeyModifiers != KeyModifiers.Control) return; if (i.Delta.Y > 0) _textEditor.FontSize++; else _textEditor.FontSize = _textEditor.FontSize > 1 ? _textEditor.FontSize - 1 : 1; }, RoutingStrategies.Bubble, true); } private void Caret_PositionChanged(object sender, EventArgs e) { _statusTextBlock.Text = string.Format("Line {0} Column {1}", _textEditor.TextArea.Caret.Line, _textEditor.TextArea.Caret.Column); } protected override void OnClosed(EventArgs e) { base.OnClosed(e); _textMateInstallation.Dispose(); } private void SyntaxModeCombo_SelectionChanged(object sender, SelectionChangedEventArgs e) { RemoveUnderlineAndStrikethroughTransformer(); Language language = (Language)_syntaxModeCombo.SelectedItem; if (_foldingManager != null) { _foldingManager.Clear(); FoldingManager.Uninstall(_foldingManager); } string scopeName = _registryOptions.GetScopeByLanguageId(language.Id); _textMateInstallation.SetGrammar(null); _textEditor.Document = new TextDocument(ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(scopeName); if (language.Id == "xml") { _foldingManager = FoldingManager.Install(_textEditor.TextArea); var strategy = new XmlFoldingStrategy(); strategy.UpdateFoldings(_foldingManager, _textEditor.Document); return; } } private void RemoveUnderlineAndStrikethroughTransformer() { for (int i = _textEditor.TextArea.TextView.LineTransformers.Count - 1; i >= 0; i--) { if (_textEditor.TextArea.TextView.LineTransformers[i] is UnderlineAndStrikeThroughTransformer) { _textEditor.TextArea.TextView.LineTransformers.RemoveAt(i); } } } private void ChangeThemeButton_Click(object sender, RoutedEventArgs e) { _currentTheme = (_currentTheme + 1) % Enum.GetNames(typeof(ThemeName)).Length; _textMateInstallation.SetTheme(_registryOptions.LoadTheme( (ThemeName)_currentTheme)); } private void InitializeComponent() { AvaloniaXamlLoader.Load(this); } private void AddControlButton_Click(object sender, RoutedEventArgs e) { _generator.controls.Add(new Pair(_textEditor.CaretOffset, new Button() { Content = "Click me", Cursor = Cursor.Default })); _textEditor.TextArea.TextView.Redraw(); } private void ClearControlButton_Click(object sender, RoutedEventArgs e) { //TODO: delete elements using back key _generator.controls.Clear(); _textEditor.TextArea.TextView.Redraw(); } private void textEditor_TextArea_TextEntering(object sender, TextInputEventArgs e) { if (e.Text.Length > 0 && _completionWindow != null) { if (!char.IsLetterOrDigit(e.Text[0])) { // Whenever a non-letter is typed while the completion window is open, // insert the currently selected element. _completionWindow.CompletionList.RequestInsertion(e); } } _insightWindow?.Hide(); // Do not set e.Handled=true. // We still want to insert the character that was typed. } private void textEditor_TextArea_TextEntered(object sender, TextInputEventArgs e) { if (e.Text == ".") { _completionWindow = new CompletionWindow(_textEditor.TextArea); _completionWindow.Closed += (o, args) => _completionWindow = null; var data = _completionWindow.CompletionList.CompletionData; data.Add(new MyCompletionData("Item1")); data.Add(new MyCompletionData("Item2")); data.Add(new MyCompletionData("Item3")); data.Add(new MyCompletionData("Item4")); data.Add(new MyCompletionData("Item5")); data.Add(new MyCompletionData("Item6")); data.Add(new MyCompletionData("Item7")); data.Add(new MyCompletionData("Item8")); data.Add(new MyCompletionData("Item9")); data.Add(new MyCompletionData("Item10")); data.Add(new MyCompletionData("Item11")); data.Add(new MyCompletionData("Item12")); data.Add(new MyCompletionData("Item13")); _completionWindow.Show(); } else if (e.Text == "(") { _insightWindow = new OverloadInsightWindow(_textEditor.TextArea); _insightWindow.Closed += (o, args) => _insightWindow = null; _insightWindow.Provider = new MyOverloadProvider(new[] { ("Method1(int, string)", "Method1 description"), ("Method2(int)", "Method2 description"), ("Method3(string)", "Method3 description"), }); _insightWindow.Show(); } } class UnderlineAndStrikeThroughTransformer : DocumentColorizingTransformer { protected override void ColorizeLine(DocumentLine line) { if (line.LineNumber == 2) { string lineText = this.CurrentContext.Document.GetText(line); int indexOfUnderline = lineText.IndexOf("underline"); int indexOfStrikeThrough = lineText.IndexOf("strikethrough"); if (indexOfUnderline != -1) { ChangeLinePart( line.Offset + indexOfUnderline, line.Offset + indexOfUnderline + "underline".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Underline[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Underline); } } ); } if (indexOfStrikeThrough != -1) { ChangeLinePart( line.Offset + indexOfStrikeThrough, line.Offset + indexOfStrikeThrough + "strikethrough".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Strikethrough[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Strikethrough); } } ); } } } } private class MyOverloadProvider : IOverloadProvider { private readonly IList<(string header, string content)> _items; private int _selectedIndex; public MyOverloadProvider(IList<(string header, string content)> items) { _items = items; SelectedIndex = 0; } public int SelectedIndex { get => _selectedIndex; set { _selectedIndex = value; OnPropertyChanged(); // ReSharper disable ExplicitCallerInfoArgument OnPropertyChanged(nameof(CurrentHeader)); OnPropertyChanged(nameof(CurrentContent)); // ReSharper restore ExplicitCallerInfoArgument } } public int Count => _items.Count; public string CurrentIndexText => null; public object CurrentHeader => _items[SelectedIndex].header; public object CurrentContent => _items[SelectedIndex].content; public event PropertyChangedEventHandler PropertyChanged; private void OnPropertyChanged([CallerMemberName] string propertyName = null) { PropertyChanged?.Invoke(this, new PropertyChangedEventArgs(propertyName)); } } public class MyCompletionData : ICompletionData { public MyCompletionData(string text) { Text = text; } public IBitmap Image => null; public string Text { get; } // Use this property if you want to show a fancy UIElement in the list. public object Content => Text; public object Description => "Description for " + Text; public double Priority { get; } = 0; public void Complete(TextArea textArea, ISegment completionSegment, EventArgs insertionRequestEventArgs) { textArea.Document.Replace(completionSegment, Text); } } class ElementGenerator : VisualLineElementGenerator, IComparer<Pair> { public List<Pair> controls = new List<Pair>(); /// <summary> /// Gets the first interested offset using binary search /// </summary> /// <returns>The first interested offset.</returns> /// <param name="startOffset">Start offset.</param> public override int GetFirstInterestedOffset(int startOffset) { int pos = controls.BinarySearch(new Pair(startOffset, null), this); if (pos < 0) pos = ~pos; if (pos < controls.Count) return controls[pos].Key; else return -1; } public override VisualLineElement ConstructElement(int offset) { int pos = controls.BinarySearch(new Pair(offset, null), this); if (pos >= 0) return new InlineObjectElement(0, controls[pos].Value); else return null; } int IComparer<Pair>.Compare(Pair x, Pair y) { return x.Key.CompareTo(y.Key); } } } } <MSG> remove demo readonly <DFF> @@ -39,7 +39,6 @@ namespace AvaloniaEdit.Demo _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; - _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering;
0
remove demo readonly
1
.cs
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063870
<NME> MainWindow.xaml.cs <BEF> using System; using System.Collections.Generic; using System.ComponentModel; using System.Linq; using System.Runtime.CompilerServices; using Avalonia.Controls; using Avalonia.Input; using Avalonia.Interactivity; using Avalonia.Markup.Xaml; using Avalonia.Media; using Avalonia.Media.Imaging; using AvaloniaEdit.CodeCompletion; using AvaloniaEdit.Demo.Resources; using AvaloniaEdit.Document; using AvaloniaEdit.Editing; using AvaloniaEdit.Folding; using AvaloniaEdit.Rendering; using AvaloniaEdit.TextMate; using TextMateSharp.Grammars; using Avalonia.Diagnostics; namespace AvaloniaEdit.Demo { using Pair = KeyValuePair<int, Control>; public class MainWindow : Window { private readonly TextEditor _textEditor; private FoldingManager _foldingManager; private readonly TextMate.TextMate.Installation _textMateInstallation; private CompletionWindow _completionWindow; private OverloadInsightWindow _insightWindow; private Button _addControlButton; private Button _clearControlButton; private Button _changeThemeButton; private ComboBox _syntaxModeCombo; private TextBlock _statusTextBlock; private ElementGenerator _generator = new ElementGenerator(); private RegistryOptions _registryOptions; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.HorizontalScrollBarVisibility = Avalonia.Controls.Primitives.ScrollBarVisibility.Visible; _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.ContextMenu = new ContextMenu { Items = new List<MenuItem> { new MenuItem { Header = "Copy", InputGesture = new KeyGesture(Key.C, KeyModifiers.Control) }, new MenuItem { Header = "Paste", InputGesture = new KeyGesture(Key.V, KeyModifiers.Control) }, new MenuItem { Header = "Cut", InputGesture = new KeyGesture(Key.X, KeyModifiers.Control) } } }; _textEditor.TextArea.Background = this.Background; _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor.Options.ShowBoxForControlCharacters = true; _textEditor.Options.ColumnRulerPositions = new List<int>() { 80, 100 }; _textEditor.TextArea.IndentationStrategy = new Indentation.CSharp.CSharpIndentationStrategy(_textEditor.Options); _textEditor.TextArea.Caret.PositionChanged += Caret_PositionChanged; _textEditor.TextArea.RightClickMovesCaret = true; _addControlButton = this.FindControl<Button>("addControlBtn"); _addControlButton.Click += AddControlButton_Click; _clearControlButton = this.FindControl<Button>("clearControlBtn"); _clearControlButton.Click += ClearControlButton_Click; _changeThemeButton = this.FindControl<Button>("changeThemeBtn"); _changeThemeButton.Click += ChangeThemeButton_Click; _textEditor.TextArea.TextView.ElementGenerators.Add(_generator); _registryOptions = new RegistryOptions( (ThemeName)_currentTheme); _textMateInstallation = _textEditor.InstallTextMate(_registryOptions); Language csharpLanguage = _registryOptions.GetLanguageByExtension(".cs"); _syntaxModeCombo = this.FindControl<ComboBox>("syntaxModeCombo"); _syntaxModeCombo.Items = _registryOptions.GetAvailableLanguages(); _syntaxModeCombo.SelectedItem = csharpLanguage; _syntaxModeCombo.SelectionChanged += SyntaxModeCombo_SelectionChanged; string scopeName = _registryOptions.GetScopeByLanguageId(csharpLanguage.Id); _textEditor.Document = new TextDocument( "// AvaloniaEdit supports displaying control chars: \a or \b or \v" + Environment.NewLine + "// AvaloniaEdit supports displaying underline and strikethrough" + Environment.NewLine + ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(_registryOptions.GetScopeByLanguageId(csharpLanguage.Id)); _textEditor.TextArea.TextView.LineTransformers.Add(new UnderlineAndStrikeThroughTransformer()); _statusTextBlock = this.Find<TextBlock>("StatusText"); this.AddHandler(PointerWheelChangedEvent, (o, i) => { if (i.KeyModifiers != KeyModifiers.Control) return; if (i.Delta.Y > 0) _textEditor.FontSize++; else _textEditor.FontSize = _textEditor.FontSize > 1 ? _textEditor.FontSize - 1 : 1; }, RoutingStrategies.Bubble, true); } private void Caret_PositionChanged(object sender, EventArgs e) { _statusTextBlock.Text = string.Format("Line {0} Column {1}", _textEditor.TextArea.Caret.Line, _textEditor.TextArea.Caret.Column); } protected override void OnClosed(EventArgs e) { base.OnClosed(e); _textMateInstallation.Dispose(); } private void SyntaxModeCombo_SelectionChanged(object sender, SelectionChangedEventArgs e) { RemoveUnderlineAndStrikethroughTransformer(); Language language = (Language)_syntaxModeCombo.SelectedItem; if (_foldingManager != null) { _foldingManager.Clear(); FoldingManager.Uninstall(_foldingManager); } string scopeName = _registryOptions.GetScopeByLanguageId(language.Id); _textMateInstallation.SetGrammar(null); _textEditor.Document = new TextDocument(ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(scopeName); if (language.Id == "xml") { _foldingManager = FoldingManager.Install(_textEditor.TextArea); var strategy = new XmlFoldingStrategy(); strategy.UpdateFoldings(_foldingManager, _textEditor.Document); return; } } private void RemoveUnderlineAndStrikethroughTransformer() { for (int i = _textEditor.TextArea.TextView.LineTransformers.Count - 1; i >= 0; i--) { if (_textEditor.TextArea.TextView.LineTransformers[i] is UnderlineAndStrikeThroughTransformer) { _textEditor.TextArea.TextView.LineTransformers.RemoveAt(i); } } } private void ChangeThemeButton_Click(object sender, RoutedEventArgs e) { _currentTheme = (_currentTheme + 1) % Enum.GetNames(typeof(ThemeName)).Length; _textMateInstallation.SetTheme(_registryOptions.LoadTheme( (ThemeName)_currentTheme)); } private void InitializeComponent() { AvaloniaXamlLoader.Load(this); } private void AddControlButton_Click(object sender, RoutedEventArgs e) { _generator.controls.Add(new Pair(_textEditor.CaretOffset, new Button() { Content = "Click me", Cursor = Cursor.Default })); _textEditor.TextArea.TextView.Redraw(); } private void ClearControlButton_Click(object sender, RoutedEventArgs e) { //TODO: delete elements using back key _generator.controls.Clear(); _textEditor.TextArea.TextView.Redraw(); } private void textEditor_TextArea_TextEntering(object sender, TextInputEventArgs e) { if (e.Text.Length > 0 && _completionWindow != null) { if (!char.IsLetterOrDigit(e.Text[0])) { // Whenever a non-letter is typed while the completion window is open, // insert the currently selected element. _completionWindow.CompletionList.RequestInsertion(e); } } _insightWindow?.Hide(); // Do not set e.Handled=true. // We still want to insert the character that was typed. } private void textEditor_TextArea_TextEntered(object sender, TextInputEventArgs e) { if (e.Text == ".") { _completionWindow = new CompletionWindow(_textEditor.TextArea); _completionWindow.Closed += (o, args) => _completionWindow = null; var data = _completionWindow.CompletionList.CompletionData; data.Add(new MyCompletionData("Item1")); data.Add(new MyCompletionData("Item2")); data.Add(new MyCompletionData("Item3")); data.Add(new MyCompletionData("Item4")); data.Add(new MyCompletionData("Item5")); data.Add(new MyCompletionData("Item6")); data.Add(new MyCompletionData("Item7")); data.Add(new MyCompletionData("Item8")); data.Add(new MyCompletionData("Item9")); data.Add(new MyCompletionData("Item10")); data.Add(new MyCompletionData("Item11")); data.Add(new MyCompletionData("Item12")); data.Add(new MyCompletionData("Item13")); _completionWindow.Show(); } else if (e.Text == "(") { _insightWindow = new OverloadInsightWindow(_textEditor.TextArea); _insightWindow.Closed += (o, args) => _insightWindow = null; _insightWindow.Provider = new MyOverloadProvider(new[] { ("Method1(int, string)", "Method1 description"), ("Method2(int)", "Method2 description"), ("Method3(string)", "Method3 description"), }); _insightWindow.Show(); } } class UnderlineAndStrikeThroughTransformer : DocumentColorizingTransformer { protected override void ColorizeLine(DocumentLine line) { if (line.LineNumber == 2) { string lineText = this.CurrentContext.Document.GetText(line); int indexOfUnderline = lineText.IndexOf("underline"); int indexOfStrikeThrough = lineText.IndexOf("strikethrough"); if (indexOfUnderline != -1) { ChangeLinePart( line.Offset + indexOfUnderline, line.Offset + indexOfUnderline + "underline".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Underline[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Underline); } } ); } if (indexOfStrikeThrough != -1) { ChangeLinePart( line.Offset + indexOfStrikeThrough, line.Offset + indexOfStrikeThrough + "strikethrough".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Strikethrough[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Strikethrough); } } ); } } } } private class MyOverloadProvider : IOverloadProvider { private readonly IList<(string header, string content)> _items; private int _selectedIndex; public MyOverloadProvider(IList<(string header, string content)> items) { _items = items; SelectedIndex = 0; } public int SelectedIndex { get => _selectedIndex; set { _selectedIndex = value; OnPropertyChanged(); // ReSharper disable ExplicitCallerInfoArgument OnPropertyChanged(nameof(CurrentHeader)); OnPropertyChanged(nameof(CurrentContent)); // ReSharper restore ExplicitCallerInfoArgument } } public int Count => _items.Count; public string CurrentIndexText => null; public object CurrentHeader => _items[SelectedIndex].header; public object CurrentContent => _items[SelectedIndex].content; public event PropertyChangedEventHandler PropertyChanged; private void OnPropertyChanged([CallerMemberName] string propertyName = null) { PropertyChanged?.Invoke(this, new PropertyChangedEventArgs(propertyName)); } } public class MyCompletionData : ICompletionData { public MyCompletionData(string text) { Text = text; } public IBitmap Image => null; public string Text { get; } // Use this property if you want to show a fancy UIElement in the list. public object Content => Text; public object Description => "Description for " + Text; public double Priority { get; } = 0; public void Complete(TextArea textArea, ISegment completionSegment, EventArgs insertionRequestEventArgs) { textArea.Document.Replace(completionSegment, Text); } } class ElementGenerator : VisualLineElementGenerator, IComparer<Pair> { public List<Pair> controls = new List<Pair>(); /// <summary> /// Gets the first interested offset using binary search /// </summary> /// <returns>The first interested offset.</returns> /// <param name="startOffset">Start offset.</param> public override int GetFirstInterestedOffset(int startOffset) { int pos = controls.BinarySearch(new Pair(startOffset, null), this); if (pos < 0) pos = ~pos; if (pos < controls.Count) return controls[pos].Key; else return -1; } public override VisualLineElement ConstructElement(int offset) { int pos = controls.BinarySearch(new Pair(offset, null), this); if (pos >= 0) return new InlineObjectElement(0, controls[pos].Value); else return null; } int IComparer<Pair>.Compare(Pair x, Pair y) { return x.Key.CompareTo(y.Key); } } } } <MSG> remove demo readonly <DFF> @@ -39,7 +39,6 @@ namespace AvaloniaEdit.Demo _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; - _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering;
0
remove demo readonly
1
.cs
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063871
<NME> MainWindow.xaml.cs <BEF> using System; using System.Collections.Generic; using System.ComponentModel; using System.Linq; using System.Runtime.CompilerServices; using Avalonia.Controls; using Avalonia.Input; using Avalonia.Interactivity; using Avalonia.Markup.Xaml; using Avalonia.Media; using Avalonia.Media.Imaging; using AvaloniaEdit.CodeCompletion; using AvaloniaEdit.Demo.Resources; using AvaloniaEdit.Document; using AvaloniaEdit.Editing; using AvaloniaEdit.Folding; using AvaloniaEdit.Rendering; using AvaloniaEdit.TextMate; using TextMateSharp.Grammars; using Avalonia.Diagnostics; namespace AvaloniaEdit.Demo { using Pair = KeyValuePair<int, Control>; public class MainWindow : Window { private readonly TextEditor _textEditor; private FoldingManager _foldingManager; private readonly TextMate.TextMate.Installation _textMateInstallation; private CompletionWindow _completionWindow; private OverloadInsightWindow _insightWindow; private Button _addControlButton; private Button _clearControlButton; private Button _changeThemeButton; private ComboBox _syntaxModeCombo; private TextBlock _statusTextBlock; private ElementGenerator _generator = new ElementGenerator(); private RegistryOptions _registryOptions; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.HorizontalScrollBarVisibility = Avalonia.Controls.Primitives.ScrollBarVisibility.Visible; _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.ContextMenu = new ContextMenu { Items = new List<MenuItem> { new MenuItem { Header = "Copy", InputGesture = new KeyGesture(Key.C, KeyModifiers.Control) }, new MenuItem { Header = "Paste", InputGesture = new KeyGesture(Key.V, KeyModifiers.Control) }, new MenuItem { Header = "Cut", InputGesture = new KeyGesture(Key.X, KeyModifiers.Control) } } }; _textEditor.TextArea.Background = this.Background; _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor.Options.ShowBoxForControlCharacters = true; _textEditor.Options.ColumnRulerPositions = new List<int>() { 80, 100 }; _textEditor.TextArea.IndentationStrategy = new Indentation.CSharp.CSharpIndentationStrategy(_textEditor.Options); _textEditor.TextArea.Caret.PositionChanged += Caret_PositionChanged; _textEditor.TextArea.RightClickMovesCaret = true; _addControlButton = this.FindControl<Button>("addControlBtn"); _addControlButton.Click += AddControlButton_Click; _clearControlButton = this.FindControl<Button>("clearControlBtn"); _clearControlButton.Click += ClearControlButton_Click; _changeThemeButton = this.FindControl<Button>("changeThemeBtn"); _changeThemeButton.Click += ChangeThemeButton_Click; _textEditor.TextArea.TextView.ElementGenerators.Add(_generator); _registryOptions = new RegistryOptions( (ThemeName)_currentTheme); _textMateInstallation = _textEditor.InstallTextMate(_registryOptions); Language csharpLanguage = _registryOptions.GetLanguageByExtension(".cs"); _syntaxModeCombo = this.FindControl<ComboBox>("syntaxModeCombo"); _syntaxModeCombo.Items = _registryOptions.GetAvailableLanguages(); _syntaxModeCombo.SelectedItem = csharpLanguage; _syntaxModeCombo.SelectionChanged += SyntaxModeCombo_SelectionChanged; string scopeName = _registryOptions.GetScopeByLanguageId(csharpLanguage.Id); _textEditor.Document = new TextDocument( "// AvaloniaEdit supports displaying control chars: \a or \b or \v" + Environment.NewLine + "// AvaloniaEdit supports displaying underline and strikethrough" + Environment.NewLine + ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(_registryOptions.GetScopeByLanguageId(csharpLanguage.Id)); _textEditor.TextArea.TextView.LineTransformers.Add(new UnderlineAndStrikeThroughTransformer()); _statusTextBlock = this.Find<TextBlock>("StatusText"); this.AddHandler(PointerWheelChangedEvent, (o, i) => { if (i.KeyModifiers != KeyModifiers.Control) return; if (i.Delta.Y > 0) _textEditor.FontSize++; else _textEditor.FontSize = _textEditor.FontSize > 1 ? _textEditor.FontSize - 1 : 1; }, RoutingStrategies.Bubble, true); } private void Caret_PositionChanged(object sender, EventArgs e) { _statusTextBlock.Text = string.Format("Line {0} Column {1}", _textEditor.TextArea.Caret.Line, _textEditor.TextArea.Caret.Column); } protected override void OnClosed(EventArgs e) { base.OnClosed(e); _textMateInstallation.Dispose(); } private void SyntaxModeCombo_SelectionChanged(object sender, SelectionChangedEventArgs e) { RemoveUnderlineAndStrikethroughTransformer(); Language language = (Language)_syntaxModeCombo.SelectedItem; if (_foldingManager != null) { _foldingManager.Clear(); FoldingManager.Uninstall(_foldingManager); } string scopeName = _registryOptions.GetScopeByLanguageId(language.Id); _textMateInstallation.SetGrammar(null); _textEditor.Document = new TextDocument(ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(scopeName); if (language.Id == "xml") { _foldingManager = FoldingManager.Install(_textEditor.TextArea); var strategy = new XmlFoldingStrategy(); strategy.UpdateFoldings(_foldingManager, _textEditor.Document); return; } } private void RemoveUnderlineAndStrikethroughTransformer() { for (int i = _textEditor.TextArea.TextView.LineTransformers.Count - 1; i >= 0; i--) { if (_textEditor.TextArea.TextView.LineTransformers[i] is UnderlineAndStrikeThroughTransformer) { _textEditor.TextArea.TextView.LineTransformers.RemoveAt(i); } } } private void ChangeThemeButton_Click(object sender, RoutedEventArgs e) { _currentTheme = (_currentTheme + 1) % Enum.GetNames(typeof(ThemeName)).Length; _textMateInstallation.SetTheme(_registryOptions.LoadTheme( (ThemeName)_currentTheme)); } private void InitializeComponent() { AvaloniaXamlLoader.Load(this); } private void AddControlButton_Click(object sender, RoutedEventArgs e) { _generator.controls.Add(new Pair(_textEditor.CaretOffset, new Button() { Content = "Click me", Cursor = Cursor.Default })); _textEditor.TextArea.TextView.Redraw(); } private void ClearControlButton_Click(object sender, RoutedEventArgs e) { //TODO: delete elements using back key _generator.controls.Clear(); _textEditor.TextArea.TextView.Redraw(); } private void textEditor_TextArea_TextEntering(object sender, TextInputEventArgs e) { if (e.Text.Length > 0 && _completionWindow != null) { if (!char.IsLetterOrDigit(e.Text[0])) { // Whenever a non-letter is typed while the completion window is open, // insert the currently selected element. _completionWindow.CompletionList.RequestInsertion(e); } } _insightWindow?.Hide(); // Do not set e.Handled=true. // We still want to insert the character that was typed. } private void textEditor_TextArea_TextEntered(object sender, TextInputEventArgs e) { if (e.Text == ".") { _completionWindow = new CompletionWindow(_textEditor.TextArea); _completionWindow.Closed += (o, args) => _completionWindow = null; var data = _completionWindow.CompletionList.CompletionData; data.Add(new MyCompletionData("Item1")); data.Add(new MyCompletionData("Item2")); data.Add(new MyCompletionData("Item3")); data.Add(new MyCompletionData("Item4")); data.Add(new MyCompletionData("Item5")); data.Add(new MyCompletionData("Item6")); data.Add(new MyCompletionData("Item7")); data.Add(new MyCompletionData("Item8")); data.Add(new MyCompletionData("Item9")); data.Add(new MyCompletionData("Item10")); data.Add(new MyCompletionData("Item11")); data.Add(new MyCompletionData("Item12")); data.Add(new MyCompletionData("Item13")); _completionWindow.Show(); } else if (e.Text == "(") { _insightWindow = new OverloadInsightWindow(_textEditor.TextArea); _insightWindow.Closed += (o, args) => _insightWindow = null; _insightWindow.Provider = new MyOverloadProvider(new[] { ("Method1(int, string)", "Method1 description"), ("Method2(int)", "Method2 description"), ("Method3(string)", "Method3 description"), }); _insightWindow.Show(); } } class UnderlineAndStrikeThroughTransformer : DocumentColorizingTransformer { protected override void ColorizeLine(DocumentLine line) { if (line.LineNumber == 2) { string lineText = this.CurrentContext.Document.GetText(line); int indexOfUnderline = lineText.IndexOf("underline"); int indexOfStrikeThrough = lineText.IndexOf("strikethrough"); if (indexOfUnderline != -1) { ChangeLinePart( line.Offset + indexOfUnderline, line.Offset + indexOfUnderline + "underline".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Underline[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Underline); } } ); } if (indexOfStrikeThrough != -1) { ChangeLinePart( line.Offset + indexOfStrikeThrough, line.Offset + indexOfStrikeThrough + "strikethrough".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Strikethrough[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Strikethrough); } } ); } } } } private class MyOverloadProvider : IOverloadProvider { private readonly IList<(string header, string content)> _items; private int _selectedIndex; public MyOverloadProvider(IList<(string header, string content)> items) { _items = items; SelectedIndex = 0; } public int SelectedIndex { get => _selectedIndex; set { _selectedIndex = value; OnPropertyChanged(); // ReSharper disable ExplicitCallerInfoArgument OnPropertyChanged(nameof(CurrentHeader)); OnPropertyChanged(nameof(CurrentContent)); // ReSharper restore ExplicitCallerInfoArgument } } public int Count => _items.Count; public string CurrentIndexText => null; public object CurrentHeader => _items[SelectedIndex].header; public object CurrentContent => _items[SelectedIndex].content; public event PropertyChangedEventHandler PropertyChanged; private void OnPropertyChanged([CallerMemberName] string propertyName = null) { PropertyChanged?.Invoke(this, new PropertyChangedEventArgs(propertyName)); } } public class MyCompletionData : ICompletionData { public MyCompletionData(string text) { Text = text; } public IBitmap Image => null; public string Text { get; } // Use this property if you want to show a fancy UIElement in the list. public object Content => Text; public object Description => "Description for " + Text; public double Priority { get; } = 0; public void Complete(TextArea textArea, ISegment completionSegment, EventArgs insertionRequestEventArgs) { textArea.Document.Replace(completionSegment, Text); } } class ElementGenerator : VisualLineElementGenerator, IComparer<Pair> { public List<Pair> controls = new List<Pair>(); /// <summary> /// Gets the first interested offset using binary search /// </summary> /// <returns>The first interested offset.</returns> /// <param name="startOffset">Start offset.</param> public override int GetFirstInterestedOffset(int startOffset) { int pos = controls.BinarySearch(new Pair(startOffset, null), this); if (pos < 0) pos = ~pos; if (pos < controls.Count) return controls[pos].Key; else return -1; } public override VisualLineElement ConstructElement(int offset) { int pos = controls.BinarySearch(new Pair(offset, null), this); if (pos >= 0) return new InlineObjectElement(0, controls[pos].Value); else return null; } int IComparer<Pair>.Compare(Pair x, Pair y) { return x.Key.CompareTo(y.Key); } } } } <MSG> remove demo readonly <DFF> @@ -39,7 +39,6 @@ namespace AvaloniaEdit.Demo _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; - _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering;
0
remove demo readonly
1
.cs
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063872
<NME> MainWindow.xaml.cs <BEF> using System; using System.Collections.Generic; using System.ComponentModel; using System.Linq; using System.Runtime.CompilerServices; using Avalonia.Controls; using Avalonia.Input; using Avalonia.Interactivity; using Avalonia.Markup.Xaml; using Avalonia.Media; using Avalonia.Media.Imaging; using AvaloniaEdit.CodeCompletion; using AvaloniaEdit.Demo.Resources; using AvaloniaEdit.Document; using AvaloniaEdit.Editing; using AvaloniaEdit.Folding; using AvaloniaEdit.Rendering; using AvaloniaEdit.TextMate; using TextMateSharp.Grammars; using Avalonia.Diagnostics; namespace AvaloniaEdit.Demo { using Pair = KeyValuePair<int, Control>; public class MainWindow : Window { private readonly TextEditor _textEditor; private FoldingManager _foldingManager; private readonly TextMate.TextMate.Installation _textMateInstallation; private CompletionWindow _completionWindow; private OverloadInsightWindow _insightWindow; private Button _addControlButton; private Button _clearControlButton; private Button _changeThemeButton; private ComboBox _syntaxModeCombo; private TextBlock _statusTextBlock; private ElementGenerator _generator = new ElementGenerator(); private RegistryOptions _registryOptions; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.HorizontalScrollBarVisibility = Avalonia.Controls.Primitives.ScrollBarVisibility.Visible; _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.ContextMenu = new ContextMenu { Items = new List<MenuItem> { new MenuItem { Header = "Copy", InputGesture = new KeyGesture(Key.C, KeyModifiers.Control) }, new MenuItem { Header = "Paste", InputGesture = new KeyGesture(Key.V, KeyModifiers.Control) }, new MenuItem { Header = "Cut", InputGesture = new KeyGesture(Key.X, KeyModifiers.Control) } } }; _textEditor.TextArea.Background = this.Background; _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor.Options.ShowBoxForControlCharacters = true; _textEditor.Options.ColumnRulerPositions = new List<int>() { 80, 100 }; _textEditor.TextArea.IndentationStrategy = new Indentation.CSharp.CSharpIndentationStrategy(_textEditor.Options); _textEditor.TextArea.Caret.PositionChanged += Caret_PositionChanged; _textEditor.TextArea.RightClickMovesCaret = true; _addControlButton = this.FindControl<Button>("addControlBtn"); _addControlButton.Click += AddControlButton_Click; _clearControlButton = this.FindControl<Button>("clearControlBtn"); _clearControlButton.Click += ClearControlButton_Click; _changeThemeButton = this.FindControl<Button>("changeThemeBtn"); _changeThemeButton.Click += ChangeThemeButton_Click; _textEditor.TextArea.TextView.ElementGenerators.Add(_generator); _registryOptions = new RegistryOptions( (ThemeName)_currentTheme); _textMateInstallation = _textEditor.InstallTextMate(_registryOptions); Language csharpLanguage = _registryOptions.GetLanguageByExtension(".cs"); _syntaxModeCombo = this.FindControl<ComboBox>("syntaxModeCombo"); _syntaxModeCombo.Items = _registryOptions.GetAvailableLanguages(); _syntaxModeCombo.SelectedItem = csharpLanguage; _syntaxModeCombo.SelectionChanged += SyntaxModeCombo_SelectionChanged; string scopeName = _registryOptions.GetScopeByLanguageId(csharpLanguage.Id); _textEditor.Document = new TextDocument( "// AvaloniaEdit supports displaying control chars: \a or \b or \v" + Environment.NewLine + "// AvaloniaEdit supports displaying underline and strikethrough" + Environment.NewLine + ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(_registryOptions.GetScopeByLanguageId(csharpLanguage.Id)); _textEditor.TextArea.TextView.LineTransformers.Add(new UnderlineAndStrikeThroughTransformer()); _statusTextBlock = this.Find<TextBlock>("StatusText"); this.AddHandler(PointerWheelChangedEvent, (o, i) => { if (i.KeyModifiers != KeyModifiers.Control) return; if (i.Delta.Y > 0) _textEditor.FontSize++; else _textEditor.FontSize = _textEditor.FontSize > 1 ? _textEditor.FontSize - 1 : 1; }, RoutingStrategies.Bubble, true); } private void Caret_PositionChanged(object sender, EventArgs e) { _statusTextBlock.Text = string.Format("Line {0} Column {1}", _textEditor.TextArea.Caret.Line, _textEditor.TextArea.Caret.Column); } protected override void OnClosed(EventArgs e) { base.OnClosed(e); _textMateInstallation.Dispose(); } private void SyntaxModeCombo_SelectionChanged(object sender, SelectionChangedEventArgs e) { RemoveUnderlineAndStrikethroughTransformer(); Language language = (Language)_syntaxModeCombo.SelectedItem; if (_foldingManager != null) { _foldingManager.Clear(); FoldingManager.Uninstall(_foldingManager); } string scopeName = _registryOptions.GetScopeByLanguageId(language.Id); _textMateInstallation.SetGrammar(null); _textEditor.Document = new TextDocument(ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(scopeName); if (language.Id == "xml") { _foldingManager = FoldingManager.Install(_textEditor.TextArea); var strategy = new XmlFoldingStrategy(); strategy.UpdateFoldings(_foldingManager, _textEditor.Document); return; } } private void RemoveUnderlineAndStrikethroughTransformer() { for (int i = _textEditor.TextArea.TextView.LineTransformers.Count - 1; i >= 0; i--) { if (_textEditor.TextArea.TextView.LineTransformers[i] is UnderlineAndStrikeThroughTransformer) { _textEditor.TextArea.TextView.LineTransformers.RemoveAt(i); } } } private void ChangeThemeButton_Click(object sender, RoutedEventArgs e) { _currentTheme = (_currentTheme + 1) % Enum.GetNames(typeof(ThemeName)).Length; _textMateInstallation.SetTheme(_registryOptions.LoadTheme( (ThemeName)_currentTheme)); } private void InitializeComponent() { AvaloniaXamlLoader.Load(this); } private void AddControlButton_Click(object sender, RoutedEventArgs e) { _generator.controls.Add(new Pair(_textEditor.CaretOffset, new Button() { Content = "Click me", Cursor = Cursor.Default })); _textEditor.TextArea.TextView.Redraw(); } private void ClearControlButton_Click(object sender, RoutedEventArgs e) { //TODO: delete elements using back key _generator.controls.Clear(); _textEditor.TextArea.TextView.Redraw(); } private void textEditor_TextArea_TextEntering(object sender, TextInputEventArgs e) { if (e.Text.Length > 0 && _completionWindow != null) { if (!char.IsLetterOrDigit(e.Text[0])) { // Whenever a non-letter is typed while the completion window is open, // insert the currently selected element. _completionWindow.CompletionList.RequestInsertion(e); } } _insightWindow?.Hide(); // Do not set e.Handled=true. // We still want to insert the character that was typed. } private void textEditor_TextArea_TextEntered(object sender, TextInputEventArgs e) { if (e.Text == ".") { _completionWindow = new CompletionWindow(_textEditor.TextArea); _completionWindow.Closed += (o, args) => _completionWindow = null; var data = _completionWindow.CompletionList.CompletionData; data.Add(new MyCompletionData("Item1")); data.Add(new MyCompletionData("Item2")); data.Add(new MyCompletionData("Item3")); data.Add(new MyCompletionData("Item4")); data.Add(new MyCompletionData("Item5")); data.Add(new MyCompletionData("Item6")); data.Add(new MyCompletionData("Item7")); data.Add(new MyCompletionData("Item8")); data.Add(new MyCompletionData("Item9")); data.Add(new MyCompletionData("Item10")); data.Add(new MyCompletionData("Item11")); data.Add(new MyCompletionData("Item12")); data.Add(new MyCompletionData("Item13")); _completionWindow.Show(); } else if (e.Text == "(") { _insightWindow = new OverloadInsightWindow(_textEditor.TextArea); _insightWindow.Closed += (o, args) => _insightWindow = null; _insightWindow.Provider = new MyOverloadProvider(new[] { ("Method1(int, string)", "Method1 description"), ("Method2(int)", "Method2 description"), ("Method3(string)", "Method3 description"), }); _insightWindow.Show(); } } class UnderlineAndStrikeThroughTransformer : DocumentColorizingTransformer { protected override void ColorizeLine(DocumentLine line) { if (line.LineNumber == 2) { string lineText = this.CurrentContext.Document.GetText(line); int indexOfUnderline = lineText.IndexOf("underline"); int indexOfStrikeThrough = lineText.IndexOf("strikethrough"); if (indexOfUnderline != -1) { ChangeLinePart( line.Offset + indexOfUnderline, line.Offset + indexOfUnderline + "underline".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Underline[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Underline); } } ); } if (indexOfStrikeThrough != -1) { ChangeLinePart( line.Offset + indexOfStrikeThrough, line.Offset + indexOfStrikeThrough + "strikethrough".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Strikethrough[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Strikethrough); } } ); } } } } private class MyOverloadProvider : IOverloadProvider { private readonly IList<(string header, string content)> _items; private int _selectedIndex; public MyOverloadProvider(IList<(string header, string content)> items) { _items = items; SelectedIndex = 0; } public int SelectedIndex { get => _selectedIndex; set { _selectedIndex = value; OnPropertyChanged(); // ReSharper disable ExplicitCallerInfoArgument OnPropertyChanged(nameof(CurrentHeader)); OnPropertyChanged(nameof(CurrentContent)); // ReSharper restore ExplicitCallerInfoArgument } } public int Count => _items.Count; public string CurrentIndexText => null; public object CurrentHeader => _items[SelectedIndex].header; public object CurrentContent => _items[SelectedIndex].content; public event PropertyChangedEventHandler PropertyChanged; private void OnPropertyChanged([CallerMemberName] string propertyName = null) { PropertyChanged?.Invoke(this, new PropertyChangedEventArgs(propertyName)); } } public class MyCompletionData : ICompletionData { public MyCompletionData(string text) { Text = text; } public IBitmap Image => null; public string Text { get; } // Use this property if you want to show a fancy UIElement in the list. public object Content => Text; public object Description => "Description for " + Text; public double Priority { get; } = 0; public void Complete(TextArea textArea, ISegment completionSegment, EventArgs insertionRequestEventArgs) { textArea.Document.Replace(completionSegment, Text); } } class ElementGenerator : VisualLineElementGenerator, IComparer<Pair> { public List<Pair> controls = new List<Pair>(); /// <summary> /// Gets the first interested offset using binary search /// </summary> /// <returns>The first interested offset.</returns> /// <param name="startOffset">Start offset.</param> public override int GetFirstInterestedOffset(int startOffset) { int pos = controls.BinarySearch(new Pair(startOffset, null), this); if (pos < 0) pos = ~pos; if (pos < controls.Count) return controls[pos].Key; else return -1; } public override VisualLineElement ConstructElement(int offset) { int pos = controls.BinarySearch(new Pair(offset, null), this); if (pos >= 0) return new InlineObjectElement(0, controls[pos].Value); else return null; } int IComparer<Pair>.Compare(Pair x, Pair y) { return x.Key.CompareTo(y.Key); } } } } <MSG> remove demo readonly <DFF> @@ -39,7 +39,6 @@ namespace AvaloniaEdit.Demo _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; - _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering;
0
remove demo readonly
1
.cs
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063873
<NME> MainWindow.xaml.cs <BEF> using System; using System.Collections.Generic; using System.ComponentModel; using System.Linq; using System.Runtime.CompilerServices; using Avalonia.Controls; using Avalonia.Input; using Avalonia.Interactivity; using Avalonia.Markup.Xaml; using Avalonia.Media; using Avalonia.Media.Imaging; using AvaloniaEdit.CodeCompletion; using AvaloniaEdit.Demo.Resources; using AvaloniaEdit.Document; using AvaloniaEdit.Editing; using AvaloniaEdit.Folding; using AvaloniaEdit.Rendering; using AvaloniaEdit.TextMate; using TextMateSharp.Grammars; using Avalonia.Diagnostics; namespace AvaloniaEdit.Demo { using Pair = KeyValuePair<int, Control>; public class MainWindow : Window { private readonly TextEditor _textEditor; private FoldingManager _foldingManager; private readonly TextMate.TextMate.Installation _textMateInstallation; private CompletionWindow _completionWindow; private OverloadInsightWindow _insightWindow; private Button _addControlButton; private Button _clearControlButton; private Button _changeThemeButton; private ComboBox _syntaxModeCombo; private TextBlock _statusTextBlock; private ElementGenerator _generator = new ElementGenerator(); private RegistryOptions _registryOptions; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.HorizontalScrollBarVisibility = Avalonia.Controls.Primitives.ScrollBarVisibility.Visible; _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.ContextMenu = new ContextMenu { Items = new List<MenuItem> { new MenuItem { Header = "Copy", InputGesture = new KeyGesture(Key.C, KeyModifiers.Control) }, new MenuItem { Header = "Paste", InputGesture = new KeyGesture(Key.V, KeyModifiers.Control) }, new MenuItem { Header = "Cut", InputGesture = new KeyGesture(Key.X, KeyModifiers.Control) } } }; _textEditor.TextArea.Background = this.Background; _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor.Options.ShowBoxForControlCharacters = true; _textEditor.Options.ColumnRulerPositions = new List<int>() { 80, 100 }; _textEditor.TextArea.IndentationStrategy = new Indentation.CSharp.CSharpIndentationStrategy(_textEditor.Options); _textEditor.TextArea.Caret.PositionChanged += Caret_PositionChanged; _textEditor.TextArea.RightClickMovesCaret = true; _addControlButton = this.FindControl<Button>("addControlBtn"); _addControlButton.Click += AddControlButton_Click; _clearControlButton = this.FindControl<Button>("clearControlBtn"); _clearControlButton.Click += ClearControlButton_Click; _changeThemeButton = this.FindControl<Button>("changeThemeBtn"); _changeThemeButton.Click += ChangeThemeButton_Click; _textEditor.TextArea.TextView.ElementGenerators.Add(_generator); _registryOptions = new RegistryOptions( (ThemeName)_currentTheme); _textMateInstallation = _textEditor.InstallTextMate(_registryOptions); Language csharpLanguage = _registryOptions.GetLanguageByExtension(".cs"); _syntaxModeCombo = this.FindControl<ComboBox>("syntaxModeCombo"); _syntaxModeCombo.Items = _registryOptions.GetAvailableLanguages(); _syntaxModeCombo.SelectedItem = csharpLanguage; _syntaxModeCombo.SelectionChanged += SyntaxModeCombo_SelectionChanged; string scopeName = _registryOptions.GetScopeByLanguageId(csharpLanguage.Id); _textEditor.Document = new TextDocument( "// AvaloniaEdit supports displaying control chars: \a or \b or \v" + Environment.NewLine + "// AvaloniaEdit supports displaying underline and strikethrough" + Environment.NewLine + ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(_registryOptions.GetScopeByLanguageId(csharpLanguage.Id)); _textEditor.TextArea.TextView.LineTransformers.Add(new UnderlineAndStrikeThroughTransformer()); _statusTextBlock = this.Find<TextBlock>("StatusText"); this.AddHandler(PointerWheelChangedEvent, (o, i) => { if (i.KeyModifiers != KeyModifiers.Control) return; if (i.Delta.Y > 0) _textEditor.FontSize++; else _textEditor.FontSize = _textEditor.FontSize > 1 ? _textEditor.FontSize - 1 : 1; }, RoutingStrategies.Bubble, true); } private void Caret_PositionChanged(object sender, EventArgs e) { _statusTextBlock.Text = string.Format("Line {0} Column {1}", _textEditor.TextArea.Caret.Line, _textEditor.TextArea.Caret.Column); } protected override void OnClosed(EventArgs e) { base.OnClosed(e); _textMateInstallation.Dispose(); } private void SyntaxModeCombo_SelectionChanged(object sender, SelectionChangedEventArgs e) { RemoveUnderlineAndStrikethroughTransformer(); Language language = (Language)_syntaxModeCombo.SelectedItem; if (_foldingManager != null) { _foldingManager.Clear(); FoldingManager.Uninstall(_foldingManager); } string scopeName = _registryOptions.GetScopeByLanguageId(language.Id); _textMateInstallation.SetGrammar(null); _textEditor.Document = new TextDocument(ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(scopeName); if (language.Id == "xml") { _foldingManager = FoldingManager.Install(_textEditor.TextArea); var strategy = new XmlFoldingStrategy(); strategy.UpdateFoldings(_foldingManager, _textEditor.Document); return; } } private void RemoveUnderlineAndStrikethroughTransformer() { for (int i = _textEditor.TextArea.TextView.LineTransformers.Count - 1; i >= 0; i--) { if (_textEditor.TextArea.TextView.LineTransformers[i] is UnderlineAndStrikeThroughTransformer) { _textEditor.TextArea.TextView.LineTransformers.RemoveAt(i); } } } private void ChangeThemeButton_Click(object sender, RoutedEventArgs e) { _currentTheme = (_currentTheme + 1) % Enum.GetNames(typeof(ThemeName)).Length; _textMateInstallation.SetTheme(_registryOptions.LoadTheme( (ThemeName)_currentTheme)); } private void InitializeComponent() { AvaloniaXamlLoader.Load(this); } private void AddControlButton_Click(object sender, RoutedEventArgs e) { _generator.controls.Add(new Pair(_textEditor.CaretOffset, new Button() { Content = "Click me", Cursor = Cursor.Default })); _textEditor.TextArea.TextView.Redraw(); } private void ClearControlButton_Click(object sender, RoutedEventArgs e) { //TODO: delete elements using back key _generator.controls.Clear(); _textEditor.TextArea.TextView.Redraw(); } private void textEditor_TextArea_TextEntering(object sender, TextInputEventArgs e) { if (e.Text.Length > 0 && _completionWindow != null) { if (!char.IsLetterOrDigit(e.Text[0])) { // Whenever a non-letter is typed while the completion window is open, // insert the currently selected element. _completionWindow.CompletionList.RequestInsertion(e); } } _insightWindow?.Hide(); // Do not set e.Handled=true. // We still want to insert the character that was typed. } private void textEditor_TextArea_TextEntered(object sender, TextInputEventArgs e) { if (e.Text == ".") { _completionWindow = new CompletionWindow(_textEditor.TextArea); _completionWindow.Closed += (o, args) => _completionWindow = null; var data = _completionWindow.CompletionList.CompletionData; data.Add(new MyCompletionData("Item1")); data.Add(new MyCompletionData("Item2")); data.Add(new MyCompletionData("Item3")); data.Add(new MyCompletionData("Item4")); data.Add(new MyCompletionData("Item5")); data.Add(new MyCompletionData("Item6")); data.Add(new MyCompletionData("Item7")); data.Add(new MyCompletionData("Item8")); data.Add(new MyCompletionData("Item9")); data.Add(new MyCompletionData("Item10")); data.Add(new MyCompletionData("Item11")); data.Add(new MyCompletionData("Item12")); data.Add(new MyCompletionData("Item13")); _completionWindow.Show(); } else if (e.Text == "(") { _insightWindow = new OverloadInsightWindow(_textEditor.TextArea); _insightWindow.Closed += (o, args) => _insightWindow = null; _insightWindow.Provider = new MyOverloadProvider(new[] { ("Method1(int, string)", "Method1 description"), ("Method2(int)", "Method2 description"), ("Method3(string)", "Method3 description"), }); _insightWindow.Show(); } } class UnderlineAndStrikeThroughTransformer : DocumentColorizingTransformer { protected override void ColorizeLine(DocumentLine line) { if (line.LineNumber == 2) { string lineText = this.CurrentContext.Document.GetText(line); int indexOfUnderline = lineText.IndexOf("underline"); int indexOfStrikeThrough = lineText.IndexOf("strikethrough"); if (indexOfUnderline != -1) { ChangeLinePart( line.Offset + indexOfUnderline, line.Offset + indexOfUnderline + "underline".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Underline[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Underline); } } ); } if (indexOfStrikeThrough != -1) { ChangeLinePart( line.Offset + indexOfStrikeThrough, line.Offset + indexOfStrikeThrough + "strikethrough".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Strikethrough[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Strikethrough); } } ); } } } } private class MyOverloadProvider : IOverloadProvider { private readonly IList<(string header, string content)> _items; private int _selectedIndex; public MyOverloadProvider(IList<(string header, string content)> items) { _items = items; SelectedIndex = 0; } public int SelectedIndex { get => _selectedIndex; set { _selectedIndex = value; OnPropertyChanged(); // ReSharper disable ExplicitCallerInfoArgument OnPropertyChanged(nameof(CurrentHeader)); OnPropertyChanged(nameof(CurrentContent)); // ReSharper restore ExplicitCallerInfoArgument } } public int Count => _items.Count; public string CurrentIndexText => null; public object CurrentHeader => _items[SelectedIndex].header; public object CurrentContent => _items[SelectedIndex].content; public event PropertyChangedEventHandler PropertyChanged; private void OnPropertyChanged([CallerMemberName] string propertyName = null) { PropertyChanged?.Invoke(this, new PropertyChangedEventArgs(propertyName)); } } public class MyCompletionData : ICompletionData { public MyCompletionData(string text) { Text = text; } public IBitmap Image => null; public string Text { get; } // Use this property if you want to show a fancy UIElement in the list. public object Content => Text; public object Description => "Description for " + Text; public double Priority { get; } = 0; public void Complete(TextArea textArea, ISegment completionSegment, EventArgs insertionRequestEventArgs) { textArea.Document.Replace(completionSegment, Text); } } class ElementGenerator : VisualLineElementGenerator, IComparer<Pair> { public List<Pair> controls = new List<Pair>(); /// <summary> /// Gets the first interested offset using binary search /// </summary> /// <returns>The first interested offset.</returns> /// <param name="startOffset">Start offset.</param> public override int GetFirstInterestedOffset(int startOffset) { int pos = controls.BinarySearch(new Pair(startOffset, null), this); if (pos < 0) pos = ~pos; if (pos < controls.Count) return controls[pos].Key; else return -1; } public override VisualLineElement ConstructElement(int offset) { int pos = controls.BinarySearch(new Pair(offset, null), this); if (pos >= 0) return new InlineObjectElement(0, controls[pos].Value); else return null; } int IComparer<Pair>.Compare(Pair x, Pair y) { return x.Key.CompareTo(y.Key); } } } } <MSG> remove demo readonly <DFF> @@ -39,7 +39,6 @@ namespace AvaloniaEdit.Demo _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; - _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering;
0
remove demo readonly
1
.cs
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063874
<NME> MainWindow.xaml.cs <BEF> using System; using System.Collections.Generic; using System.ComponentModel; using System.Linq; using System.Runtime.CompilerServices; using Avalonia.Controls; using Avalonia.Input; using Avalonia.Interactivity; using Avalonia.Markup.Xaml; using Avalonia.Media; using Avalonia.Media.Imaging; using AvaloniaEdit.CodeCompletion; using AvaloniaEdit.Demo.Resources; using AvaloniaEdit.Document; using AvaloniaEdit.Editing; using AvaloniaEdit.Folding; using AvaloniaEdit.Rendering; using AvaloniaEdit.TextMate; using TextMateSharp.Grammars; using Avalonia.Diagnostics; namespace AvaloniaEdit.Demo { using Pair = KeyValuePair<int, Control>; public class MainWindow : Window { private readonly TextEditor _textEditor; private FoldingManager _foldingManager; private readonly TextMate.TextMate.Installation _textMateInstallation; private CompletionWindow _completionWindow; private OverloadInsightWindow _insightWindow; private Button _addControlButton; private Button _clearControlButton; private Button _changeThemeButton; private ComboBox _syntaxModeCombo; private TextBlock _statusTextBlock; private ElementGenerator _generator = new ElementGenerator(); private RegistryOptions _registryOptions; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.HorizontalScrollBarVisibility = Avalonia.Controls.Primitives.ScrollBarVisibility.Visible; _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.ContextMenu = new ContextMenu { Items = new List<MenuItem> { new MenuItem { Header = "Copy", InputGesture = new KeyGesture(Key.C, KeyModifiers.Control) }, new MenuItem { Header = "Paste", InputGesture = new KeyGesture(Key.V, KeyModifiers.Control) }, new MenuItem { Header = "Cut", InputGesture = new KeyGesture(Key.X, KeyModifiers.Control) } } }; _textEditor.TextArea.Background = this.Background; _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor.Options.ShowBoxForControlCharacters = true; _textEditor.Options.ColumnRulerPositions = new List<int>() { 80, 100 }; _textEditor.TextArea.IndentationStrategy = new Indentation.CSharp.CSharpIndentationStrategy(_textEditor.Options); _textEditor.TextArea.Caret.PositionChanged += Caret_PositionChanged; _textEditor.TextArea.RightClickMovesCaret = true; _addControlButton = this.FindControl<Button>("addControlBtn"); _addControlButton.Click += AddControlButton_Click; _clearControlButton = this.FindControl<Button>("clearControlBtn"); _clearControlButton.Click += ClearControlButton_Click; _changeThemeButton = this.FindControl<Button>("changeThemeBtn"); _changeThemeButton.Click += ChangeThemeButton_Click; _textEditor.TextArea.TextView.ElementGenerators.Add(_generator); _registryOptions = new RegistryOptions( (ThemeName)_currentTheme); _textMateInstallation = _textEditor.InstallTextMate(_registryOptions); Language csharpLanguage = _registryOptions.GetLanguageByExtension(".cs"); _syntaxModeCombo = this.FindControl<ComboBox>("syntaxModeCombo"); _syntaxModeCombo.Items = _registryOptions.GetAvailableLanguages(); _syntaxModeCombo.SelectedItem = csharpLanguage; _syntaxModeCombo.SelectionChanged += SyntaxModeCombo_SelectionChanged; string scopeName = _registryOptions.GetScopeByLanguageId(csharpLanguage.Id); _textEditor.Document = new TextDocument( "// AvaloniaEdit supports displaying control chars: \a or \b or \v" + Environment.NewLine + "// AvaloniaEdit supports displaying underline and strikethrough" + Environment.NewLine + ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(_registryOptions.GetScopeByLanguageId(csharpLanguage.Id)); _textEditor.TextArea.TextView.LineTransformers.Add(new UnderlineAndStrikeThroughTransformer()); _statusTextBlock = this.Find<TextBlock>("StatusText"); this.AddHandler(PointerWheelChangedEvent, (o, i) => { if (i.KeyModifiers != KeyModifiers.Control) return; if (i.Delta.Y > 0) _textEditor.FontSize++; else _textEditor.FontSize = _textEditor.FontSize > 1 ? _textEditor.FontSize - 1 : 1; }, RoutingStrategies.Bubble, true); } private void Caret_PositionChanged(object sender, EventArgs e) { _statusTextBlock.Text = string.Format("Line {0} Column {1}", _textEditor.TextArea.Caret.Line, _textEditor.TextArea.Caret.Column); } protected override void OnClosed(EventArgs e) { base.OnClosed(e); _textMateInstallation.Dispose(); } private void SyntaxModeCombo_SelectionChanged(object sender, SelectionChangedEventArgs e) { RemoveUnderlineAndStrikethroughTransformer(); Language language = (Language)_syntaxModeCombo.SelectedItem; if (_foldingManager != null) { _foldingManager.Clear(); FoldingManager.Uninstall(_foldingManager); } string scopeName = _registryOptions.GetScopeByLanguageId(language.Id); _textMateInstallation.SetGrammar(null); _textEditor.Document = new TextDocument(ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(scopeName); if (language.Id == "xml") { _foldingManager = FoldingManager.Install(_textEditor.TextArea); var strategy = new XmlFoldingStrategy(); strategy.UpdateFoldings(_foldingManager, _textEditor.Document); return; } } private void RemoveUnderlineAndStrikethroughTransformer() { for (int i = _textEditor.TextArea.TextView.LineTransformers.Count - 1; i >= 0; i--) { if (_textEditor.TextArea.TextView.LineTransformers[i] is UnderlineAndStrikeThroughTransformer) { _textEditor.TextArea.TextView.LineTransformers.RemoveAt(i); } } } private void ChangeThemeButton_Click(object sender, RoutedEventArgs e) { _currentTheme = (_currentTheme + 1) % Enum.GetNames(typeof(ThemeName)).Length; _textMateInstallation.SetTheme(_registryOptions.LoadTheme( (ThemeName)_currentTheme)); } private void InitializeComponent() { AvaloniaXamlLoader.Load(this); } private void AddControlButton_Click(object sender, RoutedEventArgs e) { _generator.controls.Add(new Pair(_textEditor.CaretOffset, new Button() { Content = "Click me", Cursor = Cursor.Default })); _textEditor.TextArea.TextView.Redraw(); } private void ClearControlButton_Click(object sender, RoutedEventArgs e) { //TODO: delete elements using back key _generator.controls.Clear(); _textEditor.TextArea.TextView.Redraw(); } private void textEditor_TextArea_TextEntering(object sender, TextInputEventArgs e) { if (e.Text.Length > 0 && _completionWindow != null) { if (!char.IsLetterOrDigit(e.Text[0])) { // Whenever a non-letter is typed while the completion window is open, // insert the currently selected element. _completionWindow.CompletionList.RequestInsertion(e); } } _insightWindow?.Hide(); // Do not set e.Handled=true. // We still want to insert the character that was typed. } private void textEditor_TextArea_TextEntered(object sender, TextInputEventArgs e) { if (e.Text == ".") { _completionWindow = new CompletionWindow(_textEditor.TextArea); _completionWindow.Closed += (o, args) => _completionWindow = null; var data = _completionWindow.CompletionList.CompletionData; data.Add(new MyCompletionData("Item1")); data.Add(new MyCompletionData("Item2")); data.Add(new MyCompletionData("Item3")); data.Add(new MyCompletionData("Item4")); data.Add(new MyCompletionData("Item5")); data.Add(new MyCompletionData("Item6")); data.Add(new MyCompletionData("Item7")); data.Add(new MyCompletionData("Item8")); data.Add(new MyCompletionData("Item9")); data.Add(new MyCompletionData("Item10")); data.Add(new MyCompletionData("Item11")); data.Add(new MyCompletionData("Item12")); data.Add(new MyCompletionData("Item13")); _completionWindow.Show(); } else if (e.Text == "(") { _insightWindow = new OverloadInsightWindow(_textEditor.TextArea); _insightWindow.Closed += (o, args) => _insightWindow = null; _insightWindow.Provider = new MyOverloadProvider(new[] { ("Method1(int, string)", "Method1 description"), ("Method2(int)", "Method2 description"), ("Method3(string)", "Method3 description"), }); _insightWindow.Show(); } } class UnderlineAndStrikeThroughTransformer : DocumentColorizingTransformer { protected override void ColorizeLine(DocumentLine line) { if (line.LineNumber == 2) { string lineText = this.CurrentContext.Document.GetText(line); int indexOfUnderline = lineText.IndexOf("underline"); int indexOfStrikeThrough = lineText.IndexOf("strikethrough"); if (indexOfUnderline != -1) { ChangeLinePart( line.Offset + indexOfUnderline, line.Offset + indexOfUnderline + "underline".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Underline[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Underline); } } ); } if (indexOfStrikeThrough != -1) { ChangeLinePart( line.Offset + indexOfStrikeThrough, line.Offset + indexOfStrikeThrough + "strikethrough".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Strikethrough[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Strikethrough); } } ); } } } } private class MyOverloadProvider : IOverloadProvider { private readonly IList<(string header, string content)> _items; private int _selectedIndex; public MyOverloadProvider(IList<(string header, string content)> items) { _items = items; SelectedIndex = 0; } public int SelectedIndex { get => _selectedIndex; set { _selectedIndex = value; OnPropertyChanged(); // ReSharper disable ExplicitCallerInfoArgument OnPropertyChanged(nameof(CurrentHeader)); OnPropertyChanged(nameof(CurrentContent)); // ReSharper restore ExplicitCallerInfoArgument } } public int Count => _items.Count; public string CurrentIndexText => null; public object CurrentHeader => _items[SelectedIndex].header; public object CurrentContent => _items[SelectedIndex].content; public event PropertyChangedEventHandler PropertyChanged; private void OnPropertyChanged([CallerMemberName] string propertyName = null) { PropertyChanged?.Invoke(this, new PropertyChangedEventArgs(propertyName)); } } public class MyCompletionData : ICompletionData { public MyCompletionData(string text) { Text = text; } public IBitmap Image => null; public string Text { get; } // Use this property if you want to show a fancy UIElement in the list. public object Content => Text; public object Description => "Description for " + Text; public double Priority { get; } = 0; public void Complete(TextArea textArea, ISegment completionSegment, EventArgs insertionRequestEventArgs) { textArea.Document.Replace(completionSegment, Text); } } class ElementGenerator : VisualLineElementGenerator, IComparer<Pair> { public List<Pair> controls = new List<Pair>(); /// <summary> /// Gets the first interested offset using binary search /// </summary> /// <returns>The first interested offset.</returns> /// <param name="startOffset">Start offset.</param> public override int GetFirstInterestedOffset(int startOffset) { int pos = controls.BinarySearch(new Pair(startOffset, null), this); if (pos < 0) pos = ~pos; if (pos < controls.Count) return controls[pos].Key; else return -1; } public override VisualLineElement ConstructElement(int offset) { int pos = controls.BinarySearch(new Pair(offset, null), this); if (pos >= 0) return new InlineObjectElement(0, controls[pos].Value); else return null; } int IComparer<Pair>.Compare(Pair x, Pair y) { return x.Key.CompareTo(y.Key); } } } } <MSG> remove demo readonly <DFF> @@ -39,7 +39,6 @@ namespace AvaloniaEdit.Demo _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; - _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering;
0
remove demo readonly
1
.cs
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063875
<NME> MainWindow.xaml.cs <BEF> using System; using System.Collections.Generic; using System.ComponentModel; using System.Linq; using System.Runtime.CompilerServices; using Avalonia.Controls; using Avalonia.Input; using Avalonia.Interactivity; using Avalonia.Markup.Xaml; using Avalonia.Media; using Avalonia.Media.Imaging; using AvaloniaEdit.CodeCompletion; using AvaloniaEdit.Demo.Resources; using AvaloniaEdit.Document; using AvaloniaEdit.Editing; using AvaloniaEdit.Folding; using AvaloniaEdit.Rendering; using AvaloniaEdit.TextMate; using TextMateSharp.Grammars; using Avalonia.Diagnostics; namespace AvaloniaEdit.Demo { using Pair = KeyValuePair<int, Control>; public class MainWindow : Window { private readonly TextEditor _textEditor; private FoldingManager _foldingManager; private readonly TextMate.TextMate.Installation _textMateInstallation; private CompletionWindow _completionWindow; private OverloadInsightWindow _insightWindow; private Button _addControlButton; private Button _clearControlButton; private Button _changeThemeButton; private ComboBox _syntaxModeCombo; private TextBlock _statusTextBlock; private ElementGenerator _generator = new ElementGenerator(); private RegistryOptions _registryOptions; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.HorizontalScrollBarVisibility = Avalonia.Controls.Primitives.ScrollBarVisibility.Visible; _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.ContextMenu = new ContextMenu { Items = new List<MenuItem> { new MenuItem { Header = "Copy", InputGesture = new KeyGesture(Key.C, KeyModifiers.Control) }, new MenuItem { Header = "Paste", InputGesture = new KeyGesture(Key.V, KeyModifiers.Control) }, new MenuItem { Header = "Cut", InputGesture = new KeyGesture(Key.X, KeyModifiers.Control) } } }; _textEditor.TextArea.Background = this.Background; _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor.Options.ShowBoxForControlCharacters = true; _textEditor.Options.ColumnRulerPositions = new List<int>() { 80, 100 }; _textEditor.TextArea.IndentationStrategy = new Indentation.CSharp.CSharpIndentationStrategy(_textEditor.Options); _textEditor.TextArea.Caret.PositionChanged += Caret_PositionChanged; _textEditor.TextArea.RightClickMovesCaret = true; _addControlButton = this.FindControl<Button>("addControlBtn"); _addControlButton.Click += AddControlButton_Click; _clearControlButton = this.FindControl<Button>("clearControlBtn"); _clearControlButton.Click += ClearControlButton_Click; _changeThemeButton = this.FindControl<Button>("changeThemeBtn"); _changeThemeButton.Click += ChangeThemeButton_Click; _textEditor.TextArea.TextView.ElementGenerators.Add(_generator); _registryOptions = new RegistryOptions( (ThemeName)_currentTheme); _textMateInstallation = _textEditor.InstallTextMate(_registryOptions); Language csharpLanguage = _registryOptions.GetLanguageByExtension(".cs"); _syntaxModeCombo = this.FindControl<ComboBox>("syntaxModeCombo"); _syntaxModeCombo.Items = _registryOptions.GetAvailableLanguages(); _syntaxModeCombo.SelectedItem = csharpLanguage; _syntaxModeCombo.SelectionChanged += SyntaxModeCombo_SelectionChanged; string scopeName = _registryOptions.GetScopeByLanguageId(csharpLanguage.Id); _textEditor.Document = new TextDocument( "// AvaloniaEdit supports displaying control chars: \a or \b or \v" + Environment.NewLine + "// AvaloniaEdit supports displaying underline and strikethrough" + Environment.NewLine + ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(_registryOptions.GetScopeByLanguageId(csharpLanguage.Id)); _textEditor.TextArea.TextView.LineTransformers.Add(new UnderlineAndStrikeThroughTransformer()); _statusTextBlock = this.Find<TextBlock>("StatusText"); this.AddHandler(PointerWheelChangedEvent, (o, i) => { if (i.KeyModifiers != KeyModifiers.Control) return; if (i.Delta.Y > 0) _textEditor.FontSize++; else _textEditor.FontSize = _textEditor.FontSize > 1 ? _textEditor.FontSize - 1 : 1; }, RoutingStrategies.Bubble, true); } private void Caret_PositionChanged(object sender, EventArgs e) { _statusTextBlock.Text = string.Format("Line {0} Column {1}", _textEditor.TextArea.Caret.Line, _textEditor.TextArea.Caret.Column); } protected override void OnClosed(EventArgs e) { base.OnClosed(e); _textMateInstallation.Dispose(); } private void SyntaxModeCombo_SelectionChanged(object sender, SelectionChangedEventArgs e) { RemoveUnderlineAndStrikethroughTransformer(); Language language = (Language)_syntaxModeCombo.SelectedItem; if (_foldingManager != null) { _foldingManager.Clear(); FoldingManager.Uninstall(_foldingManager); } string scopeName = _registryOptions.GetScopeByLanguageId(language.Id); _textMateInstallation.SetGrammar(null); _textEditor.Document = new TextDocument(ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(scopeName); if (language.Id == "xml") { _foldingManager = FoldingManager.Install(_textEditor.TextArea); var strategy = new XmlFoldingStrategy(); strategy.UpdateFoldings(_foldingManager, _textEditor.Document); return; } } private void RemoveUnderlineAndStrikethroughTransformer() { for (int i = _textEditor.TextArea.TextView.LineTransformers.Count - 1; i >= 0; i--) { if (_textEditor.TextArea.TextView.LineTransformers[i] is UnderlineAndStrikeThroughTransformer) { _textEditor.TextArea.TextView.LineTransformers.RemoveAt(i); } } } private void ChangeThemeButton_Click(object sender, RoutedEventArgs e) { _currentTheme = (_currentTheme + 1) % Enum.GetNames(typeof(ThemeName)).Length; _textMateInstallation.SetTheme(_registryOptions.LoadTheme( (ThemeName)_currentTheme)); } private void InitializeComponent() { AvaloniaXamlLoader.Load(this); } private void AddControlButton_Click(object sender, RoutedEventArgs e) { _generator.controls.Add(new Pair(_textEditor.CaretOffset, new Button() { Content = "Click me", Cursor = Cursor.Default })); _textEditor.TextArea.TextView.Redraw(); } private void ClearControlButton_Click(object sender, RoutedEventArgs e) { //TODO: delete elements using back key _generator.controls.Clear(); _textEditor.TextArea.TextView.Redraw(); } private void textEditor_TextArea_TextEntering(object sender, TextInputEventArgs e) { if (e.Text.Length > 0 && _completionWindow != null) { if (!char.IsLetterOrDigit(e.Text[0])) { // Whenever a non-letter is typed while the completion window is open, // insert the currently selected element. _completionWindow.CompletionList.RequestInsertion(e); } } _insightWindow?.Hide(); // Do not set e.Handled=true. // We still want to insert the character that was typed. } private void textEditor_TextArea_TextEntered(object sender, TextInputEventArgs e) { if (e.Text == ".") { _completionWindow = new CompletionWindow(_textEditor.TextArea); _completionWindow.Closed += (o, args) => _completionWindow = null; var data = _completionWindow.CompletionList.CompletionData; data.Add(new MyCompletionData("Item1")); data.Add(new MyCompletionData("Item2")); data.Add(new MyCompletionData("Item3")); data.Add(new MyCompletionData("Item4")); data.Add(new MyCompletionData("Item5")); data.Add(new MyCompletionData("Item6")); data.Add(new MyCompletionData("Item7")); data.Add(new MyCompletionData("Item8")); data.Add(new MyCompletionData("Item9")); data.Add(new MyCompletionData("Item10")); data.Add(new MyCompletionData("Item11")); data.Add(new MyCompletionData("Item12")); data.Add(new MyCompletionData("Item13")); _completionWindow.Show(); } else if (e.Text == "(") { _insightWindow = new OverloadInsightWindow(_textEditor.TextArea); _insightWindow.Closed += (o, args) => _insightWindow = null; _insightWindow.Provider = new MyOverloadProvider(new[] { ("Method1(int, string)", "Method1 description"), ("Method2(int)", "Method2 description"), ("Method3(string)", "Method3 description"), }); _insightWindow.Show(); } } class UnderlineAndStrikeThroughTransformer : DocumentColorizingTransformer { protected override void ColorizeLine(DocumentLine line) { if (line.LineNumber == 2) { string lineText = this.CurrentContext.Document.GetText(line); int indexOfUnderline = lineText.IndexOf("underline"); int indexOfStrikeThrough = lineText.IndexOf("strikethrough"); if (indexOfUnderline != -1) { ChangeLinePart( line.Offset + indexOfUnderline, line.Offset + indexOfUnderline + "underline".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Underline[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Underline); } } ); } if (indexOfStrikeThrough != -1) { ChangeLinePart( line.Offset + indexOfStrikeThrough, line.Offset + indexOfStrikeThrough + "strikethrough".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Strikethrough[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Strikethrough); } } ); } } } } private class MyOverloadProvider : IOverloadProvider { private readonly IList<(string header, string content)> _items; private int _selectedIndex; public MyOverloadProvider(IList<(string header, string content)> items) { _items = items; SelectedIndex = 0; } public int SelectedIndex { get => _selectedIndex; set { _selectedIndex = value; OnPropertyChanged(); // ReSharper disable ExplicitCallerInfoArgument OnPropertyChanged(nameof(CurrentHeader)); OnPropertyChanged(nameof(CurrentContent)); // ReSharper restore ExplicitCallerInfoArgument } } public int Count => _items.Count; public string CurrentIndexText => null; public object CurrentHeader => _items[SelectedIndex].header; public object CurrentContent => _items[SelectedIndex].content; public event PropertyChangedEventHandler PropertyChanged; private void OnPropertyChanged([CallerMemberName] string propertyName = null) { PropertyChanged?.Invoke(this, new PropertyChangedEventArgs(propertyName)); } } public class MyCompletionData : ICompletionData { public MyCompletionData(string text) { Text = text; } public IBitmap Image => null; public string Text { get; } // Use this property if you want to show a fancy UIElement in the list. public object Content => Text; public object Description => "Description for " + Text; public double Priority { get; } = 0; public void Complete(TextArea textArea, ISegment completionSegment, EventArgs insertionRequestEventArgs) { textArea.Document.Replace(completionSegment, Text); } } class ElementGenerator : VisualLineElementGenerator, IComparer<Pair> { public List<Pair> controls = new List<Pair>(); /// <summary> /// Gets the first interested offset using binary search /// </summary> /// <returns>The first interested offset.</returns> /// <param name="startOffset">Start offset.</param> public override int GetFirstInterestedOffset(int startOffset) { int pos = controls.BinarySearch(new Pair(startOffset, null), this); if (pos < 0) pos = ~pos; if (pos < controls.Count) return controls[pos].Key; else return -1; } public override VisualLineElement ConstructElement(int offset) { int pos = controls.BinarySearch(new Pair(offset, null), this); if (pos >= 0) return new InlineObjectElement(0, controls[pos].Value); else return null; } int IComparer<Pair>.Compare(Pair x, Pair y) { return x.Key.CompareTo(y.Key); } } } } <MSG> remove demo readonly <DFF> @@ -39,7 +39,6 @@ namespace AvaloniaEdit.Demo _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; - _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering;
0
remove demo readonly
1
.cs
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063876
<NME> MainWindow.xaml.cs <BEF> using System; using System.Collections.Generic; using System.ComponentModel; using System.Linq; using System.Runtime.CompilerServices; using Avalonia.Controls; using Avalonia.Input; using Avalonia.Interactivity; using Avalonia.Markup.Xaml; using Avalonia.Media; using Avalonia.Media.Imaging; using AvaloniaEdit.CodeCompletion; using AvaloniaEdit.Demo.Resources; using AvaloniaEdit.Document; using AvaloniaEdit.Editing; using AvaloniaEdit.Folding; using AvaloniaEdit.Rendering; using AvaloniaEdit.TextMate; using TextMateSharp.Grammars; using Avalonia.Diagnostics; namespace AvaloniaEdit.Demo { using Pair = KeyValuePair<int, Control>; public class MainWindow : Window { private readonly TextEditor _textEditor; private FoldingManager _foldingManager; private readonly TextMate.TextMate.Installation _textMateInstallation; private CompletionWindow _completionWindow; private OverloadInsightWindow _insightWindow; private Button _addControlButton; private Button _clearControlButton; private Button _changeThemeButton; private ComboBox _syntaxModeCombo; private TextBlock _statusTextBlock; private ElementGenerator _generator = new ElementGenerator(); private RegistryOptions _registryOptions; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.HorizontalScrollBarVisibility = Avalonia.Controls.Primitives.ScrollBarVisibility.Visible; _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.ContextMenu = new ContextMenu { Items = new List<MenuItem> { new MenuItem { Header = "Copy", InputGesture = new KeyGesture(Key.C, KeyModifiers.Control) }, new MenuItem { Header = "Paste", InputGesture = new KeyGesture(Key.V, KeyModifiers.Control) }, new MenuItem { Header = "Cut", InputGesture = new KeyGesture(Key.X, KeyModifiers.Control) } } }; _textEditor.TextArea.Background = this.Background; _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor.Options.ShowBoxForControlCharacters = true; _textEditor.Options.ColumnRulerPositions = new List<int>() { 80, 100 }; _textEditor.TextArea.IndentationStrategy = new Indentation.CSharp.CSharpIndentationStrategy(_textEditor.Options); _textEditor.TextArea.Caret.PositionChanged += Caret_PositionChanged; _textEditor.TextArea.RightClickMovesCaret = true; _addControlButton = this.FindControl<Button>("addControlBtn"); _addControlButton.Click += AddControlButton_Click; _clearControlButton = this.FindControl<Button>("clearControlBtn"); _clearControlButton.Click += ClearControlButton_Click; _changeThemeButton = this.FindControl<Button>("changeThemeBtn"); _changeThemeButton.Click += ChangeThemeButton_Click; _textEditor.TextArea.TextView.ElementGenerators.Add(_generator); _registryOptions = new RegistryOptions( (ThemeName)_currentTheme); _textMateInstallation = _textEditor.InstallTextMate(_registryOptions); Language csharpLanguage = _registryOptions.GetLanguageByExtension(".cs"); _syntaxModeCombo = this.FindControl<ComboBox>("syntaxModeCombo"); _syntaxModeCombo.Items = _registryOptions.GetAvailableLanguages(); _syntaxModeCombo.SelectedItem = csharpLanguage; _syntaxModeCombo.SelectionChanged += SyntaxModeCombo_SelectionChanged; string scopeName = _registryOptions.GetScopeByLanguageId(csharpLanguage.Id); _textEditor.Document = new TextDocument( "// AvaloniaEdit supports displaying control chars: \a or \b or \v" + Environment.NewLine + "// AvaloniaEdit supports displaying underline and strikethrough" + Environment.NewLine + ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(_registryOptions.GetScopeByLanguageId(csharpLanguage.Id)); _textEditor.TextArea.TextView.LineTransformers.Add(new UnderlineAndStrikeThroughTransformer()); _statusTextBlock = this.Find<TextBlock>("StatusText"); this.AddHandler(PointerWheelChangedEvent, (o, i) => { if (i.KeyModifiers != KeyModifiers.Control) return; if (i.Delta.Y > 0) _textEditor.FontSize++; else _textEditor.FontSize = _textEditor.FontSize > 1 ? _textEditor.FontSize - 1 : 1; }, RoutingStrategies.Bubble, true); } private void Caret_PositionChanged(object sender, EventArgs e) { _statusTextBlock.Text = string.Format("Line {0} Column {1}", _textEditor.TextArea.Caret.Line, _textEditor.TextArea.Caret.Column); } protected override void OnClosed(EventArgs e) { base.OnClosed(e); _textMateInstallation.Dispose(); } private void SyntaxModeCombo_SelectionChanged(object sender, SelectionChangedEventArgs e) { RemoveUnderlineAndStrikethroughTransformer(); Language language = (Language)_syntaxModeCombo.SelectedItem; if (_foldingManager != null) { _foldingManager.Clear(); FoldingManager.Uninstall(_foldingManager); } string scopeName = _registryOptions.GetScopeByLanguageId(language.Id); _textMateInstallation.SetGrammar(null); _textEditor.Document = new TextDocument(ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(scopeName); if (language.Id == "xml") { _foldingManager = FoldingManager.Install(_textEditor.TextArea); var strategy = new XmlFoldingStrategy(); strategy.UpdateFoldings(_foldingManager, _textEditor.Document); return; } } private void RemoveUnderlineAndStrikethroughTransformer() { for (int i = _textEditor.TextArea.TextView.LineTransformers.Count - 1; i >= 0; i--) { if (_textEditor.TextArea.TextView.LineTransformers[i] is UnderlineAndStrikeThroughTransformer) { _textEditor.TextArea.TextView.LineTransformers.RemoveAt(i); } } } private void ChangeThemeButton_Click(object sender, RoutedEventArgs e) { _currentTheme = (_currentTheme + 1) % Enum.GetNames(typeof(ThemeName)).Length; _textMateInstallation.SetTheme(_registryOptions.LoadTheme( (ThemeName)_currentTheme)); } private void InitializeComponent() { AvaloniaXamlLoader.Load(this); } private void AddControlButton_Click(object sender, RoutedEventArgs e) { _generator.controls.Add(new Pair(_textEditor.CaretOffset, new Button() { Content = "Click me", Cursor = Cursor.Default })); _textEditor.TextArea.TextView.Redraw(); } private void ClearControlButton_Click(object sender, RoutedEventArgs e) { //TODO: delete elements using back key _generator.controls.Clear(); _textEditor.TextArea.TextView.Redraw(); } private void textEditor_TextArea_TextEntering(object sender, TextInputEventArgs e) { if (e.Text.Length > 0 && _completionWindow != null) { if (!char.IsLetterOrDigit(e.Text[0])) { // Whenever a non-letter is typed while the completion window is open, // insert the currently selected element. _completionWindow.CompletionList.RequestInsertion(e); } } _insightWindow?.Hide(); // Do not set e.Handled=true. // We still want to insert the character that was typed. } private void textEditor_TextArea_TextEntered(object sender, TextInputEventArgs e) { if (e.Text == ".") { _completionWindow = new CompletionWindow(_textEditor.TextArea); _completionWindow.Closed += (o, args) => _completionWindow = null; var data = _completionWindow.CompletionList.CompletionData; data.Add(new MyCompletionData("Item1")); data.Add(new MyCompletionData("Item2")); data.Add(new MyCompletionData("Item3")); data.Add(new MyCompletionData("Item4")); data.Add(new MyCompletionData("Item5")); data.Add(new MyCompletionData("Item6")); data.Add(new MyCompletionData("Item7")); data.Add(new MyCompletionData("Item8")); data.Add(new MyCompletionData("Item9")); data.Add(new MyCompletionData("Item10")); data.Add(new MyCompletionData("Item11")); data.Add(new MyCompletionData("Item12")); data.Add(new MyCompletionData("Item13")); _completionWindow.Show(); } else if (e.Text == "(") { _insightWindow = new OverloadInsightWindow(_textEditor.TextArea); _insightWindow.Closed += (o, args) => _insightWindow = null; _insightWindow.Provider = new MyOverloadProvider(new[] { ("Method1(int, string)", "Method1 description"), ("Method2(int)", "Method2 description"), ("Method3(string)", "Method3 description"), }); _insightWindow.Show(); } } class UnderlineAndStrikeThroughTransformer : DocumentColorizingTransformer { protected override void ColorizeLine(DocumentLine line) { if (line.LineNumber == 2) { string lineText = this.CurrentContext.Document.GetText(line); int indexOfUnderline = lineText.IndexOf("underline"); int indexOfStrikeThrough = lineText.IndexOf("strikethrough"); if (indexOfUnderline != -1) { ChangeLinePart( line.Offset + indexOfUnderline, line.Offset + indexOfUnderline + "underline".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Underline[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Underline); } } ); } if (indexOfStrikeThrough != -1) { ChangeLinePart( line.Offset + indexOfStrikeThrough, line.Offset + indexOfStrikeThrough + "strikethrough".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Strikethrough[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Strikethrough); } } ); } } } } private class MyOverloadProvider : IOverloadProvider { private readonly IList<(string header, string content)> _items; private int _selectedIndex; public MyOverloadProvider(IList<(string header, string content)> items) { _items = items; SelectedIndex = 0; } public int SelectedIndex { get => _selectedIndex; set { _selectedIndex = value; OnPropertyChanged(); // ReSharper disable ExplicitCallerInfoArgument OnPropertyChanged(nameof(CurrentHeader)); OnPropertyChanged(nameof(CurrentContent)); // ReSharper restore ExplicitCallerInfoArgument } } public int Count => _items.Count; public string CurrentIndexText => null; public object CurrentHeader => _items[SelectedIndex].header; public object CurrentContent => _items[SelectedIndex].content; public event PropertyChangedEventHandler PropertyChanged; private void OnPropertyChanged([CallerMemberName] string propertyName = null) { PropertyChanged?.Invoke(this, new PropertyChangedEventArgs(propertyName)); } } public class MyCompletionData : ICompletionData { public MyCompletionData(string text) { Text = text; } public IBitmap Image => null; public string Text { get; } // Use this property if you want to show a fancy UIElement in the list. public object Content => Text; public object Description => "Description for " + Text; public double Priority { get; } = 0; public void Complete(TextArea textArea, ISegment completionSegment, EventArgs insertionRequestEventArgs) { textArea.Document.Replace(completionSegment, Text); } } class ElementGenerator : VisualLineElementGenerator, IComparer<Pair> { public List<Pair> controls = new List<Pair>(); /// <summary> /// Gets the first interested offset using binary search /// </summary> /// <returns>The first interested offset.</returns> /// <param name="startOffset">Start offset.</param> public override int GetFirstInterestedOffset(int startOffset) { int pos = controls.BinarySearch(new Pair(startOffset, null), this); if (pos < 0) pos = ~pos; if (pos < controls.Count) return controls[pos].Key; else return -1; } public override VisualLineElement ConstructElement(int offset) { int pos = controls.BinarySearch(new Pair(offset, null), this); if (pos >= 0) return new InlineObjectElement(0, controls[pos].Value); else return null; } int IComparer<Pair>.Compare(Pair x, Pair y) { return x.Key.CompareTo(y.Key); } } } } <MSG> remove demo readonly <DFF> @@ -39,7 +39,6 @@ namespace AvaloniaEdit.Demo _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; - _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering;
0
remove demo readonly
1
.cs
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063877
<NME> MainWindow.xaml.cs <BEF> using System; using System.Collections.Generic; using System.ComponentModel; using System.Linq; using System.Runtime.CompilerServices; using Avalonia.Controls; using Avalonia.Input; using Avalonia.Interactivity; using Avalonia.Markup.Xaml; using Avalonia.Media; using Avalonia.Media.Imaging; using AvaloniaEdit.CodeCompletion; using AvaloniaEdit.Demo.Resources; using AvaloniaEdit.Document; using AvaloniaEdit.Editing; using AvaloniaEdit.Folding; using AvaloniaEdit.Rendering; using AvaloniaEdit.TextMate; using TextMateSharp.Grammars; using Avalonia.Diagnostics; namespace AvaloniaEdit.Demo { using Pair = KeyValuePair<int, Control>; public class MainWindow : Window { private readonly TextEditor _textEditor; private FoldingManager _foldingManager; private readonly TextMate.TextMate.Installation _textMateInstallation; private CompletionWindow _completionWindow; private OverloadInsightWindow _insightWindow; private Button _addControlButton; private Button _clearControlButton; private Button _changeThemeButton; private ComboBox _syntaxModeCombo; private TextBlock _statusTextBlock; private ElementGenerator _generator = new ElementGenerator(); private RegistryOptions _registryOptions; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.HorizontalScrollBarVisibility = Avalonia.Controls.Primitives.ScrollBarVisibility.Visible; _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.ContextMenu = new ContextMenu { Items = new List<MenuItem> { new MenuItem { Header = "Copy", InputGesture = new KeyGesture(Key.C, KeyModifiers.Control) }, new MenuItem { Header = "Paste", InputGesture = new KeyGesture(Key.V, KeyModifiers.Control) }, new MenuItem { Header = "Cut", InputGesture = new KeyGesture(Key.X, KeyModifiers.Control) } } }; _textEditor.TextArea.Background = this.Background; _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor.Options.ShowBoxForControlCharacters = true; _textEditor.Options.ColumnRulerPositions = new List<int>() { 80, 100 }; _textEditor.TextArea.IndentationStrategy = new Indentation.CSharp.CSharpIndentationStrategy(_textEditor.Options); _textEditor.TextArea.Caret.PositionChanged += Caret_PositionChanged; _textEditor.TextArea.RightClickMovesCaret = true; _addControlButton = this.FindControl<Button>("addControlBtn"); _addControlButton.Click += AddControlButton_Click; _clearControlButton = this.FindControl<Button>("clearControlBtn"); _clearControlButton.Click += ClearControlButton_Click; _changeThemeButton = this.FindControl<Button>("changeThemeBtn"); _changeThemeButton.Click += ChangeThemeButton_Click; _textEditor.TextArea.TextView.ElementGenerators.Add(_generator); _registryOptions = new RegistryOptions( (ThemeName)_currentTheme); _textMateInstallation = _textEditor.InstallTextMate(_registryOptions); Language csharpLanguage = _registryOptions.GetLanguageByExtension(".cs"); _syntaxModeCombo = this.FindControl<ComboBox>("syntaxModeCombo"); _syntaxModeCombo.Items = _registryOptions.GetAvailableLanguages(); _syntaxModeCombo.SelectedItem = csharpLanguage; _syntaxModeCombo.SelectionChanged += SyntaxModeCombo_SelectionChanged; string scopeName = _registryOptions.GetScopeByLanguageId(csharpLanguage.Id); _textEditor.Document = new TextDocument( "// AvaloniaEdit supports displaying control chars: \a or \b or \v" + Environment.NewLine + "// AvaloniaEdit supports displaying underline and strikethrough" + Environment.NewLine + ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(_registryOptions.GetScopeByLanguageId(csharpLanguage.Id)); _textEditor.TextArea.TextView.LineTransformers.Add(new UnderlineAndStrikeThroughTransformer()); _statusTextBlock = this.Find<TextBlock>("StatusText"); this.AddHandler(PointerWheelChangedEvent, (o, i) => { if (i.KeyModifiers != KeyModifiers.Control) return; if (i.Delta.Y > 0) _textEditor.FontSize++; else _textEditor.FontSize = _textEditor.FontSize > 1 ? _textEditor.FontSize - 1 : 1; }, RoutingStrategies.Bubble, true); } private void Caret_PositionChanged(object sender, EventArgs e) { _statusTextBlock.Text = string.Format("Line {0} Column {1}", _textEditor.TextArea.Caret.Line, _textEditor.TextArea.Caret.Column); } protected override void OnClosed(EventArgs e) { base.OnClosed(e); _textMateInstallation.Dispose(); } private void SyntaxModeCombo_SelectionChanged(object sender, SelectionChangedEventArgs e) { RemoveUnderlineAndStrikethroughTransformer(); Language language = (Language)_syntaxModeCombo.SelectedItem; if (_foldingManager != null) { _foldingManager.Clear(); FoldingManager.Uninstall(_foldingManager); } string scopeName = _registryOptions.GetScopeByLanguageId(language.Id); _textMateInstallation.SetGrammar(null); _textEditor.Document = new TextDocument(ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(scopeName); if (language.Id == "xml") { _foldingManager = FoldingManager.Install(_textEditor.TextArea); var strategy = new XmlFoldingStrategy(); strategy.UpdateFoldings(_foldingManager, _textEditor.Document); return; } } private void RemoveUnderlineAndStrikethroughTransformer() { for (int i = _textEditor.TextArea.TextView.LineTransformers.Count - 1; i >= 0; i--) { if (_textEditor.TextArea.TextView.LineTransformers[i] is UnderlineAndStrikeThroughTransformer) { _textEditor.TextArea.TextView.LineTransformers.RemoveAt(i); } } } private void ChangeThemeButton_Click(object sender, RoutedEventArgs e) { _currentTheme = (_currentTheme + 1) % Enum.GetNames(typeof(ThemeName)).Length; _textMateInstallation.SetTheme(_registryOptions.LoadTheme( (ThemeName)_currentTheme)); } private void InitializeComponent() { AvaloniaXamlLoader.Load(this); } private void AddControlButton_Click(object sender, RoutedEventArgs e) { _generator.controls.Add(new Pair(_textEditor.CaretOffset, new Button() { Content = "Click me", Cursor = Cursor.Default })); _textEditor.TextArea.TextView.Redraw(); } private void ClearControlButton_Click(object sender, RoutedEventArgs e) { //TODO: delete elements using back key _generator.controls.Clear(); _textEditor.TextArea.TextView.Redraw(); } private void textEditor_TextArea_TextEntering(object sender, TextInputEventArgs e) { if (e.Text.Length > 0 && _completionWindow != null) { if (!char.IsLetterOrDigit(e.Text[0])) { // Whenever a non-letter is typed while the completion window is open, // insert the currently selected element. _completionWindow.CompletionList.RequestInsertion(e); } } _insightWindow?.Hide(); // Do not set e.Handled=true. // We still want to insert the character that was typed. } private void textEditor_TextArea_TextEntered(object sender, TextInputEventArgs e) { if (e.Text == ".") { _completionWindow = new CompletionWindow(_textEditor.TextArea); _completionWindow.Closed += (o, args) => _completionWindow = null; var data = _completionWindow.CompletionList.CompletionData; data.Add(new MyCompletionData("Item1")); data.Add(new MyCompletionData("Item2")); data.Add(new MyCompletionData("Item3")); data.Add(new MyCompletionData("Item4")); data.Add(new MyCompletionData("Item5")); data.Add(new MyCompletionData("Item6")); data.Add(new MyCompletionData("Item7")); data.Add(new MyCompletionData("Item8")); data.Add(new MyCompletionData("Item9")); data.Add(new MyCompletionData("Item10")); data.Add(new MyCompletionData("Item11")); data.Add(new MyCompletionData("Item12")); data.Add(new MyCompletionData("Item13")); _completionWindow.Show(); } else if (e.Text == "(") { _insightWindow = new OverloadInsightWindow(_textEditor.TextArea); _insightWindow.Closed += (o, args) => _insightWindow = null; _insightWindow.Provider = new MyOverloadProvider(new[] { ("Method1(int, string)", "Method1 description"), ("Method2(int)", "Method2 description"), ("Method3(string)", "Method3 description"), }); _insightWindow.Show(); } } class UnderlineAndStrikeThroughTransformer : DocumentColorizingTransformer { protected override void ColorizeLine(DocumentLine line) { if (line.LineNumber == 2) { string lineText = this.CurrentContext.Document.GetText(line); int indexOfUnderline = lineText.IndexOf("underline"); int indexOfStrikeThrough = lineText.IndexOf("strikethrough"); if (indexOfUnderline != -1) { ChangeLinePart( line.Offset + indexOfUnderline, line.Offset + indexOfUnderline + "underline".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Underline[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Underline); } } ); } if (indexOfStrikeThrough != -1) { ChangeLinePart( line.Offset + indexOfStrikeThrough, line.Offset + indexOfStrikeThrough + "strikethrough".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Strikethrough[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Strikethrough); } } ); } } } } private class MyOverloadProvider : IOverloadProvider { private readonly IList<(string header, string content)> _items; private int _selectedIndex; public MyOverloadProvider(IList<(string header, string content)> items) { _items = items; SelectedIndex = 0; } public int SelectedIndex { get => _selectedIndex; set { _selectedIndex = value; OnPropertyChanged(); // ReSharper disable ExplicitCallerInfoArgument OnPropertyChanged(nameof(CurrentHeader)); OnPropertyChanged(nameof(CurrentContent)); // ReSharper restore ExplicitCallerInfoArgument } } public int Count => _items.Count; public string CurrentIndexText => null; public object CurrentHeader => _items[SelectedIndex].header; public object CurrentContent => _items[SelectedIndex].content; public event PropertyChangedEventHandler PropertyChanged; private void OnPropertyChanged([CallerMemberName] string propertyName = null) { PropertyChanged?.Invoke(this, new PropertyChangedEventArgs(propertyName)); } } public class MyCompletionData : ICompletionData { public MyCompletionData(string text) { Text = text; } public IBitmap Image => null; public string Text { get; } // Use this property if you want to show a fancy UIElement in the list. public object Content => Text; public object Description => "Description for " + Text; public double Priority { get; } = 0; public void Complete(TextArea textArea, ISegment completionSegment, EventArgs insertionRequestEventArgs) { textArea.Document.Replace(completionSegment, Text); } } class ElementGenerator : VisualLineElementGenerator, IComparer<Pair> { public List<Pair> controls = new List<Pair>(); /// <summary> /// Gets the first interested offset using binary search /// </summary> /// <returns>The first interested offset.</returns> /// <param name="startOffset">Start offset.</param> public override int GetFirstInterestedOffset(int startOffset) { int pos = controls.BinarySearch(new Pair(startOffset, null), this); if (pos < 0) pos = ~pos; if (pos < controls.Count) return controls[pos].Key; else return -1; } public override VisualLineElement ConstructElement(int offset) { int pos = controls.BinarySearch(new Pair(offset, null), this); if (pos >= 0) return new InlineObjectElement(0, controls[pos].Value); else return null; } int IComparer<Pair>.Compare(Pair x, Pair y) { return x.Key.CompareTo(y.Key); } } } } <MSG> remove demo readonly <DFF> @@ -39,7 +39,6 @@ namespace AvaloniaEdit.Demo _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; - _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering;
0
remove demo readonly
1
.cs
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063878
<NME> MainWindow.xaml.cs <BEF> using System; using System.Collections.Generic; using System.ComponentModel; using System.Linq; using System.Runtime.CompilerServices; using Avalonia.Controls; using Avalonia.Input; using Avalonia.Interactivity; using Avalonia.Markup.Xaml; using Avalonia.Media; using Avalonia.Media.Imaging; using AvaloniaEdit.CodeCompletion; using AvaloniaEdit.Demo.Resources; using AvaloniaEdit.Document; using AvaloniaEdit.Editing; using AvaloniaEdit.Folding; using AvaloniaEdit.Rendering; using AvaloniaEdit.TextMate; using TextMateSharp.Grammars; using Avalonia.Diagnostics; namespace AvaloniaEdit.Demo { using Pair = KeyValuePair<int, Control>; public class MainWindow : Window { private readonly TextEditor _textEditor; private FoldingManager _foldingManager; private readonly TextMate.TextMate.Installation _textMateInstallation; private CompletionWindow _completionWindow; private OverloadInsightWindow _insightWindow; private Button _addControlButton; private Button _clearControlButton; private Button _changeThemeButton; private ComboBox _syntaxModeCombo; private TextBlock _statusTextBlock; private ElementGenerator _generator = new ElementGenerator(); private RegistryOptions _registryOptions; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.HorizontalScrollBarVisibility = Avalonia.Controls.Primitives.ScrollBarVisibility.Visible; _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; _textEditor.ContextMenu = new ContextMenu { Items = new List<MenuItem> { new MenuItem { Header = "Copy", InputGesture = new KeyGesture(Key.C, KeyModifiers.Control) }, new MenuItem { Header = "Paste", InputGesture = new KeyGesture(Key.V, KeyModifiers.Control) }, new MenuItem { Header = "Cut", InputGesture = new KeyGesture(Key.X, KeyModifiers.Control) } } }; _textEditor.TextArea.Background = this.Background; _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering; _textEditor.Options.ShowBoxForControlCharacters = true; _textEditor.Options.ColumnRulerPositions = new List<int>() { 80, 100 }; _textEditor.TextArea.IndentationStrategy = new Indentation.CSharp.CSharpIndentationStrategy(_textEditor.Options); _textEditor.TextArea.Caret.PositionChanged += Caret_PositionChanged; _textEditor.TextArea.RightClickMovesCaret = true; _addControlButton = this.FindControl<Button>("addControlBtn"); _addControlButton.Click += AddControlButton_Click; _clearControlButton = this.FindControl<Button>("clearControlBtn"); _clearControlButton.Click += ClearControlButton_Click; _changeThemeButton = this.FindControl<Button>("changeThemeBtn"); _changeThemeButton.Click += ChangeThemeButton_Click; _textEditor.TextArea.TextView.ElementGenerators.Add(_generator); _registryOptions = new RegistryOptions( (ThemeName)_currentTheme); _textMateInstallation = _textEditor.InstallTextMate(_registryOptions); Language csharpLanguage = _registryOptions.GetLanguageByExtension(".cs"); _syntaxModeCombo = this.FindControl<ComboBox>("syntaxModeCombo"); _syntaxModeCombo.Items = _registryOptions.GetAvailableLanguages(); _syntaxModeCombo.SelectedItem = csharpLanguage; _syntaxModeCombo.SelectionChanged += SyntaxModeCombo_SelectionChanged; string scopeName = _registryOptions.GetScopeByLanguageId(csharpLanguage.Id); _textEditor.Document = new TextDocument( "// AvaloniaEdit supports displaying control chars: \a or \b or \v" + Environment.NewLine + "// AvaloniaEdit supports displaying underline and strikethrough" + Environment.NewLine + ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(_registryOptions.GetScopeByLanguageId(csharpLanguage.Id)); _textEditor.TextArea.TextView.LineTransformers.Add(new UnderlineAndStrikeThroughTransformer()); _statusTextBlock = this.Find<TextBlock>("StatusText"); this.AddHandler(PointerWheelChangedEvent, (o, i) => { if (i.KeyModifiers != KeyModifiers.Control) return; if (i.Delta.Y > 0) _textEditor.FontSize++; else _textEditor.FontSize = _textEditor.FontSize > 1 ? _textEditor.FontSize - 1 : 1; }, RoutingStrategies.Bubble, true); } private void Caret_PositionChanged(object sender, EventArgs e) { _statusTextBlock.Text = string.Format("Line {0} Column {1}", _textEditor.TextArea.Caret.Line, _textEditor.TextArea.Caret.Column); } protected override void OnClosed(EventArgs e) { base.OnClosed(e); _textMateInstallation.Dispose(); } private void SyntaxModeCombo_SelectionChanged(object sender, SelectionChangedEventArgs e) { RemoveUnderlineAndStrikethroughTransformer(); Language language = (Language)_syntaxModeCombo.SelectedItem; if (_foldingManager != null) { _foldingManager.Clear(); FoldingManager.Uninstall(_foldingManager); } string scopeName = _registryOptions.GetScopeByLanguageId(language.Id); _textMateInstallation.SetGrammar(null); _textEditor.Document = new TextDocument(ResourceLoader.LoadSampleFile(scopeName)); _textMateInstallation.SetGrammar(scopeName); if (language.Id == "xml") { _foldingManager = FoldingManager.Install(_textEditor.TextArea); var strategy = new XmlFoldingStrategy(); strategy.UpdateFoldings(_foldingManager, _textEditor.Document); return; } } private void RemoveUnderlineAndStrikethroughTransformer() { for (int i = _textEditor.TextArea.TextView.LineTransformers.Count - 1; i >= 0; i--) { if (_textEditor.TextArea.TextView.LineTransformers[i] is UnderlineAndStrikeThroughTransformer) { _textEditor.TextArea.TextView.LineTransformers.RemoveAt(i); } } } private void ChangeThemeButton_Click(object sender, RoutedEventArgs e) { _currentTheme = (_currentTheme + 1) % Enum.GetNames(typeof(ThemeName)).Length; _textMateInstallation.SetTheme(_registryOptions.LoadTheme( (ThemeName)_currentTheme)); } private void InitializeComponent() { AvaloniaXamlLoader.Load(this); } private void AddControlButton_Click(object sender, RoutedEventArgs e) { _generator.controls.Add(new Pair(_textEditor.CaretOffset, new Button() { Content = "Click me", Cursor = Cursor.Default })); _textEditor.TextArea.TextView.Redraw(); } private void ClearControlButton_Click(object sender, RoutedEventArgs e) { //TODO: delete elements using back key _generator.controls.Clear(); _textEditor.TextArea.TextView.Redraw(); } private void textEditor_TextArea_TextEntering(object sender, TextInputEventArgs e) { if (e.Text.Length > 0 && _completionWindow != null) { if (!char.IsLetterOrDigit(e.Text[0])) { // Whenever a non-letter is typed while the completion window is open, // insert the currently selected element. _completionWindow.CompletionList.RequestInsertion(e); } } _insightWindow?.Hide(); // Do not set e.Handled=true. // We still want to insert the character that was typed. } private void textEditor_TextArea_TextEntered(object sender, TextInputEventArgs e) { if (e.Text == ".") { _completionWindow = new CompletionWindow(_textEditor.TextArea); _completionWindow.Closed += (o, args) => _completionWindow = null; var data = _completionWindow.CompletionList.CompletionData; data.Add(new MyCompletionData("Item1")); data.Add(new MyCompletionData("Item2")); data.Add(new MyCompletionData("Item3")); data.Add(new MyCompletionData("Item4")); data.Add(new MyCompletionData("Item5")); data.Add(new MyCompletionData("Item6")); data.Add(new MyCompletionData("Item7")); data.Add(new MyCompletionData("Item8")); data.Add(new MyCompletionData("Item9")); data.Add(new MyCompletionData("Item10")); data.Add(new MyCompletionData("Item11")); data.Add(new MyCompletionData("Item12")); data.Add(new MyCompletionData("Item13")); _completionWindow.Show(); } else if (e.Text == "(") { _insightWindow = new OverloadInsightWindow(_textEditor.TextArea); _insightWindow.Closed += (o, args) => _insightWindow = null; _insightWindow.Provider = new MyOverloadProvider(new[] { ("Method1(int, string)", "Method1 description"), ("Method2(int)", "Method2 description"), ("Method3(string)", "Method3 description"), }); _insightWindow.Show(); } } class UnderlineAndStrikeThroughTransformer : DocumentColorizingTransformer { protected override void ColorizeLine(DocumentLine line) { if (line.LineNumber == 2) { string lineText = this.CurrentContext.Document.GetText(line); int indexOfUnderline = lineText.IndexOf("underline"); int indexOfStrikeThrough = lineText.IndexOf("strikethrough"); if (indexOfUnderline != -1) { ChangeLinePart( line.Offset + indexOfUnderline, line.Offset + indexOfUnderline + "underline".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Underline[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Underline); } } ); } if (indexOfStrikeThrough != -1) { ChangeLinePart( line.Offset + indexOfStrikeThrough, line.Offset + indexOfStrikeThrough + "strikethrough".Length, visualLine => { if (visualLine.TextRunProperties.TextDecorations != null) { var textDecorations = new TextDecorationCollection(visualLine.TextRunProperties.TextDecorations) { TextDecorations.Strikethrough[0] }; visualLine.TextRunProperties.SetTextDecorations(textDecorations); } else { visualLine.TextRunProperties.SetTextDecorations(TextDecorations.Strikethrough); } } ); } } } } private class MyOverloadProvider : IOverloadProvider { private readonly IList<(string header, string content)> _items; private int _selectedIndex; public MyOverloadProvider(IList<(string header, string content)> items) { _items = items; SelectedIndex = 0; } public int SelectedIndex { get => _selectedIndex; set { _selectedIndex = value; OnPropertyChanged(); // ReSharper disable ExplicitCallerInfoArgument OnPropertyChanged(nameof(CurrentHeader)); OnPropertyChanged(nameof(CurrentContent)); // ReSharper restore ExplicitCallerInfoArgument } } public int Count => _items.Count; public string CurrentIndexText => null; public object CurrentHeader => _items[SelectedIndex].header; public object CurrentContent => _items[SelectedIndex].content; public event PropertyChangedEventHandler PropertyChanged; private void OnPropertyChanged([CallerMemberName] string propertyName = null) { PropertyChanged?.Invoke(this, new PropertyChangedEventArgs(propertyName)); } } public class MyCompletionData : ICompletionData { public MyCompletionData(string text) { Text = text; } public IBitmap Image => null; public string Text { get; } // Use this property if you want to show a fancy UIElement in the list. public object Content => Text; public object Description => "Description for " + Text; public double Priority { get; } = 0; public void Complete(TextArea textArea, ISegment completionSegment, EventArgs insertionRequestEventArgs) { textArea.Document.Replace(completionSegment, Text); } } class ElementGenerator : VisualLineElementGenerator, IComparer<Pair> { public List<Pair> controls = new List<Pair>(); /// <summary> /// Gets the first interested offset using binary search /// </summary> /// <returns>The first interested offset.</returns> /// <param name="startOffset">Start offset.</param> public override int GetFirstInterestedOffset(int startOffset) { int pos = controls.BinarySearch(new Pair(startOffset, null), this); if (pos < 0) pos = ~pos; if (pos < controls.Count) return controls[pos].Key; else return -1; } public override VisualLineElement ConstructElement(int offset) { int pos = controls.BinarySearch(new Pair(offset, null), this); if (pos >= 0) return new InlineObjectElement(0, controls[pos].Value); else return null; } int IComparer<Pair>.Compare(Pair x, Pair y) { return x.Key.CompareTo(y.Key); } } } } <MSG> remove demo readonly <DFF> @@ -39,7 +39,6 @@ namespace AvaloniaEdit.Demo _textEditor = this.FindControl<TextEditor>("Editor"); _textEditor.Background = Brushes.Transparent; _textEditor.ShowLineNumbers = true; - _textEditor.IsReadOnly = true; //_textEditor.SyntaxHighlighting = HighlightingManager.Instance.GetDefinition("C#"); _textEditor.TextArea.TextEntered += textEditor_TextArea_TextEntered; _textEditor.TextArea.TextEntering += textEditor_TextArea_TextEntering;
0
remove demo readonly
1
.cs
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063879
<NME> README.md <BEF> # LoadJS <img src="https://www.muicss.com/static/images/loadjs.svg" width="250px"> LoadJS is a tiny async loader for modern browsers (590 B gzipped). [![Build Status](https://travis-ci.org/muicss/loadjs.svg?branch=master)](https://travis-ci.org/muicss/loadjs) [![Dependency Status](https://david-dm.org/muicss/loadjs.svg)](https://david-dm.org/muicss/loadjs) [![devDependency Status](https://david-dm.org/muicss/loadjs/dev-status.svg)](https://david-dm.org/muicss/loadjs#info=devDependencies) ## Directory structure <pre> loadjs/ ├── dist | ├── loadjs.js | └── loadjs.min.js ├── examples/ ├── gulpfile.js ├── main.js ├── package.json ├── LICENSE.md ├── README.md ├── src | └── loadjs.js ├── test/ </pre> ## Introduction ## Documentation ``` You can also use more advanced syntax for more options: ```html <script src="//unpkg.com/loadjs@latest/dist/loadjs.min.js"></script> <script> // define a dependency bundle with advanced options loadjs(['/path/to/foo.js', '/path/to/bar.js'], 'foobar', { before: function(path, scriptEl) { /* execute code before fetch */ }, async: true, // load files synchronously or asynchronously (default: true) numRetries: 3 // see caveats about using numRetries with async:false (default: 0), returnPromise: false // return Promise object (default: false) }); loadjs.ready('foobar', { success: function() { /* foo.js & bar.js loaded */ }, error: function(depsNotFound) { /* foobar bundle load failed */ }, }); </script> ``` The latest version of LoadJS can be found in the `dist/` directory in this repository: * [https://cdn.rawgit.com/muicss/loadjs/4.2.0/dist/loadjs.js](https://cdn.rawgit.com/muicss/loadjs/4.2.0/dist/loadjs.js) (for development) * [https://cdn.rawgit.com/muicss/loadjs/4.2.0/dist/loadjs.min.js](https://cdn.rawgit.com/muicss/loadjs/4.2.0/dist/loadjs.min.js) (for production) It's also available from these public CDNs: * UNPKG * [https://unpkg.com/[email protected]/dist/loadjs.js](https://unpkg.com/[email protected]/dist/loadjs.js) (for development) * [https://unpkg.com/[email protected]/dist/loadjs.min.js](https://unpkg.com/[email protected]/dist/loadjs.min.js) (for production) * CDNJS * [https://cdnjs.cloudflare.com/ajax/libs/loadjs/4.2.0/loadjs.js](https://cdnjs.cloudflare.com/ajax/libs/loadjs/4.2.0/loadjs.js) (for development) * [https://cdnjs.cloudflare.com/ajax/libs/loadjs/4.2.0/loadjs.min.js](https://cdnjs.cloudflare.com/ajax/libs/loadjs/4.2.0/loadjs.min.js) (for production) You can also use it as a CJS or AMD module: ```bash $ npm install --save loadjs ``` ```javascript var loadjs = require('loadjs'); loadjs(['/path/to/foo.js', '/path/to/bar.js'], 'foobar'); loadjs.ready('foobar', function() { /* foo.js & bar.js loaded */ }); ``` ## Browser Support * IE9+ (`async: false` support only works in IE10+) * Opera 12+ * Safari 5+ * Chrome * Firefox * iOS 6+ * Android 4.4+ LoadJS also detects script load failures from AdBlock Plus and Ghostery in: * Safari * Chrome Note: LoadJS treats empty CSS files as load failures in IE9-11 and uses `rel="preload"` to load CSS files in Edge (to get around lack of support for onerror events on `<link rel="stylesheet">` tags) ## Documentation 1. Load a single file ```javascript loadjs('/path/to/foo.js', function() { /* foo.js loaded */ }); ``` 1. Fetch files in parallel and load them asynchronously ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], function() { /* foo.js and bar.js loaded */ * nodejs (http://nodejs.org/) * npm (https://www.npmjs.org/) ```javascript loadjs(['img!/path/to/image.custom'], function() { /* image.custom loaded */ }); ``` 1. Add a bundle id ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], 'foobar', function() { /* foo.js & bar.js loaded */ }); ``` 1. Use .ready() to define bundles and callbacks separately ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], 'foobar'); loadjs.ready('foobar', function() { /* foo.js & bar.js loaded */ }); ``` 1. Use multiple bundles in .ready() dependency lists ```javascript loadjs('/path/to/foo.js', 'foo'); loadjs(['/path/to/bar1.js', '/path/to/bar2.js'], 'bar'); loadjs.ready(['foo', 'bar'], function() { /* foo.js & bar1.js & bar2.js loaded */ }); ``` 1. Chain .ready() together ```javascript loadjs('/path/to/foo.js', 'foo'); loadjs('/path/to/bar.js', 'bar'); loadjs .ready('foo', function() { /* foo.js loaded */ }) .ready('bar', function() { /* bar.js loaded */ }); ``` 1. Use Promises to register callbacks ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], {returnPromise: true}) .then(function() { /* foo.js & bar.js loaded */ }) .catch(function(pathsNotFound) { /* at least one didn't load */ }); ``` 1. Check if bundle has already been defined ```javascript if (!loadjs.isDefined('foobar')) { loadjs(['/path/to/foo.js', '/path/to/bar.js'], 'foobar', function() { /* foo.js & bar.js loaded */ }); } ``` 1. Fetch files in parallel and load them in series ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], { success: function() { /* foo.js and bar.js loaded in series */ }, async: false }); ``` 1. Add an error callback ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], 'foobar', { success: function() { /* foo.js & bar.js loaded */ }, error: function(pathsNotFound) { /* at least one path didn't load */ } }); ``` 1. Retry files before calling the error callback ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], 'foobar', { success: function() { /* foo.js & bar.js loaded */ }, error: function(pathsNotFound) { /* at least one path didn't load */ }, numRetries: 3 }); // NOTE: Using `numRetries` with `async: false` can cause files to load out-of-sync on retries ``` 1. Execute a callback before script tags are embedded ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], { success: function() {}, error: function(pathsNotFound) {}, before: function(path, scriptEl) { /* called for each script node before being embedded */ if (path === '/path/to/foo.js') scriptEl.crossOrigin = true; } }); ``` 1. Bypass LoadJS default DOM insertion mechanism (DOM `<head>`) ```javascript loadjs(['/path/to/foo.js'], { success: function() {}, error: function(pathsNotFound) {}, before: function(path, scriptEl) { document.body.appendChild(scriptEl); /* return `false` to bypass default DOM insertion mechanism */ return false; } }); ``` 1. Use bundle ids in error callback ```javascript loadjs('/path/to/foo.js', 'foo'); loadjs('/path/to/bar.js', 'bar'); loadjs(['/path/to/thunkor.js', '/path/to/thunky.js'], 'thunk'); // wait for multiple depdendencies loadjs.ready(['foo', 'bar', 'thunk'], { success: function() { // foo.js & bar.js & thunkor.js & thunky.js loaded }, error: function(depsNotFound) { if (depsNotFound.indexOf('foo') > -1) {}; // foo failed if (depsNotFound.indexOf('bar') > -1) {}; // bar failed if (depsNotFound.indexOf('thunk') > -1) {}; // thunk failed } }); ``` 1. Use .done() for more control ```javascript loadjs.ready(['dependency1', 'dependency2'], function() { /* run code after dependencies have been met */ }); function fn1() { loadjs.done('dependency1'); } function fn2() { loadjs.done('dependency2'); } ``` 1. Reset dependency trackers ```javascript loadjs.reset(); ``` 1. Implement a require-like dependency manager ```javascript var bundles = { 'bundleA': ['/file1.js', '/file2.js'], 'bundleB': ['/file3.js', '/file4.js'] }; function require(bundleIds, callbackFn) { bundleIds.forEach(function(bundleId) { if (!loadjs.isDefined(bundleId)) loadjs(bundles[bundleId], bundleId); }); loadjs.ready(bundleIds, callbackFn); } require(['bundleA'], function() { /* bundleA loaded */ }); require(['bundleB'], function() { /* bundleB loaded */ }); require(['bundleA', 'bundleB'], function() { /* bundleA and bundleB loaded */ }); ``` ## Directory structure <pre> loadjs/ ├── dist │   ├── loadjs.js │   ├── loadjs.min.js │   └── loadjs.umd.js ├── examples ├── gulpfile.js ├── LICENSE.txt ├── package.json ├── README.md ├── src │   └── loadjs.js ├── test └── umd-templates </pre> ## Development Quickstart 1. Install dependencies * [nodejs](http://nodejs.org/) * [npm](https://www.npmjs.org/) * http-server (via npm) 1. Clone repository ```bash $ git clone [email protected]:muicss/loadjs.git $ cd loadjs ``` 1. Install node dependencies using npm ```bash $ npm install ``` 1. Build examples ```bash $ npm run build-examples ``` To view the examples you can use any static file server. To use the `nodejs` http-server module: ```bash $ npm install http-server $ npm run http-server -- -p 3000 ``` Then visit [http://localhost:3000/examples](http://localhost:3000/examples) 1. Build distribution files ```bash $ npm run build-dist ``` The files will be located in the `dist` directory. 1. Run tests To run the browser tests first build the `loadjs` library: ```bash $ npm run build-tests ``` Then visit [http://localhost:3000/test](http://localhost:3000/test) 1. Build all files ```bash $ npm run build-all ``` <MSG> Update README.md <DFF> @@ -2,33 +2,27 @@ <img src="https://www.muicss.com/static/images/loadjs.svg" width="250px"> -LoadJS is a tiny async loader for modern browsers (590 B gzipped). +LoadJS is a tiny async loader for modern browsers (590 bytes). [![Build Status](https://travis-ci.org/muicss/loadjs.svg?branch=master)](https://travis-ci.org/muicss/loadjs) [![Dependency Status](https://david-dm.org/muicss/loadjs.svg)](https://david-dm.org/muicss/loadjs) [![devDependency Status](https://david-dm.org/muicss/loadjs/dev-status.svg)](https://david-dm.org/muicss/loadjs#info=devDependencies) -## Directory structure +## Introduction -<pre> -loadjs/ -├── dist -| ├── loadjs.js -| └── loadjs.min.js -├── examples/ -├── gulpfile.js -├── main.js -├── package.json -├── LICENSE.md -├── README.md -├── src -| └── loadjs.js -├── test/ -</pre> +LoadJS is a tiny async loading library for modern browsers (IE9+). It has a simple but powerful dependency management system that lets you fetch files in parallel and execute code after all the dependencies have been met. The recommended way to use LoadJS is to include the minified source code in your &lt;html&gt; and then use LoadJS to manage JavaScript dependencies after pageload. -## Introduction +LoadJS is based on the excellent <a href="https://github.com/ded/script.js">$script</a> library by <a href="https://github.com/ded">Dustin Diaz</a>. We kept the behavior of the library the same but we re-wrote the code from scratch to add support for error callbacks and to optimize the library for modern browsers. +## Browser Support + * IE9+ + * Opera 10+ ?? + * Safar 3+ ?? + * Chrome 1+ ?? + * Firefox 2+ ?? + * iOS ?? + * Android ?? ## Documentation @@ -117,3 +111,21 @@ loadjs.ready('jquery', function() { * nodejs (http://nodejs.org/) * npm (https://www.npmjs.org/) + +## Directory structure + +<pre> +loadjs/ +├── dist +| ├── loadjs.js +| └── loadjs.min.js +├── examples/ +├── gulpfile.js +├── main.js +├── package.json +├── LICENSE.md +├── README.md +├── src +| └── loadjs.js +├── test/ +</pre>
30
Update README.md
18
.md
md
mit
muicss/loadjs
10063880
<NME> README.md <BEF> # LoadJS <img src="https://www.muicss.com/static/images/loadjs.svg" width="250px"> LoadJS is a tiny async loader for modern browsers (590 B gzipped). [![Build Status](https://travis-ci.org/muicss/loadjs.svg?branch=master)](https://travis-ci.org/muicss/loadjs) [![Dependency Status](https://david-dm.org/muicss/loadjs.svg)](https://david-dm.org/muicss/loadjs) [![devDependency Status](https://david-dm.org/muicss/loadjs/dev-status.svg)](https://david-dm.org/muicss/loadjs#info=devDependencies) ## Directory structure <pre> loadjs/ ├── dist | ├── loadjs.js | └── loadjs.min.js ├── examples/ ├── gulpfile.js ├── main.js ├── package.json ├── LICENSE.md ├── README.md ├── src | └── loadjs.js ├── test/ </pre> ## Introduction ## Documentation ``` You can also use more advanced syntax for more options: ```html <script src="//unpkg.com/loadjs@latest/dist/loadjs.min.js"></script> <script> // define a dependency bundle with advanced options loadjs(['/path/to/foo.js', '/path/to/bar.js'], 'foobar', { before: function(path, scriptEl) { /* execute code before fetch */ }, async: true, // load files synchronously or asynchronously (default: true) numRetries: 3 // see caveats about using numRetries with async:false (default: 0), returnPromise: false // return Promise object (default: false) }); loadjs.ready('foobar', { success: function() { /* foo.js & bar.js loaded */ }, error: function(depsNotFound) { /* foobar bundle load failed */ }, }); </script> ``` The latest version of LoadJS can be found in the `dist/` directory in this repository: * [https://cdn.rawgit.com/muicss/loadjs/4.2.0/dist/loadjs.js](https://cdn.rawgit.com/muicss/loadjs/4.2.0/dist/loadjs.js) (for development) * [https://cdn.rawgit.com/muicss/loadjs/4.2.0/dist/loadjs.min.js](https://cdn.rawgit.com/muicss/loadjs/4.2.0/dist/loadjs.min.js) (for production) It's also available from these public CDNs: * UNPKG * [https://unpkg.com/[email protected]/dist/loadjs.js](https://unpkg.com/[email protected]/dist/loadjs.js) (for development) * [https://unpkg.com/[email protected]/dist/loadjs.min.js](https://unpkg.com/[email protected]/dist/loadjs.min.js) (for production) * CDNJS * [https://cdnjs.cloudflare.com/ajax/libs/loadjs/4.2.0/loadjs.js](https://cdnjs.cloudflare.com/ajax/libs/loadjs/4.2.0/loadjs.js) (for development) * [https://cdnjs.cloudflare.com/ajax/libs/loadjs/4.2.0/loadjs.min.js](https://cdnjs.cloudflare.com/ajax/libs/loadjs/4.2.0/loadjs.min.js) (for production) You can also use it as a CJS or AMD module: ```bash $ npm install --save loadjs ``` ```javascript var loadjs = require('loadjs'); loadjs(['/path/to/foo.js', '/path/to/bar.js'], 'foobar'); loadjs.ready('foobar', function() { /* foo.js & bar.js loaded */ }); ``` ## Browser Support * IE9+ (`async: false` support only works in IE10+) * Opera 12+ * Safari 5+ * Chrome * Firefox * iOS 6+ * Android 4.4+ LoadJS also detects script load failures from AdBlock Plus and Ghostery in: * Safari * Chrome Note: LoadJS treats empty CSS files as load failures in IE9-11 and uses `rel="preload"` to load CSS files in Edge (to get around lack of support for onerror events on `<link rel="stylesheet">` tags) ## Documentation 1. Load a single file ```javascript loadjs('/path/to/foo.js', function() { /* foo.js loaded */ }); ``` 1. Fetch files in parallel and load them asynchronously ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], function() { /* foo.js and bar.js loaded */ * nodejs (http://nodejs.org/) * npm (https://www.npmjs.org/) ```javascript loadjs(['img!/path/to/image.custom'], function() { /* image.custom loaded */ }); ``` 1. Add a bundle id ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], 'foobar', function() { /* foo.js & bar.js loaded */ }); ``` 1. Use .ready() to define bundles and callbacks separately ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], 'foobar'); loadjs.ready('foobar', function() { /* foo.js & bar.js loaded */ }); ``` 1. Use multiple bundles in .ready() dependency lists ```javascript loadjs('/path/to/foo.js', 'foo'); loadjs(['/path/to/bar1.js', '/path/to/bar2.js'], 'bar'); loadjs.ready(['foo', 'bar'], function() { /* foo.js & bar1.js & bar2.js loaded */ }); ``` 1. Chain .ready() together ```javascript loadjs('/path/to/foo.js', 'foo'); loadjs('/path/to/bar.js', 'bar'); loadjs .ready('foo', function() { /* foo.js loaded */ }) .ready('bar', function() { /* bar.js loaded */ }); ``` 1. Use Promises to register callbacks ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], {returnPromise: true}) .then(function() { /* foo.js & bar.js loaded */ }) .catch(function(pathsNotFound) { /* at least one didn't load */ }); ``` 1. Check if bundle has already been defined ```javascript if (!loadjs.isDefined('foobar')) { loadjs(['/path/to/foo.js', '/path/to/bar.js'], 'foobar', function() { /* foo.js & bar.js loaded */ }); } ``` 1. Fetch files in parallel and load them in series ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], { success: function() { /* foo.js and bar.js loaded in series */ }, async: false }); ``` 1. Add an error callback ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], 'foobar', { success: function() { /* foo.js & bar.js loaded */ }, error: function(pathsNotFound) { /* at least one path didn't load */ } }); ``` 1. Retry files before calling the error callback ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], 'foobar', { success: function() { /* foo.js & bar.js loaded */ }, error: function(pathsNotFound) { /* at least one path didn't load */ }, numRetries: 3 }); // NOTE: Using `numRetries` with `async: false` can cause files to load out-of-sync on retries ``` 1. Execute a callback before script tags are embedded ```javascript loadjs(['/path/to/foo.js', '/path/to/bar.js'], { success: function() {}, error: function(pathsNotFound) {}, before: function(path, scriptEl) { /* called for each script node before being embedded */ if (path === '/path/to/foo.js') scriptEl.crossOrigin = true; } }); ``` 1. Bypass LoadJS default DOM insertion mechanism (DOM `<head>`) ```javascript loadjs(['/path/to/foo.js'], { success: function() {}, error: function(pathsNotFound) {}, before: function(path, scriptEl) { document.body.appendChild(scriptEl); /* return `false` to bypass default DOM insertion mechanism */ return false; } }); ``` 1. Use bundle ids in error callback ```javascript loadjs('/path/to/foo.js', 'foo'); loadjs('/path/to/bar.js', 'bar'); loadjs(['/path/to/thunkor.js', '/path/to/thunky.js'], 'thunk'); // wait for multiple depdendencies loadjs.ready(['foo', 'bar', 'thunk'], { success: function() { // foo.js & bar.js & thunkor.js & thunky.js loaded }, error: function(depsNotFound) { if (depsNotFound.indexOf('foo') > -1) {}; // foo failed if (depsNotFound.indexOf('bar') > -1) {}; // bar failed if (depsNotFound.indexOf('thunk') > -1) {}; // thunk failed } }); ``` 1. Use .done() for more control ```javascript loadjs.ready(['dependency1', 'dependency2'], function() { /* run code after dependencies have been met */ }); function fn1() { loadjs.done('dependency1'); } function fn2() { loadjs.done('dependency2'); } ``` 1. Reset dependency trackers ```javascript loadjs.reset(); ``` 1. Implement a require-like dependency manager ```javascript var bundles = { 'bundleA': ['/file1.js', '/file2.js'], 'bundleB': ['/file3.js', '/file4.js'] }; function require(bundleIds, callbackFn) { bundleIds.forEach(function(bundleId) { if (!loadjs.isDefined(bundleId)) loadjs(bundles[bundleId], bundleId); }); loadjs.ready(bundleIds, callbackFn); } require(['bundleA'], function() { /* bundleA loaded */ }); require(['bundleB'], function() { /* bundleB loaded */ }); require(['bundleA', 'bundleB'], function() { /* bundleA and bundleB loaded */ }); ``` ## Directory structure <pre> loadjs/ ├── dist │   ├── loadjs.js │   ├── loadjs.min.js │   └── loadjs.umd.js ├── examples ├── gulpfile.js ├── LICENSE.txt ├── package.json ├── README.md ├── src │   └── loadjs.js ├── test └── umd-templates </pre> ## Development Quickstart 1. Install dependencies * [nodejs](http://nodejs.org/) * [npm](https://www.npmjs.org/) * http-server (via npm) 1. Clone repository ```bash $ git clone [email protected]:muicss/loadjs.git $ cd loadjs ``` 1. Install node dependencies using npm ```bash $ npm install ``` 1. Build examples ```bash $ npm run build-examples ``` To view the examples you can use any static file server. To use the `nodejs` http-server module: ```bash $ npm install http-server $ npm run http-server -- -p 3000 ``` Then visit [http://localhost:3000/examples](http://localhost:3000/examples) 1. Build distribution files ```bash $ npm run build-dist ``` The files will be located in the `dist` directory. 1. Run tests To run the browser tests first build the `loadjs` library: ```bash $ npm run build-tests ``` Then visit [http://localhost:3000/test](http://localhost:3000/test) 1. Build all files ```bash $ npm run build-all ``` <MSG> Update README.md <DFF> @@ -2,33 +2,27 @@ <img src="https://www.muicss.com/static/images/loadjs.svg" width="250px"> -LoadJS is a tiny async loader for modern browsers (590 B gzipped). +LoadJS is a tiny async loader for modern browsers (590 bytes). [![Build Status](https://travis-ci.org/muicss/loadjs.svg?branch=master)](https://travis-ci.org/muicss/loadjs) [![Dependency Status](https://david-dm.org/muicss/loadjs.svg)](https://david-dm.org/muicss/loadjs) [![devDependency Status](https://david-dm.org/muicss/loadjs/dev-status.svg)](https://david-dm.org/muicss/loadjs#info=devDependencies) -## Directory structure +## Introduction -<pre> -loadjs/ -├── dist -| ├── loadjs.js -| └── loadjs.min.js -├── examples/ -├── gulpfile.js -├── main.js -├── package.json -├── LICENSE.md -├── README.md -├── src -| └── loadjs.js -├── test/ -</pre> +LoadJS is a tiny async loading library for modern browsers (IE9+). It has a simple but powerful dependency management system that lets you fetch files in parallel and execute code after all the dependencies have been met. The recommended way to use LoadJS is to include the minified source code in your &lt;html&gt; and then use LoadJS to manage JavaScript dependencies after pageload. -## Introduction +LoadJS is based on the excellent <a href="https://github.com/ded/script.js">$script</a> library by <a href="https://github.com/ded">Dustin Diaz</a>. We kept the behavior of the library the same but we re-wrote the code from scratch to add support for error callbacks and to optimize the library for modern browsers. +## Browser Support + * IE9+ + * Opera 10+ ?? + * Safar 3+ ?? + * Chrome 1+ ?? + * Firefox 2+ ?? + * iOS ?? + * Android ?? ## Documentation @@ -117,3 +111,21 @@ loadjs.ready('jquery', function() { * nodejs (http://nodejs.org/) * npm (https://www.npmjs.org/) + +## Directory structure + +<pre> +loadjs/ +├── dist +| ├── loadjs.js +| └── loadjs.min.js +├── examples/ +├── gulpfile.js +├── main.js +├── package.json +├── LICENSE.md +├── README.md +├── src +| └── loadjs.js +├── test/ +</pre>
30
Update README.md
18
.md
md
mit
muicss/loadjs
10063881
<NME> theme.css <BEF> .jsgrid-grid-header, .jsgrid-grid-body, .jsgrid-header-row > .jsgrid-header-cell, .jsgrid-filter-row > .jsgrid-cell, .jsgrid-insert-row > .jsgrid-cell, .jsgrid-edit-row > .jsgrid-cell { border: 1px solid #e9e9e9; } .jsgrid-header-row > .jsgrid-header-cell { border-top: 0; } .jsgrid-header-row > .jsgrid-header-cell, .jsgrid-filter-row > .jsgrid-cell, .jsgrid-insert-row > .jsgrid-cell { border-bottom: 0; } .jsgrid-header-row > .jsgrid-header-cell:first-child, .jsgrid-filter-row > .jsgrid-cell:first-child, .jsgrid-insert-row > .jsgrid-cell:first-child { border-left: none; } .jsgrid-header-row > .jsgrid-header-cell:last-child, .jsgrid-filter-row > .jsgrid-cell:last-child, .jsgrid-insert-row > .jsgrid-cell:last-child { border-right: none; } .jsgrid-header-row .jsgrid-align-right, .jsgrid-header-row .jsgrid-align-left { text-align: center; } .jsgrid-grid-header { background: #f9f9f9; } .jsgrid-header-scrollbar { scrollbar-arrow-color: #f1f1f1; scrollbar-base-color: #f1f1f1; scrollbar-3dlight-color: #f1f1f1; scrollbar-highlight-color: #f1f1f1; scrollbar-track-color: #f1f1f1; scrollbar-shadow-color: #f1f1f1; scrollbar-dark-shadow-color: #f1f1f1; } .jsgrid-header-scrollbar::-webkit-scrollbar { visibility: hidden; } .jsgrid-header-scrollbar::-webkit-scrollbar-track { background: #f1f1f1; } .jsgrid-header-sortable:hover { cursor: pointer; background: #fcfcfc; } .jsgrid-header-row .jsgrid-header-sort { background: #c4e2ff; } .jsgrid-header-sort:before { content: " "; display: block; float: left; width: 0; height: 0; border-style: solid; } .jsgrid-header-sort-asc:before { border-width: 0 5px 5px 5px; border-color: transparent transparent #009a67 transparent; } .jsgrid-header-sort-desc:before { border-width: 5px 5px 0 5px; border-color: #009a67 transparent transparent transparent; } .jsgrid-grid-body { border-top: none; } .jsgrid-cell { border: #f3f3f3 1px solid; } .jsgrid-grid-body .jsgrid-row:first-child .jsgrid-cell, .jsgrid-grid-body .jsgrid-alt-row:first-child .jsgrid-cell { border-top: none; } .jsgrid-grid-body .jsgrid-cell:first-child { border-left: none; } .jsgrid-grid-body .jsgrid-cell:last-child { border-right: none; } .jsgrid-row > .jsgrid-cell { background: #fff; } .jsgrid-alt-row > .jsgrid-cell { background: #fcfcfc; } .jsgrid-header-row > .jsgrid-header-cell { background: #f9f9f9; } .jsgrid-filter-row > .jsgrid-cell { background: #fcfcfc; } .jsgrid-insert-row > .jsgrid-cell { background: #e3ffe5; } .jsgrid-edit-row > .jsgrid-cell { background: #fdffe3; } .jsgrid-selected-row > .jsgrid-cell { background: #c4e2ff; border-color: #c4e2ff; } .jsgrid-nodata-row > .jsgrid-cell { background: #fff; } .jsgrid-invalid input, .jsgrid-invalid select, .jsgrid-invalid textarea { background: #ffe3e5; border: 1px solid #ff808a; } .jsgrid-pager-current-page { font-weight: bold; } .jsgrid-pager-nav-inactive-button a { color: #d3d3d3; } .jsgrid-button + .jsgrid-button { margin-left: 5px; } .jsgrid-button:hover { opacity: .5; transition: opacity 200ms linear; } .jsgrid .jsgrid-button { width: 16px; height: 16px; border: none; cursor: pointer; background-image: url(icons.png); background-repeat: no-repeat; background-color: transparent; } @media only screen and (-webkit-min-device-pixel-ratio: 2), only screen and (min-device-pixel-ratio: 2) { .jsgrid .jsgrid-button { background-image: url(icons-2x.png); background-size: 24px 352px; } } .jsgrid .jsgrid-mode-button { width: 24px; height: 24px; } .jsgrid-mode-on-button { opacity: .5; } to { transform: rotate(360deg); } } .jsgrid-load-shader { background: #ddd; opacity: .5; filter: alpha(opacity=50); } .jsgrid-load-panel { width: 15em; height: 5em; background: #fff; border: 1px solid #e9e9e9; padding-top: 3em; text-align: center; } .jsgrid-load-panel:before { content: ' '; position: absolute; top: .5em; left: 50%; margin-left: -1em; width: 2em; height: 2em; border: 2px solid #009a67; border-right-color: transparent; border-radius: 50%; -webkit-animation: indicator 1s linear infinite; animation: indicator 1s linear infinite; } @-webkit-keyframes indicator { from { -webkit-transform: rotate(0deg); } 50% { -webkit-transform: rotate(180deg); } to { -webkit-transform: rotate(360deg); } } @keyframes indicator { from { transform: rotate(0deg); } 50% { transform: rotate(180deg); } to { transform: rotate(360deg); } } /* old IE */ .jsgrid-load-panel { padding-top: 1.5em\9; } .jsgrid-load-panel:before { display: none\9; } <MSG> Theme: Load indicator degradation for old IE not supporting animation <DFF> @@ -190,3 +190,10 @@ to { transform: rotate(360deg); } } +/* old IE */ +.jsgrid-load-panel { + padding-top: 1.5em \ ; +} +.jsgrid-load-panel:before { + display: none \ ; +}
7
Theme: Load indicator degradation for old IE not supporting animation
0
.css
css
mit
tabalinas/jsgrid
10063882
<NME> theme.css <BEF> .jsgrid-grid-header, .jsgrid-grid-body, .jsgrid-header-row > .jsgrid-header-cell, .jsgrid-filter-row > .jsgrid-cell, .jsgrid-insert-row > .jsgrid-cell, .jsgrid-edit-row > .jsgrid-cell { border: 1px solid #e9e9e9; } .jsgrid-header-row > .jsgrid-header-cell { border-top: 0; } .jsgrid-header-row > .jsgrid-header-cell, .jsgrid-filter-row > .jsgrid-cell, .jsgrid-insert-row > .jsgrid-cell { border-bottom: 0; } .jsgrid-header-row > .jsgrid-header-cell:first-child, .jsgrid-filter-row > .jsgrid-cell:first-child, .jsgrid-insert-row > .jsgrid-cell:first-child { border-left: none; } .jsgrid-header-row > .jsgrid-header-cell:last-child, .jsgrid-filter-row > .jsgrid-cell:last-child, .jsgrid-insert-row > .jsgrid-cell:last-child { border-right: none; } .jsgrid-header-row .jsgrid-align-right, .jsgrid-header-row .jsgrid-align-left { text-align: center; } .jsgrid-grid-header { background: #f9f9f9; } .jsgrid-header-scrollbar { scrollbar-arrow-color: #f1f1f1; scrollbar-base-color: #f1f1f1; scrollbar-3dlight-color: #f1f1f1; scrollbar-highlight-color: #f1f1f1; scrollbar-track-color: #f1f1f1; scrollbar-shadow-color: #f1f1f1; scrollbar-dark-shadow-color: #f1f1f1; } .jsgrid-header-scrollbar::-webkit-scrollbar { visibility: hidden; } .jsgrid-header-scrollbar::-webkit-scrollbar-track { background: #f1f1f1; } .jsgrid-header-sortable:hover { cursor: pointer; background: #fcfcfc; } .jsgrid-header-row .jsgrid-header-sort { background: #c4e2ff; } .jsgrid-header-sort:before { content: " "; display: block; float: left; width: 0; height: 0; border-style: solid; } .jsgrid-header-sort-asc:before { border-width: 0 5px 5px 5px; border-color: transparent transparent #009a67 transparent; } .jsgrid-header-sort-desc:before { border-width: 5px 5px 0 5px; border-color: #009a67 transparent transparent transparent; } .jsgrid-grid-body { border-top: none; } .jsgrid-cell { border: #f3f3f3 1px solid; } .jsgrid-grid-body .jsgrid-row:first-child .jsgrid-cell, .jsgrid-grid-body .jsgrid-alt-row:first-child .jsgrid-cell { border-top: none; } .jsgrid-grid-body .jsgrid-cell:first-child { border-left: none; } .jsgrid-grid-body .jsgrid-cell:last-child { border-right: none; } .jsgrid-row > .jsgrid-cell { background: #fff; } .jsgrid-alt-row > .jsgrid-cell { background: #fcfcfc; } .jsgrid-header-row > .jsgrid-header-cell { background: #f9f9f9; } .jsgrid-filter-row > .jsgrid-cell { background: #fcfcfc; } .jsgrid-insert-row > .jsgrid-cell { background: #e3ffe5; } .jsgrid-edit-row > .jsgrid-cell { background: #fdffe3; } .jsgrid-selected-row > .jsgrid-cell { background: #c4e2ff; border-color: #c4e2ff; } .jsgrid-nodata-row > .jsgrid-cell { background: #fff; } .jsgrid-invalid input, .jsgrid-invalid select, .jsgrid-invalid textarea { background: #ffe3e5; border: 1px solid #ff808a; } .jsgrid-pager-current-page { font-weight: bold; } .jsgrid-pager-nav-inactive-button a { color: #d3d3d3; } .jsgrid-button + .jsgrid-button { margin-left: 5px; } .jsgrid-button:hover { opacity: .5; transition: opacity 200ms linear; } .jsgrid .jsgrid-button { width: 16px; height: 16px; border: none; cursor: pointer; background-image: url(icons.png); background-repeat: no-repeat; background-color: transparent; } @media only screen and (-webkit-min-device-pixel-ratio: 2), only screen and (min-device-pixel-ratio: 2) { .jsgrid .jsgrid-button { background-image: url(icons-2x.png); background-size: 24px 352px; } } .jsgrid .jsgrid-mode-button { width: 24px; height: 24px; } .jsgrid-mode-on-button { opacity: .5; } to { transform: rotate(360deg); } } .jsgrid-load-shader { background: #ddd; opacity: .5; filter: alpha(opacity=50); } .jsgrid-load-panel { width: 15em; height: 5em; background: #fff; border: 1px solid #e9e9e9; padding-top: 3em; text-align: center; } .jsgrid-load-panel:before { content: ' '; position: absolute; top: .5em; left: 50%; margin-left: -1em; width: 2em; height: 2em; border: 2px solid #009a67; border-right-color: transparent; border-radius: 50%; -webkit-animation: indicator 1s linear infinite; animation: indicator 1s linear infinite; } @-webkit-keyframes indicator { from { -webkit-transform: rotate(0deg); } 50% { -webkit-transform: rotate(180deg); } to { -webkit-transform: rotate(360deg); } } @keyframes indicator { from { transform: rotate(0deg); } 50% { transform: rotate(180deg); } to { transform: rotate(360deg); } } /* old IE */ .jsgrid-load-panel { padding-top: 1.5em\9; } .jsgrid-load-panel:before { display: none\9; } <MSG> Theme: Load indicator degradation for old IE not supporting animation <DFF> @@ -190,3 +190,10 @@ to { transform: rotate(360deg); } } +/* old IE */ +.jsgrid-load-panel { + padding-top: 1.5em \ ; +} +.jsgrid-load-panel:before { + display: none \ ; +}
7
Theme: Load indicator degradation for old IE not supporting animation
0
.css
css
mit
tabalinas/jsgrid
10063883
<NME> AvaloniaEdit.csproj <BEF> <Project Sdk="Microsoft.NET.Sdk"> <PropertyGroup> <TargetFramework>netstandard2.0</TargetFramework> <WarningsNotAsErrors>0612,0618</WarningsNotAsErrors> <PackageId>Avalonia.AvaloniaEdit</PackageId> </PropertyGroup> <ItemGroup> <EmbeddedResource Include="**\*.xshd;**\*.resx;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> <AvaloniaResource Include="**\*.xaml;Assets\*;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> </ItemGroup> <ItemGroup> <None Remove="Search\Assets\CaseSensitive.png" /> <None Remove="Search\Assets\CompleteWord.png" /> <None Remove="Search\Assets\FindNext.png" /> <None Remove="Search\Assets\FindPrevious.png" /> <None Remove="Search\Assets\RegularExpression.png" /> <None Remove="Search\Assets\ReplaceAll.png" /> <None Remove="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <EmbeddedResource Include="Search\Assets\CaseSensitive.png" /> <EmbeddedResource Include="Search\Assets\CompleteWord.png" /> <EmbeddedResource Include="Search\Assets\FindNext.png" /> <EmbeddedResource Include="Search\Assets\FindPrevious.png" /> <EmbeddedResource Include="Search\Assets\RegularExpression.png" /> <EmbeddedResource Include="Search\Assets\ReplaceAll.png" /> <EmbeddedResource Include="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup> <Compile Update="SR.Designer.cs"> <DesignTime>True</DesignTime> <AutoGen>True</AutoGen> <DependentUpon>SR.resx</DependentUpon> </Compile> </ItemGroup> <ItemGroup> <EmbeddedResource Update="SR.resx"> <Generator>PublicResXFileCodeGenerator</Generator> <LastGenOutput>SR.Designer.cs</LastGenOutput> </EmbeddedResource> </ItemGroup> <Target Name="ChangeAliasesOfSystemDrawing" BeforeTargets="FindReferenceAssembliesForReferences;ResolveReferences"> <ItemGroup> <ReferencePath Condition="'%(FileName)' == 'Splat'"> <Aliases>SystemDrawing</Aliases> </ReferencePath> </ItemGroup> </Target> </Project> <MSG> Merge pull request #251 from Numpsy/rw/no_xml_readerwriter Try building without the System.Xml.ReaderWriter nuget package reference <DFF> @@ -35,7 +35,6 @@ <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> - <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup>
0
Merge pull request #251 from Numpsy/rw/no_xml_readerwriter
1
.csproj
csproj
mit
AvaloniaUI/AvaloniaEdit
10063884
<NME> AvaloniaEdit.csproj <BEF> <Project Sdk="Microsoft.NET.Sdk"> <PropertyGroup> <TargetFramework>netstandard2.0</TargetFramework> <WarningsNotAsErrors>0612,0618</WarningsNotAsErrors> <PackageId>Avalonia.AvaloniaEdit</PackageId> </PropertyGroup> <ItemGroup> <EmbeddedResource Include="**\*.xshd;**\*.resx;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> <AvaloniaResource Include="**\*.xaml;Assets\*;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> </ItemGroup> <ItemGroup> <None Remove="Search\Assets\CaseSensitive.png" /> <None Remove="Search\Assets\CompleteWord.png" /> <None Remove="Search\Assets\FindNext.png" /> <None Remove="Search\Assets\FindPrevious.png" /> <None Remove="Search\Assets\RegularExpression.png" /> <None Remove="Search\Assets\ReplaceAll.png" /> <None Remove="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <EmbeddedResource Include="Search\Assets\CaseSensitive.png" /> <EmbeddedResource Include="Search\Assets\CompleteWord.png" /> <EmbeddedResource Include="Search\Assets\FindNext.png" /> <EmbeddedResource Include="Search\Assets\FindPrevious.png" /> <EmbeddedResource Include="Search\Assets\RegularExpression.png" /> <EmbeddedResource Include="Search\Assets\ReplaceAll.png" /> <EmbeddedResource Include="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup> <Compile Update="SR.Designer.cs"> <DesignTime>True</DesignTime> <AutoGen>True</AutoGen> <DependentUpon>SR.resx</DependentUpon> </Compile> </ItemGroup> <ItemGroup> <EmbeddedResource Update="SR.resx"> <Generator>PublicResXFileCodeGenerator</Generator> <LastGenOutput>SR.Designer.cs</LastGenOutput> </EmbeddedResource> </ItemGroup> <Target Name="ChangeAliasesOfSystemDrawing" BeforeTargets="FindReferenceAssembliesForReferences;ResolveReferences"> <ItemGroup> <ReferencePath Condition="'%(FileName)' == 'Splat'"> <Aliases>SystemDrawing</Aliases> </ReferencePath> </ItemGroup> </Target> </Project> <MSG> Merge pull request #251 from Numpsy/rw/no_xml_readerwriter Try building without the System.Xml.ReaderWriter nuget package reference <DFF> @@ -35,7 +35,6 @@ <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> - <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup>
0
Merge pull request #251 from Numpsy/rw/no_xml_readerwriter
1
.csproj
csproj
mit
AvaloniaUI/AvaloniaEdit
10063885
<NME> AvaloniaEdit.csproj <BEF> <Project Sdk="Microsoft.NET.Sdk"> <PropertyGroup> <TargetFramework>netstandard2.0</TargetFramework> <WarningsNotAsErrors>0612,0618</WarningsNotAsErrors> <PackageId>Avalonia.AvaloniaEdit</PackageId> </PropertyGroup> <ItemGroup> <EmbeddedResource Include="**\*.xshd;**\*.resx;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> <AvaloniaResource Include="**\*.xaml;Assets\*;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> </ItemGroup> <ItemGroup> <None Remove="Search\Assets\CaseSensitive.png" /> <None Remove="Search\Assets\CompleteWord.png" /> <None Remove="Search\Assets\FindNext.png" /> <None Remove="Search\Assets\FindPrevious.png" /> <None Remove="Search\Assets\RegularExpression.png" /> <None Remove="Search\Assets\ReplaceAll.png" /> <None Remove="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <EmbeddedResource Include="Search\Assets\CaseSensitive.png" /> <EmbeddedResource Include="Search\Assets\CompleteWord.png" /> <EmbeddedResource Include="Search\Assets\FindNext.png" /> <EmbeddedResource Include="Search\Assets\FindPrevious.png" /> <EmbeddedResource Include="Search\Assets\RegularExpression.png" /> <EmbeddedResource Include="Search\Assets\ReplaceAll.png" /> <EmbeddedResource Include="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup> <Compile Update="SR.Designer.cs"> <DesignTime>True</DesignTime> <AutoGen>True</AutoGen> <DependentUpon>SR.resx</DependentUpon> </Compile> </ItemGroup> <ItemGroup> <EmbeddedResource Update="SR.resx"> <Generator>PublicResXFileCodeGenerator</Generator> <LastGenOutput>SR.Designer.cs</LastGenOutput> </EmbeddedResource> </ItemGroup> <Target Name="ChangeAliasesOfSystemDrawing" BeforeTargets="FindReferenceAssembliesForReferences;ResolveReferences"> <ItemGroup> <ReferencePath Condition="'%(FileName)' == 'Splat'"> <Aliases>SystemDrawing</Aliases> </ReferencePath> </ItemGroup> </Target> </Project> <MSG> Merge pull request #251 from Numpsy/rw/no_xml_readerwriter Try building without the System.Xml.ReaderWriter nuget package reference <DFF> @@ -35,7 +35,6 @@ <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> - <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup>
0
Merge pull request #251 from Numpsy/rw/no_xml_readerwriter
1
.csproj
csproj
mit
AvaloniaUI/AvaloniaEdit
10063886
<NME> AvaloniaEdit.csproj <BEF> <Project Sdk="Microsoft.NET.Sdk"> <PropertyGroup> <TargetFramework>netstandard2.0</TargetFramework> <WarningsNotAsErrors>0612,0618</WarningsNotAsErrors> <PackageId>Avalonia.AvaloniaEdit</PackageId> </PropertyGroup> <ItemGroup> <EmbeddedResource Include="**\*.xshd;**\*.resx;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> <AvaloniaResource Include="**\*.xaml;Assets\*;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> </ItemGroup> <ItemGroup> <None Remove="Search\Assets\CaseSensitive.png" /> <None Remove="Search\Assets\CompleteWord.png" /> <None Remove="Search\Assets\FindNext.png" /> <None Remove="Search\Assets\FindPrevious.png" /> <None Remove="Search\Assets\RegularExpression.png" /> <None Remove="Search\Assets\ReplaceAll.png" /> <None Remove="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <EmbeddedResource Include="Search\Assets\CaseSensitive.png" /> <EmbeddedResource Include="Search\Assets\CompleteWord.png" /> <EmbeddedResource Include="Search\Assets\FindNext.png" /> <EmbeddedResource Include="Search\Assets\FindPrevious.png" /> <EmbeddedResource Include="Search\Assets\RegularExpression.png" /> <EmbeddedResource Include="Search\Assets\ReplaceAll.png" /> <EmbeddedResource Include="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup> <Compile Update="SR.Designer.cs"> <DesignTime>True</DesignTime> <AutoGen>True</AutoGen> <DependentUpon>SR.resx</DependentUpon> </Compile> </ItemGroup> <ItemGroup> <EmbeddedResource Update="SR.resx"> <Generator>PublicResXFileCodeGenerator</Generator> <LastGenOutput>SR.Designer.cs</LastGenOutput> </EmbeddedResource> </ItemGroup> <Target Name="ChangeAliasesOfSystemDrawing" BeforeTargets="FindReferenceAssembliesForReferences;ResolveReferences"> <ItemGroup> <ReferencePath Condition="'%(FileName)' == 'Splat'"> <Aliases>SystemDrawing</Aliases> </ReferencePath> </ItemGroup> </Target> </Project> <MSG> Merge pull request #251 from Numpsy/rw/no_xml_readerwriter Try building without the System.Xml.ReaderWriter nuget package reference <DFF> @@ -35,7 +35,6 @@ <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> - <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup>
0
Merge pull request #251 from Numpsy/rw/no_xml_readerwriter
1
.csproj
csproj
mit
AvaloniaUI/AvaloniaEdit
10063887
<NME> AvaloniaEdit.csproj <BEF> <Project Sdk="Microsoft.NET.Sdk"> <PropertyGroup> <TargetFramework>netstandard2.0</TargetFramework> <WarningsNotAsErrors>0612,0618</WarningsNotAsErrors> <PackageId>Avalonia.AvaloniaEdit</PackageId> </PropertyGroup> <ItemGroup> <EmbeddedResource Include="**\*.xshd;**\*.resx;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> <AvaloniaResource Include="**\*.xaml;Assets\*;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> </ItemGroup> <ItemGroup> <None Remove="Search\Assets\CaseSensitive.png" /> <None Remove="Search\Assets\CompleteWord.png" /> <None Remove="Search\Assets\FindNext.png" /> <None Remove="Search\Assets\FindPrevious.png" /> <None Remove="Search\Assets\RegularExpression.png" /> <None Remove="Search\Assets\ReplaceAll.png" /> <None Remove="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <EmbeddedResource Include="Search\Assets\CaseSensitive.png" /> <EmbeddedResource Include="Search\Assets\CompleteWord.png" /> <EmbeddedResource Include="Search\Assets\FindNext.png" /> <EmbeddedResource Include="Search\Assets\FindPrevious.png" /> <EmbeddedResource Include="Search\Assets\RegularExpression.png" /> <EmbeddedResource Include="Search\Assets\ReplaceAll.png" /> <EmbeddedResource Include="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup> <Compile Update="SR.Designer.cs"> <DesignTime>True</DesignTime> <AutoGen>True</AutoGen> <DependentUpon>SR.resx</DependentUpon> </Compile> </ItemGroup> <ItemGroup> <EmbeddedResource Update="SR.resx"> <Generator>PublicResXFileCodeGenerator</Generator> <LastGenOutput>SR.Designer.cs</LastGenOutput> </EmbeddedResource> </ItemGroup> <Target Name="ChangeAliasesOfSystemDrawing" BeforeTargets="FindReferenceAssembliesForReferences;ResolveReferences"> <ItemGroup> <ReferencePath Condition="'%(FileName)' == 'Splat'"> <Aliases>SystemDrawing</Aliases> </ReferencePath> </ItemGroup> </Target> </Project> <MSG> Merge pull request #251 from Numpsy/rw/no_xml_readerwriter Try building without the System.Xml.ReaderWriter nuget package reference <DFF> @@ -35,7 +35,6 @@ <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> - <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup>
0
Merge pull request #251 from Numpsy/rw/no_xml_readerwriter
1
.csproj
csproj
mit
AvaloniaUI/AvaloniaEdit
10063888
<NME> AvaloniaEdit.csproj <BEF> <Project Sdk="Microsoft.NET.Sdk"> <PropertyGroup> <TargetFramework>netstandard2.0</TargetFramework> <WarningsNotAsErrors>0612,0618</WarningsNotAsErrors> <PackageId>Avalonia.AvaloniaEdit</PackageId> </PropertyGroup> <ItemGroup> <EmbeddedResource Include="**\*.xshd;**\*.resx;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> <AvaloniaResource Include="**\*.xaml;Assets\*;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> </ItemGroup> <ItemGroup> <None Remove="Search\Assets\CaseSensitive.png" /> <None Remove="Search\Assets\CompleteWord.png" /> <None Remove="Search\Assets\FindNext.png" /> <None Remove="Search\Assets\FindPrevious.png" /> <None Remove="Search\Assets\RegularExpression.png" /> <None Remove="Search\Assets\ReplaceAll.png" /> <None Remove="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <EmbeddedResource Include="Search\Assets\CaseSensitive.png" /> <EmbeddedResource Include="Search\Assets\CompleteWord.png" /> <EmbeddedResource Include="Search\Assets\FindNext.png" /> <EmbeddedResource Include="Search\Assets\FindPrevious.png" /> <EmbeddedResource Include="Search\Assets\RegularExpression.png" /> <EmbeddedResource Include="Search\Assets\ReplaceAll.png" /> <EmbeddedResource Include="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup> <Compile Update="SR.Designer.cs"> <DesignTime>True</DesignTime> <AutoGen>True</AutoGen> <DependentUpon>SR.resx</DependentUpon> </Compile> </ItemGroup> <ItemGroup> <EmbeddedResource Update="SR.resx"> <Generator>PublicResXFileCodeGenerator</Generator> <LastGenOutput>SR.Designer.cs</LastGenOutput> </EmbeddedResource> </ItemGroup> <Target Name="ChangeAliasesOfSystemDrawing" BeforeTargets="FindReferenceAssembliesForReferences;ResolveReferences"> <ItemGroup> <ReferencePath Condition="'%(FileName)' == 'Splat'"> <Aliases>SystemDrawing</Aliases> </ReferencePath> </ItemGroup> </Target> </Project> <MSG> Merge pull request #251 from Numpsy/rw/no_xml_readerwriter Try building without the System.Xml.ReaderWriter nuget package reference <DFF> @@ -35,7 +35,6 @@ <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> - <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup>
0
Merge pull request #251 from Numpsy/rw/no_xml_readerwriter
1
.csproj
csproj
mit
AvaloniaUI/AvaloniaEdit
10063889
<NME> AvaloniaEdit.csproj <BEF> <Project Sdk="Microsoft.NET.Sdk"> <PropertyGroup> <TargetFramework>netstandard2.0</TargetFramework> <WarningsNotAsErrors>0612,0618</WarningsNotAsErrors> <PackageId>Avalonia.AvaloniaEdit</PackageId> </PropertyGroup> <ItemGroup> <EmbeddedResource Include="**\*.xshd;**\*.resx;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> <AvaloniaResource Include="**\*.xaml;Assets\*;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> </ItemGroup> <ItemGroup> <None Remove="Search\Assets\CaseSensitive.png" /> <None Remove="Search\Assets\CompleteWord.png" /> <None Remove="Search\Assets\FindNext.png" /> <None Remove="Search\Assets\FindPrevious.png" /> <None Remove="Search\Assets\RegularExpression.png" /> <None Remove="Search\Assets\ReplaceAll.png" /> <None Remove="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <EmbeddedResource Include="Search\Assets\CaseSensitive.png" /> <EmbeddedResource Include="Search\Assets\CompleteWord.png" /> <EmbeddedResource Include="Search\Assets\FindNext.png" /> <EmbeddedResource Include="Search\Assets\FindPrevious.png" /> <EmbeddedResource Include="Search\Assets\RegularExpression.png" /> <EmbeddedResource Include="Search\Assets\ReplaceAll.png" /> <EmbeddedResource Include="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup> <Compile Update="SR.Designer.cs"> <DesignTime>True</DesignTime> <AutoGen>True</AutoGen> <DependentUpon>SR.resx</DependentUpon> </Compile> </ItemGroup> <ItemGroup> <EmbeddedResource Update="SR.resx"> <Generator>PublicResXFileCodeGenerator</Generator> <LastGenOutput>SR.Designer.cs</LastGenOutput> </EmbeddedResource> </ItemGroup> <Target Name="ChangeAliasesOfSystemDrawing" BeforeTargets="FindReferenceAssembliesForReferences;ResolveReferences"> <ItemGroup> <ReferencePath Condition="'%(FileName)' == 'Splat'"> <Aliases>SystemDrawing</Aliases> </ReferencePath> </ItemGroup> </Target> </Project> <MSG> Merge pull request #251 from Numpsy/rw/no_xml_readerwriter Try building without the System.Xml.ReaderWriter nuget package reference <DFF> @@ -35,7 +35,6 @@ <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> - <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup>
0
Merge pull request #251 from Numpsy/rw/no_xml_readerwriter
1
.csproj
csproj
mit
AvaloniaUI/AvaloniaEdit
10063890
<NME> AvaloniaEdit.csproj <BEF> <Project Sdk="Microsoft.NET.Sdk"> <PropertyGroup> <TargetFramework>netstandard2.0</TargetFramework> <WarningsNotAsErrors>0612,0618</WarningsNotAsErrors> <PackageId>Avalonia.AvaloniaEdit</PackageId> </PropertyGroup> <ItemGroup> <EmbeddedResource Include="**\*.xshd;**\*.resx;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> <AvaloniaResource Include="**\*.xaml;Assets\*;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> </ItemGroup> <ItemGroup> <None Remove="Search\Assets\CaseSensitive.png" /> <None Remove="Search\Assets\CompleteWord.png" /> <None Remove="Search\Assets\FindNext.png" /> <None Remove="Search\Assets\FindPrevious.png" /> <None Remove="Search\Assets\RegularExpression.png" /> <None Remove="Search\Assets\ReplaceAll.png" /> <None Remove="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <EmbeddedResource Include="Search\Assets\CaseSensitive.png" /> <EmbeddedResource Include="Search\Assets\CompleteWord.png" /> <EmbeddedResource Include="Search\Assets\FindNext.png" /> <EmbeddedResource Include="Search\Assets\FindPrevious.png" /> <EmbeddedResource Include="Search\Assets\RegularExpression.png" /> <EmbeddedResource Include="Search\Assets\ReplaceAll.png" /> <EmbeddedResource Include="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup> <Compile Update="SR.Designer.cs"> <DesignTime>True</DesignTime> <AutoGen>True</AutoGen> <DependentUpon>SR.resx</DependentUpon> </Compile> </ItemGroup> <ItemGroup> <EmbeddedResource Update="SR.resx"> <Generator>PublicResXFileCodeGenerator</Generator> <LastGenOutput>SR.Designer.cs</LastGenOutput> </EmbeddedResource> </ItemGroup> <Target Name="ChangeAliasesOfSystemDrawing" BeforeTargets="FindReferenceAssembliesForReferences;ResolveReferences"> <ItemGroup> <ReferencePath Condition="'%(FileName)' == 'Splat'"> <Aliases>SystemDrawing</Aliases> </ReferencePath> </ItemGroup> </Target> </Project> <MSG> Merge pull request #251 from Numpsy/rw/no_xml_readerwriter Try building without the System.Xml.ReaderWriter nuget package reference <DFF> @@ -35,7 +35,6 @@ <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> - <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup>
0
Merge pull request #251 from Numpsy/rw/no_xml_readerwriter
1
.csproj
csproj
mit
AvaloniaUI/AvaloniaEdit
10063891
<NME> AvaloniaEdit.csproj <BEF> <Project Sdk="Microsoft.NET.Sdk"> <PropertyGroup> <TargetFramework>netstandard2.0</TargetFramework> <WarningsNotAsErrors>0612,0618</WarningsNotAsErrors> <PackageId>Avalonia.AvaloniaEdit</PackageId> </PropertyGroup> <ItemGroup> <EmbeddedResource Include="**\*.xshd;**\*.resx;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> <AvaloniaResource Include="**\*.xaml;Assets\*;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> </ItemGroup> <ItemGroup> <None Remove="Search\Assets\CaseSensitive.png" /> <None Remove="Search\Assets\CompleteWord.png" /> <None Remove="Search\Assets\FindNext.png" /> <None Remove="Search\Assets\FindPrevious.png" /> <None Remove="Search\Assets\RegularExpression.png" /> <None Remove="Search\Assets\ReplaceAll.png" /> <None Remove="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <EmbeddedResource Include="Search\Assets\CaseSensitive.png" /> <EmbeddedResource Include="Search\Assets\CompleteWord.png" /> <EmbeddedResource Include="Search\Assets\FindNext.png" /> <EmbeddedResource Include="Search\Assets\FindPrevious.png" /> <EmbeddedResource Include="Search\Assets\RegularExpression.png" /> <EmbeddedResource Include="Search\Assets\ReplaceAll.png" /> <EmbeddedResource Include="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup> <Compile Update="SR.Designer.cs"> <DesignTime>True</DesignTime> <AutoGen>True</AutoGen> <DependentUpon>SR.resx</DependentUpon> </Compile> </ItemGroup> <ItemGroup> <EmbeddedResource Update="SR.resx"> <Generator>PublicResXFileCodeGenerator</Generator> <LastGenOutput>SR.Designer.cs</LastGenOutput> </EmbeddedResource> </ItemGroup> <Target Name="ChangeAliasesOfSystemDrawing" BeforeTargets="FindReferenceAssembliesForReferences;ResolveReferences"> <ItemGroup> <ReferencePath Condition="'%(FileName)' == 'Splat'"> <Aliases>SystemDrawing</Aliases> </ReferencePath> </ItemGroup> </Target> </Project> <MSG> Merge pull request #251 from Numpsy/rw/no_xml_readerwriter Try building without the System.Xml.ReaderWriter nuget package reference <DFF> @@ -35,7 +35,6 @@ <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> - <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup>
0
Merge pull request #251 from Numpsy/rw/no_xml_readerwriter
1
.csproj
csproj
mit
AvaloniaUI/AvaloniaEdit
10063892
<NME> AvaloniaEdit.csproj <BEF> <Project Sdk="Microsoft.NET.Sdk"> <PropertyGroup> <TargetFramework>netstandard2.0</TargetFramework> <WarningsNotAsErrors>0612,0618</WarningsNotAsErrors> <PackageId>Avalonia.AvaloniaEdit</PackageId> </PropertyGroup> <ItemGroup> <EmbeddedResource Include="**\*.xshd;**\*.resx;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> <AvaloniaResource Include="**\*.xaml;Assets\*;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> </ItemGroup> <ItemGroup> <None Remove="Search\Assets\CaseSensitive.png" /> <None Remove="Search\Assets\CompleteWord.png" /> <None Remove="Search\Assets\FindNext.png" /> <None Remove="Search\Assets\FindPrevious.png" /> <None Remove="Search\Assets\RegularExpression.png" /> <None Remove="Search\Assets\ReplaceAll.png" /> <None Remove="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <EmbeddedResource Include="Search\Assets\CaseSensitive.png" /> <EmbeddedResource Include="Search\Assets\CompleteWord.png" /> <EmbeddedResource Include="Search\Assets\FindNext.png" /> <EmbeddedResource Include="Search\Assets\FindPrevious.png" /> <EmbeddedResource Include="Search\Assets\RegularExpression.png" /> <EmbeddedResource Include="Search\Assets\ReplaceAll.png" /> <EmbeddedResource Include="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup> <Compile Update="SR.Designer.cs"> <DesignTime>True</DesignTime> <AutoGen>True</AutoGen> <DependentUpon>SR.resx</DependentUpon> </Compile> </ItemGroup> <ItemGroup> <EmbeddedResource Update="SR.resx"> <Generator>PublicResXFileCodeGenerator</Generator> <LastGenOutput>SR.Designer.cs</LastGenOutput> </EmbeddedResource> </ItemGroup> <Target Name="ChangeAliasesOfSystemDrawing" BeforeTargets="FindReferenceAssembliesForReferences;ResolveReferences"> <ItemGroup> <ReferencePath Condition="'%(FileName)' == 'Splat'"> <Aliases>SystemDrawing</Aliases> </ReferencePath> </ItemGroup> </Target> </Project> <MSG> Merge pull request #251 from Numpsy/rw/no_xml_readerwriter Try building without the System.Xml.ReaderWriter nuget package reference <DFF> @@ -35,7 +35,6 @@ <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> - <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup>
0
Merge pull request #251 from Numpsy/rw/no_xml_readerwriter
1
.csproj
csproj
mit
AvaloniaUI/AvaloniaEdit
10063893
<NME> AvaloniaEdit.csproj <BEF> <Project Sdk="Microsoft.NET.Sdk"> <PropertyGroup> <TargetFramework>netstandard2.0</TargetFramework> <WarningsNotAsErrors>0612,0618</WarningsNotAsErrors> <PackageId>Avalonia.AvaloniaEdit</PackageId> </PropertyGroup> <ItemGroup> <EmbeddedResource Include="**\*.xshd;**\*.resx;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> <AvaloniaResource Include="**\*.xaml;Assets\*;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> </ItemGroup> <ItemGroup> <None Remove="Search\Assets\CaseSensitive.png" /> <None Remove="Search\Assets\CompleteWord.png" /> <None Remove="Search\Assets\FindNext.png" /> <None Remove="Search\Assets\FindPrevious.png" /> <None Remove="Search\Assets\RegularExpression.png" /> <None Remove="Search\Assets\ReplaceAll.png" /> <None Remove="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <EmbeddedResource Include="Search\Assets\CaseSensitive.png" /> <EmbeddedResource Include="Search\Assets\CompleteWord.png" /> <EmbeddedResource Include="Search\Assets\FindNext.png" /> <EmbeddedResource Include="Search\Assets\FindPrevious.png" /> <EmbeddedResource Include="Search\Assets\RegularExpression.png" /> <EmbeddedResource Include="Search\Assets\ReplaceAll.png" /> <EmbeddedResource Include="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup> <Compile Update="SR.Designer.cs"> <DesignTime>True</DesignTime> <AutoGen>True</AutoGen> <DependentUpon>SR.resx</DependentUpon> </Compile> </ItemGroup> <ItemGroup> <EmbeddedResource Update="SR.resx"> <Generator>PublicResXFileCodeGenerator</Generator> <LastGenOutput>SR.Designer.cs</LastGenOutput> </EmbeddedResource> </ItemGroup> <Target Name="ChangeAliasesOfSystemDrawing" BeforeTargets="FindReferenceAssembliesForReferences;ResolveReferences"> <ItemGroup> <ReferencePath Condition="'%(FileName)' == 'Splat'"> <Aliases>SystemDrawing</Aliases> </ReferencePath> </ItemGroup> </Target> </Project> <MSG> Merge pull request #251 from Numpsy/rw/no_xml_readerwriter Try building without the System.Xml.ReaderWriter nuget package reference <DFF> @@ -35,7 +35,6 @@ <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> - <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup>
0
Merge pull request #251 from Numpsy/rw/no_xml_readerwriter
1
.csproj
csproj
mit
AvaloniaUI/AvaloniaEdit
10063894
<NME> AvaloniaEdit.csproj <BEF> <Project Sdk="Microsoft.NET.Sdk"> <PropertyGroup> <TargetFramework>netstandard2.0</TargetFramework> <WarningsNotAsErrors>0612,0618</WarningsNotAsErrors> <PackageId>Avalonia.AvaloniaEdit</PackageId> </PropertyGroup> <ItemGroup> <EmbeddedResource Include="**\*.xshd;**\*.resx;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> <AvaloniaResource Include="**\*.xaml;Assets\*;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> </ItemGroup> <ItemGroup> <None Remove="Search\Assets\CaseSensitive.png" /> <None Remove="Search\Assets\CompleteWord.png" /> <None Remove="Search\Assets\FindNext.png" /> <None Remove="Search\Assets\FindPrevious.png" /> <None Remove="Search\Assets\RegularExpression.png" /> <None Remove="Search\Assets\ReplaceAll.png" /> <None Remove="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <EmbeddedResource Include="Search\Assets\CaseSensitive.png" /> <EmbeddedResource Include="Search\Assets\CompleteWord.png" /> <EmbeddedResource Include="Search\Assets\FindNext.png" /> <EmbeddedResource Include="Search\Assets\FindPrevious.png" /> <EmbeddedResource Include="Search\Assets\RegularExpression.png" /> <EmbeddedResource Include="Search\Assets\ReplaceAll.png" /> <EmbeddedResource Include="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup> <Compile Update="SR.Designer.cs"> <DesignTime>True</DesignTime> <AutoGen>True</AutoGen> <DependentUpon>SR.resx</DependentUpon> </Compile> </ItemGroup> <ItemGroup> <EmbeddedResource Update="SR.resx"> <Generator>PublicResXFileCodeGenerator</Generator> <LastGenOutput>SR.Designer.cs</LastGenOutput> </EmbeddedResource> </ItemGroup> <Target Name="ChangeAliasesOfSystemDrawing" BeforeTargets="FindReferenceAssembliesForReferences;ResolveReferences"> <ItemGroup> <ReferencePath Condition="'%(FileName)' == 'Splat'"> <Aliases>SystemDrawing</Aliases> </ReferencePath> </ItemGroup> </Target> </Project> <MSG> Merge pull request #251 from Numpsy/rw/no_xml_readerwriter Try building without the System.Xml.ReaderWriter nuget package reference <DFF> @@ -35,7 +35,6 @@ <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> - <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup>
0
Merge pull request #251 from Numpsy/rw/no_xml_readerwriter
1
.csproj
csproj
mit
AvaloniaUI/AvaloniaEdit
10063895
<NME> AvaloniaEdit.csproj <BEF> <Project Sdk="Microsoft.NET.Sdk"> <PropertyGroup> <TargetFramework>netstandard2.0</TargetFramework> <WarningsNotAsErrors>0612,0618</WarningsNotAsErrors> <PackageId>Avalonia.AvaloniaEdit</PackageId> </PropertyGroup> <ItemGroup> <EmbeddedResource Include="**\*.xshd;**\*.resx;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> <AvaloniaResource Include="**\*.xaml;Assets\*;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> </ItemGroup> <ItemGroup> <None Remove="Search\Assets\CaseSensitive.png" /> <None Remove="Search\Assets\CompleteWord.png" /> <None Remove="Search\Assets\FindNext.png" /> <None Remove="Search\Assets\FindPrevious.png" /> <None Remove="Search\Assets\RegularExpression.png" /> <None Remove="Search\Assets\ReplaceAll.png" /> <None Remove="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <EmbeddedResource Include="Search\Assets\CaseSensitive.png" /> <EmbeddedResource Include="Search\Assets\CompleteWord.png" /> <EmbeddedResource Include="Search\Assets\FindNext.png" /> <EmbeddedResource Include="Search\Assets\FindPrevious.png" /> <EmbeddedResource Include="Search\Assets\RegularExpression.png" /> <EmbeddedResource Include="Search\Assets\ReplaceAll.png" /> <EmbeddedResource Include="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup> <Compile Update="SR.Designer.cs"> <DesignTime>True</DesignTime> <AutoGen>True</AutoGen> <DependentUpon>SR.resx</DependentUpon> </Compile> </ItemGroup> <ItemGroup> <EmbeddedResource Update="SR.resx"> <Generator>PublicResXFileCodeGenerator</Generator> <LastGenOutput>SR.Designer.cs</LastGenOutput> </EmbeddedResource> </ItemGroup> <Target Name="ChangeAliasesOfSystemDrawing" BeforeTargets="FindReferenceAssembliesForReferences;ResolveReferences"> <ItemGroup> <ReferencePath Condition="'%(FileName)' == 'Splat'"> <Aliases>SystemDrawing</Aliases> </ReferencePath> </ItemGroup> </Target> </Project> <MSG> Merge pull request #251 from Numpsy/rw/no_xml_readerwriter Try building without the System.Xml.ReaderWriter nuget package reference <DFF> @@ -35,7 +35,6 @@ <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> - <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup>
0
Merge pull request #251 from Numpsy/rw/no_xml_readerwriter
1
.csproj
csproj
mit
AvaloniaUI/AvaloniaEdit
10063896
<NME> AvaloniaEdit.csproj <BEF> <Project Sdk="Microsoft.NET.Sdk"> <PropertyGroup> <TargetFramework>netstandard2.0</TargetFramework> <WarningsNotAsErrors>0612,0618</WarningsNotAsErrors> <PackageId>Avalonia.AvaloniaEdit</PackageId> </PropertyGroup> <ItemGroup> <EmbeddedResource Include="**\*.xshd;**\*.resx;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> <AvaloniaResource Include="**\*.xaml;Assets\*;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> </ItemGroup> <ItemGroup> <None Remove="Search\Assets\CaseSensitive.png" /> <None Remove="Search\Assets\CompleteWord.png" /> <None Remove="Search\Assets\FindNext.png" /> <None Remove="Search\Assets\FindPrevious.png" /> <None Remove="Search\Assets\RegularExpression.png" /> <None Remove="Search\Assets\ReplaceAll.png" /> <None Remove="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <EmbeddedResource Include="Search\Assets\CaseSensitive.png" /> <EmbeddedResource Include="Search\Assets\CompleteWord.png" /> <EmbeddedResource Include="Search\Assets\FindNext.png" /> <EmbeddedResource Include="Search\Assets\FindPrevious.png" /> <EmbeddedResource Include="Search\Assets\RegularExpression.png" /> <EmbeddedResource Include="Search\Assets\ReplaceAll.png" /> <EmbeddedResource Include="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup> <Compile Update="SR.Designer.cs"> <DesignTime>True</DesignTime> <AutoGen>True</AutoGen> <DependentUpon>SR.resx</DependentUpon> </Compile> </ItemGroup> <ItemGroup> <EmbeddedResource Update="SR.resx"> <Generator>PublicResXFileCodeGenerator</Generator> <LastGenOutput>SR.Designer.cs</LastGenOutput> </EmbeddedResource> </ItemGroup> <Target Name="ChangeAliasesOfSystemDrawing" BeforeTargets="FindReferenceAssembliesForReferences;ResolveReferences"> <ItemGroup> <ReferencePath Condition="'%(FileName)' == 'Splat'"> <Aliases>SystemDrawing</Aliases> </ReferencePath> </ItemGroup> </Target> </Project> <MSG> Merge pull request #251 from Numpsy/rw/no_xml_readerwriter Try building without the System.Xml.ReaderWriter nuget package reference <DFF> @@ -35,7 +35,6 @@ <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> - <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup>
0
Merge pull request #251 from Numpsy/rw/no_xml_readerwriter
1
.csproj
csproj
mit
AvaloniaUI/AvaloniaEdit
10063897
<NME> AvaloniaEdit.csproj <BEF> <Project Sdk="Microsoft.NET.Sdk"> <PropertyGroup> <TargetFramework>netstandard2.0</TargetFramework> <WarningsNotAsErrors>0612,0618</WarningsNotAsErrors> <PackageId>Avalonia.AvaloniaEdit</PackageId> </PropertyGroup> <ItemGroup> <EmbeddedResource Include="**\*.xshd;**\*.resx;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> <AvaloniaResource Include="**\*.xaml;Assets\*;" Exclude="bin\**;obj\**;**\*.xproj;packages\**;@(EmbeddedResource)" /> </ItemGroup> <ItemGroup> <None Remove="Search\Assets\CaseSensitive.png" /> <None Remove="Search\Assets\CompleteWord.png" /> <None Remove="Search\Assets\FindNext.png" /> <None Remove="Search\Assets\FindPrevious.png" /> <None Remove="Search\Assets\RegularExpression.png" /> <None Remove="Search\Assets\ReplaceAll.png" /> <None Remove="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <EmbeddedResource Include="Search\Assets\CaseSensitive.png" /> <EmbeddedResource Include="Search\Assets\CompleteWord.png" /> <EmbeddedResource Include="Search\Assets\FindNext.png" /> <EmbeddedResource Include="Search\Assets\FindPrevious.png" /> <EmbeddedResource Include="Search\Assets\RegularExpression.png" /> <EmbeddedResource Include="Search\Assets\ReplaceAll.png" /> <EmbeddedResource Include="Search\Assets\ReplaceNext.png" /> </ItemGroup> <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup> <Compile Update="SR.Designer.cs"> <DesignTime>True</DesignTime> <AutoGen>True</AutoGen> <DependentUpon>SR.resx</DependentUpon> </Compile> </ItemGroup> <ItemGroup> <EmbeddedResource Update="SR.resx"> <Generator>PublicResXFileCodeGenerator</Generator> <LastGenOutput>SR.Designer.cs</LastGenOutput> </EmbeddedResource> </ItemGroup> <Target Name="ChangeAliasesOfSystemDrawing" BeforeTargets="FindReferenceAssembliesForReferences;ResolveReferences"> <ItemGroup> <ReferencePath Condition="'%(FileName)' == 'Splat'"> <Aliases>SystemDrawing</Aliases> </ReferencePath> </ItemGroup> </Target> </Project> <MSG> Merge pull request #251 from Numpsy/rw/no_xml_readerwriter Try building without the System.Xml.ReaderWriter nuget package reference <DFF> @@ -35,7 +35,6 @@ <ItemGroup> <PackageReference Include="Avalonia" Version="$(AvaloniaVersion)" /> <PackageReference Include="System.Collections.Immutable" Version="1.6.0" /> - <PackageReference Include="System.Xml.ReaderWriter" Version="4.3.1" /> </ItemGroup> <ItemGroup>
0
Merge pull request #251 from Numpsy/rw/no_xml_readerwriter
1
.csproj
csproj
mit
AvaloniaUI/AvaloniaEdit
10063898
<NME> DocumentSnapshot.cs <BEF> using System; using System.Collections.Generic; using System.Linq; using AvaloniaEdit.Document; namespace AvaloniaEdit.TextMate { public class DocumentSnapshot { private LineRange[] _lineRanges; private TextDocument _document; private ITextSource _textSource; private object _lock = new object(); private int _lineCount; public int LineCount { get { lock (_lock) { return _lineCount; } } } public DocumentSnapshot(TextDocument document) { _document = document; _lineRanges = new LineRange[document.LineCount]; Update(null); } public void RemoveLines(int startLine, int endLine) { lock (_lock) { var tmpList = _lineRanges.ToList(); tmpList.RemoveRange(startLine, endLine - startLine + 1); _lineRanges = tmpList.ToArray(); _lineCount = _lineRanges.Length; } } public string GetLineText(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.Length); } } public string GetLineTextIncludingTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.TotalLength); } } public string GetLineTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset + lineRange.Length, lineRange.TotalLength - lineRange.Length); } } public int GetLineLength(int lineIndex) { lock (_lock) _textSource = _document.CreateSnapshot(); } } internal struct LineRange { public int Offset; public int Length; } } } public string GetText() { lock (_lock) { return _textSource.Text; } } public void Update(DocumentChangeEventArgs e) { lock (_lock) { _lineCount = _document.Lines.Count; if (e != null && e.OffsetChangeMap != null && _lineRanges != null && _lineCount == _lineRanges.Length) { // it's a single-line change // update the offsets usign the OffsetChangeMap RecalculateOffsets(e); } else { // recompute all the line ranges // based in the document lines RecomputeAllLineRanges(e); } _textSource = _document.CreateSnapshot(); } } private void RecalculateOffsets(DocumentChangeEventArgs e) { var changedLine = _document.GetLineByOffset(e.Offset); int lineIndex = changedLine.LineNumber - 1; _lineRanges[lineIndex].Offset = changedLine.Offset; _lineRanges[lineIndex].Length = changedLine.Length; _lineRanges[lineIndex].TotalLength = changedLine.TotalLength; for (int i = lineIndex + 1; i < _lineCount; i++) { _lineRanges[i].Offset = e.OffsetChangeMap.GetNewOffset(_lineRanges[i].Offset); } } private void RecomputeAllLineRanges(DocumentChangeEventArgs e) { Array.Resize(ref _lineRanges, _lineCount); int currentLineIndex = (e != null) ? _document.GetLineByOffset(e.Offset).LineNumber - 1 : 0; var currentLine = _document.GetLineByNumber(currentLineIndex + 1); while (currentLine != null) { _lineRanges[currentLineIndex].Offset = currentLine.Offset; _lineRanges[currentLineIndex].Length = currentLine.Length; _lineRanges[currentLineIndex].TotalLength = currentLine.TotalLength; currentLine = currentLine.NextLine; currentLineIndex++; } } struct LineRange { public int Offset; public int Length; public int TotalLength; } } } <MSG> Manage the line ranges a private class <DFF> @@ -71,11 +71,11 @@ namespace AvaloniaEdit.TextMate _textSource = _document.CreateSnapshot(); } - } - internal struct LineRange - { - public int Offset; - public int Length; + struct LineRange + { + public int Offset; + public int Length; + } } }
5
Manage the line ranges a private class
5
.cs
TextMate/DocumentSnapshot
mit
AvaloniaUI/AvaloniaEdit
10063899
<NME> DocumentSnapshot.cs <BEF> using System; using System.Collections.Generic; using System.Linq; using AvaloniaEdit.Document; namespace AvaloniaEdit.TextMate { public class DocumentSnapshot { private LineRange[] _lineRanges; private TextDocument _document; private ITextSource _textSource; private object _lock = new object(); private int _lineCount; public int LineCount { get { lock (_lock) { return _lineCount; } } } public DocumentSnapshot(TextDocument document) { _document = document; _lineRanges = new LineRange[document.LineCount]; Update(null); } public void RemoveLines(int startLine, int endLine) { lock (_lock) { var tmpList = _lineRanges.ToList(); tmpList.RemoveRange(startLine, endLine - startLine + 1); _lineRanges = tmpList.ToArray(); _lineCount = _lineRanges.Length; } } public string GetLineText(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.Length); } } public string GetLineTextIncludingTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.TotalLength); } } public string GetLineTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset + lineRange.Length, lineRange.TotalLength - lineRange.Length); } } public int GetLineLength(int lineIndex) { lock (_lock) _textSource = _document.CreateSnapshot(); } } internal struct LineRange { public int Offset; public int Length; } } } public string GetText() { lock (_lock) { return _textSource.Text; } } public void Update(DocumentChangeEventArgs e) { lock (_lock) { _lineCount = _document.Lines.Count; if (e != null && e.OffsetChangeMap != null && _lineRanges != null && _lineCount == _lineRanges.Length) { // it's a single-line change // update the offsets usign the OffsetChangeMap RecalculateOffsets(e); } else { // recompute all the line ranges // based in the document lines RecomputeAllLineRanges(e); } _textSource = _document.CreateSnapshot(); } } private void RecalculateOffsets(DocumentChangeEventArgs e) { var changedLine = _document.GetLineByOffset(e.Offset); int lineIndex = changedLine.LineNumber - 1; _lineRanges[lineIndex].Offset = changedLine.Offset; _lineRanges[lineIndex].Length = changedLine.Length; _lineRanges[lineIndex].TotalLength = changedLine.TotalLength; for (int i = lineIndex + 1; i < _lineCount; i++) { _lineRanges[i].Offset = e.OffsetChangeMap.GetNewOffset(_lineRanges[i].Offset); } } private void RecomputeAllLineRanges(DocumentChangeEventArgs e) { Array.Resize(ref _lineRanges, _lineCount); int currentLineIndex = (e != null) ? _document.GetLineByOffset(e.Offset).LineNumber - 1 : 0; var currentLine = _document.GetLineByNumber(currentLineIndex + 1); while (currentLine != null) { _lineRanges[currentLineIndex].Offset = currentLine.Offset; _lineRanges[currentLineIndex].Length = currentLine.Length; _lineRanges[currentLineIndex].TotalLength = currentLine.TotalLength; currentLine = currentLine.NextLine; currentLineIndex++; } } struct LineRange { public int Offset; public int Length; public int TotalLength; } } } <MSG> Manage the line ranges a private class <DFF> @@ -71,11 +71,11 @@ namespace AvaloniaEdit.TextMate _textSource = _document.CreateSnapshot(); } - } - internal struct LineRange - { - public int Offset; - public int Length; + struct LineRange + { + public int Offset; + public int Length; + } } }
5
Manage the line ranges a private class
5
.cs
TextMate/DocumentSnapshot
mit
AvaloniaUI/AvaloniaEdit
10063900
<NME> DocumentSnapshot.cs <BEF> using System; using System.Collections.Generic; using System.Linq; using AvaloniaEdit.Document; namespace AvaloniaEdit.TextMate { public class DocumentSnapshot { private LineRange[] _lineRanges; private TextDocument _document; private ITextSource _textSource; private object _lock = new object(); private int _lineCount; public int LineCount { get { lock (_lock) { return _lineCount; } } } public DocumentSnapshot(TextDocument document) { _document = document; _lineRanges = new LineRange[document.LineCount]; Update(null); } public void RemoveLines(int startLine, int endLine) { lock (_lock) { var tmpList = _lineRanges.ToList(); tmpList.RemoveRange(startLine, endLine - startLine + 1); _lineRanges = tmpList.ToArray(); _lineCount = _lineRanges.Length; } } public string GetLineText(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.Length); } } public string GetLineTextIncludingTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.TotalLength); } } public string GetLineTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset + lineRange.Length, lineRange.TotalLength - lineRange.Length); } } public int GetLineLength(int lineIndex) { lock (_lock) _textSource = _document.CreateSnapshot(); } } internal struct LineRange { public int Offset; public int Length; } } } public string GetText() { lock (_lock) { return _textSource.Text; } } public void Update(DocumentChangeEventArgs e) { lock (_lock) { _lineCount = _document.Lines.Count; if (e != null && e.OffsetChangeMap != null && _lineRanges != null && _lineCount == _lineRanges.Length) { // it's a single-line change // update the offsets usign the OffsetChangeMap RecalculateOffsets(e); } else { // recompute all the line ranges // based in the document lines RecomputeAllLineRanges(e); } _textSource = _document.CreateSnapshot(); } } private void RecalculateOffsets(DocumentChangeEventArgs e) { var changedLine = _document.GetLineByOffset(e.Offset); int lineIndex = changedLine.LineNumber - 1; _lineRanges[lineIndex].Offset = changedLine.Offset; _lineRanges[lineIndex].Length = changedLine.Length; _lineRanges[lineIndex].TotalLength = changedLine.TotalLength; for (int i = lineIndex + 1; i < _lineCount; i++) { _lineRanges[i].Offset = e.OffsetChangeMap.GetNewOffset(_lineRanges[i].Offset); } } private void RecomputeAllLineRanges(DocumentChangeEventArgs e) { Array.Resize(ref _lineRanges, _lineCount); int currentLineIndex = (e != null) ? _document.GetLineByOffset(e.Offset).LineNumber - 1 : 0; var currentLine = _document.GetLineByNumber(currentLineIndex + 1); while (currentLine != null) { _lineRanges[currentLineIndex].Offset = currentLine.Offset; _lineRanges[currentLineIndex].Length = currentLine.Length; _lineRanges[currentLineIndex].TotalLength = currentLine.TotalLength; currentLine = currentLine.NextLine; currentLineIndex++; } } struct LineRange { public int Offset; public int Length; public int TotalLength; } } } <MSG> Manage the line ranges a private class <DFF> @@ -71,11 +71,11 @@ namespace AvaloniaEdit.TextMate _textSource = _document.CreateSnapshot(); } - } - internal struct LineRange - { - public int Offset; - public int Length; + struct LineRange + { + public int Offset; + public int Length; + } } }
5
Manage the line ranges a private class
5
.cs
TextMate/DocumentSnapshot
mit
AvaloniaUI/AvaloniaEdit
10063901
<NME> DocumentSnapshot.cs <BEF> using System; using System.Collections.Generic; using System.Linq; using AvaloniaEdit.Document; namespace AvaloniaEdit.TextMate { public class DocumentSnapshot { private LineRange[] _lineRanges; private TextDocument _document; private ITextSource _textSource; private object _lock = new object(); private int _lineCount; public int LineCount { get { lock (_lock) { return _lineCount; } } } public DocumentSnapshot(TextDocument document) { _document = document; _lineRanges = new LineRange[document.LineCount]; Update(null); } public void RemoveLines(int startLine, int endLine) { lock (_lock) { var tmpList = _lineRanges.ToList(); tmpList.RemoveRange(startLine, endLine - startLine + 1); _lineRanges = tmpList.ToArray(); _lineCount = _lineRanges.Length; } } public string GetLineText(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.Length); } } public string GetLineTextIncludingTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.TotalLength); } } public string GetLineTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset + lineRange.Length, lineRange.TotalLength - lineRange.Length); } } public int GetLineLength(int lineIndex) { lock (_lock) _textSource = _document.CreateSnapshot(); } } internal struct LineRange { public int Offset; public int Length; } } } public string GetText() { lock (_lock) { return _textSource.Text; } } public void Update(DocumentChangeEventArgs e) { lock (_lock) { _lineCount = _document.Lines.Count; if (e != null && e.OffsetChangeMap != null && _lineRanges != null && _lineCount == _lineRanges.Length) { // it's a single-line change // update the offsets usign the OffsetChangeMap RecalculateOffsets(e); } else { // recompute all the line ranges // based in the document lines RecomputeAllLineRanges(e); } _textSource = _document.CreateSnapshot(); } } private void RecalculateOffsets(DocumentChangeEventArgs e) { var changedLine = _document.GetLineByOffset(e.Offset); int lineIndex = changedLine.LineNumber - 1; _lineRanges[lineIndex].Offset = changedLine.Offset; _lineRanges[lineIndex].Length = changedLine.Length; _lineRanges[lineIndex].TotalLength = changedLine.TotalLength; for (int i = lineIndex + 1; i < _lineCount; i++) { _lineRanges[i].Offset = e.OffsetChangeMap.GetNewOffset(_lineRanges[i].Offset); } } private void RecomputeAllLineRanges(DocumentChangeEventArgs e) { Array.Resize(ref _lineRanges, _lineCount); int currentLineIndex = (e != null) ? _document.GetLineByOffset(e.Offset).LineNumber - 1 : 0; var currentLine = _document.GetLineByNumber(currentLineIndex + 1); while (currentLine != null) { _lineRanges[currentLineIndex].Offset = currentLine.Offset; _lineRanges[currentLineIndex].Length = currentLine.Length; _lineRanges[currentLineIndex].TotalLength = currentLine.TotalLength; currentLine = currentLine.NextLine; currentLineIndex++; } } struct LineRange { public int Offset; public int Length; public int TotalLength; } } } <MSG> Manage the line ranges a private class <DFF> @@ -71,11 +71,11 @@ namespace AvaloniaEdit.TextMate _textSource = _document.CreateSnapshot(); } - } - internal struct LineRange - { - public int Offset; - public int Length; + struct LineRange + { + public int Offset; + public int Length; + } } }
5
Manage the line ranges a private class
5
.cs
TextMate/DocumentSnapshot
mit
AvaloniaUI/AvaloniaEdit
10063902
<NME> DocumentSnapshot.cs <BEF> using System; using System.Collections.Generic; using System.Linq; using AvaloniaEdit.Document; namespace AvaloniaEdit.TextMate { public class DocumentSnapshot { private LineRange[] _lineRanges; private TextDocument _document; private ITextSource _textSource; private object _lock = new object(); private int _lineCount; public int LineCount { get { lock (_lock) { return _lineCount; } } } public DocumentSnapshot(TextDocument document) { _document = document; _lineRanges = new LineRange[document.LineCount]; Update(null); } public void RemoveLines(int startLine, int endLine) { lock (_lock) { var tmpList = _lineRanges.ToList(); tmpList.RemoveRange(startLine, endLine - startLine + 1); _lineRanges = tmpList.ToArray(); _lineCount = _lineRanges.Length; } } public string GetLineText(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.Length); } } public string GetLineTextIncludingTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.TotalLength); } } public string GetLineTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset + lineRange.Length, lineRange.TotalLength - lineRange.Length); } } public int GetLineLength(int lineIndex) { lock (_lock) _textSource = _document.CreateSnapshot(); } } internal struct LineRange { public int Offset; public int Length; } } } public string GetText() { lock (_lock) { return _textSource.Text; } } public void Update(DocumentChangeEventArgs e) { lock (_lock) { _lineCount = _document.Lines.Count; if (e != null && e.OffsetChangeMap != null && _lineRanges != null && _lineCount == _lineRanges.Length) { // it's a single-line change // update the offsets usign the OffsetChangeMap RecalculateOffsets(e); } else { // recompute all the line ranges // based in the document lines RecomputeAllLineRanges(e); } _textSource = _document.CreateSnapshot(); } } private void RecalculateOffsets(DocumentChangeEventArgs e) { var changedLine = _document.GetLineByOffset(e.Offset); int lineIndex = changedLine.LineNumber - 1; _lineRanges[lineIndex].Offset = changedLine.Offset; _lineRanges[lineIndex].Length = changedLine.Length; _lineRanges[lineIndex].TotalLength = changedLine.TotalLength; for (int i = lineIndex + 1; i < _lineCount; i++) { _lineRanges[i].Offset = e.OffsetChangeMap.GetNewOffset(_lineRanges[i].Offset); } } private void RecomputeAllLineRanges(DocumentChangeEventArgs e) { Array.Resize(ref _lineRanges, _lineCount); int currentLineIndex = (e != null) ? _document.GetLineByOffset(e.Offset).LineNumber - 1 : 0; var currentLine = _document.GetLineByNumber(currentLineIndex + 1); while (currentLine != null) { _lineRanges[currentLineIndex].Offset = currentLine.Offset; _lineRanges[currentLineIndex].Length = currentLine.Length; _lineRanges[currentLineIndex].TotalLength = currentLine.TotalLength; currentLine = currentLine.NextLine; currentLineIndex++; } } struct LineRange { public int Offset; public int Length; public int TotalLength; } } } <MSG> Manage the line ranges a private class <DFF> @@ -71,11 +71,11 @@ namespace AvaloniaEdit.TextMate _textSource = _document.CreateSnapshot(); } - } - internal struct LineRange - { - public int Offset; - public int Length; + struct LineRange + { + public int Offset; + public int Length; + } } }
5
Manage the line ranges a private class
5
.cs
TextMate/DocumentSnapshot
mit
AvaloniaUI/AvaloniaEdit
10063903
<NME> DocumentSnapshot.cs <BEF> using System; using System.Collections.Generic; using System.Linq; using AvaloniaEdit.Document; namespace AvaloniaEdit.TextMate { public class DocumentSnapshot { private LineRange[] _lineRanges; private TextDocument _document; private ITextSource _textSource; private object _lock = new object(); private int _lineCount; public int LineCount { get { lock (_lock) { return _lineCount; } } } public DocumentSnapshot(TextDocument document) { _document = document; _lineRanges = new LineRange[document.LineCount]; Update(null); } public void RemoveLines(int startLine, int endLine) { lock (_lock) { var tmpList = _lineRanges.ToList(); tmpList.RemoveRange(startLine, endLine - startLine + 1); _lineRanges = tmpList.ToArray(); _lineCount = _lineRanges.Length; } } public string GetLineText(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.Length); } } public string GetLineTextIncludingTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.TotalLength); } } public string GetLineTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset + lineRange.Length, lineRange.TotalLength - lineRange.Length); } } public int GetLineLength(int lineIndex) { lock (_lock) _textSource = _document.CreateSnapshot(); } } internal struct LineRange { public int Offset; public int Length; } } } public string GetText() { lock (_lock) { return _textSource.Text; } } public void Update(DocumentChangeEventArgs e) { lock (_lock) { _lineCount = _document.Lines.Count; if (e != null && e.OffsetChangeMap != null && _lineRanges != null && _lineCount == _lineRanges.Length) { // it's a single-line change // update the offsets usign the OffsetChangeMap RecalculateOffsets(e); } else { // recompute all the line ranges // based in the document lines RecomputeAllLineRanges(e); } _textSource = _document.CreateSnapshot(); } } private void RecalculateOffsets(DocumentChangeEventArgs e) { var changedLine = _document.GetLineByOffset(e.Offset); int lineIndex = changedLine.LineNumber - 1; _lineRanges[lineIndex].Offset = changedLine.Offset; _lineRanges[lineIndex].Length = changedLine.Length; _lineRanges[lineIndex].TotalLength = changedLine.TotalLength; for (int i = lineIndex + 1; i < _lineCount; i++) { _lineRanges[i].Offset = e.OffsetChangeMap.GetNewOffset(_lineRanges[i].Offset); } } private void RecomputeAllLineRanges(DocumentChangeEventArgs e) { Array.Resize(ref _lineRanges, _lineCount); int currentLineIndex = (e != null) ? _document.GetLineByOffset(e.Offset).LineNumber - 1 : 0; var currentLine = _document.GetLineByNumber(currentLineIndex + 1); while (currentLine != null) { _lineRanges[currentLineIndex].Offset = currentLine.Offset; _lineRanges[currentLineIndex].Length = currentLine.Length; _lineRanges[currentLineIndex].TotalLength = currentLine.TotalLength; currentLine = currentLine.NextLine; currentLineIndex++; } } struct LineRange { public int Offset; public int Length; public int TotalLength; } } } <MSG> Manage the line ranges a private class <DFF> @@ -71,11 +71,11 @@ namespace AvaloniaEdit.TextMate _textSource = _document.CreateSnapshot(); } - } - internal struct LineRange - { - public int Offset; - public int Length; + struct LineRange + { + public int Offset; + public int Length; + } } }
5
Manage the line ranges a private class
5
.cs
TextMate/DocumentSnapshot
mit
AvaloniaUI/AvaloniaEdit
10063904
<NME> DocumentSnapshot.cs <BEF> using System; using System.Collections.Generic; using System.Linq; using AvaloniaEdit.Document; namespace AvaloniaEdit.TextMate { public class DocumentSnapshot { private LineRange[] _lineRanges; private TextDocument _document; private ITextSource _textSource; private object _lock = new object(); private int _lineCount; public int LineCount { get { lock (_lock) { return _lineCount; } } } public DocumentSnapshot(TextDocument document) { _document = document; _lineRanges = new LineRange[document.LineCount]; Update(null); } public void RemoveLines(int startLine, int endLine) { lock (_lock) { var tmpList = _lineRanges.ToList(); tmpList.RemoveRange(startLine, endLine - startLine + 1); _lineRanges = tmpList.ToArray(); _lineCount = _lineRanges.Length; } } public string GetLineText(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.Length); } } public string GetLineTextIncludingTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.TotalLength); } } public string GetLineTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset + lineRange.Length, lineRange.TotalLength - lineRange.Length); } } public int GetLineLength(int lineIndex) { lock (_lock) _textSource = _document.CreateSnapshot(); } } internal struct LineRange { public int Offset; public int Length; } } } public string GetText() { lock (_lock) { return _textSource.Text; } } public void Update(DocumentChangeEventArgs e) { lock (_lock) { _lineCount = _document.Lines.Count; if (e != null && e.OffsetChangeMap != null && _lineRanges != null && _lineCount == _lineRanges.Length) { // it's a single-line change // update the offsets usign the OffsetChangeMap RecalculateOffsets(e); } else { // recompute all the line ranges // based in the document lines RecomputeAllLineRanges(e); } _textSource = _document.CreateSnapshot(); } } private void RecalculateOffsets(DocumentChangeEventArgs e) { var changedLine = _document.GetLineByOffset(e.Offset); int lineIndex = changedLine.LineNumber - 1; _lineRanges[lineIndex].Offset = changedLine.Offset; _lineRanges[lineIndex].Length = changedLine.Length; _lineRanges[lineIndex].TotalLength = changedLine.TotalLength; for (int i = lineIndex + 1; i < _lineCount; i++) { _lineRanges[i].Offset = e.OffsetChangeMap.GetNewOffset(_lineRanges[i].Offset); } } private void RecomputeAllLineRanges(DocumentChangeEventArgs e) { Array.Resize(ref _lineRanges, _lineCount); int currentLineIndex = (e != null) ? _document.GetLineByOffset(e.Offset).LineNumber - 1 : 0; var currentLine = _document.GetLineByNumber(currentLineIndex + 1); while (currentLine != null) { _lineRanges[currentLineIndex].Offset = currentLine.Offset; _lineRanges[currentLineIndex].Length = currentLine.Length; _lineRanges[currentLineIndex].TotalLength = currentLine.TotalLength; currentLine = currentLine.NextLine; currentLineIndex++; } } struct LineRange { public int Offset; public int Length; public int TotalLength; } } } <MSG> Manage the line ranges a private class <DFF> @@ -71,11 +71,11 @@ namespace AvaloniaEdit.TextMate _textSource = _document.CreateSnapshot(); } - } - internal struct LineRange - { - public int Offset; - public int Length; + struct LineRange + { + public int Offset; + public int Length; + } } }
5
Manage the line ranges a private class
5
.cs
TextMate/DocumentSnapshot
mit
AvaloniaUI/AvaloniaEdit
10063905
<NME> DocumentSnapshot.cs <BEF> using System; using System.Collections.Generic; using System.Linq; using AvaloniaEdit.Document; namespace AvaloniaEdit.TextMate { public class DocumentSnapshot { private LineRange[] _lineRanges; private TextDocument _document; private ITextSource _textSource; private object _lock = new object(); private int _lineCount; public int LineCount { get { lock (_lock) { return _lineCount; } } } public DocumentSnapshot(TextDocument document) { _document = document; _lineRanges = new LineRange[document.LineCount]; Update(null); } public void RemoveLines(int startLine, int endLine) { lock (_lock) { var tmpList = _lineRanges.ToList(); tmpList.RemoveRange(startLine, endLine - startLine + 1); _lineRanges = tmpList.ToArray(); _lineCount = _lineRanges.Length; } } public string GetLineText(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.Length); } } public string GetLineTextIncludingTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.TotalLength); } } public string GetLineTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset + lineRange.Length, lineRange.TotalLength - lineRange.Length); } } public int GetLineLength(int lineIndex) { lock (_lock) _textSource = _document.CreateSnapshot(); } } internal struct LineRange { public int Offset; public int Length; } } } public string GetText() { lock (_lock) { return _textSource.Text; } } public void Update(DocumentChangeEventArgs e) { lock (_lock) { _lineCount = _document.Lines.Count; if (e != null && e.OffsetChangeMap != null && _lineRanges != null && _lineCount == _lineRanges.Length) { // it's a single-line change // update the offsets usign the OffsetChangeMap RecalculateOffsets(e); } else { // recompute all the line ranges // based in the document lines RecomputeAllLineRanges(e); } _textSource = _document.CreateSnapshot(); } } private void RecalculateOffsets(DocumentChangeEventArgs e) { var changedLine = _document.GetLineByOffset(e.Offset); int lineIndex = changedLine.LineNumber - 1; _lineRanges[lineIndex].Offset = changedLine.Offset; _lineRanges[lineIndex].Length = changedLine.Length; _lineRanges[lineIndex].TotalLength = changedLine.TotalLength; for (int i = lineIndex + 1; i < _lineCount; i++) { _lineRanges[i].Offset = e.OffsetChangeMap.GetNewOffset(_lineRanges[i].Offset); } } private void RecomputeAllLineRanges(DocumentChangeEventArgs e) { Array.Resize(ref _lineRanges, _lineCount); int currentLineIndex = (e != null) ? _document.GetLineByOffset(e.Offset).LineNumber - 1 : 0; var currentLine = _document.GetLineByNumber(currentLineIndex + 1); while (currentLine != null) { _lineRanges[currentLineIndex].Offset = currentLine.Offset; _lineRanges[currentLineIndex].Length = currentLine.Length; _lineRanges[currentLineIndex].TotalLength = currentLine.TotalLength; currentLine = currentLine.NextLine; currentLineIndex++; } } struct LineRange { public int Offset; public int Length; public int TotalLength; } } } <MSG> Manage the line ranges a private class <DFF> @@ -71,11 +71,11 @@ namespace AvaloniaEdit.TextMate _textSource = _document.CreateSnapshot(); } - } - internal struct LineRange - { - public int Offset; - public int Length; + struct LineRange + { + public int Offset; + public int Length; + } } }
5
Manage the line ranges a private class
5
.cs
TextMate/DocumentSnapshot
mit
AvaloniaUI/AvaloniaEdit
10063906
<NME> DocumentSnapshot.cs <BEF> using System; using System.Collections.Generic; using System.Linq; using AvaloniaEdit.Document; namespace AvaloniaEdit.TextMate { public class DocumentSnapshot { private LineRange[] _lineRanges; private TextDocument _document; private ITextSource _textSource; private object _lock = new object(); private int _lineCount; public int LineCount { get { lock (_lock) { return _lineCount; } } } public DocumentSnapshot(TextDocument document) { _document = document; _lineRanges = new LineRange[document.LineCount]; Update(null); } public void RemoveLines(int startLine, int endLine) { lock (_lock) { var tmpList = _lineRanges.ToList(); tmpList.RemoveRange(startLine, endLine - startLine + 1); _lineRanges = tmpList.ToArray(); _lineCount = _lineRanges.Length; } } public string GetLineText(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.Length); } } public string GetLineTextIncludingTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.TotalLength); } } public string GetLineTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset + lineRange.Length, lineRange.TotalLength - lineRange.Length); } } public int GetLineLength(int lineIndex) { lock (_lock) _textSource = _document.CreateSnapshot(); } } internal struct LineRange { public int Offset; public int Length; } } } public string GetText() { lock (_lock) { return _textSource.Text; } } public void Update(DocumentChangeEventArgs e) { lock (_lock) { _lineCount = _document.Lines.Count; if (e != null && e.OffsetChangeMap != null && _lineRanges != null && _lineCount == _lineRanges.Length) { // it's a single-line change // update the offsets usign the OffsetChangeMap RecalculateOffsets(e); } else { // recompute all the line ranges // based in the document lines RecomputeAllLineRanges(e); } _textSource = _document.CreateSnapshot(); } } private void RecalculateOffsets(DocumentChangeEventArgs e) { var changedLine = _document.GetLineByOffset(e.Offset); int lineIndex = changedLine.LineNumber - 1; _lineRanges[lineIndex].Offset = changedLine.Offset; _lineRanges[lineIndex].Length = changedLine.Length; _lineRanges[lineIndex].TotalLength = changedLine.TotalLength; for (int i = lineIndex + 1; i < _lineCount; i++) { _lineRanges[i].Offset = e.OffsetChangeMap.GetNewOffset(_lineRanges[i].Offset); } } private void RecomputeAllLineRanges(DocumentChangeEventArgs e) { Array.Resize(ref _lineRanges, _lineCount); int currentLineIndex = (e != null) ? _document.GetLineByOffset(e.Offset).LineNumber - 1 : 0; var currentLine = _document.GetLineByNumber(currentLineIndex + 1); while (currentLine != null) { _lineRanges[currentLineIndex].Offset = currentLine.Offset; _lineRanges[currentLineIndex].Length = currentLine.Length; _lineRanges[currentLineIndex].TotalLength = currentLine.TotalLength; currentLine = currentLine.NextLine; currentLineIndex++; } } struct LineRange { public int Offset; public int Length; public int TotalLength; } } } <MSG> Manage the line ranges a private class <DFF> @@ -71,11 +71,11 @@ namespace AvaloniaEdit.TextMate _textSource = _document.CreateSnapshot(); } - } - internal struct LineRange - { - public int Offset; - public int Length; + struct LineRange + { + public int Offset; + public int Length; + } } }
5
Manage the line ranges a private class
5
.cs
TextMate/DocumentSnapshot
mit
AvaloniaUI/AvaloniaEdit
10063907
<NME> DocumentSnapshot.cs <BEF> using System; using System.Collections.Generic; using System.Linq; using AvaloniaEdit.Document; namespace AvaloniaEdit.TextMate { public class DocumentSnapshot { private LineRange[] _lineRanges; private TextDocument _document; private ITextSource _textSource; private object _lock = new object(); private int _lineCount; public int LineCount { get { lock (_lock) { return _lineCount; } } } public DocumentSnapshot(TextDocument document) { _document = document; _lineRanges = new LineRange[document.LineCount]; Update(null); } public void RemoveLines(int startLine, int endLine) { lock (_lock) { var tmpList = _lineRanges.ToList(); tmpList.RemoveRange(startLine, endLine - startLine + 1); _lineRanges = tmpList.ToArray(); _lineCount = _lineRanges.Length; } } public string GetLineText(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.Length); } } public string GetLineTextIncludingTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.TotalLength); } } public string GetLineTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset + lineRange.Length, lineRange.TotalLength - lineRange.Length); } } public int GetLineLength(int lineIndex) { lock (_lock) _textSource = _document.CreateSnapshot(); } } internal struct LineRange { public int Offset; public int Length; } } } public string GetText() { lock (_lock) { return _textSource.Text; } } public void Update(DocumentChangeEventArgs e) { lock (_lock) { _lineCount = _document.Lines.Count; if (e != null && e.OffsetChangeMap != null && _lineRanges != null && _lineCount == _lineRanges.Length) { // it's a single-line change // update the offsets usign the OffsetChangeMap RecalculateOffsets(e); } else { // recompute all the line ranges // based in the document lines RecomputeAllLineRanges(e); } _textSource = _document.CreateSnapshot(); } } private void RecalculateOffsets(DocumentChangeEventArgs e) { var changedLine = _document.GetLineByOffset(e.Offset); int lineIndex = changedLine.LineNumber - 1; _lineRanges[lineIndex].Offset = changedLine.Offset; _lineRanges[lineIndex].Length = changedLine.Length; _lineRanges[lineIndex].TotalLength = changedLine.TotalLength; for (int i = lineIndex + 1; i < _lineCount; i++) { _lineRanges[i].Offset = e.OffsetChangeMap.GetNewOffset(_lineRanges[i].Offset); } } private void RecomputeAllLineRanges(DocumentChangeEventArgs e) { Array.Resize(ref _lineRanges, _lineCount); int currentLineIndex = (e != null) ? _document.GetLineByOffset(e.Offset).LineNumber - 1 : 0; var currentLine = _document.GetLineByNumber(currentLineIndex + 1); while (currentLine != null) { _lineRanges[currentLineIndex].Offset = currentLine.Offset; _lineRanges[currentLineIndex].Length = currentLine.Length; _lineRanges[currentLineIndex].TotalLength = currentLine.TotalLength; currentLine = currentLine.NextLine; currentLineIndex++; } } struct LineRange { public int Offset; public int Length; public int TotalLength; } } } <MSG> Manage the line ranges a private class <DFF> @@ -71,11 +71,11 @@ namespace AvaloniaEdit.TextMate _textSource = _document.CreateSnapshot(); } - } - internal struct LineRange - { - public int Offset; - public int Length; + struct LineRange + { + public int Offset; + public int Length; + } } }
5
Manage the line ranges a private class
5
.cs
TextMate/DocumentSnapshot
mit
AvaloniaUI/AvaloniaEdit
10063908
<NME> DocumentSnapshot.cs <BEF> using System; using System.Collections.Generic; using System.Linq; using AvaloniaEdit.Document; namespace AvaloniaEdit.TextMate { public class DocumentSnapshot { private LineRange[] _lineRanges; private TextDocument _document; private ITextSource _textSource; private object _lock = new object(); private int _lineCount; public int LineCount { get { lock (_lock) { return _lineCount; } } } public DocumentSnapshot(TextDocument document) { _document = document; _lineRanges = new LineRange[document.LineCount]; Update(null); } public void RemoveLines(int startLine, int endLine) { lock (_lock) { var tmpList = _lineRanges.ToList(); tmpList.RemoveRange(startLine, endLine - startLine + 1); _lineRanges = tmpList.ToArray(); _lineCount = _lineRanges.Length; } } public string GetLineText(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.Length); } } public string GetLineTextIncludingTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.TotalLength); } } public string GetLineTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset + lineRange.Length, lineRange.TotalLength - lineRange.Length); } } public int GetLineLength(int lineIndex) { lock (_lock) _textSource = _document.CreateSnapshot(); } } internal struct LineRange { public int Offset; public int Length; } } } public string GetText() { lock (_lock) { return _textSource.Text; } } public void Update(DocumentChangeEventArgs e) { lock (_lock) { _lineCount = _document.Lines.Count; if (e != null && e.OffsetChangeMap != null && _lineRanges != null && _lineCount == _lineRanges.Length) { // it's a single-line change // update the offsets usign the OffsetChangeMap RecalculateOffsets(e); } else { // recompute all the line ranges // based in the document lines RecomputeAllLineRanges(e); } _textSource = _document.CreateSnapshot(); } } private void RecalculateOffsets(DocumentChangeEventArgs e) { var changedLine = _document.GetLineByOffset(e.Offset); int lineIndex = changedLine.LineNumber - 1; _lineRanges[lineIndex].Offset = changedLine.Offset; _lineRanges[lineIndex].Length = changedLine.Length; _lineRanges[lineIndex].TotalLength = changedLine.TotalLength; for (int i = lineIndex + 1; i < _lineCount; i++) { _lineRanges[i].Offset = e.OffsetChangeMap.GetNewOffset(_lineRanges[i].Offset); } } private void RecomputeAllLineRanges(DocumentChangeEventArgs e) { Array.Resize(ref _lineRanges, _lineCount); int currentLineIndex = (e != null) ? _document.GetLineByOffset(e.Offset).LineNumber - 1 : 0; var currentLine = _document.GetLineByNumber(currentLineIndex + 1); while (currentLine != null) { _lineRanges[currentLineIndex].Offset = currentLine.Offset; _lineRanges[currentLineIndex].Length = currentLine.Length; _lineRanges[currentLineIndex].TotalLength = currentLine.TotalLength; currentLine = currentLine.NextLine; currentLineIndex++; } } struct LineRange { public int Offset; public int Length; public int TotalLength; } } } <MSG> Manage the line ranges a private class <DFF> @@ -71,11 +71,11 @@ namespace AvaloniaEdit.TextMate _textSource = _document.CreateSnapshot(); } - } - internal struct LineRange - { - public int Offset; - public int Length; + struct LineRange + { + public int Offset; + public int Length; + } } }
5
Manage the line ranges a private class
5
.cs
TextMate/DocumentSnapshot
mit
AvaloniaUI/AvaloniaEdit
10063909
<NME> DocumentSnapshot.cs <BEF> using System; using System.Collections.Generic; using System.Linq; using AvaloniaEdit.Document; namespace AvaloniaEdit.TextMate { public class DocumentSnapshot { private LineRange[] _lineRanges; private TextDocument _document; private ITextSource _textSource; private object _lock = new object(); private int _lineCount; public int LineCount { get { lock (_lock) { return _lineCount; } } } public DocumentSnapshot(TextDocument document) { _document = document; _lineRanges = new LineRange[document.LineCount]; Update(null); } public void RemoveLines(int startLine, int endLine) { lock (_lock) { var tmpList = _lineRanges.ToList(); tmpList.RemoveRange(startLine, endLine - startLine + 1); _lineRanges = tmpList.ToArray(); _lineCount = _lineRanges.Length; } } public string GetLineText(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.Length); } } public string GetLineTextIncludingTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.TotalLength); } } public string GetLineTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset + lineRange.Length, lineRange.TotalLength - lineRange.Length); } } public int GetLineLength(int lineIndex) { lock (_lock) _textSource = _document.CreateSnapshot(); } } internal struct LineRange { public int Offset; public int Length; } } } public string GetText() { lock (_lock) { return _textSource.Text; } } public void Update(DocumentChangeEventArgs e) { lock (_lock) { _lineCount = _document.Lines.Count; if (e != null && e.OffsetChangeMap != null && _lineRanges != null && _lineCount == _lineRanges.Length) { // it's a single-line change // update the offsets usign the OffsetChangeMap RecalculateOffsets(e); } else { // recompute all the line ranges // based in the document lines RecomputeAllLineRanges(e); } _textSource = _document.CreateSnapshot(); } } private void RecalculateOffsets(DocumentChangeEventArgs e) { var changedLine = _document.GetLineByOffset(e.Offset); int lineIndex = changedLine.LineNumber - 1; _lineRanges[lineIndex].Offset = changedLine.Offset; _lineRanges[lineIndex].Length = changedLine.Length; _lineRanges[lineIndex].TotalLength = changedLine.TotalLength; for (int i = lineIndex + 1; i < _lineCount; i++) { _lineRanges[i].Offset = e.OffsetChangeMap.GetNewOffset(_lineRanges[i].Offset); } } private void RecomputeAllLineRanges(DocumentChangeEventArgs e) { Array.Resize(ref _lineRanges, _lineCount); int currentLineIndex = (e != null) ? _document.GetLineByOffset(e.Offset).LineNumber - 1 : 0; var currentLine = _document.GetLineByNumber(currentLineIndex + 1); while (currentLine != null) { _lineRanges[currentLineIndex].Offset = currentLine.Offset; _lineRanges[currentLineIndex].Length = currentLine.Length; _lineRanges[currentLineIndex].TotalLength = currentLine.TotalLength; currentLine = currentLine.NextLine; currentLineIndex++; } } struct LineRange { public int Offset; public int Length; public int TotalLength; } } } <MSG> Manage the line ranges a private class <DFF> @@ -71,11 +71,11 @@ namespace AvaloniaEdit.TextMate _textSource = _document.CreateSnapshot(); } - } - internal struct LineRange - { - public int Offset; - public int Length; + struct LineRange + { + public int Offset; + public int Length; + } } }
5
Manage the line ranges a private class
5
.cs
TextMate/DocumentSnapshot
mit
AvaloniaUI/AvaloniaEdit
10063910
<NME> DocumentSnapshot.cs <BEF> using System; using System.Collections.Generic; using System.Linq; using AvaloniaEdit.Document; namespace AvaloniaEdit.TextMate { public class DocumentSnapshot { private LineRange[] _lineRanges; private TextDocument _document; private ITextSource _textSource; private object _lock = new object(); private int _lineCount; public int LineCount { get { lock (_lock) { return _lineCount; } } } public DocumentSnapshot(TextDocument document) { _document = document; _lineRanges = new LineRange[document.LineCount]; Update(null); } public void RemoveLines(int startLine, int endLine) { lock (_lock) { var tmpList = _lineRanges.ToList(); tmpList.RemoveRange(startLine, endLine - startLine + 1); _lineRanges = tmpList.ToArray(); _lineCount = _lineRanges.Length; } } public string GetLineText(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.Length); } } public string GetLineTextIncludingTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.TotalLength); } } public string GetLineTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset + lineRange.Length, lineRange.TotalLength - lineRange.Length); } } public int GetLineLength(int lineIndex) { lock (_lock) _textSource = _document.CreateSnapshot(); } } internal struct LineRange { public int Offset; public int Length; } } } public string GetText() { lock (_lock) { return _textSource.Text; } } public void Update(DocumentChangeEventArgs e) { lock (_lock) { _lineCount = _document.Lines.Count; if (e != null && e.OffsetChangeMap != null && _lineRanges != null && _lineCount == _lineRanges.Length) { // it's a single-line change // update the offsets usign the OffsetChangeMap RecalculateOffsets(e); } else { // recompute all the line ranges // based in the document lines RecomputeAllLineRanges(e); } _textSource = _document.CreateSnapshot(); } } private void RecalculateOffsets(DocumentChangeEventArgs e) { var changedLine = _document.GetLineByOffset(e.Offset); int lineIndex = changedLine.LineNumber - 1; _lineRanges[lineIndex].Offset = changedLine.Offset; _lineRanges[lineIndex].Length = changedLine.Length; _lineRanges[lineIndex].TotalLength = changedLine.TotalLength; for (int i = lineIndex + 1; i < _lineCount; i++) { _lineRanges[i].Offset = e.OffsetChangeMap.GetNewOffset(_lineRanges[i].Offset); } } private void RecomputeAllLineRanges(DocumentChangeEventArgs e) { Array.Resize(ref _lineRanges, _lineCount); int currentLineIndex = (e != null) ? _document.GetLineByOffset(e.Offset).LineNumber - 1 : 0; var currentLine = _document.GetLineByNumber(currentLineIndex + 1); while (currentLine != null) { _lineRanges[currentLineIndex].Offset = currentLine.Offset; _lineRanges[currentLineIndex].Length = currentLine.Length; _lineRanges[currentLineIndex].TotalLength = currentLine.TotalLength; currentLine = currentLine.NextLine; currentLineIndex++; } } struct LineRange { public int Offset; public int Length; public int TotalLength; } } } <MSG> Manage the line ranges a private class <DFF> @@ -71,11 +71,11 @@ namespace AvaloniaEdit.TextMate _textSource = _document.CreateSnapshot(); } - } - internal struct LineRange - { - public int Offset; - public int Length; + struct LineRange + { + public int Offset; + public int Length; + } } }
5
Manage the line ranges a private class
5
.cs
TextMate/DocumentSnapshot
mit
AvaloniaUI/AvaloniaEdit
10063911
<NME> DocumentSnapshot.cs <BEF> using System; using System.Collections.Generic; using System.Linq; using AvaloniaEdit.Document; namespace AvaloniaEdit.TextMate { public class DocumentSnapshot { private LineRange[] _lineRanges; private TextDocument _document; private ITextSource _textSource; private object _lock = new object(); private int _lineCount; public int LineCount { get { lock (_lock) { return _lineCount; } } } public DocumentSnapshot(TextDocument document) { _document = document; _lineRanges = new LineRange[document.LineCount]; Update(null); } public void RemoveLines(int startLine, int endLine) { lock (_lock) { var tmpList = _lineRanges.ToList(); tmpList.RemoveRange(startLine, endLine - startLine + 1); _lineRanges = tmpList.ToArray(); _lineCount = _lineRanges.Length; } } public string GetLineText(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.Length); } } public string GetLineTextIncludingTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.TotalLength); } } public string GetLineTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset + lineRange.Length, lineRange.TotalLength - lineRange.Length); } } public int GetLineLength(int lineIndex) { lock (_lock) _textSource = _document.CreateSnapshot(); } } internal struct LineRange { public int Offset; public int Length; } } } public string GetText() { lock (_lock) { return _textSource.Text; } } public void Update(DocumentChangeEventArgs e) { lock (_lock) { _lineCount = _document.Lines.Count; if (e != null && e.OffsetChangeMap != null && _lineRanges != null && _lineCount == _lineRanges.Length) { // it's a single-line change // update the offsets usign the OffsetChangeMap RecalculateOffsets(e); } else { // recompute all the line ranges // based in the document lines RecomputeAllLineRanges(e); } _textSource = _document.CreateSnapshot(); } } private void RecalculateOffsets(DocumentChangeEventArgs e) { var changedLine = _document.GetLineByOffset(e.Offset); int lineIndex = changedLine.LineNumber - 1; _lineRanges[lineIndex].Offset = changedLine.Offset; _lineRanges[lineIndex].Length = changedLine.Length; _lineRanges[lineIndex].TotalLength = changedLine.TotalLength; for (int i = lineIndex + 1; i < _lineCount; i++) { _lineRanges[i].Offset = e.OffsetChangeMap.GetNewOffset(_lineRanges[i].Offset); } } private void RecomputeAllLineRanges(DocumentChangeEventArgs e) { Array.Resize(ref _lineRanges, _lineCount); int currentLineIndex = (e != null) ? _document.GetLineByOffset(e.Offset).LineNumber - 1 : 0; var currentLine = _document.GetLineByNumber(currentLineIndex + 1); while (currentLine != null) { _lineRanges[currentLineIndex].Offset = currentLine.Offset; _lineRanges[currentLineIndex].Length = currentLine.Length; _lineRanges[currentLineIndex].TotalLength = currentLine.TotalLength; currentLine = currentLine.NextLine; currentLineIndex++; } } struct LineRange { public int Offset; public int Length; public int TotalLength; } } } <MSG> Manage the line ranges a private class <DFF> @@ -71,11 +71,11 @@ namespace AvaloniaEdit.TextMate _textSource = _document.CreateSnapshot(); } - } - internal struct LineRange - { - public int Offset; - public int Length; + struct LineRange + { + public int Offset; + public int Length; + } } }
5
Manage the line ranges a private class
5
.cs
TextMate/DocumentSnapshot
mit
AvaloniaUI/AvaloniaEdit
10063912
<NME> DocumentSnapshot.cs <BEF> using System; using System.Collections.Generic; using System.Linq; using AvaloniaEdit.Document; namespace AvaloniaEdit.TextMate { public class DocumentSnapshot { private LineRange[] _lineRanges; private TextDocument _document; private ITextSource _textSource; private object _lock = new object(); private int _lineCount; public int LineCount { get { lock (_lock) { return _lineCount; } } } public DocumentSnapshot(TextDocument document) { _document = document; _lineRanges = new LineRange[document.LineCount]; Update(null); } public void RemoveLines(int startLine, int endLine) { lock (_lock) { var tmpList = _lineRanges.ToList(); tmpList.RemoveRange(startLine, endLine - startLine + 1); _lineRanges = tmpList.ToArray(); _lineCount = _lineRanges.Length; } } public string GetLineText(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.Length); } } public string GetLineTextIncludingTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset, lineRange.TotalLength); } } public string GetLineTerminator(int lineIndex) { lock (_lock) { var lineRange = _lineRanges[lineIndex]; return _textSource.GetText(lineRange.Offset + lineRange.Length, lineRange.TotalLength - lineRange.Length); } } public int GetLineLength(int lineIndex) { lock (_lock) _textSource = _document.CreateSnapshot(); } } internal struct LineRange { public int Offset; public int Length; } } } public string GetText() { lock (_lock) { return _textSource.Text; } } public void Update(DocumentChangeEventArgs e) { lock (_lock) { _lineCount = _document.Lines.Count; if (e != null && e.OffsetChangeMap != null && _lineRanges != null && _lineCount == _lineRanges.Length) { // it's a single-line change // update the offsets usign the OffsetChangeMap RecalculateOffsets(e); } else { // recompute all the line ranges // based in the document lines RecomputeAllLineRanges(e); } _textSource = _document.CreateSnapshot(); } } private void RecalculateOffsets(DocumentChangeEventArgs e) { var changedLine = _document.GetLineByOffset(e.Offset); int lineIndex = changedLine.LineNumber - 1; _lineRanges[lineIndex].Offset = changedLine.Offset; _lineRanges[lineIndex].Length = changedLine.Length; _lineRanges[lineIndex].TotalLength = changedLine.TotalLength; for (int i = lineIndex + 1; i < _lineCount; i++) { _lineRanges[i].Offset = e.OffsetChangeMap.GetNewOffset(_lineRanges[i].Offset); } } private void RecomputeAllLineRanges(DocumentChangeEventArgs e) { Array.Resize(ref _lineRanges, _lineCount); int currentLineIndex = (e != null) ? _document.GetLineByOffset(e.Offset).LineNumber - 1 : 0; var currentLine = _document.GetLineByNumber(currentLineIndex + 1); while (currentLine != null) { _lineRanges[currentLineIndex].Offset = currentLine.Offset; _lineRanges[currentLineIndex].Length = currentLine.Length; _lineRanges[currentLineIndex].TotalLength = currentLine.TotalLength; currentLine = currentLine.NextLine; currentLineIndex++; } } struct LineRange { public int Offset; public int Length; public int TotalLength; } } } <MSG> Manage the line ranges a private class <DFF> @@ -71,11 +71,11 @@ namespace AvaloniaEdit.TextMate _textSource = _document.CreateSnapshot(); } - } - internal struct LineRange - { - public int Offset; - public int Length; + struct LineRange + { + public int Offset; + public int Length; + } } }
5
Manage the line ranges a private class
5
.cs
TextMate/DocumentSnapshot
mit
AvaloniaUI/AvaloniaEdit
10063913
<NME> SearchPanel.xaml <BEF> <Styles xmlns="https://github.com/avaloniaui" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" xmlns:ae="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:search="clr-namespace:AvaloniaEdit.Search;assembly=AvaloniaEdit"> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle"> <Setter Property="Template"> <ControlTemplate> <Path Fill="{DynamicResource ThemeForegroundBrush}" VerticalAlignment="Center" HorizontalAlignment="Center" Data="M 0 2 L 4 6 L 0 10 Z" /> </ControlTemplate> </Setter> </Style> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle:checked /template/ Path"> <Setter Property="RenderTransform"> <RotateTransform Angle="90" /> </Setter> </Style> <Style Selector="search|SearchPanel Button"> <Setter Property="BorderThickness" Value="0"/> <Setter Property="Background" Value="Transparent"/> </Style> <Style Selector="search|SearchPanel Button:pointerover"> <Setter Property="Background" Value="{DynamicResource ThemeControlMidBrush}"/> </Style> <Style Selector="search|SearchPanel"> <Setter Property="BorderThickness" Value="1" /> <Setter Property="BorderBrush" Value="{DynamicResource ThemeBorderLowBrush}" /> <Setter Property="Background" Value="{DynamicResource ThemeControlLowBrush}" /> <Setter Property="Focusable" Value="True" /> <Setter Property="Template"> <ControlTemplate> <Border Name="PART_Border" BorderThickness="{TemplateBinding BorderThickness}" BorderBrush="{TemplateBinding BorderBrush}" Background="{TemplateBinding Background}" HorizontalAlignment="Right" VerticalAlignment="Top" TextElement.FontFamily="Segoi UI" TextElement.FontSize="10"> <Grid ColumnDefinitions="Auto,Auto,Auto" RowDefinitions="Auto,Auto"> <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" StaysOpen="True" Focusable="False" IsOpen="False" ObeyScreenEdges="True"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}" IsChecked="{Binding IsReplaceMode, Mode=TwoWay, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="0" Grid.Row="0" Width="16" Margin="2"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchToggleReplace}" /> </ToolTip.Tip> </ToggleButton> <StackPanel Grid.Column="1"> <StackPanel Orientation="Horizontal" Grid.Column="2" Grid.Row="0"> <TextBox Watermark="{x:Static ae:SR.SearchLabel}" Name="PART_searchTextBox" Grid.Column="1" Grid.Row="0" Width="150" Height="24" Margin="3,3,3,0" Text="{Binding SearchPattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindPrevious}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindPreviousText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindPrevious.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindNextText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindNext.png?assembly=AvaloniaEdit" /> </Button> <Button Height="16" Background="Transparent" BorderThickness="0" Width="16" HorizontalAlignment="Right" VerticalAlignment="Top" Command="{x:Static search:SearchCommands.CloseSearchPanel}" VerticalContentAlignment="Center" HorizontalContentAlignment="Center" Focusable="True"> <Path Data="M 0,0 L 8,8 M 8,0 L 0,8" Stroke="{DynamicResource ThemeForegroundBrush}" StrokeThickness="1" /> </Button> </StackPanel> <StackPanel Name="ReplaceButtons" IsVisible="{Binding #Expander.IsChecked}" Orientation="Horizontal" Grid.Column="2" Grid.Row="1"> <TextBox Name="ReplaceBox" Watermark="{x:Static ae:SR.ReplaceLabel}" IsVisible="{Binding IsReplaceMode, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="1" Grid.Row="1" Width="150" Height="24" Margin="3 3 3 0" Text="{Binding ReplacePattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceNext}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceNext.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceAll}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceAll}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceAll.png?assembly=AvaloniaEdit" /> </Button> </StackPanel> <StackPanel Orientation="Horizontal"> <ToggleButton IsChecked="{Binding MatchCase, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchCaseText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CaseSensitive.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding WholeWords, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchWholeWordsText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CompleteWord.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding UseRegex, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchUseRegexText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.RegularExpression.png?assembly=AvaloniaEdit" /> </ToggleButton> </StackPanel> </StackPanel> </Grid> </Border> </ControlTemplate> </Setter> </Style> </Styles> <MSG> Update SearchPanel.xaml <DFF> @@ -50,10 +50,9 @@ <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" - StaysOpen="True" + IsLightDismissEnabled="False" Focusable="False" - IsOpen="False" - ObeyScreenEdges="True"> + IsOpen="False"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}"
2
Update SearchPanel.xaml
3
.xaml
xaml
mit
AvaloniaUI/AvaloniaEdit
10063914
<NME> SearchPanel.xaml <BEF> <Styles xmlns="https://github.com/avaloniaui" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" xmlns:ae="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:search="clr-namespace:AvaloniaEdit.Search;assembly=AvaloniaEdit"> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle"> <Setter Property="Template"> <ControlTemplate> <Path Fill="{DynamicResource ThemeForegroundBrush}" VerticalAlignment="Center" HorizontalAlignment="Center" Data="M 0 2 L 4 6 L 0 10 Z" /> </ControlTemplate> </Setter> </Style> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle:checked /template/ Path"> <Setter Property="RenderTransform"> <RotateTransform Angle="90" /> </Setter> </Style> <Style Selector="search|SearchPanel Button"> <Setter Property="BorderThickness" Value="0"/> <Setter Property="Background" Value="Transparent"/> </Style> <Style Selector="search|SearchPanel Button:pointerover"> <Setter Property="Background" Value="{DynamicResource ThemeControlMidBrush}"/> </Style> <Style Selector="search|SearchPanel"> <Setter Property="BorderThickness" Value="1" /> <Setter Property="BorderBrush" Value="{DynamicResource ThemeBorderLowBrush}" /> <Setter Property="Background" Value="{DynamicResource ThemeControlLowBrush}" /> <Setter Property="Focusable" Value="True" /> <Setter Property="Template"> <ControlTemplate> <Border Name="PART_Border" BorderThickness="{TemplateBinding BorderThickness}" BorderBrush="{TemplateBinding BorderBrush}" Background="{TemplateBinding Background}" HorizontalAlignment="Right" VerticalAlignment="Top" TextElement.FontFamily="Segoi UI" TextElement.FontSize="10"> <Grid ColumnDefinitions="Auto,Auto,Auto" RowDefinitions="Auto,Auto"> <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" StaysOpen="True" Focusable="False" IsOpen="False" ObeyScreenEdges="True"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}" IsChecked="{Binding IsReplaceMode, Mode=TwoWay, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="0" Grid.Row="0" Width="16" Margin="2"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchToggleReplace}" /> </ToolTip.Tip> </ToggleButton> <StackPanel Grid.Column="1"> <StackPanel Orientation="Horizontal" Grid.Column="2" Grid.Row="0"> <TextBox Watermark="{x:Static ae:SR.SearchLabel}" Name="PART_searchTextBox" Grid.Column="1" Grid.Row="0" Width="150" Height="24" Margin="3,3,3,0" Text="{Binding SearchPattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindPrevious}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindPreviousText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindPrevious.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindNextText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindNext.png?assembly=AvaloniaEdit" /> </Button> <Button Height="16" Background="Transparent" BorderThickness="0" Width="16" HorizontalAlignment="Right" VerticalAlignment="Top" Command="{x:Static search:SearchCommands.CloseSearchPanel}" VerticalContentAlignment="Center" HorizontalContentAlignment="Center" Focusable="True"> <Path Data="M 0,0 L 8,8 M 8,0 L 0,8" Stroke="{DynamicResource ThemeForegroundBrush}" StrokeThickness="1" /> </Button> </StackPanel> <StackPanel Name="ReplaceButtons" IsVisible="{Binding #Expander.IsChecked}" Orientation="Horizontal" Grid.Column="2" Grid.Row="1"> <TextBox Name="ReplaceBox" Watermark="{x:Static ae:SR.ReplaceLabel}" IsVisible="{Binding IsReplaceMode, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="1" Grid.Row="1" Width="150" Height="24" Margin="3 3 3 0" Text="{Binding ReplacePattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceNext}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceNext.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceAll}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceAll}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceAll.png?assembly=AvaloniaEdit" /> </Button> </StackPanel> <StackPanel Orientation="Horizontal"> <ToggleButton IsChecked="{Binding MatchCase, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchCaseText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CaseSensitive.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding WholeWords, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchWholeWordsText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CompleteWord.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding UseRegex, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchUseRegexText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.RegularExpression.png?assembly=AvaloniaEdit" /> </ToggleButton> </StackPanel> </StackPanel> </Grid> </Border> </ControlTemplate> </Setter> </Style> </Styles> <MSG> Update SearchPanel.xaml <DFF> @@ -50,10 +50,9 @@ <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" - StaysOpen="True" + IsLightDismissEnabled="False" Focusable="False" - IsOpen="False" - ObeyScreenEdges="True"> + IsOpen="False"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}"
2
Update SearchPanel.xaml
3
.xaml
xaml
mit
AvaloniaUI/AvaloniaEdit
10063915
<NME> SearchPanel.xaml <BEF> <Styles xmlns="https://github.com/avaloniaui" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" xmlns:ae="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:search="clr-namespace:AvaloniaEdit.Search;assembly=AvaloniaEdit"> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle"> <Setter Property="Template"> <ControlTemplate> <Path Fill="{DynamicResource ThemeForegroundBrush}" VerticalAlignment="Center" HorizontalAlignment="Center" Data="M 0 2 L 4 6 L 0 10 Z" /> </ControlTemplate> </Setter> </Style> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle:checked /template/ Path"> <Setter Property="RenderTransform"> <RotateTransform Angle="90" /> </Setter> </Style> <Style Selector="search|SearchPanel Button"> <Setter Property="BorderThickness" Value="0"/> <Setter Property="Background" Value="Transparent"/> </Style> <Style Selector="search|SearchPanel Button:pointerover"> <Setter Property="Background" Value="{DynamicResource ThemeControlMidBrush}"/> </Style> <Style Selector="search|SearchPanel"> <Setter Property="BorderThickness" Value="1" /> <Setter Property="BorderBrush" Value="{DynamicResource ThemeBorderLowBrush}" /> <Setter Property="Background" Value="{DynamicResource ThemeControlLowBrush}" /> <Setter Property="Focusable" Value="True" /> <Setter Property="Template"> <ControlTemplate> <Border Name="PART_Border" BorderThickness="{TemplateBinding BorderThickness}" BorderBrush="{TemplateBinding BorderBrush}" Background="{TemplateBinding Background}" HorizontalAlignment="Right" VerticalAlignment="Top" TextElement.FontFamily="Segoi UI" TextElement.FontSize="10"> <Grid ColumnDefinitions="Auto,Auto,Auto" RowDefinitions="Auto,Auto"> <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" StaysOpen="True" Focusable="False" IsOpen="False" ObeyScreenEdges="True"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}" IsChecked="{Binding IsReplaceMode, Mode=TwoWay, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="0" Grid.Row="0" Width="16" Margin="2"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchToggleReplace}" /> </ToolTip.Tip> </ToggleButton> <StackPanel Grid.Column="1"> <StackPanel Orientation="Horizontal" Grid.Column="2" Grid.Row="0"> <TextBox Watermark="{x:Static ae:SR.SearchLabel}" Name="PART_searchTextBox" Grid.Column="1" Grid.Row="0" Width="150" Height="24" Margin="3,3,3,0" Text="{Binding SearchPattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindPrevious}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindPreviousText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindPrevious.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindNextText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindNext.png?assembly=AvaloniaEdit" /> </Button> <Button Height="16" Background="Transparent" BorderThickness="0" Width="16" HorizontalAlignment="Right" VerticalAlignment="Top" Command="{x:Static search:SearchCommands.CloseSearchPanel}" VerticalContentAlignment="Center" HorizontalContentAlignment="Center" Focusable="True"> <Path Data="M 0,0 L 8,8 M 8,0 L 0,8" Stroke="{DynamicResource ThemeForegroundBrush}" StrokeThickness="1" /> </Button> </StackPanel> <StackPanel Name="ReplaceButtons" IsVisible="{Binding #Expander.IsChecked}" Orientation="Horizontal" Grid.Column="2" Grid.Row="1"> <TextBox Name="ReplaceBox" Watermark="{x:Static ae:SR.ReplaceLabel}" IsVisible="{Binding IsReplaceMode, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="1" Grid.Row="1" Width="150" Height="24" Margin="3 3 3 0" Text="{Binding ReplacePattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceNext}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceNext.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceAll}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceAll}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceAll.png?assembly=AvaloniaEdit" /> </Button> </StackPanel> <StackPanel Orientation="Horizontal"> <ToggleButton IsChecked="{Binding MatchCase, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchCaseText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CaseSensitive.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding WholeWords, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchWholeWordsText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CompleteWord.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding UseRegex, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchUseRegexText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.RegularExpression.png?assembly=AvaloniaEdit" /> </ToggleButton> </StackPanel> </StackPanel> </Grid> </Border> </ControlTemplate> </Setter> </Style> </Styles> <MSG> Update SearchPanel.xaml <DFF> @@ -50,10 +50,9 @@ <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" - StaysOpen="True" + IsLightDismissEnabled="False" Focusable="False" - IsOpen="False" - ObeyScreenEdges="True"> + IsOpen="False"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}"
2
Update SearchPanel.xaml
3
.xaml
xaml
mit
AvaloniaUI/AvaloniaEdit
10063916
<NME> SearchPanel.xaml <BEF> <Styles xmlns="https://github.com/avaloniaui" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" xmlns:ae="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:search="clr-namespace:AvaloniaEdit.Search;assembly=AvaloniaEdit"> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle"> <Setter Property="Template"> <ControlTemplate> <Path Fill="{DynamicResource ThemeForegroundBrush}" VerticalAlignment="Center" HorizontalAlignment="Center" Data="M 0 2 L 4 6 L 0 10 Z" /> </ControlTemplate> </Setter> </Style> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle:checked /template/ Path"> <Setter Property="RenderTransform"> <RotateTransform Angle="90" /> </Setter> </Style> <Style Selector="search|SearchPanel Button"> <Setter Property="BorderThickness" Value="0"/> <Setter Property="Background" Value="Transparent"/> </Style> <Style Selector="search|SearchPanel Button:pointerover"> <Setter Property="Background" Value="{DynamicResource ThemeControlMidBrush}"/> </Style> <Style Selector="search|SearchPanel"> <Setter Property="BorderThickness" Value="1" /> <Setter Property="BorderBrush" Value="{DynamicResource ThemeBorderLowBrush}" /> <Setter Property="Background" Value="{DynamicResource ThemeControlLowBrush}" /> <Setter Property="Focusable" Value="True" /> <Setter Property="Template"> <ControlTemplate> <Border Name="PART_Border" BorderThickness="{TemplateBinding BorderThickness}" BorderBrush="{TemplateBinding BorderBrush}" Background="{TemplateBinding Background}" HorizontalAlignment="Right" VerticalAlignment="Top" TextElement.FontFamily="Segoi UI" TextElement.FontSize="10"> <Grid ColumnDefinitions="Auto,Auto,Auto" RowDefinitions="Auto,Auto"> <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" StaysOpen="True" Focusable="False" IsOpen="False" ObeyScreenEdges="True"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}" IsChecked="{Binding IsReplaceMode, Mode=TwoWay, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="0" Grid.Row="0" Width="16" Margin="2"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchToggleReplace}" /> </ToolTip.Tip> </ToggleButton> <StackPanel Grid.Column="1"> <StackPanel Orientation="Horizontal" Grid.Column="2" Grid.Row="0"> <TextBox Watermark="{x:Static ae:SR.SearchLabel}" Name="PART_searchTextBox" Grid.Column="1" Grid.Row="0" Width="150" Height="24" Margin="3,3,3,0" Text="{Binding SearchPattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindPrevious}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindPreviousText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindPrevious.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindNextText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindNext.png?assembly=AvaloniaEdit" /> </Button> <Button Height="16" Background="Transparent" BorderThickness="0" Width="16" HorizontalAlignment="Right" VerticalAlignment="Top" Command="{x:Static search:SearchCommands.CloseSearchPanel}" VerticalContentAlignment="Center" HorizontalContentAlignment="Center" Focusable="True"> <Path Data="M 0,0 L 8,8 M 8,0 L 0,8" Stroke="{DynamicResource ThemeForegroundBrush}" StrokeThickness="1" /> </Button> </StackPanel> <StackPanel Name="ReplaceButtons" IsVisible="{Binding #Expander.IsChecked}" Orientation="Horizontal" Grid.Column="2" Grid.Row="1"> <TextBox Name="ReplaceBox" Watermark="{x:Static ae:SR.ReplaceLabel}" IsVisible="{Binding IsReplaceMode, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="1" Grid.Row="1" Width="150" Height="24" Margin="3 3 3 0" Text="{Binding ReplacePattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceNext}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceNext.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceAll}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceAll}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceAll.png?assembly=AvaloniaEdit" /> </Button> </StackPanel> <StackPanel Orientation="Horizontal"> <ToggleButton IsChecked="{Binding MatchCase, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchCaseText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CaseSensitive.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding WholeWords, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchWholeWordsText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CompleteWord.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding UseRegex, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchUseRegexText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.RegularExpression.png?assembly=AvaloniaEdit" /> </ToggleButton> </StackPanel> </StackPanel> </Grid> </Border> </ControlTemplate> </Setter> </Style> </Styles> <MSG> Update SearchPanel.xaml <DFF> @@ -50,10 +50,9 @@ <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" - StaysOpen="True" + IsLightDismissEnabled="False" Focusable="False" - IsOpen="False" - ObeyScreenEdges="True"> + IsOpen="False"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}"
2
Update SearchPanel.xaml
3
.xaml
xaml
mit
AvaloniaUI/AvaloniaEdit
10063917
<NME> SearchPanel.xaml <BEF> <Styles xmlns="https://github.com/avaloniaui" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" xmlns:ae="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:search="clr-namespace:AvaloniaEdit.Search;assembly=AvaloniaEdit"> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle"> <Setter Property="Template"> <ControlTemplate> <Path Fill="{DynamicResource ThemeForegroundBrush}" VerticalAlignment="Center" HorizontalAlignment="Center" Data="M 0 2 L 4 6 L 0 10 Z" /> </ControlTemplate> </Setter> </Style> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle:checked /template/ Path"> <Setter Property="RenderTransform"> <RotateTransform Angle="90" /> </Setter> </Style> <Style Selector="search|SearchPanel Button"> <Setter Property="BorderThickness" Value="0"/> <Setter Property="Background" Value="Transparent"/> </Style> <Style Selector="search|SearchPanel Button:pointerover"> <Setter Property="Background" Value="{DynamicResource ThemeControlMidBrush}"/> </Style> <Style Selector="search|SearchPanel"> <Setter Property="BorderThickness" Value="1" /> <Setter Property="BorderBrush" Value="{DynamicResource ThemeBorderLowBrush}" /> <Setter Property="Background" Value="{DynamicResource ThemeControlLowBrush}" /> <Setter Property="Focusable" Value="True" /> <Setter Property="Template"> <ControlTemplate> <Border Name="PART_Border" BorderThickness="{TemplateBinding BorderThickness}" BorderBrush="{TemplateBinding BorderBrush}" Background="{TemplateBinding Background}" HorizontalAlignment="Right" VerticalAlignment="Top" TextElement.FontFamily="Segoi UI" TextElement.FontSize="10"> <Grid ColumnDefinitions="Auto,Auto,Auto" RowDefinitions="Auto,Auto"> <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" StaysOpen="True" Focusable="False" IsOpen="False" ObeyScreenEdges="True"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}" IsChecked="{Binding IsReplaceMode, Mode=TwoWay, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="0" Grid.Row="0" Width="16" Margin="2"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchToggleReplace}" /> </ToolTip.Tip> </ToggleButton> <StackPanel Grid.Column="1"> <StackPanel Orientation="Horizontal" Grid.Column="2" Grid.Row="0"> <TextBox Watermark="{x:Static ae:SR.SearchLabel}" Name="PART_searchTextBox" Grid.Column="1" Grid.Row="0" Width="150" Height="24" Margin="3,3,3,0" Text="{Binding SearchPattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindPrevious}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindPreviousText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindPrevious.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindNextText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindNext.png?assembly=AvaloniaEdit" /> </Button> <Button Height="16" Background="Transparent" BorderThickness="0" Width="16" HorizontalAlignment="Right" VerticalAlignment="Top" Command="{x:Static search:SearchCommands.CloseSearchPanel}" VerticalContentAlignment="Center" HorizontalContentAlignment="Center" Focusable="True"> <Path Data="M 0,0 L 8,8 M 8,0 L 0,8" Stroke="{DynamicResource ThemeForegroundBrush}" StrokeThickness="1" /> </Button> </StackPanel> <StackPanel Name="ReplaceButtons" IsVisible="{Binding #Expander.IsChecked}" Orientation="Horizontal" Grid.Column="2" Grid.Row="1"> <TextBox Name="ReplaceBox" Watermark="{x:Static ae:SR.ReplaceLabel}" IsVisible="{Binding IsReplaceMode, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="1" Grid.Row="1" Width="150" Height="24" Margin="3 3 3 0" Text="{Binding ReplacePattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceNext}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceNext.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceAll}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceAll}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceAll.png?assembly=AvaloniaEdit" /> </Button> </StackPanel> <StackPanel Orientation="Horizontal"> <ToggleButton IsChecked="{Binding MatchCase, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchCaseText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CaseSensitive.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding WholeWords, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchWholeWordsText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CompleteWord.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding UseRegex, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchUseRegexText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.RegularExpression.png?assembly=AvaloniaEdit" /> </ToggleButton> </StackPanel> </StackPanel> </Grid> </Border> </ControlTemplate> </Setter> </Style> </Styles> <MSG> Update SearchPanel.xaml <DFF> @@ -50,10 +50,9 @@ <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" - StaysOpen="True" + IsLightDismissEnabled="False" Focusable="False" - IsOpen="False" - ObeyScreenEdges="True"> + IsOpen="False"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}"
2
Update SearchPanel.xaml
3
.xaml
xaml
mit
AvaloniaUI/AvaloniaEdit
10063918
<NME> SearchPanel.xaml <BEF> <Styles xmlns="https://github.com/avaloniaui" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" xmlns:ae="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:search="clr-namespace:AvaloniaEdit.Search;assembly=AvaloniaEdit"> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle"> <Setter Property="Template"> <ControlTemplate> <Path Fill="{DynamicResource ThemeForegroundBrush}" VerticalAlignment="Center" HorizontalAlignment="Center" Data="M 0 2 L 4 6 L 0 10 Z" /> </ControlTemplate> </Setter> </Style> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle:checked /template/ Path"> <Setter Property="RenderTransform"> <RotateTransform Angle="90" /> </Setter> </Style> <Style Selector="search|SearchPanel Button"> <Setter Property="BorderThickness" Value="0"/> <Setter Property="Background" Value="Transparent"/> </Style> <Style Selector="search|SearchPanel Button:pointerover"> <Setter Property="Background" Value="{DynamicResource ThemeControlMidBrush}"/> </Style> <Style Selector="search|SearchPanel"> <Setter Property="BorderThickness" Value="1" /> <Setter Property="BorderBrush" Value="{DynamicResource ThemeBorderLowBrush}" /> <Setter Property="Background" Value="{DynamicResource ThemeControlLowBrush}" /> <Setter Property="Focusable" Value="True" /> <Setter Property="Template"> <ControlTemplate> <Border Name="PART_Border" BorderThickness="{TemplateBinding BorderThickness}" BorderBrush="{TemplateBinding BorderBrush}" Background="{TemplateBinding Background}" HorizontalAlignment="Right" VerticalAlignment="Top" TextElement.FontFamily="Segoi UI" TextElement.FontSize="10"> <Grid ColumnDefinitions="Auto,Auto,Auto" RowDefinitions="Auto,Auto"> <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" StaysOpen="True" Focusable="False" IsOpen="False" ObeyScreenEdges="True"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}" IsChecked="{Binding IsReplaceMode, Mode=TwoWay, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="0" Grid.Row="0" Width="16" Margin="2"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchToggleReplace}" /> </ToolTip.Tip> </ToggleButton> <StackPanel Grid.Column="1"> <StackPanel Orientation="Horizontal" Grid.Column="2" Grid.Row="0"> <TextBox Watermark="{x:Static ae:SR.SearchLabel}" Name="PART_searchTextBox" Grid.Column="1" Grid.Row="0" Width="150" Height="24" Margin="3,3,3,0" Text="{Binding SearchPattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindPrevious}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindPreviousText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindPrevious.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindNextText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindNext.png?assembly=AvaloniaEdit" /> </Button> <Button Height="16" Background="Transparent" BorderThickness="0" Width="16" HorizontalAlignment="Right" VerticalAlignment="Top" Command="{x:Static search:SearchCommands.CloseSearchPanel}" VerticalContentAlignment="Center" HorizontalContentAlignment="Center" Focusable="True"> <Path Data="M 0,0 L 8,8 M 8,0 L 0,8" Stroke="{DynamicResource ThemeForegroundBrush}" StrokeThickness="1" /> </Button> </StackPanel> <StackPanel Name="ReplaceButtons" IsVisible="{Binding #Expander.IsChecked}" Orientation="Horizontal" Grid.Column="2" Grid.Row="1"> <TextBox Name="ReplaceBox" Watermark="{x:Static ae:SR.ReplaceLabel}" IsVisible="{Binding IsReplaceMode, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="1" Grid.Row="1" Width="150" Height="24" Margin="3 3 3 0" Text="{Binding ReplacePattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceNext}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceNext.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceAll}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceAll}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceAll.png?assembly=AvaloniaEdit" /> </Button> </StackPanel> <StackPanel Orientation="Horizontal"> <ToggleButton IsChecked="{Binding MatchCase, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchCaseText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CaseSensitive.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding WholeWords, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchWholeWordsText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CompleteWord.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding UseRegex, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchUseRegexText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.RegularExpression.png?assembly=AvaloniaEdit" /> </ToggleButton> </StackPanel> </StackPanel> </Grid> </Border> </ControlTemplate> </Setter> </Style> </Styles> <MSG> Update SearchPanel.xaml <DFF> @@ -50,10 +50,9 @@ <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" - StaysOpen="True" + IsLightDismissEnabled="False" Focusable="False" - IsOpen="False" - ObeyScreenEdges="True"> + IsOpen="False"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}"
2
Update SearchPanel.xaml
3
.xaml
xaml
mit
AvaloniaUI/AvaloniaEdit
10063919
<NME> SearchPanel.xaml <BEF> <Styles xmlns="https://github.com/avaloniaui" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" xmlns:ae="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:search="clr-namespace:AvaloniaEdit.Search;assembly=AvaloniaEdit"> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle"> <Setter Property="Template"> <ControlTemplate> <Path Fill="{DynamicResource ThemeForegroundBrush}" VerticalAlignment="Center" HorizontalAlignment="Center" Data="M 0 2 L 4 6 L 0 10 Z" /> </ControlTemplate> </Setter> </Style> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle:checked /template/ Path"> <Setter Property="RenderTransform"> <RotateTransform Angle="90" /> </Setter> </Style> <Style Selector="search|SearchPanel Button"> <Setter Property="BorderThickness" Value="0"/> <Setter Property="Background" Value="Transparent"/> </Style> <Style Selector="search|SearchPanel Button:pointerover"> <Setter Property="Background" Value="{DynamicResource ThemeControlMidBrush}"/> </Style> <Style Selector="search|SearchPanel"> <Setter Property="BorderThickness" Value="1" /> <Setter Property="BorderBrush" Value="{DynamicResource ThemeBorderLowBrush}" /> <Setter Property="Background" Value="{DynamicResource ThemeControlLowBrush}" /> <Setter Property="Focusable" Value="True" /> <Setter Property="Template"> <ControlTemplate> <Border Name="PART_Border" BorderThickness="{TemplateBinding BorderThickness}" BorderBrush="{TemplateBinding BorderBrush}" Background="{TemplateBinding Background}" HorizontalAlignment="Right" VerticalAlignment="Top" TextElement.FontFamily="Segoi UI" TextElement.FontSize="10"> <Grid ColumnDefinitions="Auto,Auto,Auto" RowDefinitions="Auto,Auto"> <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" StaysOpen="True" Focusable="False" IsOpen="False" ObeyScreenEdges="True"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}" IsChecked="{Binding IsReplaceMode, Mode=TwoWay, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="0" Grid.Row="0" Width="16" Margin="2"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchToggleReplace}" /> </ToolTip.Tip> </ToggleButton> <StackPanel Grid.Column="1"> <StackPanel Orientation="Horizontal" Grid.Column="2" Grid.Row="0"> <TextBox Watermark="{x:Static ae:SR.SearchLabel}" Name="PART_searchTextBox" Grid.Column="1" Grid.Row="0" Width="150" Height="24" Margin="3,3,3,0" Text="{Binding SearchPattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindPrevious}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindPreviousText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindPrevious.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindNextText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindNext.png?assembly=AvaloniaEdit" /> </Button> <Button Height="16" Background="Transparent" BorderThickness="0" Width="16" HorizontalAlignment="Right" VerticalAlignment="Top" Command="{x:Static search:SearchCommands.CloseSearchPanel}" VerticalContentAlignment="Center" HorizontalContentAlignment="Center" Focusable="True"> <Path Data="M 0,0 L 8,8 M 8,0 L 0,8" Stroke="{DynamicResource ThemeForegroundBrush}" StrokeThickness="1" /> </Button> </StackPanel> <StackPanel Name="ReplaceButtons" IsVisible="{Binding #Expander.IsChecked}" Orientation="Horizontal" Grid.Column="2" Grid.Row="1"> <TextBox Name="ReplaceBox" Watermark="{x:Static ae:SR.ReplaceLabel}" IsVisible="{Binding IsReplaceMode, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="1" Grid.Row="1" Width="150" Height="24" Margin="3 3 3 0" Text="{Binding ReplacePattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceNext}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceNext.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceAll}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceAll}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceAll.png?assembly=AvaloniaEdit" /> </Button> </StackPanel> <StackPanel Orientation="Horizontal"> <ToggleButton IsChecked="{Binding MatchCase, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchCaseText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CaseSensitive.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding WholeWords, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchWholeWordsText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CompleteWord.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding UseRegex, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchUseRegexText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.RegularExpression.png?assembly=AvaloniaEdit" /> </ToggleButton> </StackPanel> </StackPanel> </Grid> </Border> </ControlTemplate> </Setter> </Style> </Styles> <MSG> Update SearchPanel.xaml <DFF> @@ -50,10 +50,9 @@ <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" - StaysOpen="True" + IsLightDismissEnabled="False" Focusable="False" - IsOpen="False" - ObeyScreenEdges="True"> + IsOpen="False"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}"
2
Update SearchPanel.xaml
3
.xaml
xaml
mit
AvaloniaUI/AvaloniaEdit
10063920
<NME> SearchPanel.xaml <BEF> <Styles xmlns="https://github.com/avaloniaui" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" xmlns:ae="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:search="clr-namespace:AvaloniaEdit.Search;assembly=AvaloniaEdit"> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle"> <Setter Property="Template"> <ControlTemplate> <Path Fill="{DynamicResource ThemeForegroundBrush}" VerticalAlignment="Center" HorizontalAlignment="Center" Data="M 0 2 L 4 6 L 0 10 Z" /> </ControlTemplate> </Setter> </Style> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle:checked /template/ Path"> <Setter Property="RenderTransform"> <RotateTransform Angle="90" /> </Setter> </Style> <Style Selector="search|SearchPanel Button"> <Setter Property="BorderThickness" Value="0"/> <Setter Property="Background" Value="Transparent"/> </Style> <Style Selector="search|SearchPanel Button:pointerover"> <Setter Property="Background" Value="{DynamicResource ThemeControlMidBrush}"/> </Style> <Style Selector="search|SearchPanel"> <Setter Property="BorderThickness" Value="1" /> <Setter Property="BorderBrush" Value="{DynamicResource ThemeBorderLowBrush}" /> <Setter Property="Background" Value="{DynamicResource ThemeControlLowBrush}" /> <Setter Property="Focusable" Value="True" /> <Setter Property="Template"> <ControlTemplate> <Border Name="PART_Border" BorderThickness="{TemplateBinding BorderThickness}" BorderBrush="{TemplateBinding BorderBrush}" Background="{TemplateBinding Background}" HorizontalAlignment="Right" VerticalAlignment="Top" TextElement.FontFamily="Segoi UI" TextElement.FontSize="10"> <Grid ColumnDefinitions="Auto,Auto,Auto" RowDefinitions="Auto,Auto"> <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" StaysOpen="True" Focusable="False" IsOpen="False" ObeyScreenEdges="True"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}" IsChecked="{Binding IsReplaceMode, Mode=TwoWay, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="0" Grid.Row="0" Width="16" Margin="2"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchToggleReplace}" /> </ToolTip.Tip> </ToggleButton> <StackPanel Grid.Column="1"> <StackPanel Orientation="Horizontal" Grid.Column="2" Grid.Row="0"> <TextBox Watermark="{x:Static ae:SR.SearchLabel}" Name="PART_searchTextBox" Grid.Column="1" Grid.Row="0" Width="150" Height="24" Margin="3,3,3,0" Text="{Binding SearchPattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindPrevious}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindPreviousText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindPrevious.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindNextText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindNext.png?assembly=AvaloniaEdit" /> </Button> <Button Height="16" Background="Transparent" BorderThickness="0" Width="16" HorizontalAlignment="Right" VerticalAlignment="Top" Command="{x:Static search:SearchCommands.CloseSearchPanel}" VerticalContentAlignment="Center" HorizontalContentAlignment="Center" Focusable="True"> <Path Data="M 0,0 L 8,8 M 8,0 L 0,8" Stroke="{DynamicResource ThemeForegroundBrush}" StrokeThickness="1" /> </Button> </StackPanel> <StackPanel Name="ReplaceButtons" IsVisible="{Binding #Expander.IsChecked}" Orientation="Horizontal" Grid.Column="2" Grid.Row="1"> <TextBox Name="ReplaceBox" Watermark="{x:Static ae:SR.ReplaceLabel}" IsVisible="{Binding IsReplaceMode, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="1" Grid.Row="1" Width="150" Height="24" Margin="3 3 3 0" Text="{Binding ReplacePattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceNext}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceNext.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceAll}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceAll}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceAll.png?assembly=AvaloniaEdit" /> </Button> </StackPanel> <StackPanel Orientation="Horizontal"> <ToggleButton IsChecked="{Binding MatchCase, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchCaseText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CaseSensitive.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding WholeWords, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchWholeWordsText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CompleteWord.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding UseRegex, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchUseRegexText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.RegularExpression.png?assembly=AvaloniaEdit" /> </ToggleButton> </StackPanel> </StackPanel> </Grid> </Border> </ControlTemplate> </Setter> </Style> </Styles> <MSG> Update SearchPanel.xaml <DFF> @@ -50,10 +50,9 @@ <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" - StaysOpen="True" + IsLightDismissEnabled="False" Focusable="False" - IsOpen="False" - ObeyScreenEdges="True"> + IsOpen="False"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}"
2
Update SearchPanel.xaml
3
.xaml
xaml
mit
AvaloniaUI/AvaloniaEdit
10063921
<NME> SearchPanel.xaml <BEF> <Styles xmlns="https://github.com/avaloniaui" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" xmlns:ae="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:search="clr-namespace:AvaloniaEdit.Search;assembly=AvaloniaEdit"> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle"> <Setter Property="Template"> <ControlTemplate> <Path Fill="{DynamicResource ThemeForegroundBrush}" VerticalAlignment="Center" HorizontalAlignment="Center" Data="M 0 2 L 4 6 L 0 10 Z" /> </ControlTemplate> </Setter> </Style> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle:checked /template/ Path"> <Setter Property="RenderTransform"> <RotateTransform Angle="90" /> </Setter> </Style> <Style Selector="search|SearchPanel Button"> <Setter Property="BorderThickness" Value="0"/> <Setter Property="Background" Value="Transparent"/> </Style> <Style Selector="search|SearchPanel Button:pointerover"> <Setter Property="Background" Value="{DynamicResource ThemeControlMidBrush}"/> </Style> <Style Selector="search|SearchPanel"> <Setter Property="BorderThickness" Value="1" /> <Setter Property="BorderBrush" Value="{DynamicResource ThemeBorderLowBrush}" /> <Setter Property="Background" Value="{DynamicResource ThemeControlLowBrush}" /> <Setter Property="Focusable" Value="True" /> <Setter Property="Template"> <ControlTemplate> <Border Name="PART_Border" BorderThickness="{TemplateBinding BorderThickness}" BorderBrush="{TemplateBinding BorderBrush}" Background="{TemplateBinding Background}" HorizontalAlignment="Right" VerticalAlignment="Top" TextElement.FontFamily="Segoi UI" TextElement.FontSize="10"> <Grid ColumnDefinitions="Auto,Auto,Auto" RowDefinitions="Auto,Auto"> <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" StaysOpen="True" Focusable="False" IsOpen="False" ObeyScreenEdges="True"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}" IsChecked="{Binding IsReplaceMode, Mode=TwoWay, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="0" Grid.Row="0" Width="16" Margin="2"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchToggleReplace}" /> </ToolTip.Tip> </ToggleButton> <StackPanel Grid.Column="1"> <StackPanel Orientation="Horizontal" Grid.Column="2" Grid.Row="0"> <TextBox Watermark="{x:Static ae:SR.SearchLabel}" Name="PART_searchTextBox" Grid.Column="1" Grid.Row="0" Width="150" Height="24" Margin="3,3,3,0" Text="{Binding SearchPattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindPrevious}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindPreviousText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindPrevious.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindNextText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindNext.png?assembly=AvaloniaEdit" /> </Button> <Button Height="16" Background="Transparent" BorderThickness="0" Width="16" HorizontalAlignment="Right" VerticalAlignment="Top" Command="{x:Static search:SearchCommands.CloseSearchPanel}" VerticalContentAlignment="Center" HorizontalContentAlignment="Center" Focusable="True"> <Path Data="M 0,0 L 8,8 M 8,0 L 0,8" Stroke="{DynamicResource ThemeForegroundBrush}" StrokeThickness="1" /> </Button> </StackPanel> <StackPanel Name="ReplaceButtons" IsVisible="{Binding #Expander.IsChecked}" Orientation="Horizontal" Grid.Column="2" Grid.Row="1"> <TextBox Name="ReplaceBox" Watermark="{x:Static ae:SR.ReplaceLabel}" IsVisible="{Binding IsReplaceMode, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="1" Grid.Row="1" Width="150" Height="24" Margin="3 3 3 0" Text="{Binding ReplacePattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceNext}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceNext.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceAll}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceAll}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceAll.png?assembly=AvaloniaEdit" /> </Button> </StackPanel> <StackPanel Orientation="Horizontal"> <ToggleButton IsChecked="{Binding MatchCase, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchCaseText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CaseSensitive.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding WholeWords, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchWholeWordsText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CompleteWord.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding UseRegex, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchUseRegexText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.RegularExpression.png?assembly=AvaloniaEdit" /> </ToggleButton> </StackPanel> </StackPanel> </Grid> </Border> </ControlTemplate> </Setter> </Style> </Styles> <MSG> Update SearchPanel.xaml <DFF> @@ -50,10 +50,9 @@ <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" - StaysOpen="True" + IsLightDismissEnabled="False" Focusable="False" - IsOpen="False" - ObeyScreenEdges="True"> + IsOpen="False"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}"
2
Update SearchPanel.xaml
3
.xaml
xaml
mit
AvaloniaUI/AvaloniaEdit
10063922
<NME> SearchPanel.xaml <BEF> <Styles xmlns="https://github.com/avaloniaui" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" xmlns:ae="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:search="clr-namespace:AvaloniaEdit.Search;assembly=AvaloniaEdit"> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle"> <Setter Property="Template"> <ControlTemplate> <Path Fill="{DynamicResource ThemeForegroundBrush}" VerticalAlignment="Center" HorizontalAlignment="Center" Data="M 0 2 L 4 6 L 0 10 Z" /> </ControlTemplate> </Setter> </Style> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle:checked /template/ Path"> <Setter Property="RenderTransform"> <RotateTransform Angle="90" /> </Setter> </Style> <Style Selector="search|SearchPanel Button"> <Setter Property="BorderThickness" Value="0"/> <Setter Property="Background" Value="Transparent"/> </Style> <Style Selector="search|SearchPanel Button:pointerover"> <Setter Property="Background" Value="{DynamicResource ThemeControlMidBrush}"/> </Style> <Style Selector="search|SearchPanel"> <Setter Property="BorderThickness" Value="1" /> <Setter Property="BorderBrush" Value="{DynamicResource ThemeBorderLowBrush}" /> <Setter Property="Background" Value="{DynamicResource ThemeControlLowBrush}" /> <Setter Property="Focusable" Value="True" /> <Setter Property="Template"> <ControlTemplate> <Border Name="PART_Border" BorderThickness="{TemplateBinding BorderThickness}" BorderBrush="{TemplateBinding BorderBrush}" Background="{TemplateBinding Background}" HorizontalAlignment="Right" VerticalAlignment="Top" TextElement.FontFamily="Segoi UI" TextElement.FontSize="10"> <Grid ColumnDefinitions="Auto,Auto,Auto" RowDefinitions="Auto,Auto"> <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" StaysOpen="True" Focusable="False" IsOpen="False" ObeyScreenEdges="True"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}" IsChecked="{Binding IsReplaceMode, Mode=TwoWay, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="0" Grid.Row="0" Width="16" Margin="2"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchToggleReplace}" /> </ToolTip.Tip> </ToggleButton> <StackPanel Grid.Column="1"> <StackPanel Orientation="Horizontal" Grid.Column="2" Grid.Row="0"> <TextBox Watermark="{x:Static ae:SR.SearchLabel}" Name="PART_searchTextBox" Grid.Column="1" Grid.Row="0" Width="150" Height="24" Margin="3,3,3,0" Text="{Binding SearchPattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindPrevious}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindPreviousText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindPrevious.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindNextText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindNext.png?assembly=AvaloniaEdit" /> </Button> <Button Height="16" Background="Transparent" BorderThickness="0" Width="16" HorizontalAlignment="Right" VerticalAlignment="Top" Command="{x:Static search:SearchCommands.CloseSearchPanel}" VerticalContentAlignment="Center" HorizontalContentAlignment="Center" Focusable="True"> <Path Data="M 0,0 L 8,8 M 8,0 L 0,8" Stroke="{DynamicResource ThemeForegroundBrush}" StrokeThickness="1" /> </Button> </StackPanel> <StackPanel Name="ReplaceButtons" IsVisible="{Binding #Expander.IsChecked}" Orientation="Horizontal" Grid.Column="2" Grid.Row="1"> <TextBox Name="ReplaceBox" Watermark="{x:Static ae:SR.ReplaceLabel}" IsVisible="{Binding IsReplaceMode, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="1" Grid.Row="1" Width="150" Height="24" Margin="3 3 3 0" Text="{Binding ReplacePattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceNext}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceNext.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceAll}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceAll}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceAll.png?assembly=AvaloniaEdit" /> </Button> </StackPanel> <StackPanel Orientation="Horizontal"> <ToggleButton IsChecked="{Binding MatchCase, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchCaseText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CaseSensitive.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding WholeWords, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchWholeWordsText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CompleteWord.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding UseRegex, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchUseRegexText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.RegularExpression.png?assembly=AvaloniaEdit" /> </ToggleButton> </StackPanel> </StackPanel> </Grid> </Border> </ControlTemplate> </Setter> </Style> </Styles> <MSG> Update SearchPanel.xaml <DFF> @@ -50,10 +50,9 @@ <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" - StaysOpen="True" + IsLightDismissEnabled="False" Focusable="False" - IsOpen="False" - ObeyScreenEdges="True"> + IsOpen="False"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}"
2
Update SearchPanel.xaml
3
.xaml
xaml
mit
AvaloniaUI/AvaloniaEdit
10063923
<NME> SearchPanel.xaml <BEF> <Styles xmlns="https://github.com/avaloniaui" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" xmlns:ae="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:search="clr-namespace:AvaloniaEdit.Search;assembly=AvaloniaEdit"> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle"> <Setter Property="Template"> <ControlTemplate> <Path Fill="{DynamicResource ThemeForegroundBrush}" VerticalAlignment="Center" HorizontalAlignment="Center" Data="M 0 2 L 4 6 L 0 10 Z" /> </ControlTemplate> </Setter> </Style> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle:checked /template/ Path"> <Setter Property="RenderTransform"> <RotateTransform Angle="90" /> </Setter> </Style> <Style Selector="search|SearchPanel Button"> <Setter Property="BorderThickness" Value="0"/> <Setter Property="Background" Value="Transparent"/> </Style> <Style Selector="search|SearchPanel Button:pointerover"> <Setter Property="Background" Value="{DynamicResource ThemeControlMidBrush}"/> </Style> <Style Selector="search|SearchPanel"> <Setter Property="BorderThickness" Value="1" /> <Setter Property="BorderBrush" Value="{DynamicResource ThemeBorderLowBrush}" /> <Setter Property="Background" Value="{DynamicResource ThemeControlLowBrush}" /> <Setter Property="Focusable" Value="True" /> <Setter Property="Template"> <ControlTemplate> <Border Name="PART_Border" BorderThickness="{TemplateBinding BorderThickness}" BorderBrush="{TemplateBinding BorderBrush}" Background="{TemplateBinding Background}" HorizontalAlignment="Right" VerticalAlignment="Top" TextElement.FontFamily="Segoi UI" TextElement.FontSize="10"> <Grid ColumnDefinitions="Auto,Auto,Auto" RowDefinitions="Auto,Auto"> <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" StaysOpen="True" Focusable="False" IsOpen="False" ObeyScreenEdges="True"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}" IsChecked="{Binding IsReplaceMode, Mode=TwoWay, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="0" Grid.Row="0" Width="16" Margin="2"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchToggleReplace}" /> </ToolTip.Tip> </ToggleButton> <StackPanel Grid.Column="1"> <StackPanel Orientation="Horizontal" Grid.Column="2" Grid.Row="0"> <TextBox Watermark="{x:Static ae:SR.SearchLabel}" Name="PART_searchTextBox" Grid.Column="1" Grid.Row="0" Width="150" Height="24" Margin="3,3,3,0" Text="{Binding SearchPattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindPrevious}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindPreviousText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindPrevious.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindNextText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindNext.png?assembly=AvaloniaEdit" /> </Button> <Button Height="16" Background="Transparent" BorderThickness="0" Width="16" HorizontalAlignment="Right" VerticalAlignment="Top" Command="{x:Static search:SearchCommands.CloseSearchPanel}" VerticalContentAlignment="Center" HorizontalContentAlignment="Center" Focusable="True"> <Path Data="M 0,0 L 8,8 M 8,0 L 0,8" Stroke="{DynamicResource ThemeForegroundBrush}" StrokeThickness="1" /> </Button> </StackPanel> <StackPanel Name="ReplaceButtons" IsVisible="{Binding #Expander.IsChecked}" Orientation="Horizontal" Grid.Column="2" Grid.Row="1"> <TextBox Name="ReplaceBox" Watermark="{x:Static ae:SR.ReplaceLabel}" IsVisible="{Binding IsReplaceMode, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="1" Grid.Row="1" Width="150" Height="24" Margin="3 3 3 0" Text="{Binding ReplacePattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceNext}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceNext.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceAll}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceAll}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceAll.png?assembly=AvaloniaEdit" /> </Button> </StackPanel> <StackPanel Orientation="Horizontal"> <ToggleButton IsChecked="{Binding MatchCase, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchCaseText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CaseSensitive.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding WholeWords, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchWholeWordsText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CompleteWord.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding UseRegex, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchUseRegexText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.RegularExpression.png?assembly=AvaloniaEdit" /> </ToggleButton> </StackPanel> </StackPanel> </Grid> </Border> </ControlTemplate> </Setter> </Style> </Styles> <MSG> Update SearchPanel.xaml <DFF> @@ -50,10 +50,9 @@ <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" - StaysOpen="True" + IsLightDismissEnabled="False" Focusable="False" - IsOpen="False" - ObeyScreenEdges="True"> + IsOpen="False"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}"
2
Update SearchPanel.xaml
3
.xaml
xaml
mit
AvaloniaUI/AvaloniaEdit
10063924
<NME> SearchPanel.xaml <BEF> <Styles xmlns="https://github.com/avaloniaui" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" xmlns:ae="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:search="clr-namespace:AvaloniaEdit.Search;assembly=AvaloniaEdit"> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle"> <Setter Property="Template"> <ControlTemplate> <Path Fill="{DynamicResource ThemeForegroundBrush}" VerticalAlignment="Center" HorizontalAlignment="Center" Data="M 0 2 L 4 6 L 0 10 Z" /> </ControlTemplate> </Setter> </Style> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle:checked /template/ Path"> <Setter Property="RenderTransform"> <RotateTransform Angle="90" /> </Setter> </Style> <Style Selector="search|SearchPanel Button"> <Setter Property="BorderThickness" Value="0"/> <Setter Property="Background" Value="Transparent"/> </Style> <Style Selector="search|SearchPanel Button:pointerover"> <Setter Property="Background" Value="{DynamicResource ThemeControlMidBrush}"/> </Style> <Style Selector="search|SearchPanel"> <Setter Property="BorderThickness" Value="1" /> <Setter Property="BorderBrush" Value="{DynamicResource ThemeBorderLowBrush}" /> <Setter Property="Background" Value="{DynamicResource ThemeControlLowBrush}" /> <Setter Property="Focusable" Value="True" /> <Setter Property="Template"> <ControlTemplate> <Border Name="PART_Border" BorderThickness="{TemplateBinding BorderThickness}" BorderBrush="{TemplateBinding BorderBrush}" Background="{TemplateBinding Background}" HorizontalAlignment="Right" VerticalAlignment="Top" TextElement.FontFamily="Segoi UI" TextElement.FontSize="10"> <Grid ColumnDefinitions="Auto,Auto,Auto" RowDefinitions="Auto,Auto"> <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" StaysOpen="True" Focusable="False" IsOpen="False" ObeyScreenEdges="True"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}" IsChecked="{Binding IsReplaceMode, Mode=TwoWay, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="0" Grid.Row="0" Width="16" Margin="2"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchToggleReplace}" /> </ToolTip.Tip> </ToggleButton> <StackPanel Grid.Column="1"> <StackPanel Orientation="Horizontal" Grid.Column="2" Grid.Row="0"> <TextBox Watermark="{x:Static ae:SR.SearchLabel}" Name="PART_searchTextBox" Grid.Column="1" Grid.Row="0" Width="150" Height="24" Margin="3,3,3,0" Text="{Binding SearchPattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindPrevious}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindPreviousText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindPrevious.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindNextText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindNext.png?assembly=AvaloniaEdit" /> </Button> <Button Height="16" Background="Transparent" BorderThickness="0" Width="16" HorizontalAlignment="Right" VerticalAlignment="Top" Command="{x:Static search:SearchCommands.CloseSearchPanel}" VerticalContentAlignment="Center" HorizontalContentAlignment="Center" Focusable="True"> <Path Data="M 0,0 L 8,8 M 8,0 L 0,8" Stroke="{DynamicResource ThemeForegroundBrush}" StrokeThickness="1" /> </Button> </StackPanel> <StackPanel Name="ReplaceButtons" IsVisible="{Binding #Expander.IsChecked}" Orientation="Horizontal" Grid.Column="2" Grid.Row="1"> <TextBox Name="ReplaceBox" Watermark="{x:Static ae:SR.ReplaceLabel}" IsVisible="{Binding IsReplaceMode, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="1" Grid.Row="1" Width="150" Height="24" Margin="3 3 3 0" Text="{Binding ReplacePattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceNext}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceNext.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceAll}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceAll}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceAll.png?assembly=AvaloniaEdit" /> </Button> </StackPanel> <StackPanel Orientation="Horizontal"> <ToggleButton IsChecked="{Binding MatchCase, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchCaseText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CaseSensitive.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding WholeWords, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchWholeWordsText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CompleteWord.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding UseRegex, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchUseRegexText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.RegularExpression.png?assembly=AvaloniaEdit" /> </ToggleButton> </StackPanel> </StackPanel> </Grid> </Border> </ControlTemplate> </Setter> </Style> </Styles> <MSG> Update SearchPanel.xaml <DFF> @@ -50,10 +50,9 @@ <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" - StaysOpen="True" + IsLightDismissEnabled="False" Focusable="False" - IsOpen="False" - ObeyScreenEdges="True"> + IsOpen="False"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}"
2
Update SearchPanel.xaml
3
.xaml
xaml
mit
AvaloniaUI/AvaloniaEdit
10063925
<NME> SearchPanel.xaml <BEF> <Styles xmlns="https://github.com/avaloniaui" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" xmlns:ae="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:search="clr-namespace:AvaloniaEdit.Search;assembly=AvaloniaEdit"> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle"> <Setter Property="Template"> <ControlTemplate> <Path Fill="{DynamicResource ThemeForegroundBrush}" VerticalAlignment="Center" HorizontalAlignment="Center" Data="M 0 2 L 4 6 L 0 10 Z" /> </ControlTemplate> </Setter> </Style> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle:checked /template/ Path"> <Setter Property="RenderTransform"> <RotateTransform Angle="90" /> </Setter> </Style> <Style Selector="search|SearchPanel Button"> <Setter Property="BorderThickness" Value="0"/> <Setter Property="Background" Value="Transparent"/> </Style> <Style Selector="search|SearchPanel Button:pointerover"> <Setter Property="Background" Value="{DynamicResource ThemeControlMidBrush}"/> </Style> <Style Selector="search|SearchPanel"> <Setter Property="BorderThickness" Value="1" /> <Setter Property="BorderBrush" Value="{DynamicResource ThemeBorderLowBrush}" /> <Setter Property="Background" Value="{DynamicResource ThemeControlLowBrush}" /> <Setter Property="Focusable" Value="True" /> <Setter Property="Template"> <ControlTemplate> <Border Name="PART_Border" BorderThickness="{TemplateBinding BorderThickness}" BorderBrush="{TemplateBinding BorderBrush}" Background="{TemplateBinding Background}" HorizontalAlignment="Right" VerticalAlignment="Top" TextElement.FontFamily="Segoi UI" TextElement.FontSize="10"> <Grid ColumnDefinitions="Auto,Auto,Auto" RowDefinitions="Auto,Auto"> <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" StaysOpen="True" Focusable="False" IsOpen="False" ObeyScreenEdges="True"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}" IsChecked="{Binding IsReplaceMode, Mode=TwoWay, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="0" Grid.Row="0" Width="16" Margin="2"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchToggleReplace}" /> </ToolTip.Tip> </ToggleButton> <StackPanel Grid.Column="1"> <StackPanel Orientation="Horizontal" Grid.Column="2" Grid.Row="0"> <TextBox Watermark="{x:Static ae:SR.SearchLabel}" Name="PART_searchTextBox" Grid.Column="1" Grid.Row="0" Width="150" Height="24" Margin="3,3,3,0" Text="{Binding SearchPattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindPrevious}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindPreviousText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindPrevious.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindNextText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindNext.png?assembly=AvaloniaEdit" /> </Button> <Button Height="16" Background="Transparent" BorderThickness="0" Width="16" HorizontalAlignment="Right" VerticalAlignment="Top" Command="{x:Static search:SearchCommands.CloseSearchPanel}" VerticalContentAlignment="Center" HorizontalContentAlignment="Center" Focusable="True"> <Path Data="M 0,0 L 8,8 M 8,0 L 0,8" Stroke="{DynamicResource ThemeForegroundBrush}" StrokeThickness="1" /> </Button> </StackPanel> <StackPanel Name="ReplaceButtons" IsVisible="{Binding #Expander.IsChecked}" Orientation="Horizontal" Grid.Column="2" Grid.Row="1"> <TextBox Name="ReplaceBox" Watermark="{x:Static ae:SR.ReplaceLabel}" IsVisible="{Binding IsReplaceMode, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="1" Grid.Row="1" Width="150" Height="24" Margin="3 3 3 0" Text="{Binding ReplacePattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceNext}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceNext.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceAll}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceAll}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceAll.png?assembly=AvaloniaEdit" /> </Button> </StackPanel> <StackPanel Orientation="Horizontal"> <ToggleButton IsChecked="{Binding MatchCase, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchCaseText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CaseSensitive.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding WholeWords, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchWholeWordsText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CompleteWord.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding UseRegex, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchUseRegexText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.RegularExpression.png?assembly=AvaloniaEdit" /> </ToggleButton> </StackPanel> </StackPanel> </Grid> </Border> </ControlTemplate> </Setter> </Style> </Styles> <MSG> Update SearchPanel.xaml <DFF> @@ -50,10 +50,9 @@ <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" - StaysOpen="True" + IsLightDismissEnabled="False" Focusable="False" - IsOpen="False" - ObeyScreenEdges="True"> + IsOpen="False"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}"
2
Update SearchPanel.xaml
3
.xaml
xaml
mit
AvaloniaUI/AvaloniaEdit
10063926
<NME> SearchPanel.xaml <BEF> <Styles xmlns="https://github.com/avaloniaui" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" xmlns:ae="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:search="clr-namespace:AvaloniaEdit.Search;assembly=AvaloniaEdit"> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle"> <Setter Property="Template"> <ControlTemplate> <Path Fill="{DynamicResource ThemeForegroundBrush}" VerticalAlignment="Center" HorizontalAlignment="Center" Data="M 0 2 L 4 6 L 0 10 Z" /> </ControlTemplate> </Setter> </Style> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle:checked /template/ Path"> <Setter Property="RenderTransform"> <RotateTransform Angle="90" /> </Setter> </Style> <Style Selector="search|SearchPanel Button"> <Setter Property="BorderThickness" Value="0"/> <Setter Property="Background" Value="Transparent"/> </Style> <Style Selector="search|SearchPanel Button:pointerover"> <Setter Property="Background" Value="{DynamicResource ThemeControlMidBrush}"/> </Style> <Style Selector="search|SearchPanel"> <Setter Property="BorderThickness" Value="1" /> <Setter Property="BorderBrush" Value="{DynamicResource ThemeBorderLowBrush}" /> <Setter Property="Background" Value="{DynamicResource ThemeControlLowBrush}" /> <Setter Property="Focusable" Value="True" /> <Setter Property="Template"> <ControlTemplate> <Border Name="PART_Border" BorderThickness="{TemplateBinding BorderThickness}" BorderBrush="{TemplateBinding BorderBrush}" Background="{TemplateBinding Background}" HorizontalAlignment="Right" VerticalAlignment="Top" TextElement.FontFamily="Segoi UI" TextElement.FontSize="10"> <Grid ColumnDefinitions="Auto,Auto,Auto" RowDefinitions="Auto,Auto"> <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" StaysOpen="True" Focusable="False" IsOpen="False" ObeyScreenEdges="True"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}" IsChecked="{Binding IsReplaceMode, Mode=TwoWay, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="0" Grid.Row="0" Width="16" Margin="2"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchToggleReplace}" /> </ToolTip.Tip> </ToggleButton> <StackPanel Grid.Column="1"> <StackPanel Orientation="Horizontal" Grid.Column="2" Grid.Row="0"> <TextBox Watermark="{x:Static ae:SR.SearchLabel}" Name="PART_searchTextBox" Grid.Column="1" Grid.Row="0" Width="150" Height="24" Margin="3,3,3,0" Text="{Binding SearchPattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindPrevious}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindPreviousText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindPrevious.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindNextText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindNext.png?assembly=AvaloniaEdit" /> </Button> <Button Height="16" Background="Transparent" BorderThickness="0" Width="16" HorizontalAlignment="Right" VerticalAlignment="Top" Command="{x:Static search:SearchCommands.CloseSearchPanel}" VerticalContentAlignment="Center" HorizontalContentAlignment="Center" Focusable="True"> <Path Data="M 0,0 L 8,8 M 8,0 L 0,8" Stroke="{DynamicResource ThemeForegroundBrush}" StrokeThickness="1" /> </Button> </StackPanel> <StackPanel Name="ReplaceButtons" IsVisible="{Binding #Expander.IsChecked}" Orientation="Horizontal" Grid.Column="2" Grid.Row="1"> <TextBox Name="ReplaceBox" Watermark="{x:Static ae:SR.ReplaceLabel}" IsVisible="{Binding IsReplaceMode, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="1" Grid.Row="1" Width="150" Height="24" Margin="3 3 3 0" Text="{Binding ReplacePattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceNext}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceNext.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceAll}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceAll}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceAll.png?assembly=AvaloniaEdit" /> </Button> </StackPanel> <StackPanel Orientation="Horizontal"> <ToggleButton IsChecked="{Binding MatchCase, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchCaseText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CaseSensitive.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding WholeWords, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchWholeWordsText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CompleteWord.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding UseRegex, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchUseRegexText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.RegularExpression.png?assembly=AvaloniaEdit" /> </ToggleButton> </StackPanel> </StackPanel> </Grid> </Border> </ControlTemplate> </Setter> </Style> </Styles> <MSG> Update SearchPanel.xaml <DFF> @@ -50,10 +50,9 @@ <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" - StaysOpen="True" + IsLightDismissEnabled="False" Focusable="False" - IsOpen="False" - ObeyScreenEdges="True"> + IsOpen="False"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}"
2
Update SearchPanel.xaml
3
.xaml
xaml
mit
AvaloniaUI/AvaloniaEdit
10063927
<NME> SearchPanel.xaml <BEF> <Styles xmlns="https://github.com/avaloniaui" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" xmlns:ae="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:search="clr-namespace:AvaloniaEdit.Search;assembly=AvaloniaEdit"> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle"> <Setter Property="Template"> <ControlTemplate> <Path Fill="{DynamicResource ThemeForegroundBrush}" VerticalAlignment="Center" HorizontalAlignment="Center" Data="M 0 2 L 4 6 L 0 10 Z" /> </ControlTemplate> </Setter> </Style> <Style Selector="search|SearchPanel ToggleButton.ExpanderToggle:checked /template/ Path"> <Setter Property="RenderTransform"> <RotateTransform Angle="90" /> </Setter> </Style> <Style Selector="search|SearchPanel Button"> <Setter Property="BorderThickness" Value="0"/> <Setter Property="Background" Value="Transparent"/> </Style> <Style Selector="search|SearchPanel Button:pointerover"> <Setter Property="Background" Value="{DynamicResource ThemeControlMidBrush}"/> </Style> <Style Selector="search|SearchPanel"> <Setter Property="BorderThickness" Value="1" /> <Setter Property="BorderBrush" Value="{DynamicResource ThemeBorderLowBrush}" /> <Setter Property="Background" Value="{DynamicResource ThemeControlLowBrush}" /> <Setter Property="Focusable" Value="True" /> <Setter Property="Template"> <ControlTemplate> <Border Name="PART_Border" BorderThickness="{TemplateBinding BorderThickness}" BorderBrush="{TemplateBinding BorderBrush}" Background="{TemplateBinding Background}" HorizontalAlignment="Right" VerticalAlignment="Top" TextElement.FontFamily="Segoi UI" TextElement.FontSize="10"> <Grid ColumnDefinitions="Auto,Auto,Auto" RowDefinitions="Auto,Auto"> <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" StaysOpen="True" Focusable="False" IsOpen="False" ObeyScreenEdges="True"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}" IsChecked="{Binding IsReplaceMode, Mode=TwoWay, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="0" Grid.Row="0" Width="16" Margin="2"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchToggleReplace}" /> </ToolTip.Tip> </ToggleButton> <StackPanel Grid.Column="1"> <StackPanel Orientation="Horizontal" Grid.Column="2" Grid.Row="0"> <TextBox Watermark="{x:Static ae:SR.SearchLabel}" Name="PART_searchTextBox" Grid.Column="1" Grid.Row="0" Width="150" Height="24" Margin="3,3,3,0" Text="{Binding SearchPattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindPrevious}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindPreviousText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindPrevious.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.FindNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchFindNextText}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.FindNext.png?assembly=AvaloniaEdit" /> </Button> <Button Height="16" Background="Transparent" BorderThickness="0" Width="16" HorizontalAlignment="Right" VerticalAlignment="Top" Command="{x:Static search:SearchCommands.CloseSearchPanel}" VerticalContentAlignment="Center" HorizontalContentAlignment="Center" Focusable="True"> <Path Data="M 0,0 L 8,8 M 8,0 L 0,8" Stroke="{DynamicResource ThemeForegroundBrush}" StrokeThickness="1" /> </Button> </StackPanel> <StackPanel Name="ReplaceButtons" IsVisible="{Binding #Expander.IsChecked}" Orientation="Horizontal" Grid.Column="2" Grid.Row="1"> <TextBox Name="ReplaceBox" Watermark="{x:Static ae:SR.ReplaceLabel}" IsVisible="{Binding IsReplaceMode, RelativeSource={RelativeSource TemplatedParent}}" Grid.Column="1" Grid.Row="1" Width="150" Height="24" Margin="3 3 3 0" Text="{Binding ReplacePattern, RelativeSource={RelativeSource TemplatedParent}}" /> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceNext}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceNext}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceNext.png?assembly=AvaloniaEdit" /> </Button> <Button Margin="3" Height="24" Width="24" Command="{x:Static search:SearchCommands.ReplaceAll}"> <ToolTip.Tip> <TextBlock Text="{x:Static ae:SR.SearchReplaceAll}" /> </ToolTip.Tip> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.ReplaceAll.png?assembly=AvaloniaEdit" /> </Button> </StackPanel> <StackPanel Orientation="Horizontal"> <ToggleButton IsChecked="{Binding MatchCase, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchCaseText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CaseSensitive.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding WholeWords, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchMatchWholeWordsText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.CompleteWord.png?assembly=AvaloniaEdit" /> </ToggleButton> <ToggleButton IsChecked="{Binding UseRegex, RelativeSource={RelativeSource TemplatedParent}}" ToolTip.Tip="{x:Static ae:SR.SearchUseRegexText}" Margin="3" Height="24" Width="24"> <Image Width="16" Height="16" Stretch="Fill" Source="resm:AvaloniaEdit.Search.Assets.RegularExpression.png?assembly=AvaloniaEdit" /> </ToggleButton> </StackPanel> </StackPanel> </Grid> </Border> </ControlTemplate> </Setter> </Style> </Styles> <MSG> Update SearchPanel.xaml <DFF> @@ -50,10 +50,9 @@ <Popup Name="PART_MessageView" Classes="ToolTip" PlacementMode="Bottom" - StaysOpen="True" + IsLightDismissEnabled="False" Focusable="False" - IsOpen="False" - ObeyScreenEdges="True"> + IsOpen="False"> <ContentPresenter Name="PART_MessageContent" /> </Popup> <ToggleButton Classes="ExpanderToggle" Name="Expander" VerticalAlignment="Top" IsVisible="{Binding !_textEditor.IsReadOnly, RelativeSource={RelativeSource TemplatedParent}}"
2
Update SearchPanel.xaml
3
.xaml
xaml
mit
AvaloniaUI/AvaloniaEdit
10063928
<NME> jsgrid.tests.js <BEF> $(function() { var Grid = jsGrid.Grid, JSGRID = "JSGrid", JSGRID_DATA_KEY = JSGRID; Grid.prototype.updateOnResize = false; module("basic"); test("default creation", function() { var gridOptions = { simpleOption: "test", complexOption: { a: "subtest", b: 1, c: {} } }, grid = new Grid("#jsGrid", gridOptions); equal(grid._container[0], $("#jsGrid")[0], "container saved"); equal(grid.simpleOption, "test", "primitive option extended"); equal(grid.complexOption, gridOptions.complexOption, "non-primitive option extended"); }); test("jquery adapter creation", function() { var gridOptions = { option: "test" }, $element = $("#jsGrid"), result = $element.jsGrid(gridOptions), grid = $element.data(JSGRID_DATA_KEY); equal(result, $element, "jquery fn returned source jQueryElement"); ok(grid instanceof Grid, "jsGrid saved to jquery data"); equal(grid.option, "test", "options provided"); }); test("destroy", function() { var $element = $("#jsGrid"), grid; $element.jsGrid({}); grid = $element.data(JSGRID_DATA_KEY); grid.destroy(); strictEqual($element.html(), "", "content is removed"); strictEqual($element.data(JSGRID_DATA_KEY), undefined, "jquery data is removed"); }); test("jquery adapter second call changes option value", function() { var $element = $("#jsGrid"), gridOptions = { option: "test" }, grid; $element.jsGrid(gridOptions); grid = $element.data(JSGRID_DATA_KEY); gridOptions.option = "new test"; $element.jsGrid(gridOptions); equal(grid, $element.data(JSGRID_DATA_KEY), "instance was not changed"); equal(grid.option, "new test", "option changed"); }); test("jquery adapter invokes jsGrid method", function() { var methodResult = "", $element = $("#jsGrid"), gridOptions = { method: function(str) { methodResult = "test_" + str; } }; $element.jsGrid(gridOptions); $element.jsGrid("method", "invoke"); equal(methodResult, "test_invoke", "method invoked"); }); test("onInit callback", function() { var $element = $("#jsGrid"), onInitArguments, gridOptions = { onInit: function(args) { onInitArguments = args; } }; var grid = new Grid($element, gridOptions); equal(onInitArguments.grid, grid, "grid instance is provided in onInit callback arguments"); }); test("controller methods are $.noop when not specified", function() { var $element = $("#jsGrid"), gridOptions = { controller: {} }, testOption; $element.jsGrid(gridOptions); deepEqual($element.data(JSGRID_DATA_KEY)._controller, { loadData: $.noop, insertItem: $.noop, updateItem: $.noop, deleteItem: $.noop }, "controller has stub methods"); }); test("option method", function() { var $element = $("#jsGrid"), gridOptions = { test: "value" }, testOption; $element.jsGrid(gridOptions); testOption = $element.jsGrid("option", "test"); equal(testOption, "value", "read option value"); $element.jsGrid("option", "test", "new_value"); testOption = $element.jsGrid("option", "test"); equal(testOption, "new_value", "set option value"); }); test("fieldOption method", function() { var dataLoadedCount = 0; var $element = $("#jsGrid"), gridOptions = { loadMessage: "", autoload: true, controller: { loadData: function() { dataLoadedCount++; return [{ prop1: "value1", prop2: "value2", prop3: "value3" }]; } }, fields: [ { name: "prop1", title: "_" } ] }; $element.jsGrid(gridOptions); var fieldOptionValue = $element.jsGrid("fieldOption", "prop1", "name"); equal(fieldOptionValue, "prop1", "read field option"); $element.jsGrid("fieldOption", "prop1", "name", "prop2"); equal($element.text(), "_value2", "set field option by field name"); equal(dataLoadedCount, 1, "data not reloaded on field option change"); $element.jsGrid("fieldOption", 0, "name", "prop3"); equal($element.text(), "_value3", "set field option by field index"); }); test("option changing event handlers", function() { var $element = $("#jsGrid"), optionChangingEventArgs, optionChangedEventArgs, gridOptions = { test: "testValue", another: "anotherValue", onOptionChanging: function(e) { optionChangingEventArgs = $.extend({}, e); e.option = "another"; e.newValue = e.newValue + "_" + this.another; }, onOptionChanged: function(e) { optionChangedEventArgs = $.extend({}, e); } }, anotherOption; $element.jsGrid(gridOptions); $element.jsGrid("option", "test", "newTestValue"); equal(optionChangingEventArgs.option, "test", "option name is provided in args of optionChanging"); equal(optionChangingEventArgs.oldValue, "testValue", "old option value is provided in args of optionChanging"); equal(optionChangingEventArgs.newValue, "newTestValue", "new option value is provided in args of optionChanging"); anotherOption = $element.jsGrid("option", "another"); equal(anotherOption, "newTestValue_anotherValue", "option changing handler changed option and value"); equal(optionChangedEventArgs.option, "another", "option name is provided in args of optionChanged"); equal(optionChangedEventArgs.value, "newTestValue_anotherValue", "option value is provided in args of optionChanged"); }); test("common layout rendering", function() { var $element = $("#jsGrid"), grid = new Grid($element, {}), $headerGrid, $headerGridTable, $bodyGrid, $bodyGridTable; ok($element.hasClass(grid.containerClass), "container class attached"); ok($element.children().eq(0).hasClass(grid.gridHeaderClass), "grid header"); ok($element.children().eq(1).hasClass(grid.gridBodyClass), "grid body"); ok($element.children().eq(2).hasClass(grid.pagerContainerClass), "pager container"); $headerGrid = $element.children().eq(0); $headerGridTable = $headerGrid.children().first(); ok($headerGridTable.hasClass(grid.tableClass), "header table"); equal($headerGrid.find("." + grid.headerRowClass).length, 1, "header row"); equal($headerGrid.find("." + grid.filterRowClass).length, 1, "filter row"); equal($headerGrid.find("." + grid.insertRowClass).length, 1, "insert row"); ok(grid._headerRow.hasClass(grid.headerRowClass), "header row class"); ok(grid._filterRow.hasClass(grid.filterRowClass), "filter row class"); ok(grid._insertRow.hasClass(grid.insertRowClass), "insert row class"); $bodyGrid = $element.children().eq(1); $bodyGridTable = $bodyGrid.children().first(); ok($bodyGridTable.hasClass(grid.tableClass), "body table"); equal(grid._content.parent()[0], $bodyGridTable[0], "content is tbody in body table"); equal($bodyGridTable.find("." + grid.noDataRowClass).length, 1, "no data row"); equal($bodyGridTable.text(), grid.noDataContent, "no data text"); }); test("set default options with setDefaults", function() { jsGrid.setDefaults({ defaultOption: "test" }); var $element = $("#jsGrid").jsGrid({}); equal($element.jsGrid("option", "defaultOption"), "test", "default option set"); }); module("loading"); test("loading with controller", function() { var $element = $("#jsGrid"), data = [ { test: "test1" }, { test: "test2" } ], gridOptions = { controller: { loadData: function() { return data; } } }, grid = new Grid($element, gridOptions); grid.loadData(); equal(grid.option("data"), data, "loadData loads data"); }); test("loadData throws exception when controller method not found", function() { var $element = $("#jsGrid"); var grid = new Grid($element); grid._controller = {}; throws(function() { grid.loadData(); }, /loadData/, "loadData threw an exception"); }); test("onError event should be fired on controller fail", function() { var errorArgs, errorFired = 0, $element = $("#jsGrid"), gridOptions = { controller: { loadData: function() { return $.Deferred().reject({ value: 1 }, "test").promise(); } }, onError: function(args) { errorFired++; errorArgs = args; } }, grid = new Grid($element, gridOptions); grid.loadData(); equal(errorFired, 1, "onError handler fired"); deepEqual(errorArgs, { grid: grid, args: [{ value: 1 }, "test"] }, "error has correct params"); }); asyncTest("autoload should call loadData after render", 1, function() { new Grid($("#jsGrid"), { autoload: true, controller: { loadData: function() { ok(true, "autoload calls loadData on creation"); start(); return []; } } }); }); test("loading filtered data", function() { var filteredData, loadingArgs, loadedArgs, $element = $("#jsGrid"), data = [ { field: "test" }, { field: "test_another" }, { field: "test_another" }, { field: "test" } ], gridOptions = { filtering: true, fields: [ { name: "field", filterValue: function(value) { return "test"; } } ], onDataLoading: function(e) { loadingArgs = $.extend(true, {}, e); }, onDataLoaded: function(e) { loadedArgs = $.extend(true, {}, e); }, controller: { loadData: function(filter) { filteredData = $.grep(data, function(item) { return item.field === filter.field; }); return filteredData; } } }, grid = new Grid($element, gridOptions); grid.loadData(); equal(loadingArgs.filter.field, "test"); equal(grid.option("data").length, 2, "filtered data loaded"); deepEqual(loadedArgs.data, filteredData); }); asyncTest("loading indication", function() { var timeout = 10, stage = "initial", $element = $("#jsGrid"), gridOptions = { loadIndication: true, loadIndicationDelay: timeout, loadMessage: "loading...", loadIndicator: function(config) { equal(config.message, gridOptions.loadMessage, "message provided"); ok(config.container.jquery, "grid container is provided"); return { show: function() { stage = "started"; }, hide: function() { stage = "finished"; } }; }, fields: [ { name: "field" } ], controller: { loadData: function() { var deferred = $.Deferred(); equal(stage, "initial", "initial stage"); setTimeout(function() { equal(stage, "started", "loading started"); deferred.resolve([]); equal(stage, "finished", "loading finished"); start(); }, timeout); return deferred.promise(); } } }, grid = new Grid($element, gridOptions); grid.loadData(); }); asyncTest("loadingIndication=false should not show loading", 0, function() { var $element = $("#jsGrid"), timeout = 10, gridOptions = { loadIndication: false, loadIndicationDelay: timeout, loadIndicator: function() { return { show: function() { ok(false, "should not call show"); }, hide: function() { ok(false, "should not call hide"); } }; }, fields: [ { name: "field" } ], controller: { loadData: function() { var deferred = $.Deferred(); setTimeout(function() { deferred.resolve([]); start(); }, timeout); return deferred.promise(); } } }, grid = new Grid($element, gridOptions); grid.loadData(); }); test("search", function() { var $element = $("#jsGrid"), data = [ { field: "test" }, { field: "test_another" }, { field: "test_another" }, { field: "test" } ], gridOptions = { pageIndex: 2, _sortField: "field", _sortOrder: "desc", filtering: true, fields: [ { name: "field", filterValue: function(value) { return "test"; } } ], controller: { loadData: function(filter) { var filteredData = $.grep(data, function(item) { return item.field === filter.field; }); return filteredData; } } }, grid = new Grid($element, gridOptions); grid.search(); equal(grid.option("data").length, 2, "data filtered"); strictEqual(grid.option("pageIndex"), 1, "pageIndex reset"); strictEqual(grid._sortField, null, "sortField reset"); strictEqual(grid._sortOrder, "asc", "sortOrder reset"); }); test("change loadStrategy on the fly", function() { var $element = $("#jsGrid"); var gridOptions = { controller: { loadData: function() { return []; } } }; var grid = new Grid($element, gridOptions); grid.option("loadStrategy", { firstDisplayIndex: function() { return 0; }, lastDisplayIndex: function() { return 1; }, loadParams: function() { return []; }, finishLoad: function() { grid.option("data", [{}]); } }); grid.loadData(); equal(grid.option("data").length, 1, "new load strategy is applied"); }); module("filtering"); test("filter rendering", function() { var $element = $("#jsGrid"), gridOptions = { filtering: true, fields: [ { name: "test", align: "right", filtercss: "filter-class", filterTemplate: function() { var result = this.filterControl = $("<input>").attr("type", "text").addClass("filter-input"); return result; } } ] }, grid = new Grid($element, gridOptions); equal(grid._filterRow.find(".filter-class").length, 1, "filtercss class is attached"); equal(grid._filterRow.find(".filter-input").length, 1, "filter control rendered"); equal(grid._filterRow.find("." + grid.cellClass).length, 1, "cell class is attached"); ok(grid._filterRow.find(".filter-class").hasClass("jsgrid-align-right"), "align class is attached"); ok(grid.fields[0].filterControl.is("input[type=text]"), "filter control saved in field"); }); test("filter get/clear", function() { var $element = $("#jsGrid"), gridOptions = { filtering: true, controller: { loadData: function() { return []; } }, fields: [ { name: "field", filterTemplate: function() { return this.filterControl = $("<input>").attr("type", "text"); }, filterValue: function() { return this.filterControl.val(); } } ] }, grid = new Grid($element, gridOptions); grid.fields[0].filterControl.val("test"); deepEqual(grid.getFilter(), { field: "test" }, "get filter"); grid.clearFilter(); deepEqual(grid.getFilter(), { field: "" }, "filter cleared"); equal(grid.fields[0].filterControl.val(), "", "grid field filterControl cleared"); }); test("field without filtering", function() { var $element = $("#jsGrid"), jsGridFieldConfig = { filterTemplate: function() { var result = this.filterControl = $("<input>").attr("type", "text"); return result; }, filterValue: function(value) { if(!arguments.length) { return this.filterControl.val(); } this.filterControl.val(value); } }, gridOptions = { filtering: true, fields: [ $.extend({}, jsGridFieldConfig, { name: "field1", filtering: false }), $.extend({}, jsGridFieldConfig, { name: "field2" }) ] }, grid = new Grid($element, gridOptions); grid.fields[0].filterControl.val("test1"); grid.fields[1].filterControl.val("test2"); deepEqual(grid.getFilter(), { field2: "test2" }, "field with filtering=false is not included in filter"); }); test("search with filter", function() { var $element = $("#jsGrid"), data = [ { field: "test" }, { field: "test_another" }, { field: "test_another" }, { field: "test" } ], gridOptions = { fields: [ { name: "field" } ], controller: { loadData: function(filter) { var filteredData = $.grep(data, function(item) { return item.field === filter.field; }); return filteredData; } } }, grid = new Grid($element, gridOptions); grid.search({ field: "test" }); equal(grid.option("data").length, 2, "data filtered"); }); test("filtering with static data should not do actual filtering", function() { var $element = $("#jsGrid"), gridOptions = { filtering: true, fields: [ { type: "text", name: "field" } ], data: [ { name: "value1" }, { name: "value2" } ] }, grid = new Grid($element, gridOptions); grid._filterRow.find("input").val("1"); grid.search(); equal(grid.option("data").length, 2, "data is not filtered"); }); module("nodatarow"); test("nodatarow after bind on empty array", function() { var $element = $("#jsGrid"), gridOptions = {}, grid = new Grid($element, gridOptions); grid.option("data", []); equal(grid._content.find("." + grid.noDataRowClass).length, 1, "no data row rendered"); equal(grid._content.find("." + grid.cellClass).length, 1, "grid cell class attached"); equal(grid._content.text(), grid.noDataContent, "no data text rendered"); }); test("nodatarow customize content", function() { var noDataMessage = "NoData Custom Content", $element = $("#jsGrid"), gridOptions = { noDataContent: function() { return noDataMessage; } }, grid = new Grid($element, gridOptions); grid.option("data", []); equal(grid._content.find("." + grid.cellClass).length, 1, "grid cell class attached"); equal(grid._content.text(), noDataMessage, "custom noDataContent"); }); module("row rendering", { setup: function() { this.testData = [ { id: 1, text: "test1" }, { id: 2, text: "test2" }, { id: 3, text: "test3" } ]; } }); test("rows rendered correctly", function() { var $element = $("#jsGrid"), gridOptions = { data: this.testData }, grid = new Grid($element, gridOptions); equal(grid._content.children().length, 3, "rows rendered"); equal(grid._content.find("." + grid.oddRowClass).length, 2, "two odd rows for 3 items"); equal(grid._content.find("." + grid.evenRowClass).length, 1, "one even row for 3 items"); }); test("custom rowClass", function() { var $element = $("#jsGrid"), gridOptions = { data: this.testData, rowClass: "custom-row-cls" }, grid = new Grid($element, gridOptions); equal(grid._content.find("." + grid.oddRowClass).length, 2); equal(grid._content.find("." + grid.evenRowClass).length, 1); equal(grid._content.find(".custom-row-cls").length, 3, "custom row class"); }); test("custom rowClass callback", function() { var $element = $("#jsGrid"), gridOptions = { data: this.testData, rowClass: function(item, index) { return item.text; } }, grid = new Grid($element, gridOptions); equal(grid._content.find("." + grid.oddRowClass).length, 2); equal(grid._content.find("." + grid.evenRowClass).length, 1); equal(grid._content.find(".test1").length, 1, "custom row class"); equal(grid._content.find(".test2").length, 1, "custom row class"); equal(grid._content.find(".test3").length, 1, "custom row class"); }); test("rowClick standard handler", function() { var $element = $("#jsGrid"), $secondRow, grid = new Grid($element, { editing: true }); grid.option("data", this.testData); $secondRow = grid._content.find("." + grid.evenRowClass); $secondRow.trigger("click", $.Event($secondRow)); equal(grid._editingRow.get(0), $secondRow.get(0), "clicked row is editingRow"); }); test("rowClick handler", function() { var rowClickArgs, $element = $("#jsGrid"), $secondRow, gridOptions = { rowClick: function(args) { rowClickArgs = args; } }, grid = new Grid($element, gridOptions); grid.option("data", this.testData); $secondRow = grid._content.find("." + grid.evenRowClass); $secondRow.trigger("click", $.Event($secondRow)); ok(rowClickArgs.event instanceof jQuery.Event, "jquery event arg"); equal(rowClickArgs.item, this.testData[1], "item arg"); equal(rowClickArgs.itemIndex, 1, "itemIndex arg"); }); test("row selecting with selectedRowClass", function() { var $element = $("#jsGrid"), $secondRow, gridOptions = { selecting: true }, grid = new Grid($element, gridOptions); grid.option("data", this.testData); $secondRow = grid._content.find("." + grid.evenRowClass); $secondRow.trigger("mouseenter", $.Event($secondRow)); ok($secondRow.hasClass(grid.selectedRowClass), "mouseenter adds selectedRowClass"); $secondRow.trigger("mouseleave", $.Event($secondRow)); ok(!$secondRow.hasClass(grid.selectedRowClass), "mouseleave removes selectedRowClass"); }); test("no row selecting while selection is disabled", function() { var $element = $("#jsGrid"), $secondRow, gridOptions = { selecting: false }, grid = new Grid($element, gridOptions); grid.option("data", this.testData); $secondRow = grid._content.find("." + grid.evenRowClass); $secondRow.trigger("mouseenter", $.Event($secondRow)); ok(!$secondRow.hasClass(grid.selectedRowClass), "mouseenter doesn't add selectedRowClass"); }); test("refreshing and refreshed callbacks", function() { var refreshingEventArgs, refreshedEventArgs, $element = $("#jsGrid"), grid = new Grid($element, {}); grid.onRefreshing = function(e) { refreshingEventArgs = e; equal(grid._content.find("." + grid.oddRowClass).length, 0, "no items before refresh"); }; grid.onRefreshed = function(e) { refreshedEventArgs = e; equal(grid._content.find("." + grid.oddRowClass).length, 2, "items rendered after refresh"); }; grid.option("data", this.testData); equal(refreshingEventArgs.grid, grid, "grid provided in args for refreshing event"); equal(refreshedEventArgs.grid, grid, "grid provided in args for refreshed event"); equal(grid._content.find("." + grid.oddRowClass).length, 2, "items rendered"); }); test("grid fields normalization", function() { var CustomField = function(config) { $.extend(true, this, config); }; jsGrid.fields.custom = CustomField; try { var $element = $("#jsGrid"), gridOptions = { fields: [ new jsGrid.Field({ name: "text1", title: "title1" }), { name: "text2", title: "title2" }, { name: "text3", type: "custom" } ] }, grid = new Grid($element, gridOptions); var field1 = grid.fields[0]; ok(field1 instanceof jsGrid.Field); equal(field1.name, "text1", "name is set for field"); equal(field1.title, "title1", "title field"); var field2 = grid.fields[1]; ok(field2 instanceof jsGrid.Field); equal(field2.name, "text2", "name is set for field"); equal(field2.title, "title2", "title field"); var field3 = grid.fields[2]; ok(field3 instanceof CustomField); equal(field3.name, "text3", "name is set for field"); } finally { delete jsGrid.fields.custom; } }); test("'0' itemTemplate should be rendered", function() { var $element = $("#jsGrid"), grid = new Grid($element, { data: [{}], fields: [ new jsGrid.Field({ name: "id", itemTemplate: function() { return 0; } }) ] }); equal(grid._bodyGrid.text(), "0", "item template is rendered"); }); test("grid field name used for header if title is not specified", function() { var $element = $("#jsGrid"), grid = new Grid($element, { fields: [ new jsGrid.Field({ name: "id" }) ] }); equal(grid._headerRow.text(), "id", "name is rendered in header"); }); test("grid fields header and item rendering", function() { var $element = $("#jsGrid"), $secondRow, gridOptions = { fields: [ new jsGrid.Field({ name: "text", title: "title", css: "cell-class", headercss: "header-class", align: "right" }) ] }, grid = new Grid($element, gridOptions); grid.option("data", this.testData); equal(grid._headerRow.text(), "title", "header rendered"); equal(grid._headerRow.find("." + grid.headerCellClass).length, 1, "header cell class is attached"); equal(grid._headerRow.find(".header-class").length, 1, "headercss class is attached"); ok(grid._headerRow.find(".header-class").hasClass("jsgrid-align-right"), "align class is attached"); $secondRow = grid._content.find("." + grid.evenRowClass); equal($secondRow.text(), "test2", "item rendered"); equal($secondRow.find(".cell-class").length, 1, "css class added to cell"); equal($secondRow.find("." + grid.cellClass).length, 1, "cell class is attached"); ok($secondRow.find(".cell-class").hasClass("jsgrid-align-right"), "align class added to cell"); }); test("grid field cellRenderer", function() { var testItem = { text: "test" }, args; var $grid = $("#jsGrid"); var gridOptions = { data: [testItem], fields: [ { name: "text", cellRenderer: function(value, item) { args = { value: value, item: item }; return $("<td>").addClass("custom-class").text(value); } } ] }; var grid = new Grid($grid, gridOptions); var $customCell = $grid.find(".custom-class"); equal($customCell.length, 1, "custom cell rendered"); equal($customCell.text(), "test"); deepEqual(args, { value: "test", item: testItem }, "cellRenderer args provided"); }); test("grid field 'visible' option", function() { var $grid = $("#jsGrid"); var gridOptions = { editing: true, fields: [ { name: "id", visible: false }, { name: "test" } ] }; var grid = new Grid($grid, gridOptions); equal($grid.find("." + grid.noDataRowClass).children().eq(0).prop("colspan"), 1, "no data row colspan only for visible cells"); grid.option("data", this.testData); grid.editItem(this.testData[2]); equal($grid.find("." + grid.headerRowClass).children().length, 1, "header single cell"); equal($grid.find("." + grid.filterRowClass).children().length, 1, "filter single cell"); equal($grid.find("." + grid.insertRowClass).children().length, 1, "insert single cell"); equal($grid.find("." + grid.editRowClass).children().length, 1, "edit single cell"); equal($grid.find("." + grid.oddRowClass).eq(0).children().length, 1, "odd data row single cell"); equal($grid.find("." + grid.evenRowClass).eq(0).children().length, 1, "even data row single cell"); }); module("inserting"); test("inserting rendering", function() { var $element = $("#jsGrid"), gridOptions = { inserting: true, fields: [ { name: "test", align: "right", insertcss: "insert-class", insertTemplate: function() { var result = this.insertControl = $("<input>").attr("type", "text").addClass("insert-input"); return result; } } ] }, grid = new Grid($element, gridOptions); equal(grid._insertRow.find(".insert-class").length, 1, "insertcss class is attached"); equal(grid._insertRow.find(".insert-input").length, 1, "insert control rendered"); equal(grid._insertRow.find("." + grid.cellClass).length, 1, "cell class is attached"); ok(grid._insertRow.find(".insert-class").hasClass("jsgrid-align-right"), "align class is attached"); ok(grid.fields[0].insertControl.is("input[type=text]"), "insert control saved in field"); }); test("field without inserting", function() { var $element = $("#jsGrid"), jsGridFieldConfig = { insertTemplate: function() { var result = this.insertControl = $("<input>").attr("type", "text"); return result; }, insertValue: function() { return this.insertControl.val(); } }, gridOptions = { inserting: true, fields: [ $.extend({}, jsGridFieldConfig, { name: "field1", inserting: false }), $.extend({}, jsGridFieldConfig, { name: "field2" }) ] }, grid = new Grid($element, gridOptions); grid.fields[0].insertControl.val("test1"); grid.fields[1].insertControl.val("test2"); deepEqual(grid._getInsertItem(), { field2: "test2" }, "field with inserting=false is not included in inserting item"); }); test("insert data with default location", function() { var $element = $("#jsGrid"), inserted = false, insertingArgs, insertedArgs, gridOptions = { inserting: true, data: [{field: "default"}], fields: [ { name: "field", insertTemplate: function() { var result = this.insertControl = $("<input>").attr("type", "text"); return result; }, insertValue: function() { return this.insertControl.val(); } } ], onItemInserting: function(e) { insertingArgs = $.extend(true, {}, e); }, onItemInserted: function(e) { insertedArgs = $.extend(true, {}, e); }, controller: { insertItem: function() { inserted = true; } } }, grid = new Grid($element, gridOptions); grid.fields[0].insertControl.val("test"); grid.insertItem(); equal(insertingArgs.item.field, "test", "field is provided in inserting args"); equal(grid.option("data").length, 2, "data is inserted"); ok(inserted, "controller insertItem was called"); deepEqual(grid.option("data")[1], { field: "test" }, "correct data is inserted"); equal(insertedArgs.item.field, "test", "field is provided in inserted args"); }); test("insert data with specified insert location", function() { var $element = $("#jsGrid"), inserted = false, insertingArgs, insertedArgs, gridOptions = { inserting: true, insertRowLocation: "top", data: [{field: "default"}], fields: [ { name: "field", insertTemplate: function() { var result = this.insertControl = $("<input>").attr("type", "text"); return result; }, insertValue: function() { return this.insertControl.val(); } } ], onItemInserting: function(e) { insertingArgs = $.extend(true, {}, e); }, onItemInserted: function(e) { insertedArgs = $.extend(true, {}, e); }, controller: { insertItem: function() { inserted = true; } } }, grid = new Grid($element, gridOptions); grid.fields[0].insertControl.val("test"); grid.insertItem(); equal(insertingArgs.item.field, "test", "field is provided in inserting args"); equal(grid.option("data").length, 2, "data is inserted"); ok(inserted, "controller insertItem was called"); deepEqual(grid.option("data")[0], { field: "test" }, "correct data is inserted at the beginning"); equal(insertedArgs.item.field, "test", "field is provided in inserted args"); }); test("insertItem accepts item to insert", function() { var $element = $("#jsGrid"), itemToInsert = { field: "test" }, insertedItem, gridOptions = { data: [], fields: [ { name: "field" } ], controller: { insertItem: function(item) { insertedItem = item; } } }, grid = new Grid($element, gridOptions); grid.insertItem(itemToInsert); deepEqual(grid.option("data")[0], itemToInsert, "data is inserted"); deepEqual(insertedItem, itemToInsert, "controller insertItem was called with correct item"); }); module("editing"); test("editing rendering", function() { var $element = $("#jsGrid"), $editRow, data = [{ test: "value" }], gridOptions = { editing: true, fields: [ { name: "test", align: "right", editcss: "edit-class", editTemplate: function(value) { var result = this.editControl = $("<input>").attr("type", "text").val(value).addClass("edit-input"); return result; } } ] }, grid = new Grid($element, gridOptions); grid.option("data", data); equal(grid._content.find("." + grid.editRowClass).length, 0, "no edit row after initial rendering"); grid.editItem(data[0]); $editRow = grid._content.find("." + grid.editRowClass); equal($editRow.length, 1, "edit row rendered"); equal($editRow.find(".edit-class").length, 1, "editcss class is attached"); equal($editRow.find(".edit-input").length, 1, "edit control rendered"); equal($editRow.find("." + grid.cellClass).length, 1, "cell class is attached"); ok($editRow.find(".edit-class").hasClass("jsgrid-align-right"), "align class is attached"); ok(grid.fields[0].editControl.is("input[type=text]"), "edit control saved in field"); equal(grid.fields[0].editControl.val(), "value", "edit control value"); }); test("editItem accepts row to edit", function() { var $element = $("#jsGrid"), $editRow, data = [ { test: "value" } ], gridOptions = { editing: true, fields: [ { name: "test" } ] }, grid = new Grid($element, gridOptions); grid.option("data", data); var $row = $element.find("." + grid.oddRowClass).eq(0); grid.editItem($row); $editRow = grid._content.find("." + grid.editRowClass); equal($editRow.length, 1, "edit row rendered"); grid.cancelEdit(); grid.editItem($row.get(0)); $editRow = grid._content.find("." + grid.editRowClass); equal($editRow.length, 1, "edit row rendered"); }); test("edit item", function() { var $element = $("#jsGrid"), editingArgs, editingRow, updated = false, updatingArgs, updatingRow, updatedRow, updatedArgs, data = [{ field: "value" }], gridOptions = { editing: true, fields: [ { name: "field", editTemplate: function(value) { var result = this.editControl = $("<input>").attr("type", "text").val(value); return result; }, editValue: function() { return this.editControl.val(); } } ], controller: { updateItem: function(updatingItem) { updated = true; } }, onItemEditing: function(e) { editingArgs = $.extend(true, {}, e); editingRow = grid.rowByItem(data[0])[0]; }, onItemUpdating: function(e) { updatingArgs = $.extend(true, {}, e); updatingRow = grid.rowByItem(data[0])[0]; }, onItemUpdated: function(e) { updatedArgs = $.extend(true, {}, e); updatedRow = grid.rowByItem(data[0])[0]; } }, grid = new Grid($element, gridOptions); grid.option("data", data); grid.editItem(data[0]); deepEqual(editingArgs.item, { field: "value" }, "item before editing is provided in editing event args"); equal(editingArgs.itemIndex, 0, "itemIndex is provided in editing event args"); equal(editingArgs.row[0], editingRow, "row element is provided in editing event args"); grid.fields[0].editControl.val("new value"); grid.updateItem(); deepEqual(updatingArgs.previousItem, { field: "value" }, "item before editing is provided in updating event args"); deepEqual(updatingArgs.item, { field: "new value" }, "updating item is provided in updating event args"); equal(updatingArgs.itemIndex, 0, "itemIndex is provided in updating event args"); equal(updatingArgs.row[0], updatingRow, "row element is provided in updating event args"); ok(updated, "controller updateItem called"); deepEqual(grid.option("data")[0], { field: "new value" }, "correct data updated"); equal(grid._content.find("." + grid.editRowClass).length, 0, "edit row removed"); equal(grid._content.find("." + grid.oddRowClass).length, 1, "data row rendered"); deepEqual(updatedArgs.previousItem, { field: "value" }, "item before editing is provided in updated event args"); deepEqual(updatedArgs.item, { field: "new value" }, "updated item is provided in updated event args"); equal(updatedArgs.itemIndex, 0, "itemIndex is provided in updated event args"); equal(updatedArgs.row[0], updatedRow, "row element is provided in updated event args"); }); test("failed update should not change original item", function() { var $element = $("#jsGrid"), data = [{ field: "value" }], gridOptions = { editing: true, fields: [ { name: "field", editTemplate: function(value) { var result = this.editControl = $("<input>").attr("type", "text").val(value); return result; }, editValue: function() { return this.editControl.val(); } } ], controller: { updateItem: function(updatingItem) { return $.Deferred().reject(); } } }, grid = new Grid($element, gridOptions); grid.option("data", data); grid.editItem(data[0]); grid.fields[0].editControl.val("new value"); grid.updateItem(); deepEqual(grid.option("data")[0], { field: "value" }, "value is not updated"); }); test("cancel edit", function() { var $element = $("#jsGrid"), updated = false, cancellingArgs, cancellingRow, data = [{ field: "value" }], gridOptions = { editing: true, fields: [ { name: "field", editTemplate: function(value) { var result = this.editControl = $("<input>").attr("type", "text").val(value); return result; }, editValue: function() { return this.editControl.val(); } } ], controller: { updateData: function(updatingItem) { updated = true; } }, onItemEditCancelling: function(e) { cancellingArgs = $.extend(true, {}, e); cancellingRow = grid.rowByItem(data[0])[0]; } }, grid = new Grid($element, gridOptions); grid.option("data", data); grid.editItem(data[0]); grid.fields[0].editControl.val("new value"); grid.cancelEdit(); deepEqual(cancellingArgs.item, { field: "value" }, "item before cancel is provided in cancelling event args"); equal(cancellingArgs.itemIndex, 0, "itemIndex is provided in cancelling event args"); equal(cancellingArgs.row[0], cancellingRow, "row element is provided in cancelling event args"); ok(!updated, "controller updateItem was not called"); deepEqual(grid.option("data")[0], { field: "value" }, "data were not updated"); equal(grid._content.find("." + grid.editRowClass).length, 0, "edit row removed"); equal(grid._content.find("." + grid.oddRowClass).length, 1, "data row restored"); }); test("updateItem accepts item to update and new item", function() { var $element = $("#jsGrid"), updatingItem, data = [{ field: "value" }], gridOptions = { fields: [ { name: "field" } ], controller: { updateItem: function(item) { return updatingItem = item; } } }, grid = new Grid($element, gridOptions); grid.option("data", data); grid.updateItem(data[0], { field: "new value" }); deepEqual(updatingItem, { field: "new value" }, "controller updateItem called correctly"); deepEqual(grid.option("data")[0], { field: "new value" }, "correct data updated"); }); test("updateItem accepts single argument - item to update", function() { var $element = $("#jsGrid"), updatingItem, data = [{ field: "value" }], gridOptions = { fields: [ { name: "field" } ], controller: { updateItem: function(item) { return updatingItem = item; } } }, grid = new Grid($element, gridOptions); grid.option("data", data); data[0].field = "new value"; grid.updateItem(data[0]); deepEqual(updatingItem, { field: "new value" }, "controller updateItem called correctly"); deepEqual(grid.option("data")[0], { field: "new value" }, "correct data updated"); }); test("editRowRenderer", function() { var $element = $("#jsGrid"), data = [ { value: "test" } ], gridOptions = { data: data, editing: true, editRowRenderer: function(item, itemIndex) { return $("<tr>").addClass("custom-edit-row").append($("<td>").text(itemIndex + ":" + item.value)); }, fields: [ { name: "value" } ] }, grid = new Grid($element, gridOptions); grid.editItem(data[0]); var $editRow = grid._content.find(".custom-edit-row"); equal($editRow.length, 1, "edit row rendered"); equal($editRow.text(), "0:test", "custom edit row renderer rendered"); }); module("deleting"); test("delete item", function() { var $element = $("#jsGrid"), deleted = false, deletingArgs, deletedArgs, data = [{ field: "value" }], gridOptions = { confirmDeleting: false, fields: [ { name: "field" } ], controller: { deleteItem: function(deletingItem) { deleted = true; } }, onItemDeleting: function(e) { deletingArgs = $.extend(true, {}, e); }, onItemDeleted: function(e) { deletedArgs = $.extend(true, {}, e); } }, grid = new Grid($element, gridOptions); grid.option("data", data); grid.deleteItem(data[0]); deepEqual(deletingArgs.item, { field: "value" }, "field and value is provided in deleting event args"); equal(deletingArgs.itemIndex, 0, "itemIndex is provided in updating event args"); equal(deletingArgs.row.length, 1, "row element is provided in updating event args"); ok(deleted, "controller deleteItem called"); equal(grid.option("data").length, 0, "data row deleted"); deepEqual(deletedArgs.item, { field: "value" }, "item is provided in updating event args"); equal(deletedArgs.itemIndex, 0, "itemIndex is provided in updating event args"); equal(deletedArgs.row.length, 1, "row element is provided in updating event args"); }); test("deleteItem accepts row", function() { var $element = $("#jsGrid"), deletedItem, itemToDelete = { field: "value" }, data = [itemToDelete], gridOptions = { confirmDeleting: false, fields: [ { name: "field" } ], controller: { deleteItem: function(deletingItem) { deletedItem = deletingItem; } } }, grid = new Grid($element, gridOptions); grid.option("data", data); var $row = $element.find("." + grid.oddRowClass).eq(0); grid.deleteItem($row); deepEqual(deletedItem, itemToDelete, "controller deleteItem called correctly"); equal(grid.option("data").length, 0, "data row deleted"); }); module("paging"); test("pager is rendered if necessary", function() { var $element = $("#jsGrid"), grid = new Grid($element, { data: [{}, {}, {}], paging: false, pageSize: 2 }); ok(grid._pagerContainer.is(":hidden"), "pager is hidden when paging=false"); equal(grid._pagerContainer.html(), "", "pager is not rendered when paging=false"); grid.option("paging", true); ok(grid._pagerContainer.is(":visible"), "pager is visible when paging=true"); ok(grid._pagerContainer.html(), "pager is rendered when paging=true"); grid.option("data", [{}, {}]); ok(grid._pagerContainer.is(":hidden"), "pager is hidden for single page"); ok(grid._pagerContainer.html(), "pager is rendered for single page when paging=true"); }); test("external pagerContainer", function() { var $pagerContainer = $("<div>").appendTo("#qunit-fixture").hide(), $element = $("#jsGrid"); new Grid($element, { data: [{}, {}, {}], pagerContainer: $pagerContainer, paging: true, pageSize: 2 }); ok($pagerContainer.is(":visible"), "external pager shown"); ok($pagerContainer.html(), "external pager rendered"); }); test("pager functionality", function() { var $element = $("#jsGrid"), pager, pageChangedArgs, grid = new Grid($element, { data: [{}, {}, {}, {}, {}, {}, {}, {}, {}], onPageChanged: function(args) { pageChangedArgs = args; }, paging: true, pageSize: 2, pageButtonCount: 3 }); equal(grid._pagesCount(), 5, "correct page count"); equal(grid.option("pageIndex"), 1, "pageIndex is initialized"); equal(grid._firstDisplayingPage, 1, "_firstDisplayingPage is initialized"); pager = grid._pagerContainer; equal(pager.find("." + grid.currentPageClass).length, 1, "there is one current page"); ok(pager.find("." + grid.pageClass).eq(0).hasClass(grid.currentPageClass), "first page is current"); equal(pager.find("." + grid.pageClass).length, 3, "three pages displayed"); equal(pager.find("." + grid.pagerNavButtonClass).length, 5, "five nav buttons displayed: Fisrt Prev Next Last ..."); equal(pager.find("." + grid.pagerNavButtonInactiveClass).length, 2, "two nav buttons inactive: Fisrt Prev"); grid.openPage(2); equal(pager.find("." + grid.currentPageClass).length, 1, "there is one current page"); ok(pager.find("." + grid.pageClass).eq(1).hasClass(grid.currentPageClass), "second page is current"); equal(pager.find("." + grid.pageClass).length, 3, "three pages displayed"); equal(pager.find("." + grid.pagerNavButtonClass).length, 5, "five nav buttons displayed: First Prev Next Last and ..."); equal(pageChangedArgs.pageIndex, 2, "onPageChanged callback provides pageIndex in arguments"); grid.showNextPages(); equal(grid._firstDisplayingPage, 3, "navigate by pages forward"); grid.showPrevPages(); equal(grid._firstDisplayingPage, 1, "navigate by pages backward"); grid.openPage(5); equal(grid._firstDisplayingPage, 3, "opening next non-visible page moves first displaying page forward"); grid.openPage(2); equal(grid._firstDisplayingPage, 2, "opening prev non-visible page moves first displaying page backward"); }); test("pager format", function() { var $element = $("#jsGrid"), grid = new Grid($element, { data: [{}, {}, {}, {}, {}, {}], paging: true, pageSize: 2, pageIndex: 2, pageButtonCount: 1, pagerFormat: "a {pageIndex} {first} {prev} {pages} {next} {last} {pageCount} {itemCount} z", pagePrevText: "<", pageNextText: ">", pageFirstText: "<<", pageLastText: ">>", pageNavigatorNextText: "np", pageNavigatorPrevText: "pp" }); grid._firstDisplayingPage = 2; grid._refreshPager(); equal($.trim(grid._pagerContainer.text()), "a 2 << < pp2np > >> 3 6 z", "pager text follows the format specified"); }); test("pagerRenderer", function() { var $element = $("#jsGrid"); var pagerRendererConfig; var pageSize = 2; var items = [{}, {}, {}, {}, {}, {}, {}]; var pageCount = Math.ceil(items.length / pageSize); var grid = new Grid($element, { data: items, paging: true, pageSize: pageSize, pagerRenderer: function(pagerConfig) { pagerRendererConfig = pagerConfig; } }); deepEqual(pagerRendererConfig, { pageIndex: 1, pageCount: pageCount }); grid.openPage(2); deepEqual(pagerRendererConfig, { pageIndex: 2, pageCount: pageCount }); }); test("loading by page", function() { var $element = $("#jsGrid"), data = [], itemCount = 20; for(var i = 1; i <= itemCount; i += 1) { data.push({ value: i }); } var gridOptions = { pageLoading: true, paging: true, pageSize: 7, fields: [ { name: "value" } ], controller: { loadData: function(filter) { var startIndex = (filter.pageIndex - 1) * filter.pageSize, result = data.slice(startIndex, startIndex + filter.pageSize); return { data: result, itemsCount: data.length }; } } }; var grid = new Grid($element, gridOptions); grid.loadData(); var pager = grid._pagerContainer; var gridData = grid.option("data"); equal(gridData.length, 7, "loaded one page of data"); equal(gridData[0].value, 1, "loaded right data start value"); equal(gridData[gridData.length - 1].value, 7, "loaded correct data end value"); ok(pager.find("." + grid.pageClass).eq(0).hasClass(grid.currentPageClass), "first page is current"); equal(pager.find("." + grid.pageClass).length, 3, "three pages displayed"); grid.openPage(3); gridData = grid.option("data"); equal(gridData.length, 6, "loaded last page of data"); equal(gridData[0].value, 15, "loaded right data start value"); equal(gridData[gridData.length - 1].value, 20, "loaded right data end value"); ok(pager.find("." + grid.pageClass).eq(2).hasClass(grid.currentPageClass), "third page is current"); equal(pager.find("." + grid.pageClass).length, 3, "three pages displayed"); }); test("'openPage' method ignores indexes out of range", function() { var $element = $("#jsGrid"), grid = new Grid($element, { data: [{}, {}], paging: true, pageSize: 1 }); grid.openPage(0); equal(grid.option("pageIndex"), 1, "too small index is ignored"); grid.openPage(3); equal(grid.option("pageIndex"), 1, "too big index is ignored"); }); module("sorting"); test("sorting", function() { var $element = $("#jsGrid"), gridOptions = { sorting: true, data: [ { value: 3 }, { value: 2 }, { value: 1 } ], fields: [ { name: "value", sorter: "number" } ] }, grid = new Grid($element, gridOptions); var gridData = grid.option("data"); var $th = grid._headerRow.find("th").eq(0); $th.trigger("click"); equal(grid._sortOrder, "asc", "asc sorting order for first click"); equal(grid._sortField, grid.fields[0], "sort field is set"); equal(gridData[0].value, 1); equal(gridData[1].value, 2); equal(gridData[2].value, 3); ok($th.hasClass(grid.sortableClass)); ok($th.hasClass(grid.sortAscClass)); $th.trigger("click"); equal(grid._sortOrder, "desc", "desc sorting order for second click"); equal(grid._sortField, grid.fields[0], "sort field is set"); equal(gridData[0].value, 3); equal(gridData[1].value, 2); equal(gridData[2].value, 1); ok(!$th.hasClass(grid.sortAscClass)); ok($th.hasClass(grid.sortDescClass)); }); test("sorting with pageLoading", function() { var $element = $("#jsGrid"), loadFilter, gridOptions = { sorting: true, pageLoading: true, data: [ { value: 3 }, { value: 2 }, { value: 1 } ], controller: { loadData: function(filter) { loadFilter = filter; return { itemsCount: 0, data: [] }; } }, fields: [ { name: "value", sorter: "number" } ] }, grid = new Grid($element, gridOptions); var $th = grid._headerRow.find("th").eq(0); $th.trigger("click"); equal(grid._sortOrder, "asc", "asc sorting order for first click"); equal(grid._sortField, grid.fields[0], "sort field is set"); equal(loadFilter.sortOrder, "asc", "sort direction is provided in loadFilter"); equal(loadFilter.sortField, "value", "sort field is provided in loadFilter"); $th.trigger("click"); equal(grid._sortOrder, "desc", "desc sorting order for second click"); equal(grid._sortField, grid.fields[0], "sort field is set"); equal(loadFilter.sortOrder, "desc", "sort direction is provided in loadFilter"); equal(loadFilter.sortField, "value", "sort field is provided in loadFilter"); }); test("no sorting for column with sorting = false", function() { var $element = $("#jsGrid"); var gridOptions = { sorting: true, data: [ { value: 3 }, { value: 2 }, { value: 1 } ], fields: [ { name: "value", sorting: false } ] }; var grid = new Grid($element, gridOptions); var gridData = grid.option("data"); var $th = grid._headerRow.find("th").eq(0); $th.trigger("click"); equal(grid._sortField, null, "sort field is not set for the field with sorting=false"); equal(gridData[0].value, 3); equal(gridData[1].value, 2); equal(gridData[2].value, 1); equal($th.hasClass(grid.sortableClass), false, "no sorting css for field with sorting=false"); equal($th.hasClass(grid.sortAscClass), false, "no sorting css for field with sorting=false"); }); test("sort accepts sorting config", function() { var $element = $("#jsGrid"), gridOptions = { sorting: true, data: [ { value: 3 }, { value: 2 }, { value: 1 } ], fields: [ { name: "value", sorter: "number" } ] }, grid = new Grid($element, gridOptions); var gridData = grid.option("data"); grid.sort({ field: "value", order: "asc" }); equal(grid._sortOrder, "asc", "asc sorting order is set"); equal(grid._sortField, grid.fields[0], "sort field is set"); equal(gridData[0].value, 1); equal(gridData[1].value, 2); equal(gridData[2].value, 3); grid.sort({ field: 0 }); equal(grid._sortOrder, "desc", "desc sorting order for already set asc sorting"); equal(grid._sortField, grid.fields[0], "sort field is set"); equal(gridData[0].value, 3); equal(gridData[1].value, 2); equal(gridData[2].value, 1); grid.sort("value", "asc"); equal(grid._sortOrder, "asc", "asc sorting order is set"); equal(grid._sortField, grid.fields[0], "sort field is set"); grid.sort(0); equal(grid._sortOrder, "desc", "desc sorting order for already set asc sorting"); equal(grid._sortField, grid.fields[0], "sort field is set"); }); test("getSorting returns current sorting", function() { var $element = $("#jsGrid"), gridOptions = { sorting: true, data: [ { value: 3 }, { value: 2 }, { value: 1 } ], fields: [ { name: "value", sorter: "number" } ] }, grid = new Grid($element, gridOptions); deepEqual(grid.getSorting(), { field: undefined, order: undefined }, "undefined field and order before sorting"); grid.sort("value"); deepEqual(grid.getSorting(), { field: "value", order: "asc" }, "current sorting returned"); }); test("sorting css attached correctly when a field is hidden", function() { var $element = $("#jsGrid"); var gridOptions = { sorting: true, data: [], fields: [ { name: "field1", visible: false }, { name: "field2" } ] }; var grid = new Grid($element, gridOptions); var gridData = grid.option("data"); var $th = grid._headerRow.find("th").eq(0); $th.trigger("click"); equal($th.hasClass(grid.sortAscClass), true, "sorting css is attached to first field"); }); module("canceling events"); test("cancel item edit", function() { var $element = $("#jsGrid"); var data = [{}]; var gridOptions = { editing: true, onItemEditing: function(e) { e.cancel = true; }, controller: { loadData: function() { return data; } }, fields: [ { name: "test" } ] }; var grid = new Grid($element, gridOptions); grid.loadData(); grid.editItem(data[0]); strictEqual(grid._editingRow, null, "no editing row"); }); test("cancel controller.loadData", function() { var $element = $("#jsGrid"); var gridOptions = { onDataLoading: function(e) { e.cancel = true; }, controller: { loadData: function() { return [{}]; } }, fields: [ { name: "test" } ] }; var grid = new Grid($element, gridOptions); grid.loadData(); equal(grid.option("data").length, 0, "no data loaded"); }); test("cancel controller.insertItem", function() { var $element = $("#jsGrid"); var insertedItem = null; var gridOptions = { onItemInserting: function(e) { e.cancel = true; }, controller: { insertItem: function(item) { insertedItem = item; } }, fields: [ { name: "test" } ] }; var grid = new Grid($element, gridOptions); grid.insertItem({ test: "value" }); strictEqual(insertedItem, null, "item was not inserted"); }); test("cancel controller.updateItem", function() { var $element = $("#jsGrid"); var updatedItem = null; var existingItem = { test: "value" }; var gridOptions = { data: [ existingItem ], onItemUpdating: function(e) { e.cancel = true; }, controller: { updateItem: function(item) { updatedItem = item; } }, fields: [ { name: "test" } ] }; var grid = new Grid($element, gridOptions); grid.updateItem(existingItem, { test: "new_value" }); strictEqual(updatedItem, null, "item was not updated"); }); test("cancel controller.deleteItem", function() { var $element = $("#jsGrid"); var deletingItem = { test: "value" }; var deletedItem = null; var gridOptions = { data: [ deletingItem ], confirmDeleting: false, onItemDeleting: function(e) { e.cancel = true; }, controller: { deleteItem: function(item) { deletedItem = item; } }, fields: [ { name: "test" } ] }; var grid = new Grid($element, gridOptions); grid.deleteItem(deletingItem); strictEqual(deletedItem, null, "item was not deleted"); }); module("complex properties binding"); test("rendering", function() { var $element = $("#jsGrid"); var gridOptions = { loadMessage: "", data: [ { complexProp: { prop: "test" } } ], fields: [ { name: "complexProp.prop", title: "" } ] }; new Grid($element, gridOptions); equal($element.text(), "test", "complex property value rendered"); }); test("editing", function() { var $element = $("#jsGrid"); var gridOptions = { editing: true, data: [ { complexProp: { prop: "test" } } ], fields: [ { type: "text", name: "complexProp.prop" } ] }; var grid = new Grid($element, gridOptions); grid.editItem(gridOptions.data[0]); equal(grid.fields[0].editControl.val(), "test", "complex property value set in editor"); }); test("should not fail if property is absent", function() { var $element = $("#jsGrid"); var gridOptions = { loadMessage: "", data: [ { complexProp: { } } ], fields: [ { name: "complexProp.subprop.prop", title: "" } ] }; new Grid($element, gridOptions); equal($element.text(), "", "rendered empty value"); }); test("inserting", function() { var $element = $("#jsGrid"); var insertingItem; var gridOptions = { inserting: true, fields: [ { type: "text", name: "complexProp.prop" } ], onItemInserting: function(args) { insertingItem = args.item; } }; var grid = new Grid($element, gridOptions); grid.fields[0].insertControl.val("test"); grid.insertItem(); deepEqual(insertingItem, { complexProp: { prop: "test" } }, "inserting item has complex properties"); }); test("filtering", function() { var $element = $("#jsGrid"); var loadFilter; var gridOptions = { filtering: true, fields: [ { type: "text", name: "complexProp.prop" } ], controller: { loadData: function(filter) { loadFilter = filter; } } }; var grid = new Grid($element, gridOptions); grid.fields[0].filterControl.val("test"); grid.search(); deepEqual(loadFilter, { complexProp: { prop: "test" } }, "filter has complex properties"); }); test("updating", function() { var $element = $("#jsGrid"); var updatingItem; var gridOptions = { editing: true, data: [ { complexProp: { } } ], fields: [ { type: "text", name: "complexProp.prop" } ], onItemUpdating: function(args) { updatingItem = args.item; } }; var grid = new Grid($element, gridOptions); grid.editItem(gridOptions.data[0]); grid.fields[0].editControl.val("test"); grid.updateItem(); deepEqual(updatingItem, { complexProp: { prop: "test" } }, "updating item has complex properties"); }); test("update nested prop", function() { var $element = $("#jsGrid"); var updatingItem; var previousItem; var gridOptions = { editing: true, data: [ { prop: { subprop1: "test1", subprop2: "test2" } } ], fields: [ { type: "text", name: "prop.subprop1" }, { type: "text", name: "prop.subprop2" } ], onItemUpdating: function(args) { updatingItem = args.item; } }; var grid = new Grid($element, gridOptions); grid.editItem(gridOptions.data[0]); grid.fields[0].editControl.val("new_test1"); grid.updateItem(); var expectedUpdatingItem = { prop: { subprop1: "new_test1", subprop2: "test2" } }; deepEqual(updatingItem, expectedUpdatingItem, "updating item has nested properties"); }); test("updating deeply nested prop", function() { var $element = $("#jsGrid"); var updatingItem; var previousItem; var gridOptions = { editing: true, data: [ { complexProp: { subprop1: { another_prop: "test" } } } ], fields: [ { type: "text", name: "complexProp.subprop1.prop1" }, { type: "text", name: "complexProp.subprop1.subprop2.prop12" } ], onItemUpdating: function(args) { updatingItem = $.extend(true, {}, args.item); previousItem = $.extend(true, {}, args.previousItem); } }; var grid = new Grid($element, gridOptions); grid.editItem(gridOptions.data[0]); grid.fields[0].editControl.val("test1"); grid.fields[1].editControl.val("test2"); grid.updateItem(); var expectedUpdatingItem = { complexProp: { subprop1: { another_prop: "test", prop1: "test1", subprop2: { prop12: "test2" } } } }; var expectedPreviousItem = { complexProp: { subprop1: { another_prop: "test" } } }; deepEqual(updatingItem, expectedUpdatingItem, "updating item has deeply nested properties"); deepEqual(previousItem, expectedPreviousItem, "previous item preserved correctly"); }); module("validation"); test("insertItem should call validation.validate", function() { var $element = $("#jsGrid"); var fieldValidationRules = { test: "value" }; var validatingArgs; var gridOptions = { data: [], inserting: true, invalidNotify: $.noop, validation: { validate: function(args) { validatingArgs = args; return []; } }, fields: [ { type: "text", name: "Name", validate: fieldValidationRules } ] }; var grid = new Grid($element, gridOptions); grid.fields[0].insertControl.val("test"); grid.insertItem(); deepEqual(validatingArgs, { value: "test", item: { Name: "test" }, itemIndex: -1, row: grid._insertRow, rules: fieldValidationRules }, "validating args is provided"); }); test("insertItem rejected when data is not valid", function() { var $element = $("#jsGrid"); var gridOptions = { data: [], inserting: true, invalidNotify: $.noop, validation: { validate: function() { return ["Error"]; } }, fields: [ { type: "text", name: "Name", validate: true } ] }; var grid = new Grid($element, gridOptions); grid.fields[0].insertControl.val("test"); grid.insertItem().done(function() { ok(false, "insertItem should not be completed"); }).fail(function() { ok(true, "insertItem should fail"); }); }); test("invalidClass is attached on invalid cell on inserting", function() { var $element = $("#jsGrid"); var gridOptions = { data: [], inserting: true, invalidNotify: $.noop, validation: { validate: function() { return ["Error"]; } }, fields: [ { type: "text", name: "Id", visible: false }, { type: "text", name: "Name", validate: true } ] }; var grid = new Grid($element, gridOptions); var $insertCell = grid._insertRow.children().eq(0); grid.insertItem(); ok($insertCell.hasClass(grid.invalidClass), "invalid class is attached"); equal($insertCell.attr("title"), "Error", "cell tooltip contains error message"); }); test("onItemInvalid callback", function() { var $element = $("#jsGrid"); var errors = ["Error"]; var onItemInvalidCalled = 0; var onItemInvalidArgs; var gridOptions = { data: [], inserting: true, invalidNotify: $.noop, onItemInvalid: function(args) { onItemInvalidCalled++; onItemInvalidArgs = args; }, validation: { validate: function(args) { return !args.value ? errors : []; } }, fields: [ { type: "text", name: "Name", validate: true } ] }; var grid = new Grid($element, gridOptions); grid.insertItem(); equal(onItemInvalidCalled, 1, "onItemInvalid is called, when item data is invalid"); deepEqual(onItemInvalidArgs, { grid: grid, errors: [{ field: grid.fields[0], message: "Error" }], item: { Name: "" }, itemIndex: -1, row: grid._insertRow }, "arguments provided"); grid.fields[0].insertControl.val("test"); grid.insertItem(); equal(onItemInvalidCalled, 1, "onItemInvalid was not called, when data is valid"); }); test("invalidNotify", function() { var $element = $("#jsGrid"); var errors = ["Error"]; var invalidNotifyCalled = 0; var invalidNotifyArgs; var gridOptions = { data: [], inserting: true, invalidNotify: function(args) { invalidNotifyCalled++; invalidNotifyArgs = args; }, validation: { validate: function(args) { return !args.value ? errors : []; } }, fields: [ { type: "text", name: "Name", validate: true } ] }; var grid = new Grid($element, gridOptions); grid.insertItem(); equal(invalidNotifyCalled, 1, "invalidNotify is called, when item data is invalid"); deepEqual(invalidNotifyArgs, { grid: grid, errors: [{ field: grid.fields[0], message: "Error" }], row: grid._insertRow, item: { Name: "" }, itemIndex: -1 }, "arguments provided"); grid.fields[0].insertControl.val("test"); grid.insertItem(); equal(invalidNotifyCalled, 1, "invalidNotify was not called, when data is valid"); }); test("invalidMessage", function() { var $element = $("#jsGrid"); var invalidMessage; var originalAlert = window.alert; window.alert = function(message) { invalidMessage = message; }; try { Grid.prototype.invalidMessage = "InvalidTest"; Grid.prototype.invalidNotify({ errors: [{ message: "Message1" }, { message: "Message2" }] }); var expectedInvalidMessage = ["InvalidTest", "Message1", "Message2"].join("\n"); equal(invalidMessage, expectedInvalidMessage, "message contains invalidMessage and field error messages"); } finally { window.alert = originalAlert; } }); test("updateItem should call validation.validate", function() { var $element = $("#jsGrid"); var validatingArgs; var gridOptions = { data: [{ Name: "" }], editing: true, invalidNotify: $.noop, validation: { validate: function(args) { validatingArgs = args; return ["Error"]; } }, fields: [ { type: "text", name: "Name", validate: "required" } ] }; var grid = new Grid($element, gridOptions); grid.editItem(gridOptions.data[0]); grid.fields[0].editControl.val("test"); grid.updateItem(); deepEqual(validatingArgs, { value: "test", item: { Name: "test" }, itemIndex: 0, row: grid._getEditRow(), rules: "required" }, "validating args is provided"); }); test("invalidClass is attached on invalid cell on updating", function() { var $element = $("#jsGrid"); var gridOptions = { data: [{}], editing: true, invalidNotify: $.noop, validation: { validate: function() { return ["Error"]; } }, fields: [ { type: "text", name: "Name", validate: true } ] }; var grid = new Grid($element, gridOptions); grid.editItem(gridOptions.data[0]); var $editCell = grid._getEditRow().children().eq(0); grid.updateItem(); ok($editCell.hasClass(grid.invalidClass), "invalid class is attached"); equal($editCell.attr("title"), "Error", "cell tooltip contains error message"); }); test("validation should ignore not editable fields", function() { var invalidNotifyCalled = 0; var $element = $("#jsGrid"); var validatingArgs; var gridOptions = { data: [{ Name: "" }], editing: true, invalidNotify: function() { invalidNotifyCalled++; }, validation: { validate: function() { return ["Error"]; } }, fields: [ { type: "text", name: "Name", editing: false, validate: "required" } ] }; var grid = new Grid($element, gridOptions); grid.editItem(gridOptions.data[0]); grid.updateItem(); equal(invalidNotifyCalled, 0, "data is valid"); }); module("api"); test("reset method should go the first page when pageLoading is truned on", function() { var items = [{ Name: "1" }, { Name: "2" }]; var $element = $("#jsGrid"); var gridOptions = { paging: true, pageSize: 1, pageLoading: true, autoload: true, controller: { loadData: function(args) { return { data: [items[args.pageIndex - 1]], itemsCount: items.length }; } }, fields: [ { type: "text", name: "Name" } ] }; var grid = new Grid($element, gridOptions); grid.openPage(2); grid.reset(); equal(grid._bodyGrid.text(), "1", "grid content reset"); }); module("i18n"); test("set locale by name", function() { jsGrid.locales.my_lang = { grid: { test: "test_text" } }; jsGrid.locale("my_lang"); var $element = $("#jsGrid").jsGrid({}); equal($element.jsGrid("option", "test"), "test_text", "option localized"); }); test("set locale by config", function() { jsGrid.locale( { grid: { test: "test_text" } }); var $element = $("#jsGrid").jsGrid({}); equal($element.jsGrid("option", "test"), "test_text", "option localized"); }); test("locale throws exception for unknown locale", function() { throws(function() { jsGrid.locale("unknown_lang"); }, /unknown_lang/, "locale threw an exception"); }); module("controller promise"); asyncTest("should support jQuery promise success callback", 1, function() { var data = []; var gridOptions = { autoload: false, controller: { loadData: function() { var d = $.Deferred(); setTimeout(function() { d.resolve(data); start(); }); return d.promise(); } } }; var grid = new Grid($("#jsGrid"), gridOptions); var promise = grid._controllerCall("loadData", {}, false, $.noop); promise.done(function(result) { equal(result, data, "data provided to done callback"); }); }); asyncTest("should support jQuery promise fail callback", 1, function() { var failArgs = {}; var gridOptions = { autoload: false, controller: { loadData: function() { var d = $.Deferred(); setTimeout(function() { d.reject(failArgs); start(); }); return d.promise(); } } }; var grid = new Grid($("#jsGrid"), gridOptions); var promise = grid._controllerCall("loadData", {}, false, $.noop); promise.fail(function(result) { equal(result, failArgs, "fail args provided to fail callback"); }); }); asyncTest("should support JS promise success callback", 1, function() { if(typeof Promise === "undefined") { ok(true, "Promise not supported"); start(); return; } var data = []; var gridOptions = { autoload: false, controller: { loadData: function() { return new Promise(function(resolve, reject) { setTimeout(function() { resolve(data); start(); }); }); } } }; var grid = new Grid($("#jsGrid"), gridOptions); var promise = grid._controllerCall("loadData", {}, false, $.noop); promise.done(function(result) { equal(result, data, "data provided to done callback"); }); }); asyncTest("should support JS promise fail callback", 1, function() { if(typeof Promise === "undefined") { ok(true, "Promise not supported"); start(); return; } var failArgs = {}; var gridOptions = { autoload: false, controller: { loadData: function() { return new Promise(function(resolve, reject) { setTimeout(function() { reject(failArgs); start(); }); }); } } }; var grid = new Grid($("#jsGrid"), gridOptions); var promise = grid._controllerCall("loadData", {}, false, $.noop); promise.fail(function(result) { equal(result, failArgs, "fail args provided to fail callback"); }); }); test("should support non-promise result", 1, function() { var data = []; var gridOptions = { autoload: false, controller: { loadData: function() { return data; } } }; var grid = new Grid($("#jsGrid"), gridOptions); var promise = grid._controllerCall("loadData", {}, false, $.noop); promise.done(function(result) { equal(result, data, "data provided to done callback"); }); }); module("renderTemplate"); test("should pass undefined and null arguments to the renderer", function() { var rendererArgs; var rendererContext; var context = {}; var renderer = function() { rendererArgs = arguments; rendererContext = this; }; Grid.prototype.renderTemplate(renderer, context, { arg1: undefined, arg2: null, arg3: "test" }); equal(rendererArgs.length, 3); strictEqual(rendererArgs[0], undefined, "undefined passed"); strictEqual(rendererArgs[1], null, "null passed"); strictEqual(rendererArgs[2], "test", "null passed"); strictEqual(rendererContext, context, "context is preserved"); }); }); <MSG> Core: Fixed short-circuiting of boolean default configuration properties and cleaned up a bit. Tests: Added Data Export tests utilizing BCC <DFF> @@ -2875,5 +2875,178 @@ $(function() { strictEqual(rendererArgs[2], "test", "null passed"); strictEqual(rendererContext, context, "context is preserved"); }); + + module("Data Export", { + setup: function() { + + this.exportConfig = {}; + this.exportConfig.type = "csv"; + this.exportConfig.subset = "all"; + this.exportConfig.delimiter = "|"; + this.exportConfig.includeHeaders = true; + this.exportConfig.encapsulate = true; + + this.element = $("#jsGrid"); + + this.gridOptions = { + width: "100%", + height: "400px", + + inserting: true, + editing: true, + sorting: true, + paging: true, + pageSize: 2, + + data: [ + { "Name": "Otto Clay", "Country": 1, "Married": false }, + { "Name": "Connor Johnston", "Country": 2, "Married": true }, + { "Name": "Lacey Hess", "Country": 2, "Married": false }, + { "Name": "Timothy Henson", "Country": 1, "Married": true } + ], + + fields: [ + { name: "Name", type: "text", width: 150, validate: "required" }, + { name: "Country", type: "select", items: [{ Name: "United States", Id: 1 },{ Name: "Canada", Id: 2 }], valueField: "Id", textField: "Name" }, + { name: "Married", type: "checkbox", title: "Is Married", sorting: false }, + { type: "control" } + ] + } + + } + + }); + + /* Base Choice Criteria + type: csv + subset: all + delimiter: | + includeHeaders: true + encapsulate: true + */ + test("Should export data: Base Choice",function(){ + var grid = new Grid($(this.element), this.gridOptions); + var data = grid.exportData(this.exportConfig); + + var expected = ""; + expected += '"Name"|"Country"|"Is Married"\r\n'; + expected += '"Otto Clay"|"United States"|"false"\r\n'; + expected += '"Connor Johnston"|"Canada"|"true"\r\n'; + expected += '"Lacey Hess"|"Canada"|"false"\r\n'; + expected += '"Timothy Henson"|"United States"|"true"\r\n'; + + equal(data, expected, "Output CSV configured to Base Choice Criteria -- Check Source"); + }); + + test("Should export data: defaults = BCC",function(){ + var grid = new Grid($(this.element), this.gridOptions); + var data = grid.exportData(); + + var expected = ""; + expected += '"Name"|"Country"|"Is Married"\r\n'; + expected += '"Otto Clay"|"United States"|"false"\r\n'; + expected += '"Connor Johnston"|"Canada"|"true"\r\n'; + expected += '"Lacey Hess"|"Canada"|"false"\r\n'; + expected += '"Timothy Henson"|"United States"|"true"\r\n'; + + equal(data, expected, "Output CSV with all defaults -- Should be equal to Base Choice"); + }); + + test("Should export data: subset=visible", function(){ + var grid = new Grid($(this.element), this.gridOptions); + this.exportConfig.subset = "visible"; + var data = grid.exportData(this.exportConfig); + + var expected = ""; + expected += '"Name"|"Country"|"Is Married"\r\n'; + expected += '"Otto Clay"|"United States"|"false"\r\n'; + expected += '"Connor Johnston"|"Canada"|"true"\r\n'; + //expected += '"Lacey Hess"|"Canada"|"false"\r\n'; + //expected += '"Timothy Henson"|"United States"|"true"\r\n'; + + equal(data, expected, "Output CSV of visible records"); + }); + + test("Should export data: delimiter=;", function(){ + var grid = new Grid($(this.element), this.gridOptions); + this.exportConfig.delimiter = ";"; + var data = grid.exportData(this.exportConfig); + + var expected = ""; + expected += '"Name";"Country";"Is Married"\r\n'; + expected += '"Otto Clay";"United States";"false"\r\n'; + expected += '"Connor Johnston";"Canada";"true"\r\n'; + expected += '"Lacey Hess";"Canada";"false"\r\n'; + expected += '"Timothy Henson";"United States";"true"\r\n'; + + equal(data, expected, "Output CSV with non-default delimiter"); + }); + + test("Should export data: headers=false", function(){ + var grid = new Grid($(this.element), this.gridOptions); + this.exportConfig.includeHeaders = false; + var data = grid.exportData(this.exportConfig); + + var expected = ""; + //expected += '"Name"|"Country"|"Is Married"\r\n'; + expected += '"Otto Clay"|"United States"|"false"\r\n'; + expected += '"Connor Johnston"|"Canada"|"true"\r\n'; + expected += '"Lacey Hess"|"Canada"|"false"\r\n'; + expected += '"Timothy Henson"|"United States"|"true"\r\n'; + + equal(data, expected, "Output CSV without Headers"); + }); + + test("Should export data: encapsulate=false", function(){ + var grid = new Grid($(this.element), this.gridOptions); + this.exportConfig.encapsulate = false; + var data = grid.exportData(this.exportConfig); + + var expected = ""; + expected += 'Name|Country|Is Married\r\n'; + expected += 'Otto Clay|United States|false\r\n'; + expected += 'Connor Johnston|Canada|true\r\n'; + expected += 'Lacey Hess|Canada|false\r\n'; + expected += 'Timothy Henson|United States|true\r\n'; + + equal(data, expected, "Output CSV without encapsulation"); + }); + + test("Should export filtered data", function(){ + var grid = new Grid($(this.element), this.gridOptions); + this.exportConfig['filter'] = function(item){ + if (item["Name"].indexOf("O") === 0) + return true + }; + var data = grid.exportData(this.exportConfig); + + var expected = ""; + expected += '"Name"|"Country"|"Is Married"\r\n'; + expected += '"Otto Clay"|"United States"|"false"\r\n'; + //expected += '"Connor Johnston"|"Canada"|"true"\r\n'; + //expected += '"Lacey Hess"|"Canada"|"false"\r\n'; + //expected += '"Timothy Henson"|"United States"|"true"\r\n'; + + equal(data, expected, "Output
173
Core: Fixed short-circuiting of boolean default configuration properties and cleaned up a bit. Tests: Added Data Export tests utilizing BCC
0
.js
tests
mit
tabalinas/jsgrid
10063929
<NME> jsgrid.tests.js <BEF> $(function() { var Grid = jsGrid.Grid, JSGRID = "JSGrid", JSGRID_DATA_KEY = JSGRID; Grid.prototype.updateOnResize = false; module("basic"); test("default creation", function() { var gridOptions = { simpleOption: "test", complexOption: { a: "subtest", b: 1, c: {} } }, grid = new Grid("#jsGrid", gridOptions); equal(grid._container[0], $("#jsGrid")[0], "container saved"); equal(grid.simpleOption, "test", "primitive option extended"); equal(grid.complexOption, gridOptions.complexOption, "non-primitive option extended"); }); test("jquery adapter creation", function() { var gridOptions = { option: "test" }, $element = $("#jsGrid"), result = $element.jsGrid(gridOptions), grid = $element.data(JSGRID_DATA_KEY); equal(result, $element, "jquery fn returned source jQueryElement"); ok(grid instanceof Grid, "jsGrid saved to jquery data"); equal(grid.option, "test", "options provided"); }); test("destroy", function() { var $element = $("#jsGrid"), grid; $element.jsGrid({}); grid = $element.data(JSGRID_DATA_KEY); grid.destroy(); strictEqual($element.html(), "", "content is removed"); strictEqual($element.data(JSGRID_DATA_KEY), undefined, "jquery data is removed"); }); test("jquery adapter second call changes option value", function() { var $element = $("#jsGrid"), gridOptions = { option: "test" }, grid; $element.jsGrid(gridOptions); grid = $element.data(JSGRID_DATA_KEY); gridOptions.option = "new test"; $element.jsGrid(gridOptions); equal(grid, $element.data(JSGRID_DATA_KEY), "instance was not changed"); equal(grid.option, "new test", "option changed"); }); test("jquery adapter invokes jsGrid method", function() { var methodResult = "", $element = $("#jsGrid"), gridOptions = { method: function(str) { methodResult = "test_" + str; } }; $element.jsGrid(gridOptions); $element.jsGrid("method", "invoke"); equal(methodResult, "test_invoke", "method invoked"); }); test("onInit callback", function() { var $element = $("#jsGrid"), onInitArguments, gridOptions = { onInit: function(args) { onInitArguments = args; } }; var grid = new Grid($element, gridOptions); equal(onInitArguments.grid, grid, "grid instance is provided in onInit callback arguments"); }); test("controller methods are $.noop when not specified", function() { var $element = $("#jsGrid"), gridOptions = { controller: {} }, testOption; $element.jsGrid(gridOptions); deepEqual($element.data(JSGRID_DATA_KEY)._controller, { loadData: $.noop, insertItem: $.noop, updateItem: $.noop, deleteItem: $.noop }, "controller has stub methods"); }); test("option method", function() { var $element = $("#jsGrid"), gridOptions = { test: "value" }, testOption; $element.jsGrid(gridOptions); testOption = $element.jsGrid("option", "test"); equal(testOption, "value", "read option value"); $element.jsGrid("option", "test", "new_value"); testOption = $element.jsGrid("option", "test"); equal(testOption, "new_value", "set option value"); }); test("fieldOption method", function() { var dataLoadedCount = 0; var $element = $("#jsGrid"), gridOptions = { loadMessage: "", autoload: true, controller: { loadData: function() { dataLoadedCount++; return [{ prop1: "value1", prop2: "value2", prop3: "value3" }]; } }, fields: [ { name: "prop1", title: "_" } ] }; $element.jsGrid(gridOptions); var fieldOptionValue = $element.jsGrid("fieldOption", "prop1", "name"); equal(fieldOptionValue, "prop1", "read field option"); $element.jsGrid("fieldOption", "prop1", "name", "prop2"); equal($element.text(), "_value2", "set field option by field name"); equal(dataLoadedCount, 1, "data not reloaded on field option change"); $element.jsGrid("fieldOption", 0, "name", "prop3"); equal($element.text(), "_value3", "set field option by field index"); }); test("option changing event handlers", function() { var $element = $("#jsGrid"), optionChangingEventArgs, optionChangedEventArgs, gridOptions = { test: "testValue", another: "anotherValue", onOptionChanging: function(e) { optionChangingEventArgs = $.extend({}, e); e.option = "another"; e.newValue = e.newValue + "_" + this.another; }, onOptionChanged: function(e) { optionChangedEventArgs = $.extend({}, e); } }, anotherOption; $element.jsGrid(gridOptions); $element.jsGrid("option", "test", "newTestValue"); equal(optionChangingEventArgs.option, "test", "option name is provided in args of optionChanging"); equal(optionChangingEventArgs.oldValue, "testValue", "old option value is provided in args of optionChanging"); equal(optionChangingEventArgs.newValue, "newTestValue", "new option value is provided in args of optionChanging"); anotherOption = $element.jsGrid("option", "another"); equal(anotherOption, "newTestValue_anotherValue", "option changing handler changed option and value"); equal(optionChangedEventArgs.option, "another", "option name is provided in args of optionChanged"); equal(optionChangedEventArgs.value, "newTestValue_anotherValue", "option value is provided in args of optionChanged"); }); test("common layout rendering", function() { var $element = $("#jsGrid"), grid = new Grid($element, {}), $headerGrid, $headerGridTable, $bodyGrid, $bodyGridTable; ok($element.hasClass(grid.containerClass), "container class attached"); ok($element.children().eq(0).hasClass(grid.gridHeaderClass), "grid header"); ok($element.children().eq(1).hasClass(grid.gridBodyClass), "grid body"); ok($element.children().eq(2).hasClass(grid.pagerContainerClass), "pager container"); $headerGrid = $element.children().eq(0); $headerGridTable = $headerGrid.children().first(); ok($headerGridTable.hasClass(grid.tableClass), "header table"); equal($headerGrid.find("." + grid.headerRowClass).length, 1, "header row"); equal($headerGrid.find("." + grid.filterRowClass).length, 1, "filter row"); equal($headerGrid.find("." + grid.insertRowClass).length, 1, "insert row"); ok(grid._headerRow.hasClass(grid.headerRowClass), "header row class"); ok(grid._filterRow.hasClass(grid.filterRowClass), "filter row class"); ok(grid._insertRow.hasClass(grid.insertRowClass), "insert row class"); $bodyGrid = $element.children().eq(1); $bodyGridTable = $bodyGrid.children().first(); ok($bodyGridTable.hasClass(grid.tableClass), "body table"); equal(grid._content.parent()[0], $bodyGridTable[0], "content is tbody in body table"); equal($bodyGridTable.find("." + grid.noDataRowClass).length, 1, "no data row"); equal($bodyGridTable.text(), grid.noDataContent, "no data text"); }); test("set default options with setDefaults", function() { jsGrid.setDefaults({ defaultOption: "test" }); var $element = $("#jsGrid").jsGrid({}); equal($element.jsGrid("option", "defaultOption"), "test", "default option set"); }); module("loading"); test("loading with controller", function() { var $element = $("#jsGrid"), data = [ { test: "test1" }, { test: "test2" } ], gridOptions = { controller: { loadData: function() { return data; } } }, grid = new Grid($element, gridOptions); grid.loadData(); equal(grid.option("data"), data, "loadData loads data"); }); test("loadData throws exception when controller method not found", function() { var $element = $("#jsGrid"); var grid = new Grid($element); grid._controller = {}; throws(function() { grid.loadData(); }, /loadData/, "loadData threw an exception"); }); test("onError event should be fired on controller fail", function() { var errorArgs, errorFired = 0, $element = $("#jsGrid"), gridOptions = { controller: { loadData: function() { return $.Deferred().reject({ value: 1 }, "test").promise(); } }, onError: function(args) { errorFired++; errorArgs = args; } }, grid = new Grid($element, gridOptions); grid.loadData(); equal(errorFired, 1, "onError handler fired"); deepEqual(errorArgs, { grid: grid, args: [{ value: 1 }, "test"] }, "error has correct params"); }); asyncTest("autoload should call loadData after render", 1, function() { new Grid($("#jsGrid"), { autoload: true, controller: { loadData: function() { ok(true, "autoload calls loadData on creation"); start(); return []; } } }); }); test("loading filtered data", function() { var filteredData, loadingArgs, loadedArgs, $element = $("#jsGrid"), data = [ { field: "test" }, { field: "test_another" }, { field: "test_another" }, { field: "test" } ], gridOptions = { filtering: true, fields: [ { name: "field", filterValue: function(value) { return "test"; } } ], onDataLoading: function(e) { loadingArgs = $.extend(true, {}, e); }, onDataLoaded: function(e) { loadedArgs = $.extend(true, {}, e); }, controller: { loadData: function(filter) { filteredData = $.grep(data, function(item) { return item.field === filter.field; }); return filteredData; } } }, grid = new Grid($element, gridOptions); grid.loadData(); equal(loadingArgs.filter.field, "test"); equal(grid.option("data").length, 2, "filtered data loaded"); deepEqual(loadedArgs.data, filteredData); }); asyncTest("loading indication", function() { var timeout = 10, stage = "initial", $element = $("#jsGrid"), gridOptions = { loadIndication: true, loadIndicationDelay: timeout, loadMessage: "loading...", loadIndicator: function(config) { equal(config.message, gridOptions.loadMessage, "message provided"); ok(config.container.jquery, "grid container is provided"); return { show: function() { stage = "started"; }, hide: function() { stage = "finished"; } }; }, fields: [ { name: "field" } ], controller: { loadData: function() { var deferred = $.Deferred(); equal(stage, "initial", "initial stage"); setTimeout(function() { equal(stage, "started", "loading started"); deferred.resolve([]); equal(stage, "finished", "loading finished"); start(); }, timeout); return deferred.promise(); } } }, grid = new Grid($element, gridOptions); grid.loadData(); }); asyncTest("loadingIndication=false should not show loading", 0, function() { var $element = $("#jsGrid"), timeout = 10, gridOptions = { loadIndication: false, loadIndicationDelay: timeout, loadIndicator: function() { return { show: function() { ok(false, "should not call show"); }, hide: function() { ok(false, "should not call hide"); } }; }, fields: [ { name: "field" } ], controller: { loadData: function() { var deferred = $.Deferred(); setTimeout(function() { deferred.resolve([]); start(); }, timeout); return deferred.promise(); } } }, grid = new Grid($element, gridOptions); grid.loadData(); }); test("search", function() { var $element = $("#jsGrid"), data = [ { field: "test" }, { field: "test_another" }, { field: "test_another" }, { field: "test" } ], gridOptions = { pageIndex: 2, _sortField: "field", _sortOrder: "desc", filtering: true, fields: [ { name: "field", filterValue: function(value) { return "test"; } } ], controller: { loadData: function(filter) { var filteredData = $.grep(data, function(item) { return item.field === filter.field; }); return filteredData; } } }, grid = new Grid($element, gridOptions); grid.search(); equal(grid.option("data").length, 2, "data filtered"); strictEqual(grid.option("pageIndex"), 1, "pageIndex reset"); strictEqual(grid._sortField, null, "sortField reset"); strictEqual(grid._sortOrder, "asc", "sortOrder reset"); }); test("change loadStrategy on the fly", function() { var $element = $("#jsGrid"); var gridOptions = { controller: { loadData: function() { return []; } } }; var grid = new Grid($element, gridOptions); grid.option("loadStrategy", { firstDisplayIndex: function() { return 0; }, lastDisplayIndex: function() { return 1; }, loadParams: function() { return []; }, finishLoad: function() { grid.option("data", [{}]); } }); grid.loadData(); equal(grid.option("data").length, 1, "new load strategy is applied"); }); module("filtering"); test("filter rendering", function() { var $element = $("#jsGrid"), gridOptions = { filtering: true, fields: [ { name: "test", align: "right", filtercss: "filter-class", filterTemplate: function() { var result = this.filterControl = $("<input>").attr("type", "text").addClass("filter-input"); return result; } } ] }, grid = new Grid($element, gridOptions); equal(grid._filterRow.find(".filter-class").length, 1, "filtercss class is attached"); equal(grid._filterRow.find(".filter-input").length, 1, "filter control rendered"); equal(grid._filterRow.find("." + grid.cellClass).length, 1, "cell class is attached"); ok(grid._filterRow.find(".filter-class").hasClass("jsgrid-align-right"), "align class is attached"); ok(grid.fields[0].filterControl.is("input[type=text]"), "filter control saved in field"); }); test("filter get/clear", function() { var $element = $("#jsGrid"), gridOptions = { filtering: true, controller: { loadData: function() { return []; } }, fields: [ { name: "field", filterTemplate: function() { return this.filterControl = $("<input>").attr("type", "text"); }, filterValue: function() { return this.filterControl.val(); } } ] }, grid = new Grid($element, gridOptions); grid.fields[0].filterControl.val("test"); deepEqual(grid.getFilter(), { field: "test" }, "get filter"); grid.clearFilter(); deepEqual(grid.getFilter(), { field: "" }, "filter cleared"); equal(grid.fields[0].filterControl.val(), "", "grid field filterControl cleared"); }); test("field without filtering", function() { var $element = $("#jsGrid"), jsGridFieldConfig = { filterTemplate: function() { var result = this.filterControl = $("<input>").attr("type", "text"); return result; }, filterValue: function(value) { if(!arguments.length) { return this.filterControl.val(); } this.filterControl.val(value); } }, gridOptions = { filtering: true, fields: [ $.extend({}, jsGridFieldConfig, { name: "field1", filtering: false }), $.extend({}, jsGridFieldConfig, { name: "field2" }) ] }, grid = new Grid($element, gridOptions); grid.fields[0].filterControl.val("test1"); grid.fields[1].filterControl.val("test2"); deepEqual(grid.getFilter(), { field2: "test2" }, "field with filtering=false is not included in filter"); }); test("search with filter", function() { var $element = $("#jsGrid"), data = [ { field: "test" }, { field: "test_another" }, { field: "test_another" }, { field: "test" } ], gridOptions = { fields: [ { name: "field" } ], controller: { loadData: function(filter) { var filteredData = $.grep(data, function(item) { return item.field === filter.field; }); return filteredData; } } }, grid = new Grid($element, gridOptions); grid.search({ field: "test" }); equal(grid.option("data").length, 2, "data filtered"); }); test("filtering with static data should not do actual filtering", function() { var $element = $("#jsGrid"), gridOptions = { filtering: true, fields: [ { type: "text", name: "field" } ], data: [ { name: "value1" }, { name: "value2" } ] }, grid = new Grid($element, gridOptions); grid._filterRow.find("input").val("1"); grid.search(); equal(grid.option("data").length, 2, "data is not filtered"); }); module("nodatarow"); test("nodatarow after bind on empty array", function() { var $element = $("#jsGrid"), gridOptions = {}, grid = new Grid($element, gridOptions); grid.option("data", []); equal(grid._content.find("." + grid.noDataRowClass).length, 1, "no data row rendered"); equal(grid._content.find("." + grid.cellClass).length, 1, "grid cell class attached"); equal(grid._content.text(), grid.noDataContent, "no data text rendered"); }); test("nodatarow customize content", function() { var noDataMessage = "NoData Custom Content", $element = $("#jsGrid"), gridOptions = { noDataContent: function() { return noDataMessage; } }, grid = new Grid($element, gridOptions); grid.option("data", []); equal(grid._content.find("." + grid.cellClass).length, 1, "grid cell class attached"); equal(grid._content.text(), noDataMessage, "custom noDataContent"); }); module("row rendering", { setup: function() { this.testData = [ { id: 1, text: "test1" }, { id: 2, text: "test2" }, { id: 3, text: "test3" } ]; } }); test("rows rendered correctly", function() { var $element = $("#jsGrid"), gridOptions = { data: this.testData }, grid = new Grid($element, gridOptions); equal(grid._content.children().length, 3, "rows rendered"); equal(grid._content.find("." + grid.oddRowClass).length, 2, "two odd rows for 3 items"); equal(grid._content.find("." + grid.evenRowClass).length, 1, "one even row for 3 items"); }); test("custom rowClass", function() { var $element = $("#jsGrid"), gridOptions = { data: this.testData, rowClass: "custom-row-cls" }, grid = new Grid($element, gridOptions); equal(grid._content.find("." + grid.oddRowClass).length, 2); equal(grid._content.find("." + grid.evenRowClass).length, 1); equal(grid._content.find(".custom-row-cls").length, 3, "custom row class"); }); test("custom rowClass callback", function() { var $element = $("#jsGrid"), gridOptions = { data: this.testData, rowClass: function(item, index) { return item.text; } }, grid = new Grid($element, gridOptions); equal(grid._content.find("." + grid.oddRowClass).length, 2); equal(grid._content.find("." + grid.evenRowClass).length, 1); equal(grid._content.find(".test1").length, 1, "custom row class"); equal(grid._content.find(".test2").length, 1, "custom row class"); equal(grid._content.find(".test3").length, 1, "custom row class"); }); test("rowClick standard handler", function() { var $element = $("#jsGrid"), $secondRow, grid = new Grid($element, { editing: true }); grid.option("data", this.testData); $secondRow = grid._content.find("." + grid.evenRowClass); $secondRow.trigger("click", $.Event($secondRow)); equal(grid._editingRow.get(0), $secondRow.get(0), "clicked row is editingRow"); }); test("rowClick handler", function() { var rowClickArgs, $element = $("#jsGrid"), $secondRow, gridOptions = { rowClick: function(args) { rowClickArgs = args; } }, grid = new Grid($element, gridOptions); grid.option("data", this.testData); $secondRow = grid._content.find("." + grid.evenRowClass); $secondRow.trigger("click", $.Event($secondRow)); ok(rowClickArgs.event instanceof jQuery.Event, "jquery event arg"); equal(rowClickArgs.item, this.testData[1], "item arg"); equal(rowClickArgs.itemIndex, 1, "itemIndex arg"); }); test("row selecting with selectedRowClass", function() { var $element = $("#jsGrid"), $secondRow, gridOptions = { selecting: true }, grid = new Grid($element, gridOptions); grid.option("data", this.testData); $secondRow = grid._content.find("." + grid.evenRowClass); $secondRow.trigger("mouseenter", $.Event($secondRow)); ok($secondRow.hasClass(grid.selectedRowClass), "mouseenter adds selectedRowClass"); $secondRow.trigger("mouseleave", $.Event($secondRow)); ok(!$secondRow.hasClass(grid.selectedRowClass), "mouseleave removes selectedRowClass"); }); test("no row selecting while selection is disabled", function() { var $element = $("#jsGrid"), $secondRow, gridOptions = { selecting: false }, grid = new Grid($element, gridOptions); grid.option("data", this.testData); $secondRow = grid._content.find("." + grid.evenRowClass); $secondRow.trigger("mouseenter", $.Event($secondRow)); ok(!$secondRow.hasClass(grid.selectedRowClass), "mouseenter doesn't add selectedRowClass"); }); test("refreshing and refreshed callbacks", function() { var refreshingEventArgs, refreshedEventArgs, $element = $("#jsGrid"), grid = new Grid($element, {}); grid.onRefreshing = function(e) { refreshingEventArgs = e; equal(grid._content.find("." + grid.oddRowClass).length, 0, "no items before refresh"); }; grid.onRefreshed = function(e) { refreshedEventArgs = e; equal(grid._content.find("." + grid.oddRowClass).length, 2, "items rendered after refresh"); }; grid.option("data", this.testData); equal(refreshingEventArgs.grid, grid, "grid provided in args for refreshing event"); equal(refreshedEventArgs.grid, grid, "grid provided in args for refreshed event"); equal(grid._content.find("." + grid.oddRowClass).length, 2, "items rendered"); }); test("grid fields normalization", function() { var CustomField = function(config) { $.extend(true, this, config); }; jsGrid.fields.custom = CustomField; try { var $element = $("#jsGrid"), gridOptions = { fields: [ new jsGrid.Field({ name: "text1", title: "title1" }), { name: "text2", title: "title2" }, { name: "text3", type: "custom" } ] }, grid = new Grid($element, gridOptions); var field1 = grid.fields[0]; ok(field1 instanceof jsGrid.Field); equal(field1.name, "text1", "name is set for field"); equal(field1.title, "title1", "title field"); var field2 = grid.fields[1]; ok(field2 instanceof jsGrid.Field); equal(field2.name, "text2", "name is set for field"); equal(field2.title, "title2", "title field"); var field3 = grid.fields[2]; ok(field3 instanceof CustomField); equal(field3.name, "text3", "name is set for field"); } finally { delete jsGrid.fields.custom; } }); test("'0' itemTemplate should be rendered", function() { var $element = $("#jsGrid"), grid = new Grid($element, { data: [{}], fields: [ new jsGrid.Field({ name: "id", itemTemplate: function() { return 0; } }) ] }); equal(grid._bodyGrid.text(), "0", "item template is rendered"); }); test("grid field name used for header if title is not specified", function() { var $element = $("#jsGrid"), grid = new Grid($element, { fields: [ new jsGrid.Field({ name: "id" }) ] }); equal(grid._headerRow.text(), "id", "name is rendered in header"); }); test("grid fields header and item rendering", function() { var $element = $("#jsGrid"), $secondRow, gridOptions = { fields: [ new jsGrid.Field({ name: "text", title: "title", css: "cell-class", headercss: "header-class", align: "right" }) ] }, grid = new Grid($element, gridOptions); grid.option("data", this.testData); equal(grid._headerRow.text(), "title", "header rendered"); equal(grid._headerRow.find("." + grid.headerCellClass).length, 1, "header cell class is attached"); equal(grid._headerRow.find(".header-class").length, 1, "headercss class is attached"); ok(grid._headerRow.find(".header-class").hasClass("jsgrid-align-right"), "align class is attached"); $secondRow = grid._content.find("." + grid.evenRowClass); equal($secondRow.text(), "test2", "item rendered"); equal($secondRow.find(".cell-class").length, 1, "css class added to cell"); equal($secondRow.find("." + grid.cellClass).length, 1, "cell class is attached"); ok($secondRow.find(".cell-class").hasClass("jsgrid-align-right"), "align class added to cell"); }); test("grid field cellRenderer", function() { var testItem = { text: "test" }, args; var $grid = $("#jsGrid"); var gridOptions = { data: [testItem], fields: [ { name: "text", cellRenderer: function(value, item) { args = { value: value, item: item }; return $("<td>").addClass("custom-class").text(value); } } ] }; var grid = new Grid($grid, gridOptions); var $customCell = $grid.find(".custom-class"); equal($customCell.length, 1, "custom cell rendered"); equal($customCell.text(), "test"); deepEqual(args, { value: "test", item: testItem }, "cellRenderer args provided"); }); test("grid field 'visible' option", function() { var $grid = $("#jsGrid"); var gridOptions = { editing: true, fields: [ { name: "id", visible: false }, { name: "test" } ] }; var grid = new Grid($grid, gridOptions); equal($grid.find("." + grid.noDataRowClass).children().eq(0).prop("colspan"), 1, "no data row colspan only for visible cells"); grid.option("data", this.testData); grid.editItem(this.testData[2]); equal($grid.find("." + grid.headerRowClass).children().length, 1, "header single cell"); equal($grid.find("." + grid.filterRowClass).children().length, 1, "filter single cell"); equal($grid.find("." + grid.insertRowClass).children().length, 1, "insert single cell"); equal($grid.find("." + grid.editRowClass).children().length, 1, "edit single cell"); equal($grid.find("." + grid.oddRowClass).eq(0).children().length, 1, "odd data row single cell"); equal($grid.find("." + grid.evenRowClass).eq(0).children().length, 1, "even data row single cell"); }); module("inserting"); test("inserting rendering", function() { var $element = $("#jsGrid"), gridOptions = { inserting: true, fields: [ { name: "test", align: "right", insertcss: "insert-class", insertTemplate: function() { var result = this.insertControl = $("<input>").attr("type", "text").addClass("insert-input"); return result; } } ] }, grid = new Grid($element, gridOptions); equal(grid._insertRow.find(".insert-class").length, 1, "insertcss class is attached"); equal(grid._insertRow.find(".insert-input").length, 1, "insert control rendered"); equal(grid._insertRow.find("." + grid.cellClass).length, 1, "cell class is attached"); ok(grid._insertRow.find(".insert-class").hasClass("jsgrid-align-right"), "align class is attached"); ok(grid.fields[0].insertControl.is("input[type=text]"), "insert control saved in field"); }); test("field without inserting", function() { var $element = $("#jsGrid"), jsGridFieldConfig = { insertTemplate: function() { var result = this.insertControl = $("<input>").attr("type", "text"); return result; }, insertValue: function() { return this.insertControl.val(); } }, gridOptions = { inserting: true, fields: [ $.extend({}, jsGridFieldConfig, { name: "field1", inserting: false }), $.extend({}, jsGridFieldConfig, { name: "field2" }) ] }, grid = new Grid($element, gridOptions); grid.fields[0].insertControl.val("test1"); grid.fields[1].insertControl.val("test2"); deepEqual(grid._getInsertItem(), { field2: "test2" }, "field with inserting=false is not included in inserting item"); }); test("insert data with default location", function() { var $element = $("#jsGrid"), inserted = false, insertingArgs, insertedArgs, gridOptions = { inserting: true, data: [{field: "default"}], fields: [ { name: "field", insertTemplate: function() { var result = this.insertControl = $("<input>").attr("type", "text"); return result; }, insertValue: function() { return this.insertControl.val(); } } ], onItemInserting: function(e) { insertingArgs = $.extend(true, {}, e); }, onItemInserted: function(e) { insertedArgs = $.extend(true, {}, e); }, controller: { insertItem: function() { inserted = true; } } }, grid = new Grid($element, gridOptions); grid.fields[0].insertControl.val("test"); grid.insertItem(); equal(insertingArgs.item.field, "test", "field is provided in inserting args"); equal(grid.option("data").length, 2, "data is inserted"); ok(inserted, "controller insertItem was called"); deepEqual(grid.option("data")[1], { field: "test" }, "correct data is inserted"); equal(insertedArgs.item.field, "test", "field is provided in inserted args"); }); test("insert data with specified insert location", function() { var $element = $("#jsGrid"), inserted = false, insertingArgs, insertedArgs, gridOptions = { inserting: true, insertRowLocation: "top", data: [{field: "default"}], fields: [ { name: "field", insertTemplate: function() { var result = this.insertControl = $("<input>").attr("type", "text"); return result; }, insertValue: function() { return this.insertControl.val(); } } ], onItemInserting: function(e) { insertingArgs = $.extend(true, {}, e); }, onItemInserted: function(e) { insertedArgs = $.extend(true, {}, e); }, controller: { insertItem: function() { inserted = true; } } }, grid = new Grid($element, gridOptions); grid.fields[0].insertControl.val("test"); grid.insertItem(); equal(insertingArgs.item.field, "test", "field is provided in inserting args"); equal(grid.option("data").length, 2, "data is inserted"); ok(inserted, "controller insertItem was called"); deepEqual(grid.option("data")[0], { field: "test" }, "correct data is inserted at the beginning"); equal(insertedArgs.item.field, "test", "field is provided in inserted args"); }); test("insertItem accepts item to insert", function() { var $element = $("#jsGrid"), itemToInsert = { field: "test" }, insertedItem, gridOptions = { data: [], fields: [ { name: "field" } ], controller: { insertItem: function(item) { insertedItem = item; } } }, grid = new Grid($element, gridOptions); grid.insertItem(itemToInsert); deepEqual(grid.option("data")[0], itemToInsert, "data is inserted"); deepEqual(insertedItem, itemToInsert, "controller insertItem was called with correct item"); }); module("editing"); test("editing rendering", function() { var $element = $("#jsGrid"), $editRow, data = [{ test: "value" }], gridOptions = { editing: true, fields: [ { name: "test", align: "right", editcss: "edit-class", editTemplate: function(value) { var result = this.editControl = $("<input>").attr("type", "text").val(value).addClass("edit-input"); return result; } } ] }, grid = new Grid($element, gridOptions); grid.option("data", data); equal(grid._content.find("." + grid.editRowClass).length, 0, "no edit row after initial rendering"); grid.editItem(data[0]); $editRow = grid._content.find("." + grid.editRowClass); equal($editRow.length, 1, "edit row rendered"); equal($editRow.find(".edit-class").length, 1, "editcss class is attached"); equal($editRow.find(".edit-input").length, 1, "edit control rendered"); equal($editRow.find("." + grid.cellClass).length, 1, "cell class is attached"); ok($editRow.find(".edit-class").hasClass("jsgrid-align-right"), "align class is attached"); ok(grid.fields[0].editControl.is("input[type=text]"), "edit control saved in field"); equal(grid.fields[0].editControl.val(), "value", "edit control value"); }); test("editItem accepts row to edit", function() { var $element = $("#jsGrid"), $editRow, data = [ { test: "value" } ], gridOptions = { editing: true, fields: [ { name: "test" } ] }, grid = new Grid($element, gridOptions); grid.option("data", data); var $row = $element.find("." + grid.oddRowClass).eq(0); grid.editItem($row); $editRow = grid._content.find("." + grid.editRowClass); equal($editRow.length, 1, "edit row rendered"); grid.cancelEdit(); grid.editItem($row.get(0)); $editRow = grid._content.find("." + grid.editRowClass); equal($editRow.length, 1, "edit row rendered"); }); test("edit item", function() { var $element = $("#jsGrid"), editingArgs, editingRow, updated = false, updatingArgs, updatingRow, updatedRow, updatedArgs, data = [{ field: "value" }], gridOptions = { editing: true, fields: [ { name: "field", editTemplate: function(value) { var result = this.editControl = $("<input>").attr("type", "text").val(value); return result; }, editValue: function() { return this.editControl.val(); } } ], controller: { updateItem: function(updatingItem) { updated = true; } }, onItemEditing: function(e) { editingArgs = $.extend(true, {}, e); editingRow = grid.rowByItem(data[0])[0]; }, onItemUpdating: function(e) { updatingArgs = $.extend(true, {}, e); updatingRow = grid.rowByItem(data[0])[0]; }, onItemUpdated: function(e) { updatedArgs = $.extend(true, {}, e); updatedRow = grid.rowByItem(data[0])[0]; } }, grid = new Grid($element, gridOptions); grid.option("data", data); grid.editItem(data[0]); deepEqual(editingArgs.item, { field: "value" }, "item before editing is provided in editing event args"); equal(editingArgs.itemIndex, 0, "itemIndex is provided in editing event args"); equal(editingArgs.row[0], editingRow, "row element is provided in editing event args"); grid.fields[0].editControl.val("new value"); grid.updateItem(); deepEqual(updatingArgs.previousItem, { field: "value" }, "item before editing is provided in updating event args"); deepEqual(updatingArgs.item, { field: "new value" }, "updating item is provided in updating event args"); equal(updatingArgs.itemIndex, 0, "itemIndex is provided in updating event args"); equal(updatingArgs.row[0], updatingRow, "row element is provided in updating event args"); ok(updated, "controller updateItem called"); deepEqual(grid.option("data")[0], { field: "new value" }, "correct data updated"); equal(grid._content.find("." + grid.editRowClass).length, 0, "edit row removed"); equal(grid._content.find("." + grid.oddRowClass).length, 1, "data row rendered"); deepEqual(updatedArgs.previousItem, { field: "value" }, "item before editing is provided in updated event args"); deepEqual(updatedArgs.item, { field: "new value" }, "updated item is provided in updated event args"); equal(updatedArgs.itemIndex, 0, "itemIndex is provided in updated event args"); equal(updatedArgs.row[0], updatedRow, "row element is provided in updated event args"); }); test("failed update should not change original item", function() { var $element = $("#jsGrid"), data = [{ field: "value" }], gridOptions = { editing: true, fields: [ { name: "field", editTemplate: function(value) { var result = this.editControl = $("<input>").attr("type", "text").val(value); return result; }, editValue: function() { return this.editControl.val(); } } ], controller: { updateItem: function(updatingItem) { return $.Deferred().reject(); } } }, grid = new Grid($element, gridOptions); grid.option("data", data); grid.editItem(data[0]); grid.fields[0].editControl.val("new value"); grid.updateItem(); deepEqual(grid.option("data")[0], { field: "value" }, "value is not updated"); }); test("cancel edit", function() { var $element = $("#jsGrid"), updated = false, cancellingArgs, cancellingRow, data = [{ field: "value" }], gridOptions = { editing: true, fields: [ { name: "field", editTemplate: function(value) { var result = this.editControl = $("<input>").attr("type", "text").val(value); return result; }, editValue: function() { return this.editControl.val(); } } ], controller: { updateData: function(updatingItem) { updated = true; } }, onItemEditCancelling: function(e) { cancellingArgs = $.extend(true, {}, e); cancellingRow = grid.rowByItem(data[0])[0]; } }, grid = new Grid($element, gridOptions); grid.option("data", data); grid.editItem(data[0]); grid.fields[0].editControl.val("new value"); grid.cancelEdit(); deepEqual(cancellingArgs.item, { field: "value" }, "item before cancel is provided in cancelling event args"); equal(cancellingArgs.itemIndex, 0, "itemIndex is provided in cancelling event args"); equal(cancellingArgs.row[0], cancellingRow, "row element is provided in cancelling event args"); ok(!updated, "controller updateItem was not called"); deepEqual(grid.option("data")[0], { field: "value" }, "data were not updated"); equal(grid._content.find("." + grid.editRowClass).length, 0, "edit row removed"); equal(grid._content.find("." + grid.oddRowClass).length, 1, "data row restored"); }); test("updateItem accepts item to update and new item", function() { var $element = $("#jsGrid"), updatingItem, data = [{ field: "value" }], gridOptions = { fields: [ { name: "field" } ], controller: { updateItem: function(item) { return updatingItem = item; } } }, grid = new Grid($element, gridOptions); grid.option("data", data); grid.updateItem(data[0], { field: "new value" }); deepEqual(updatingItem, { field: "new value" }, "controller updateItem called correctly"); deepEqual(grid.option("data")[0], { field: "new value" }, "correct data updated"); }); test("updateItem accepts single argument - item to update", function() { var $element = $("#jsGrid"), updatingItem, data = [{ field: "value" }], gridOptions = { fields: [ { name: "field" } ], controller: { updateItem: function(item) { return updatingItem = item; } } }, grid = new Grid($element, gridOptions); grid.option("data", data); data[0].field = "new value"; grid.updateItem(data[0]); deepEqual(updatingItem, { field: "new value" }, "controller updateItem called correctly"); deepEqual(grid.option("data")[0], { field: "new value" }, "correct data updated"); }); test("editRowRenderer", function() { var $element = $("#jsGrid"), data = [ { value: "test" } ], gridOptions = { data: data, editing: true, editRowRenderer: function(item, itemIndex) { return $("<tr>").addClass("custom-edit-row").append($("<td>").text(itemIndex + ":" + item.value)); }, fields: [ { name: "value" } ] }, grid = new Grid($element, gridOptions); grid.editItem(data[0]); var $editRow = grid._content.find(".custom-edit-row"); equal($editRow.length, 1, "edit row rendered"); equal($editRow.text(), "0:test", "custom edit row renderer rendered"); }); module("deleting"); test("delete item", function() { var $element = $("#jsGrid"), deleted = false, deletingArgs, deletedArgs, data = [{ field: "value" }], gridOptions = { confirmDeleting: false, fields: [ { name: "field" } ], controller: { deleteItem: function(deletingItem) { deleted = true; } }, onItemDeleting: function(e) { deletingArgs = $.extend(true, {}, e); }, onItemDeleted: function(e) { deletedArgs = $.extend(true, {}, e); } }, grid = new Grid($element, gridOptions); grid.option("data", data); grid.deleteItem(data[0]); deepEqual(deletingArgs.item, { field: "value" }, "field and value is provided in deleting event args"); equal(deletingArgs.itemIndex, 0, "itemIndex is provided in updating event args"); equal(deletingArgs.row.length, 1, "row element is provided in updating event args"); ok(deleted, "controller deleteItem called"); equal(grid.option("data").length, 0, "data row deleted"); deepEqual(deletedArgs.item, { field: "value" }, "item is provided in updating event args"); equal(deletedArgs.itemIndex, 0, "itemIndex is provided in updating event args"); equal(deletedArgs.row.length, 1, "row element is provided in updating event args"); }); test("deleteItem accepts row", function() { var $element = $("#jsGrid"), deletedItem, itemToDelete = { field: "value" }, data = [itemToDelete], gridOptions = { confirmDeleting: false, fields: [ { name: "field" } ], controller: { deleteItem: function(deletingItem) { deletedItem = deletingItem; } } }, grid = new Grid($element, gridOptions); grid.option("data", data); var $row = $element.find("." + grid.oddRowClass).eq(0); grid.deleteItem($row); deepEqual(deletedItem, itemToDelete, "controller deleteItem called correctly"); equal(grid.option("data").length, 0, "data row deleted"); }); module("paging"); test("pager is rendered if necessary", function() { var $element = $("#jsGrid"), grid = new Grid($element, { data: [{}, {}, {}], paging: false, pageSize: 2 }); ok(grid._pagerContainer.is(":hidden"), "pager is hidden when paging=false"); equal(grid._pagerContainer.html(), "", "pager is not rendered when paging=false"); grid.option("paging", true); ok(grid._pagerContainer.is(":visible"), "pager is visible when paging=true"); ok(grid._pagerContainer.html(), "pager is rendered when paging=true"); grid.option("data", [{}, {}]); ok(grid._pagerContainer.is(":hidden"), "pager is hidden for single page"); ok(grid._pagerContainer.html(), "pager is rendered for single page when paging=true"); }); test("external pagerContainer", function() { var $pagerContainer = $("<div>").appendTo("#qunit-fixture").hide(), $element = $("#jsGrid"); new Grid($element, { data: [{}, {}, {}], pagerContainer: $pagerContainer, paging: true, pageSize: 2 }); ok($pagerContainer.is(":visible"), "external pager shown"); ok($pagerContainer.html(), "external pager rendered"); }); test("pager functionality", function() { var $element = $("#jsGrid"), pager, pageChangedArgs, grid = new Grid($element, { data: [{}, {}, {}, {}, {}, {}, {}, {}, {}], onPageChanged: function(args) { pageChangedArgs = args; }, paging: true, pageSize: 2, pageButtonCount: 3 }); equal(grid._pagesCount(), 5, "correct page count"); equal(grid.option("pageIndex"), 1, "pageIndex is initialized"); equal(grid._firstDisplayingPage, 1, "_firstDisplayingPage is initialized"); pager = grid._pagerContainer; equal(pager.find("." + grid.currentPageClass).length, 1, "there is one current page"); ok(pager.find("." + grid.pageClass).eq(0).hasClass(grid.currentPageClass), "first page is current"); equal(pager.find("." + grid.pageClass).length, 3, "three pages displayed"); equal(pager.find("." + grid.pagerNavButtonClass).length, 5, "five nav buttons displayed: Fisrt Prev Next Last ..."); equal(pager.find("." + grid.pagerNavButtonInactiveClass).length, 2, "two nav buttons inactive: Fisrt Prev"); grid.openPage(2); equal(pager.find("." + grid.currentPageClass).length, 1, "there is one current page"); ok(pager.find("." + grid.pageClass).eq(1).hasClass(grid.currentPageClass), "second page is current"); equal(pager.find("." + grid.pageClass).length, 3, "three pages displayed"); equal(pager.find("." + grid.pagerNavButtonClass).length, 5, "five nav buttons displayed: First Prev Next Last and ..."); equal(pageChangedArgs.pageIndex, 2, "onPageChanged callback provides pageIndex in arguments"); grid.showNextPages(); equal(grid._firstDisplayingPage, 3, "navigate by pages forward"); grid.showPrevPages(); equal(grid._firstDisplayingPage, 1, "navigate by pages backward"); grid.openPage(5); equal(grid._firstDisplayingPage, 3, "opening next non-visible page moves first displaying page forward"); grid.openPage(2); equal(grid._firstDisplayingPage, 2, "opening prev non-visible page moves first displaying page backward"); }); test("pager format", function() { var $element = $("#jsGrid"), grid = new Grid($element, { data: [{}, {}, {}, {}, {}, {}], paging: true, pageSize: 2, pageIndex: 2, pageButtonCount: 1, pagerFormat: "a {pageIndex} {first} {prev} {pages} {next} {last} {pageCount} {itemCount} z", pagePrevText: "<", pageNextText: ">", pageFirstText: "<<", pageLastText: ">>", pageNavigatorNextText: "np", pageNavigatorPrevText: "pp" }); grid._firstDisplayingPage = 2; grid._refreshPager(); equal($.trim(grid._pagerContainer.text()), "a 2 << < pp2np > >> 3 6 z", "pager text follows the format specified"); }); test("pagerRenderer", function() { var $element = $("#jsGrid"); var pagerRendererConfig; var pageSize = 2; var items = [{}, {}, {}, {}, {}, {}, {}]; var pageCount = Math.ceil(items.length / pageSize); var grid = new Grid($element, { data: items, paging: true, pageSize: pageSize, pagerRenderer: function(pagerConfig) { pagerRendererConfig = pagerConfig; } }); deepEqual(pagerRendererConfig, { pageIndex: 1, pageCount: pageCount }); grid.openPage(2); deepEqual(pagerRendererConfig, { pageIndex: 2, pageCount: pageCount }); }); test("loading by page", function() { var $element = $("#jsGrid"), data = [], itemCount = 20; for(var i = 1; i <= itemCount; i += 1) { data.push({ value: i }); } var gridOptions = { pageLoading: true, paging: true, pageSize: 7, fields: [ { name: "value" } ], controller: { loadData: function(filter) { var startIndex = (filter.pageIndex - 1) * filter.pageSize, result = data.slice(startIndex, startIndex + filter.pageSize); return { data: result, itemsCount: data.length }; } } }; var grid = new Grid($element, gridOptions); grid.loadData(); var pager = grid._pagerContainer; var gridData = grid.option("data"); equal(gridData.length, 7, "loaded one page of data"); equal(gridData[0].value, 1, "loaded right data start value"); equal(gridData[gridData.length - 1].value, 7, "loaded correct data end value"); ok(pager.find("." + grid.pageClass).eq(0).hasClass(grid.currentPageClass), "first page is current"); equal(pager.find("." + grid.pageClass).length, 3, "three pages displayed"); grid.openPage(3); gridData = grid.option("data"); equal(gridData.length, 6, "loaded last page of data"); equal(gridData[0].value, 15, "loaded right data start value"); equal(gridData[gridData.length - 1].value, 20, "loaded right data end value"); ok(pager.find("." + grid.pageClass).eq(2).hasClass(grid.currentPageClass), "third page is current"); equal(pager.find("." + grid.pageClass).length, 3, "three pages displayed"); }); test("'openPage' method ignores indexes out of range", function() { var $element = $("#jsGrid"), grid = new Grid($element, { data: [{}, {}], paging: true, pageSize: 1 }); grid.openPage(0); equal(grid.option("pageIndex"), 1, "too small index is ignored"); grid.openPage(3); equal(grid.option("pageIndex"), 1, "too big index is ignored"); }); module("sorting"); test("sorting", function() { var $element = $("#jsGrid"), gridOptions = { sorting: true, data: [ { value: 3 }, { value: 2 }, { value: 1 } ], fields: [ { name: "value", sorter: "number" } ] }, grid = new Grid($element, gridOptions); var gridData = grid.option("data"); var $th = grid._headerRow.find("th").eq(0); $th.trigger("click"); equal(grid._sortOrder, "asc", "asc sorting order for first click"); equal(grid._sortField, grid.fields[0], "sort field is set"); equal(gridData[0].value, 1); equal(gridData[1].value, 2); equal(gridData[2].value, 3); ok($th.hasClass(grid.sortableClass)); ok($th.hasClass(grid.sortAscClass)); $th.trigger("click"); equal(grid._sortOrder, "desc", "desc sorting order for second click"); equal(grid._sortField, grid.fields[0], "sort field is set"); equal(gridData[0].value, 3); equal(gridData[1].value, 2); equal(gridData[2].value, 1); ok(!$th.hasClass(grid.sortAscClass)); ok($th.hasClass(grid.sortDescClass)); }); test("sorting with pageLoading", function() { var $element = $("#jsGrid"), loadFilter, gridOptions = { sorting: true, pageLoading: true, data: [ { value: 3 }, { value: 2 }, { value: 1 } ], controller: { loadData: function(filter) { loadFilter = filter; return { itemsCount: 0, data: [] }; } }, fields: [ { name: "value", sorter: "number" } ] }, grid = new Grid($element, gridOptions); var $th = grid._headerRow.find("th").eq(0); $th.trigger("click"); equal(grid._sortOrder, "asc", "asc sorting order for first click"); equal(grid._sortField, grid.fields[0], "sort field is set"); equal(loadFilter.sortOrder, "asc", "sort direction is provided in loadFilter"); equal(loadFilter.sortField, "value", "sort field is provided in loadFilter"); $th.trigger("click"); equal(grid._sortOrder, "desc", "desc sorting order for second click"); equal(grid._sortField, grid.fields[0], "sort field is set"); equal(loadFilter.sortOrder, "desc", "sort direction is provided in loadFilter"); equal(loadFilter.sortField, "value", "sort field is provided in loadFilter"); }); test("no sorting for column with sorting = false", function() { var $element = $("#jsGrid"); var gridOptions = { sorting: true, data: [ { value: 3 }, { value: 2 }, { value: 1 } ], fields: [ { name: "value", sorting: false } ] }; var grid = new Grid($element, gridOptions); var gridData = grid.option("data"); var $th = grid._headerRow.find("th").eq(0); $th.trigger("click"); equal(grid._sortField, null, "sort field is not set for the field with sorting=false"); equal(gridData[0].value, 3); equal(gridData[1].value, 2); equal(gridData[2].value, 1); equal($th.hasClass(grid.sortableClass), false, "no sorting css for field with sorting=false"); equal($th.hasClass(grid.sortAscClass), false, "no sorting css for field with sorting=false"); }); test("sort accepts sorting config", function() { var $element = $("#jsGrid"), gridOptions = { sorting: true, data: [ { value: 3 }, { value: 2 }, { value: 1 } ], fields: [ { name: "value", sorter: "number" } ] }, grid = new Grid($element, gridOptions); var gridData = grid.option("data"); grid.sort({ field: "value", order: "asc" }); equal(grid._sortOrder, "asc", "asc sorting order is set"); equal(grid._sortField, grid.fields[0], "sort field is set"); equal(gridData[0].value, 1); equal(gridData[1].value, 2); equal(gridData[2].value, 3); grid.sort({ field: 0 }); equal(grid._sortOrder, "desc", "desc sorting order for already set asc sorting"); equal(grid._sortField, grid.fields[0], "sort field is set"); equal(gridData[0].value, 3); equal(gridData[1].value, 2); equal(gridData[2].value, 1); grid.sort("value", "asc"); equal(grid._sortOrder, "asc", "asc sorting order is set"); equal(grid._sortField, grid.fields[0], "sort field is set"); grid.sort(0); equal(grid._sortOrder, "desc", "desc sorting order for already set asc sorting"); equal(grid._sortField, grid.fields[0], "sort field is set"); }); test("getSorting returns current sorting", function() { var $element = $("#jsGrid"), gridOptions = { sorting: true, data: [ { value: 3 }, { value: 2 }, { value: 1 } ], fields: [ { name: "value", sorter: "number" } ] }, grid = new Grid($element, gridOptions); deepEqual(grid.getSorting(), { field: undefined, order: undefined }, "undefined field and order before sorting"); grid.sort("value"); deepEqual(grid.getSorting(), { field: "value", order: "asc" }, "current sorting returned"); }); test("sorting css attached correctly when a field is hidden", function() { var $element = $("#jsGrid"); var gridOptions = { sorting: true, data: [], fields: [ { name: "field1", visible: false }, { name: "field2" } ] }; var grid = new Grid($element, gridOptions); var gridData = grid.option("data"); var $th = grid._headerRow.find("th").eq(0); $th.trigger("click"); equal($th.hasClass(grid.sortAscClass), true, "sorting css is attached to first field"); }); module("canceling events"); test("cancel item edit", function() { var $element = $("#jsGrid"); var data = [{}]; var gridOptions = { editing: true, onItemEditing: function(e) { e.cancel = true; }, controller: { loadData: function() { return data; } }, fields: [ { name: "test" } ] }; var grid = new Grid($element, gridOptions); grid.loadData(); grid.editItem(data[0]); strictEqual(grid._editingRow, null, "no editing row"); }); test("cancel controller.loadData", function() { var $element = $("#jsGrid"); var gridOptions = { onDataLoading: function(e) { e.cancel = true; }, controller: { loadData: function() { return [{}]; } }, fields: [ { name: "test" } ] }; var grid = new Grid($element, gridOptions); grid.loadData(); equal(grid.option("data").length, 0, "no data loaded"); }); test("cancel controller.insertItem", function() { var $element = $("#jsGrid"); var insertedItem = null; var gridOptions = { onItemInserting: function(e) { e.cancel = true; }, controller: { insertItem: function(item) { insertedItem = item; } }, fields: [ { name: "test" } ] }; var grid = new Grid($element, gridOptions); grid.insertItem({ test: "value" }); strictEqual(insertedItem, null, "item was not inserted"); }); test("cancel controller.updateItem", function() { var $element = $("#jsGrid"); var updatedItem = null; var existingItem = { test: "value" }; var gridOptions = { data: [ existingItem ], onItemUpdating: function(e) { e.cancel = true; }, controller: { updateItem: function(item) { updatedItem = item; } }, fields: [ { name: "test" } ] }; var grid = new Grid($element, gridOptions); grid.updateItem(existingItem, { test: "new_value" }); strictEqual(updatedItem, null, "item was not updated"); }); test("cancel controller.deleteItem", function() { var $element = $("#jsGrid"); var deletingItem = { test: "value" }; var deletedItem = null; var gridOptions = { data: [ deletingItem ], confirmDeleting: false, onItemDeleting: function(e) { e.cancel = true; }, controller: { deleteItem: function(item) { deletedItem = item; } }, fields: [ { name: "test" } ] }; var grid = new Grid($element, gridOptions); grid.deleteItem(deletingItem); strictEqual(deletedItem, null, "item was not deleted"); }); module("complex properties binding"); test("rendering", function() { var $element = $("#jsGrid"); var gridOptions = { loadMessage: "", data: [ { complexProp: { prop: "test" } } ], fields: [ { name: "complexProp.prop", title: "" } ] }; new Grid($element, gridOptions); equal($element.text(), "test", "complex property value rendered"); }); test("editing", function() { var $element = $("#jsGrid"); var gridOptions = { editing: true, data: [ { complexProp: { prop: "test" } } ], fields: [ { type: "text", name: "complexProp.prop" } ] }; var grid = new Grid($element, gridOptions); grid.editItem(gridOptions.data[0]); equal(grid.fields[0].editControl.val(), "test", "complex property value set in editor"); }); test("should not fail if property is absent", function() { var $element = $("#jsGrid"); var gridOptions = { loadMessage: "", data: [ { complexProp: { } } ], fields: [ { name: "complexProp.subprop.prop", title: "" } ] }; new Grid($element, gridOptions); equal($element.text(), "", "rendered empty value"); }); test("inserting", function() { var $element = $("#jsGrid"); var insertingItem; var gridOptions = { inserting: true, fields: [ { type: "text", name: "complexProp.prop" } ], onItemInserting: function(args) { insertingItem = args.item; } }; var grid = new Grid($element, gridOptions); grid.fields[0].insertControl.val("test"); grid.insertItem(); deepEqual(insertingItem, { complexProp: { prop: "test" } }, "inserting item has complex properties"); }); test("filtering", function() { var $element = $("#jsGrid"); var loadFilter; var gridOptions = { filtering: true, fields: [ { type: "text", name: "complexProp.prop" } ], controller: { loadData: function(filter) { loadFilter = filter; } } }; var grid = new Grid($element, gridOptions); grid.fields[0].filterControl.val("test"); grid.search(); deepEqual(loadFilter, { complexProp: { prop: "test" } }, "filter has complex properties"); }); test("updating", function() { var $element = $("#jsGrid"); var updatingItem; var gridOptions = { editing: true, data: [ { complexProp: { } } ], fields: [ { type: "text", name: "complexProp.prop" } ], onItemUpdating: function(args) { updatingItem = args.item; } }; var grid = new Grid($element, gridOptions); grid.editItem(gridOptions.data[0]); grid.fields[0].editControl.val("test"); grid.updateItem(); deepEqual(updatingItem, { complexProp: { prop: "test" } }, "updating item has complex properties"); }); test("update nested prop", function() { var $element = $("#jsGrid"); var updatingItem; var previousItem; var gridOptions = { editing: true, data: [ { prop: { subprop1: "test1", subprop2: "test2" } } ], fields: [ { type: "text", name: "prop.subprop1" }, { type: "text", name: "prop.subprop2" } ], onItemUpdating: function(args) { updatingItem = args.item; } }; var grid = new Grid($element, gridOptions); grid.editItem(gridOptions.data[0]); grid.fields[0].editControl.val("new_test1"); grid.updateItem(); var expectedUpdatingItem = { prop: { subprop1: "new_test1", subprop2: "test2" } }; deepEqual(updatingItem, expectedUpdatingItem, "updating item has nested properties"); }); test("updating deeply nested prop", function() { var $element = $("#jsGrid"); var updatingItem; var previousItem; var gridOptions = { editing: true, data: [ { complexProp: { subprop1: { another_prop: "test" } } } ], fields: [ { type: "text", name: "complexProp.subprop1.prop1" }, { type: "text", name: "complexProp.subprop1.subprop2.prop12" } ], onItemUpdating: function(args) { updatingItem = $.extend(true, {}, args.item); previousItem = $.extend(true, {}, args.previousItem); } }; var grid = new Grid($element, gridOptions); grid.editItem(gridOptions.data[0]); grid.fields[0].editControl.val("test1"); grid.fields[1].editControl.val("test2"); grid.updateItem(); var expectedUpdatingItem = { complexProp: { subprop1: { another_prop: "test", prop1: "test1", subprop2: { prop12: "test2" } } } }; var expectedPreviousItem = { complexProp: { subprop1: { another_prop: "test" } } }; deepEqual(updatingItem, expectedUpdatingItem, "updating item has deeply nested properties"); deepEqual(previousItem, expectedPreviousItem, "previous item preserved correctly"); }); module("validation"); test("insertItem should call validation.validate", function() { var $element = $("#jsGrid"); var fieldValidationRules = { test: "value" }; var validatingArgs; var gridOptions = { data: [], inserting: true, invalidNotify: $.noop, validation: { validate: function(args) { validatingArgs = args; return []; } }, fields: [ { type: "text", name: "Name", validate: fieldValidationRules } ] }; var grid = new Grid($element, gridOptions); grid.fields[0].insertControl.val("test"); grid.insertItem(); deepEqual(validatingArgs, { value: "test", item: { Name: "test" }, itemIndex: -1, row: grid._insertRow, rules: fieldValidationRules }, "validating args is provided"); }); test("insertItem rejected when data is not valid", function() { var $element = $("#jsGrid"); var gridOptions = { data: [], inserting: true, invalidNotify: $.noop, validation: { validate: function() { return ["Error"]; } }, fields: [ { type: "text", name: "Name", validate: true } ] }; var grid = new Grid($element, gridOptions); grid.fields[0].insertControl.val("test"); grid.insertItem().done(function() { ok(false, "insertItem should not be completed"); }).fail(function() { ok(true, "insertItem should fail"); }); }); test("invalidClass is attached on invalid cell on inserting", function() { var $element = $("#jsGrid"); var gridOptions = { data: [], inserting: true, invalidNotify: $.noop, validation: { validate: function() { return ["Error"]; } }, fields: [ { type: "text", name: "Id", visible: false }, { type: "text", name: "Name", validate: true } ] }; var grid = new Grid($element, gridOptions); var $insertCell = grid._insertRow.children().eq(0); grid.insertItem(); ok($insertCell.hasClass(grid.invalidClass), "invalid class is attached"); equal($insertCell.attr("title"), "Error", "cell tooltip contains error message"); }); test("onItemInvalid callback", function() { var $element = $("#jsGrid"); var errors = ["Error"]; var onItemInvalidCalled = 0; var onItemInvalidArgs; var gridOptions = { data: [], inserting: true, invalidNotify: $.noop, onItemInvalid: function(args) { onItemInvalidCalled++; onItemInvalidArgs = args; }, validation: { validate: function(args) { return !args.value ? errors : []; } }, fields: [ { type: "text", name: "Name", validate: true } ] }; var grid = new Grid($element, gridOptions); grid.insertItem(); equal(onItemInvalidCalled, 1, "onItemInvalid is called, when item data is invalid"); deepEqual(onItemInvalidArgs, { grid: grid, errors: [{ field: grid.fields[0], message: "Error" }], item: { Name: "" }, itemIndex: -1, row: grid._insertRow }, "arguments provided"); grid.fields[0].insertControl.val("test"); grid.insertItem(); equal(onItemInvalidCalled, 1, "onItemInvalid was not called, when data is valid"); }); test("invalidNotify", function() { var $element = $("#jsGrid"); var errors = ["Error"]; var invalidNotifyCalled = 0; var invalidNotifyArgs; var gridOptions = { data: [], inserting: true, invalidNotify: function(args) { invalidNotifyCalled++; invalidNotifyArgs = args; }, validation: { validate: function(args) { return !args.value ? errors : []; } }, fields: [ { type: "text", name: "Name", validate: true } ] }; var grid = new Grid($element, gridOptions); grid.insertItem(); equal(invalidNotifyCalled, 1, "invalidNotify is called, when item data is invalid"); deepEqual(invalidNotifyArgs, { grid: grid, errors: [{ field: grid.fields[0], message: "Error" }], row: grid._insertRow, item: { Name: "" }, itemIndex: -1 }, "arguments provided"); grid.fields[0].insertControl.val("test"); grid.insertItem(); equal(invalidNotifyCalled, 1, "invalidNotify was not called, when data is valid"); }); test("invalidMessage", function() { var $element = $("#jsGrid"); var invalidMessage; var originalAlert = window.alert; window.alert = function(message) { invalidMessage = message; }; try { Grid.prototype.invalidMessage = "InvalidTest"; Grid.prototype.invalidNotify({ errors: [{ message: "Message1" }, { message: "Message2" }] }); var expectedInvalidMessage = ["InvalidTest", "Message1", "Message2"].join("\n"); equal(invalidMessage, expectedInvalidMessage, "message contains invalidMessage and field error messages"); } finally { window.alert = originalAlert; } }); test("updateItem should call validation.validate", function() { var $element = $("#jsGrid"); var validatingArgs; var gridOptions = { data: [{ Name: "" }], editing: true, invalidNotify: $.noop, validation: { validate: function(args) { validatingArgs = args; return ["Error"]; } }, fields: [ { type: "text", name: "Name", validate: "required" } ] }; var grid = new Grid($element, gridOptions); grid.editItem(gridOptions.data[0]); grid.fields[0].editControl.val("test"); grid.updateItem(); deepEqual(validatingArgs, { value: "test", item: { Name: "test" }, itemIndex: 0, row: grid._getEditRow(), rules: "required" }, "validating args is provided"); }); test("invalidClass is attached on invalid cell on updating", function() { var $element = $("#jsGrid"); var gridOptions = { data: [{}], editing: true, invalidNotify: $.noop, validation: { validate: function() { return ["Error"]; } }, fields: [ { type: "text", name: "Name", validate: true } ] }; var grid = new Grid($element, gridOptions); grid.editItem(gridOptions.data[0]); var $editCell = grid._getEditRow().children().eq(0); grid.updateItem(); ok($editCell.hasClass(grid.invalidClass), "invalid class is attached"); equal($editCell.attr("title"), "Error", "cell tooltip contains error message"); }); test("validation should ignore not editable fields", function() { var invalidNotifyCalled = 0; var $element = $("#jsGrid"); var validatingArgs; var gridOptions = { data: [{ Name: "" }], editing: true, invalidNotify: function() { invalidNotifyCalled++; }, validation: { validate: function() { return ["Error"]; } }, fields: [ { type: "text", name: "Name", editing: false, validate: "required" } ] }; var grid = new Grid($element, gridOptions); grid.editItem(gridOptions.data[0]); grid.updateItem(); equal(invalidNotifyCalled, 0, "data is valid"); }); module("api"); test("reset method should go the first page when pageLoading is truned on", function() { var items = [{ Name: "1" }, { Name: "2" }]; var $element = $("#jsGrid"); var gridOptions = { paging: true, pageSize: 1, pageLoading: true, autoload: true, controller: { loadData: function(args) { return { data: [items[args.pageIndex - 1]], itemsCount: items.length }; } }, fields: [ { type: "text", name: "Name" } ] }; var grid = new Grid($element, gridOptions); grid.openPage(2); grid.reset(); equal(grid._bodyGrid.text(), "1", "grid content reset"); }); module("i18n"); test("set locale by name", function() { jsGrid.locales.my_lang = { grid: { test: "test_text" } }; jsGrid.locale("my_lang"); var $element = $("#jsGrid").jsGrid({}); equal($element.jsGrid("option", "test"), "test_text", "option localized"); }); test("set locale by config", function() { jsGrid.locale( { grid: { test: "test_text" } }); var $element = $("#jsGrid").jsGrid({}); equal($element.jsGrid("option", "test"), "test_text", "option localized"); }); test("locale throws exception for unknown locale", function() { throws(function() { jsGrid.locale("unknown_lang"); }, /unknown_lang/, "locale threw an exception"); }); module("controller promise"); asyncTest("should support jQuery promise success callback", 1, function() { var data = []; var gridOptions = { autoload: false, controller: { loadData: function() { var d = $.Deferred(); setTimeout(function() { d.resolve(data); start(); }); return d.promise(); } } }; var grid = new Grid($("#jsGrid"), gridOptions); var promise = grid._controllerCall("loadData", {}, false, $.noop); promise.done(function(result) { equal(result, data, "data provided to done callback"); }); }); asyncTest("should support jQuery promise fail callback", 1, function() { var failArgs = {}; var gridOptions = { autoload: false, controller: { loadData: function() { var d = $.Deferred(); setTimeout(function() { d.reject(failArgs); start(); }); return d.promise(); } } }; var grid = new Grid($("#jsGrid"), gridOptions); var promise = grid._controllerCall("loadData", {}, false, $.noop); promise.fail(function(result) { equal(result, failArgs, "fail args provided to fail callback"); }); }); asyncTest("should support JS promise success callback", 1, function() { if(typeof Promise === "undefined") { ok(true, "Promise not supported"); start(); return; } var data = []; var gridOptions = { autoload: false, controller: { loadData: function() { return new Promise(function(resolve, reject) { setTimeout(function() { resolve(data); start(); }); }); } } }; var grid = new Grid($("#jsGrid"), gridOptions); var promise = grid._controllerCall("loadData", {}, false, $.noop); promise.done(function(result) { equal(result, data, "data provided to done callback"); }); }); asyncTest("should support JS promise fail callback", 1, function() { if(typeof Promise === "undefined") { ok(true, "Promise not supported"); start(); return; } var failArgs = {}; var gridOptions = { autoload: false, controller: { loadData: function() { return new Promise(function(resolve, reject) { setTimeout(function() { reject(failArgs); start(); }); }); } } }; var grid = new Grid($("#jsGrid"), gridOptions); var promise = grid._controllerCall("loadData", {}, false, $.noop); promise.fail(function(result) { equal(result, failArgs, "fail args provided to fail callback"); }); }); test("should support non-promise result", 1, function() { var data = []; var gridOptions = { autoload: false, controller: { loadData: function() { return data; } } }; var grid = new Grid($("#jsGrid"), gridOptions); var promise = grid._controllerCall("loadData", {}, false, $.noop); promise.done(function(result) { equal(result, data, "data provided to done callback"); }); }); module("renderTemplate"); test("should pass undefined and null arguments to the renderer", function() { var rendererArgs; var rendererContext; var context = {}; var renderer = function() { rendererArgs = arguments; rendererContext = this; }; Grid.prototype.renderTemplate(renderer, context, { arg1: undefined, arg2: null, arg3: "test" }); equal(rendererArgs.length, 3); strictEqual(rendererArgs[0], undefined, "undefined passed"); strictEqual(rendererArgs[1], null, "null passed"); strictEqual(rendererArgs[2], "test", "null passed"); strictEqual(rendererContext, context, "context is preserved"); }); }); <MSG> Core: Fixed short-circuiting of boolean default configuration properties and cleaned up a bit. Tests: Added Data Export tests utilizing BCC <DFF> @@ -2875,5 +2875,178 @@ $(function() { strictEqual(rendererArgs[2], "test", "null passed"); strictEqual(rendererContext, context, "context is preserved"); }); + + module("Data Export", { + setup: function() { + + this.exportConfig = {}; + this.exportConfig.type = "csv"; + this.exportConfig.subset = "all"; + this.exportConfig.delimiter = "|"; + this.exportConfig.includeHeaders = true; + this.exportConfig.encapsulate = true; + + this.element = $("#jsGrid"); + + this.gridOptions = { + width: "100%", + height: "400px", + + inserting: true, + editing: true, + sorting: true, + paging: true, + pageSize: 2, + + data: [ + { "Name": "Otto Clay", "Country": 1, "Married": false }, + { "Name": "Connor Johnston", "Country": 2, "Married": true }, + { "Name": "Lacey Hess", "Country": 2, "Married": false }, + { "Name": "Timothy Henson", "Country": 1, "Married": true } + ], + + fields: [ + { name: "Name", type: "text", width: 150, validate: "required" }, + { name: "Country", type: "select", items: [{ Name: "United States", Id: 1 },{ Name: "Canada", Id: 2 }], valueField: "Id", textField: "Name" }, + { name: "Married", type: "checkbox", title: "Is Married", sorting: false }, + { type: "control" } + ] + } + + } + + }); + + /* Base Choice Criteria + type: csv + subset: all + delimiter: | + includeHeaders: true + encapsulate: true + */ + test("Should export data: Base Choice",function(){ + var grid = new Grid($(this.element), this.gridOptions); + var data = grid.exportData(this.exportConfig); + + var expected = ""; + expected += '"Name"|"Country"|"Is Married"\r\n'; + expected += '"Otto Clay"|"United States"|"false"\r\n'; + expected += '"Connor Johnston"|"Canada"|"true"\r\n'; + expected += '"Lacey Hess"|"Canada"|"false"\r\n'; + expected += '"Timothy Henson"|"United States"|"true"\r\n'; + + equal(data, expected, "Output CSV configured to Base Choice Criteria -- Check Source"); + }); + + test("Should export data: defaults = BCC",function(){ + var grid = new Grid($(this.element), this.gridOptions); + var data = grid.exportData(); + + var expected = ""; + expected += '"Name"|"Country"|"Is Married"\r\n'; + expected += '"Otto Clay"|"United States"|"false"\r\n'; + expected += '"Connor Johnston"|"Canada"|"true"\r\n'; + expected += '"Lacey Hess"|"Canada"|"false"\r\n'; + expected += '"Timothy Henson"|"United States"|"true"\r\n'; + + equal(data, expected, "Output CSV with all defaults -- Should be equal to Base Choice"); + }); + + test("Should export data: subset=visible", function(){ + var grid = new Grid($(this.element), this.gridOptions); + this.exportConfig.subset = "visible"; + var data = grid.exportData(this.exportConfig); + + var expected = ""; + expected += '"Name"|"Country"|"Is Married"\r\n'; + expected += '"Otto Clay"|"United States"|"false"\r\n'; + expected += '"Connor Johnston"|"Canada"|"true"\r\n'; + //expected += '"Lacey Hess"|"Canada"|"false"\r\n'; + //expected += '"Timothy Henson"|"United States"|"true"\r\n'; + + equal(data, expected, "Output CSV of visible records"); + }); + + test("Should export data: delimiter=;", function(){ + var grid = new Grid($(this.element), this.gridOptions); + this.exportConfig.delimiter = ";"; + var data = grid.exportData(this.exportConfig); + + var expected = ""; + expected += '"Name";"Country";"Is Married"\r\n'; + expected += '"Otto Clay";"United States";"false"\r\n'; + expected += '"Connor Johnston";"Canada";"true"\r\n'; + expected += '"Lacey Hess";"Canada";"false"\r\n'; + expected += '"Timothy Henson";"United States";"true"\r\n'; + + equal(data, expected, "Output CSV with non-default delimiter"); + }); + + test("Should export data: headers=false", function(){ + var grid = new Grid($(this.element), this.gridOptions); + this.exportConfig.includeHeaders = false; + var data = grid.exportData(this.exportConfig); + + var expected = ""; + //expected += '"Name"|"Country"|"Is Married"\r\n'; + expected += '"Otto Clay"|"United States"|"false"\r\n'; + expected += '"Connor Johnston"|"Canada"|"true"\r\n'; + expected += '"Lacey Hess"|"Canada"|"false"\r\n'; + expected += '"Timothy Henson"|"United States"|"true"\r\n'; + + equal(data, expected, "Output CSV without Headers"); + }); + + test("Should export data: encapsulate=false", function(){ + var grid = new Grid($(this.element), this.gridOptions); + this.exportConfig.encapsulate = false; + var data = grid.exportData(this.exportConfig); + + var expected = ""; + expected += 'Name|Country|Is Married\r\n'; + expected += 'Otto Clay|United States|false\r\n'; + expected += 'Connor Johnston|Canada|true\r\n'; + expected += 'Lacey Hess|Canada|false\r\n'; + expected += 'Timothy Henson|United States|true\r\n'; + + equal(data, expected, "Output CSV without encapsulation"); + }); + + test("Should export filtered data", function(){ + var grid = new Grid($(this.element), this.gridOptions); + this.exportConfig['filter'] = function(item){ + if (item["Name"].indexOf("O") === 0) + return true + }; + var data = grid.exportData(this.exportConfig); + + var expected = ""; + expected += '"Name"|"Country"|"Is Married"\r\n'; + expected += '"Otto Clay"|"United States"|"false"\r\n'; + //expected += '"Connor Johnston"|"Canada"|"true"\r\n'; + //expected += '"Lacey Hess"|"Canada"|"false"\r\n'; + //expected += '"Timothy Henson"|"United States"|"true"\r\n'; + + equal(data, expected, "Output
173
Core: Fixed short-circuiting of boolean default configuration properties and cleaned up a bit. Tests: Added Data Export tests utilizing BCC
0
.js
tests
mit
tabalinas/jsgrid
10063930
<NME> readme.hogan <BEF> # {{pkg.title}} [![Build Status](https://travis-ci.org/ftlabs/fruitmachine.svg?branch=master)](https://travis-ci.org/ftlabs/fruitmachine) [![Coverage Status](https://coveralls.io/repos/ftlabs/fruitmachine/badge.png?branch=master)](https://coveralls.io/r/ftlabs/fruitmachine?branch=master) [![Dependency Status](https://gemnasium.com/ftlabs/fruitmachine.png)](https://gemnasium.com/ftlabs/fruitmachine) {{pkg.description}} FruitMachine is designed to build rich interactive layouts from modular, reusable components. It's light and unopinionated so that it can be applied to almost any layout problem. FruitMachine is currently powering the [FT Web App](http://apps.ft.com/ftwebapp/). ```js // Define a module var Apple = fruitmachine.define({ name: 'apple', template: function(){ return 'hello' } }); // Create a module var apple = new Apple(); // Render it apple.render(); apple.el.outerHTML; //=> <div class="apple">hello</div> ``` ## Installation ``` $ npm install fruitmachine ``` or ``` $ bower install fruitmachine ``` or Download the [pre-built version][built] (~2k gzipped). Download the [production version][min] (~3k gzipped) or the [development version][max]. [min]: build/fruitmachine.min.js [max]: build/fruitmachine.js ## Examples ## Documentation - [Introduction](docs/introduction.md) - [Getting started](docs/getting-started.md) - [Defining modules](docs/defining-modules.md) - [Slots](docs/slots.md) - [View assembly](docs/layout-assembly.md) - [Instantiation](docs/module-instantiation.md) - [Templates](docs/templates.md) - [Template markup](docs/template-markup.md) - [Rendering](docs/rendering.md) - [DOM injection](docs/injection.md) - [The module element](docs/module-el.md) - [Queries](docs/queries.md) - [Helpers](docs/module-helpers.md) - [Removing & destroying](docs/removing-and-destroying.md) - [Extending](docs/extending-modules.md) - [Server-side rendering](docs/server-side-rendering.md) - [API](docs/api.md) - [Events](docs/events.md) ## Tests #### With PhantomJS ``` $ npm install $ npm test ``` #### Without PhantomJS ``` $ node_modules/.bin/buster-static ``` ...then visit http://localhost:8282/ in browser ## Author {{#pkg.author}} - **{{name}}** - [@{{github}}](http://github.com/{{github}}) {{/pkg.author}} ## Contributors {{#pkg.contributors}} - **{{name}}** - [@{{github}}](http://github.com/{{github}}) {{/pkg.contributors}} ## License Copyright (c) 2014 {{pkg.organization}} Licensed under the MIT license. ## Credits and collaboration The lead developer of {{pkg.title}} is [Wilson Page](http://github.com/wilsonpage) at FT Labs. All open source code released by FT Labs is licenced under the MIT licence. We welcome comments, feedback and suggestions. Please feel free to raise an issue or pull request. <MSG> Update urls <DFF> @@ -39,8 +39,8 @@ or Download the [production version][min] (~3k gzipped) or the [development version][max]. -[min]: build/fruitmachine.min.js -[max]: build/fruitmachine.js +[min]: http://github.com/ftlabs/fruitmachine/raw/master/build/fruitmachine.min.js +[max]: http://github.com/ftlabs/fruitmachine/raw/master/build/fruitmachine.js ## Examples
2
Update urls
2
.hogan
hogan
mit
ftlabs/fruitmachine
10063931
<NME> MainWindow.xaml <BEF> <Window xmlns="https://github.com/avaloniaui" xmlns:AvalonEdit="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" MinWidth="0" MinHeight="300" Width="950" Title="AvaloniaEdit Demo" x:Class="AvaloniaEdit.Demo.MainWindow" Background="#1E1E1E"> <DockPanel> <StackPanel Orientation="Horizontal" DockPanel.Dock="Top" Spacing="5" Margin="3"> <ToggleButton Name="wordWrap" ToolTip.Tip="Word wrap" IsChecked="{Binding #Editor.WordWrap}"> <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="18" /> </DockPanel> </Window> <StackPanel Name="StatusBar" Background="Purple" Height="25" DockPanel.Dock="Bottom" Orientation="Horizontal"> <TextBlock Name="StatusText" Text="Ready" Margin="5 0 0 0" VerticalAlignment="Center" FontSize="12"/> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code,Consolas,Menlo,Monospace" Margin="30" Foreground="#D4D4D4" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="14" /> </DockPanel> </Window> <MSG> Improve demo editor look and feel in windows <DFF> @@ -16,14 +16,13 @@ <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" - FontFamily="Cascadia Code" + FontFamily="Consolas,Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" - - FontSize="18" /> + FontSize="14" /> </DockPanel> </Window> \ No newline at end of file
2
Improve demo editor look and feel in windows
3
.xaml
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063932
<NME> MainWindow.xaml <BEF> <Window xmlns="https://github.com/avaloniaui" xmlns:AvalonEdit="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" MinWidth="0" MinHeight="300" Width="950" Title="AvaloniaEdit Demo" x:Class="AvaloniaEdit.Demo.MainWindow" Background="#1E1E1E"> <DockPanel> <StackPanel Orientation="Horizontal" DockPanel.Dock="Top" Spacing="5" Margin="3"> <ToggleButton Name="wordWrap" ToolTip.Tip="Word wrap" IsChecked="{Binding #Editor.WordWrap}"> <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="18" /> </DockPanel> </Window> <StackPanel Name="StatusBar" Background="Purple" Height="25" DockPanel.Dock="Bottom" Orientation="Horizontal"> <TextBlock Name="StatusText" Text="Ready" Margin="5 0 0 0" VerticalAlignment="Center" FontSize="12"/> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code,Consolas,Menlo,Monospace" Margin="30" Foreground="#D4D4D4" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="14" /> </DockPanel> </Window> <MSG> Improve demo editor look and feel in windows <DFF> @@ -16,14 +16,13 @@ <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" - FontFamily="Cascadia Code" + FontFamily="Consolas,Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" - - FontSize="18" /> + FontSize="14" /> </DockPanel> </Window> \ No newline at end of file
2
Improve demo editor look and feel in windows
3
.xaml
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063933
<NME> MainWindow.xaml <BEF> <Window xmlns="https://github.com/avaloniaui" xmlns:AvalonEdit="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" MinWidth="0" MinHeight="300" Width="950" Title="AvaloniaEdit Demo" x:Class="AvaloniaEdit.Demo.MainWindow" Background="#1E1E1E"> <DockPanel> <StackPanel Orientation="Horizontal" DockPanel.Dock="Top" Spacing="5" Margin="3"> <ToggleButton Name="wordWrap" ToolTip.Tip="Word wrap" IsChecked="{Binding #Editor.WordWrap}"> <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="18" /> </DockPanel> </Window> <StackPanel Name="StatusBar" Background="Purple" Height="25" DockPanel.Dock="Bottom" Orientation="Horizontal"> <TextBlock Name="StatusText" Text="Ready" Margin="5 0 0 0" VerticalAlignment="Center" FontSize="12"/> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code,Consolas,Menlo,Monospace" Margin="30" Foreground="#D4D4D4" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="14" /> </DockPanel> </Window> <MSG> Improve demo editor look and feel in windows <DFF> @@ -16,14 +16,13 @@ <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" - FontFamily="Cascadia Code" + FontFamily="Consolas,Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" - - FontSize="18" /> + FontSize="14" /> </DockPanel> </Window> \ No newline at end of file
2
Improve demo editor look and feel in windows
3
.xaml
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063934
<NME> MainWindow.xaml <BEF> <Window xmlns="https://github.com/avaloniaui" xmlns:AvalonEdit="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" MinWidth="0" MinHeight="300" Width="950" Title="AvaloniaEdit Demo" x:Class="AvaloniaEdit.Demo.MainWindow" Background="#1E1E1E"> <DockPanel> <StackPanel Orientation="Horizontal" DockPanel.Dock="Top" Spacing="5" Margin="3"> <ToggleButton Name="wordWrap" ToolTip.Tip="Word wrap" IsChecked="{Binding #Editor.WordWrap}"> <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="18" /> </DockPanel> </Window> <StackPanel Name="StatusBar" Background="Purple" Height="25" DockPanel.Dock="Bottom" Orientation="Horizontal"> <TextBlock Name="StatusText" Text="Ready" Margin="5 0 0 0" VerticalAlignment="Center" FontSize="12"/> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code,Consolas,Menlo,Monospace" Margin="30" Foreground="#D4D4D4" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="14" /> </DockPanel> </Window> <MSG> Improve demo editor look and feel in windows <DFF> @@ -16,14 +16,13 @@ <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" - FontFamily="Cascadia Code" + FontFamily="Consolas,Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" - - FontSize="18" /> + FontSize="14" /> </DockPanel> </Window> \ No newline at end of file
2
Improve demo editor look and feel in windows
3
.xaml
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063935
<NME> MainWindow.xaml <BEF> <Window xmlns="https://github.com/avaloniaui" xmlns:AvalonEdit="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" MinWidth="0" MinHeight="300" Width="950" Title="AvaloniaEdit Demo" x:Class="AvaloniaEdit.Demo.MainWindow" Background="#1E1E1E"> <DockPanel> <StackPanel Orientation="Horizontal" DockPanel.Dock="Top" Spacing="5" Margin="3"> <ToggleButton Name="wordWrap" ToolTip.Tip="Word wrap" IsChecked="{Binding #Editor.WordWrap}"> <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="18" /> </DockPanel> </Window> <StackPanel Name="StatusBar" Background="Purple" Height="25" DockPanel.Dock="Bottom" Orientation="Horizontal"> <TextBlock Name="StatusText" Text="Ready" Margin="5 0 0 0" VerticalAlignment="Center" FontSize="12"/> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code,Consolas,Menlo,Monospace" Margin="30" Foreground="#D4D4D4" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="14" /> </DockPanel> </Window> <MSG> Improve demo editor look and feel in windows <DFF> @@ -16,14 +16,13 @@ <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" - FontFamily="Cascadia Code" + FontFamily="Consolas,Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" - - FontSize="18" /> + FontSize="14" /> </DockPanel> </Window> \ No newline at end of file
2
Improve demo editor look and feel in windows
3
.xaml
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063936
<NME> MainWindow.xaml <BEF> <Window xmlns="https://github.com/avaloniaui" xmlns:AvalonEdit="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" MinWidth="0" MinHeight="300" Width="950" Title="AvaloniaEdit Demo" x:Class="AvaloniaEdit.Demo.MainWindow" Background="#1E1E1E"> <DockPanel> <StackPanel Orientation="Horizontal" DockPanel.Dock="Top" Spacing="5" Margin="3"> <ToggleButton Name="wordWrap" ToolTip.Tip="Word wrap" IsChecked="{Binding #Editor.WordWrap}"> <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="18" /> </DockPanel> </Window> <StackPanel Name="StatusBar" Background="Purple" Height="25" DockPanel.Dock="Bottom" Orientation="Horizontal"> <TextBlock Name="StatusText" Text="Ready" Margin="5 0 0 0" VerticalAlignment="Center" FontSize="12"/> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code,Consolas,Menlo,Monospace" Margin="30" Foreground="#D4D4D4" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="14" /> </DockPanel> </Window> <MSG> Improve demo editor look and feel in windows <DFF> @@ -16,14 +16,13 @@ <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" - FontFamily="Cascadia Code" + FontFamily="Consolas,Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" - - FontSize="18" /> + FontSize="14" /> </DockPanel> </Window> \ No newline at end of file
2
Improve demo editor look and feel in windows
3
.xaml
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063937
<NME> MainWindow.xaml <BEF> <Window xmlns="https://github.com/avaloniaui" xmlns:AvalonEdit="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" MinWidth="0" MinHeight="300" Width="950" Title="AvaloniaEdit Demo" x:Class="AvaloniaEdit.Demo.MainWindow" Background="#1E1E1E"> <DockPanel> <StackPanel Orientation="Horizontal" DockPanel.Dock="Top" Spacing="5" Margin="3"> <ToggleButton Name="wordWrap" ToolTip.Tip="Word wrap" IsChecked="{Binding #Editor.WordWrap}"> <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="18" /> </DockPanel> </Window> <StackPanel Name="StatusBar" Background="Purple" Height="25" DockPanel.Dock="Bottom" Orientation="Horizontal"> <TextBlock Name="StatusText" Text="Ready" Margin="5 0 0 0" VerticalAlignment="Center" FontSize="12"/> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code,Consolas,Menlo,Monospace" Margin="30" Foreground="#D4D4D4" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="14" /> </DockPanel> </Window> <MSG> Improve demo editor look and feel in windows <DFF> @@ -16,14 +16,13 @@ <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" - FontFamily="Cascadia Code" + FontFamily="Consolas,Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" - - FontSize="18" /> + FontSize="14" /> </DockPanel> </Window> \ No newline at end of file
2
Improve demo editor look and feel in windows
3
.xaml
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063938
<NME> MainWindow.xaml <BEF> <Window xmlns="https://github.com/avaloniaui" xmlns:AvalonEdit="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" MinWidth="0" MinHeight="300" Width="950" Title="AvaloniaEdit Demo" x:Class="AvaloniaEdit.Demo.MainWindow" Background="#1E1E1E"> <DockPanel> <StackPanel Orientation="Horizontal" DockPanel.Dock="Top" Spacing="5" Margin="3"> <ToggleButton Name="wordWrap" ToolTip.Tip="Word wrap" IsChecked="{Binding #Editor.WordWrap}"> <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="18" /> </DockPanel> </Window> <StackPanel Name="StatusBar" Background="Purple" Height="25" DockPanel.Dock="Bottom" Orientation="Horizontal"> <TextBlock Name="StatusText" Text="Ready" Margin="5 0 0 0" VerticalAlignment="Center" FontSize="12"/> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code,Consolas,Menlo,Monospace" Margin="30" Foreground="#D4D4D4" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="14" /> </DockPanel> </Window> <MSG> Improve demo editor look and feel in windows <DFF> @@ -16,14 +16,13 @@ <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" - FontFamily="Cascadia Code" + FontFamily="Consolas,Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" - - FontSize="18" /> + FontSize="14" /> </DockPanel> </Window> \ No newline at end of file
2
Improve demo editor look and feel in windows
3
.xaml
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063939
<NME> MainWindow.xaml <BEF> <Window xmlns="https://github.com/avaloniaui" xmlns:AvalonEdit="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" MinWidth="0" MinHeight="300" Width="950" Title="AvaloniaEdit Demo" x:Class="AvaloniaEdit.Demo.MainWindow" Background="#1E1E1E"> <DockPanel> <StackPanel Orientation="Horizontal" DockPanel.Dock="Top" Spacing="5" Margin="3"> <ToggleButton Name="wordWrap" ToolTip.Tip="Word wrap" IsChecked="{Binding #Editor.WordWrap}"> <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="18" /> </DockPanel> </Window> <StackPanel Name="StatusBar" Background="Purple" Height="25" DockPanel.Dock="Bottom" Orientation="Horizontal"> <TextBlock Name="StatusText" Text="Ready" Margin="5 0 0 0" VerticalAlignment="Center" FontSize="12"/> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code,Consolas,Menlo,Monospace" Margin="30" Foreground="#D4D4D4" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="14" /> </DockPanel> </Window> <MSG> Improve demo editor look and feel in windows <DFF> @@ -16,14 +16,13 @@ <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" - FontFamily="Cascadia Code" + FontFamily="Consolas,Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" - - FontSize="18" /> + FontSize="14" /> </DockPanel> </Window> \ No newline at end of file
2
Improve demo editor look and feel in windows
3
.xaml
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063940
<NME> MainWindow.xaml <BEF> <Window xmlns="https://github.com/avaloniaui" xmlns:AvalonEdit="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" MinWidth="0" MinHeight="300" Width="950" Title="AvaloniaEdit Demo" x:Class="AvaloniaEdit.Demo.MainWindow" Background="#1E1E1E"> <DockPanel> <StackPanel Orientation="Horizontal" DockPanel.Dock="Top" Spacing="5" Margin="3"> <ToggleButton Name="wordWrap" ToolTip.Tip="Word wrap" IsChecked="{Binding #Editor.WordWrap}"> <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="18" /> </DockPanel> </Window> <StackPanel Name="StatusBar" Background="Purple" Height="25" DockPanel.Dock="Bottom" Orientation="Horizontal"> <TextBlock Name="StatusText" Text="Ready" Margin="5 0 0 0" VerticalAlignment="Center" FontSize="12"/> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code,Consolas,Menlo,Monospace" Margin="30" Foreground="#D4D4D4" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="14" /> </DockPanel> </Window> <MSG> Improve demo editor look and feel in windows <DFF> @@ -16,14 +16,13 @@ <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" - FontFamily="Cascadia Code" + FontFamily="Consolas,Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" - - FontSize="18" /> + FontSize="14" /> </DockPanel> </Window> \ No newline at end of file
2
Improve demo editor look and feel in windows
3
.xaml
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063941
<NME> MainWindow.xaml <BEF> <Window xmlns="https://github.com/avaloniaui" xmlns:AvalonEdit="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" MinWidth="0" MinHeight="300" Width="950" Title="AvaloniaEdit Demo" x:Class="AvaloniaEdit.Demo.MainWindow" Background="#1E1E1E"> <DockPanel> <StackPanel Orientation="Horizontal" DockPanel.Dock="Top" Spacing="5" Margin="3"> <ToggleButton Name="wordWrap" ToolTip.Tip="Word wrap" IsChecked="{Binding #Editor.WordWrap}"> <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="18" /> </DockPanel> </Window> <StackPanel Name="StatusBar" Background="Purple" Height="25" DockPanel.Dock="Bottom" Orientation="Horizontal"> <TextBlock Name="StatusText" Text="Ready" Margin="5 0 0 0" VerticalAlignment="Center" FontSize="12"/> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code,Consolas,Menlo,Monospace" Margin="30" Foreground="#D4D4D4" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="14" /> </DockPanel> </Window> <MSG> Improve demo editor look and feel in windows <DFF> @@ -16,14 +16,13 @@ <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" - FontFamily="Cascadia Code" + FontFamily="Consolas,Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" - - FontSize="18" /> + FontSize="14" /> </DockPanel> </Window> \ No newline at end of file
2
Improve demo editor look and feel in windows
3
.xaml
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063942
<NME> MainWindow.xaml <BEF> <Window xmlns="https://github.com/avaloniaui" xmlns:AvalonEdit="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" MinWidth="0" MinHeight="300" Width="950" Title="AvaloniaEdit Demo" x:Class="AvaloniaEdit.Demo.MainWindow" Background="#1E1E1E"> <DockPanel> <StackPanel Orientation="Horizontal" DockPanel.Dock="Top" Spacing="5" Margin="3"> <ToggleButton Name="wordWrap" ToolTip.Tip="Word wrap" IsChecked="{Binding #Editor.WordWrap}"> <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="18" /> </DockPanel> </Window> <StackPanel Name="StatusBar" Background="Purple" Height="25" DockPanel.Dock="Bottom" Orientation="Horizontal"> <TextBlock Name="StatusText" Text="Ready" Margin="5 0 0 0" VerticalAlignment="Center" FontSize="12"/> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code,Consolas,Menlo,Monospace" Margin="30" Foreground="#D4D4D4" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="14" /> </DockPanel> </Window> <MSG> Improve demo editor look and feel in windows <DFF> @@ -16,14 +16,13 @@ <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" - FontFamily="Cascadia Code" + FontFamily="Consolas,Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" - - FontSize="18" /> + FontSize="14" /> </DockPanel> </Window> \ No newline at end of file
2
Improve demo editor look and feel in windows
3
.xaml
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063943
<NME> MainWindow.xaml <BEF> <Window xmlns="https://github.com/avaloniaui" xmlns:AvalonEdit="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" MinWidth="0" MinHeight="300" Width="950" Title="AvaloniaEdit Demo" x:Class="AvaloniaEdit.Demo.MainWindow" Background="#1E1E1E"> <DockPanel> <StackPanel Orientation="Horizontal" DockPanel.Dock="Top" Spacing="5" Margin="3"> <ToggleButton Name="wordWrap" ToolTip.Tip="Word wrap" IsChecked="{Binding #Editor.WordWrap}"> <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="18" /> </DockPanel> </Window> <StackPanel Name="StatusBar" Background="Purple" Height="25" DockPanel.Dock="Bottom" Orientation="Horizontal"> <TextBlock Name="StatusText" Text="Ready" Margin="5 0 0 0" VerticalAlignment="Center" FontSize="12"/> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code,Consolas,Menlo,Monospace" Margin="30" Foreground="#D4D4D4" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="14" /> </DockPanel> </Window> <MSG> Improve demo editor look and feel in windows <DFF> @@ -16,14 +16,13 @@ <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" - FontFamily="Cascadia Code" + FontFamily="Consolas,Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" - - FontSize="18" /> + FontSize="14" /> </DockPanel> </Window> \ No newline at end of file
2
Improve demo editor look and feel in windows
3
.xaml
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063944
<NME> MainWindow.xaml <BEF> <Window xmlns="https://github.com/avaloniaui" xmlns:AvalonEdit="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" MinWidth="0" MinHeight="300" Width="950" Title="AvaloniaEdit Demo" x:Class="AvaloniaEdit.Demo.MainWindow" Background="#1E1E1E"> <DockPanel> <StackPanel Orientation="Horizontal" DockPanel.Dock="Top" Spacing="5" Margin="3"> <ToggleButton Name="wordWrap" ToolTip.Tip="Word wrap" IsChecked="{Binding #Editor.WordWrap}"> <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="18" /> </DockPanel> </Window> <StackPanel Name="StatusBar" Background="Purple" Height="25" DockPanel.Dock="Bottom" Orientation="Horizontal"> <TextBlock Name="StatusText" Text="Ready" Margin="5 0 0 0" VerticalAlignment="Center" FontSize="12"/> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code,Consolas,Menlo,Monospace" Margin="30" Foreground="#D4D4D4" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="14" /> </DockPanel> </Window> <MSG> Improve demo editor look and feel in windows <DFF> @@ -16,14 +16,13 @@ <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" - FontFamily="Cascadia Code" + FontFamily="Consolas,Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" - - FontSize="18" /> + FontSize="14" /> </DockPanel> </Window> \ No newline at end of file
2
Improve demo editor look and feel in windows
3
.xaml
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063945
<NME> MainWindow.xaml <BEF> <Window xmlns="https://github.com/avaloniaui" xmlns:AvalonEdit="clr-namespace:AvaloniaEdit;assembly=AvaloniaEdit" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" MinWidth="0" MinHeight="300" Width="950" Title="AvaloniaEdit Demo" x:Class="AvaloniaEdit.Demo.MainWindow" Background="#1E1E1E"> <DockPanel> <StackPanel Orientation="Horizontal" DockPanel.Dock="Top" Spacing="5" Margin="3"> <ToggleButton Name="wordWrap" ToolTip.Tip="Word wrap" IsChecked="{Binding #Editor.WordWrap}"> <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="18" /> </DockPanel> </Window> <StackPanel Name="StatusBar" Background="Purple" Height="25" DockPanel.Dock="Bottom" Orientation="Horizontal"> <TextBlock Name="StatusText" Text="Ready" Margin="5 0 0 0" VerticalAlignment="Center" FontSize="12"/> </StackPanel> <AvalonEdit:TextEditor Name="Editor" FontFamily="Cascadia Code,Consolas,Menlo,Monospace" Margin="30" Foreground="#D4D4D4" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" FontSize="14" /> </DockPanel> </Window> <MSG> Improve demo editor look and feel in windows <DFF> @@ -16,14 +16,13 @@ <Button Name="clearControlBtn" Content="Clear Buttons" /> </StackPanel> <AvalonEdit:TextEditor Name="Editor" - FontFamily="Cascadia Code" + FontFamily="Consolas,Cascadia Code" Background="Gray" Margin="30" Foreground="White" HorizontalScrollBarVisibility="Auto" VerticalScrollBarVisibility="Visible" FontWeight="Light" - - FontSize="18" /> + FontSize="14" /> </DockPanel> </Window> \ No newline at end of file
2
Improve demo editor look and feel in windows
3
.xaml
Demo/MainWindow
mit
AvaloniaUI/AvaloniaEdit
10063946
<NME> jsgrid.core.js <BEF> (function(window, $, undefined) { var JSGRID = "JSGrid", JSGRID_DATA_KEY = JSGRID, JSGRID_ROW_DATA_KEY = "JSGridItem", JSGRID_EDIT_ROW_DATA_KEY = "JSGridEditRow", SORT_ORDER_ASC = "asc", SORT_ORDER_DESC = "desc", FIRST_PAGE_PLACEHOLDER = "{first}", PAGES_PLACEHOLDER = "{pages}", PREV_PAGE_PLACEHOLDER = "{prev}", NEXT_PAGE_PLACEHOLDER = "{next}", LAST_PAGE_PLACEHOLDER = "{last}", PAGE_INDEX_PLACEHOLDER = "{pageIndex}", PAGE_COUNT_PLACEHOLDER = "{pageCount}", ITEM_COUNT_PLACEHOLDER = "{itemCount}", EMPTY_HREF = "javascript:void(0);"; var getOrApply = function(value, context) { if($.isFunction(value)) { return value.apply(context, $.makeArray(arguments).slice(2)); } return value; }; var normalizePromise = function(promise) { var d = $.Deferred(); if(promise && promise.then) { promise.then(function() { d.resolve.apply(d, arguments); }, function() { d.reject.apply(d, arguments); }); } else { d.resolve(promise); } return d.promise(); }; var defaultController = { loadData: $.noop, insertItem: $.noop, updateItem: $.noop, deleteItem: $.noop }; function Grid(element, config) { var $element = $(element); $element.data(JSGRID_DATA_KEY, this); this._container = $element; this.data = []; this.fields = []; this._editingRow = null; this._sortField = null; this._sortOrder = SORT_ORDER_ASC; this._firstDisplayingPage = 1; this._init(config); this.render(); } Grid.prototype = { width: "auto", height: "auto", updateOnResize: true, rowClass: $.noop, rowRenderer: null, rowClick: function(args) { if(this.editing) { this.editItem($(args.event.target).closest("tr")); } }, rowDoubleClick: $.noop, noDataContent: "Not found", noDataRowClass: "jsgrid-nodata-row", heading: true, headerRowRenderer: null, headerRowClass: "jsgrid-header-row", headerCellClass: "jsgrid-header-cell", filtering: false, filterRowRenderer: null, filterRowClass: "jsgrid-filter-row", inserting: false, insertRowLocation: "bottom", insertRowRenderer: null, insertRowClass: "jsgrid-insert-row", editing: false, editRowRenderer: null, editRowClass: "jsgrid-edit-row", confirmDeleting: true, deleteConfirm: "Are you sure?", selecting: true, selectedRowClass: "jsgrid-selected-row", oddRowClass: "jsgrid-row", evenRowClass: "jsgrid-alt-row", cellClass: "jsgrid-cell", sorting: false, sortableClass: "jsgrid-header-sortable", sortAscClass: "jsgrid-header-sort jsgrid-header-sort-asc", sortDescClass: "jsgrid-header-sort jsgrid-header-sort-desc", paging: false, pagerContainer: null, pageIndex: 1, pageSize: 20, pageButtonCount: 15, pagerFormat: "Pages: {first} {prev} {pages} {next} {last} &nbsp;&nbsp; {pageIndex} of {pageCount}", pagePrevText: "Prev", pageNextText: "Next", pageFirstText: "First", pageLastText: "Last", pageNavigatorNextText: "...", pageNavigatorPrevText: "...", pagerContainerClass: "jsgrid-pager-container", pagerClass: "jsgrid-pager", pagerNavButtonClass: "jsgrid-pager-nav-button", pagerNavButtonInactiveClass: "jsgrid-pager-nav-inactive-button", pageClass: "jsgrid-pager-page", currentPageClass: "jsgrid-pager-current-page", customLoading: false, pageLoading: false, autoload: false, controller: defaultController, loadIndication: true, loadIndicationDelay: 500, loadMessage: "Please, wait...", loadShading: true, invalidMessage: "Invalid data entered!", invalidNotify: function(args) { var messages = $.map(args.errors, function(error) { return error.message || null; }); window.alert([this.invalidMessage].concat(messages).join("\n")); }, onInit: $.noop, onRefreshing: $.noop, onRefreshed: $.noop, onPageChanged: $.noop, onItemDeleting: $.noop, onItemDeleted: $.noop, onItemInserting: $.noop, onItemInserted: $.noop, onItemEditing: $.noop, onItemEditCancelling: $.noop, onItemUpdating: $.noop, onItemUpdated: $.noop, onItemInvalid: $.noop, onDataLoading: $.noop, onDataLoaded: $.noop, onDataExporting: $.noop, onOptionChanging: $.noop, onOptionChanged: $.noop, onError: $.noop, invalidClass: "jsgrid-invalid", containerClass: "jsgrid", tableClass: "jsgrid-table", gridHeaderClass: "jsgrid-grid-header", gridBodyClass: "jsgrid-grid-body", _init: function(config) { $.extend(this, config); this._initLoadStrategy(); this._initController(); this._initFields(); this._attachWindowLoadResize(); this._attachWindowResizeCallback(); this._callEventHandler(this.onInit) }, loadStrategy: function() { return this.pageLoading ? new jsGrid.loadStrategies.PageLoadingStrategy(this) : new jsGrid.loadStrategies.DirectLoadingStrategy(this); }, _initLoadStrategy: function() { this._loadStrategy = getOrApply(this.loadStrategy, this); }, _initController: function() { }, renderTemplate: function(source, context, config) { args = []; for(var key in config) { args.push(config[key]); } } args.unshift(source, context); source = getOrApply.apply(null, args); return (source === undefined || source === null) ? "" : source; }, loadIndicator: function(config) { return new jsGrid.LoadIndicator(config); }, validation: function(config) { return jsGrid.Validation && new jsGrid.Validation(config); }, _initFields: function() { var self = this; self.fields = $.map(self.fields, function(field) { if($.isPlainObject(field)) { var fieldConstructor = (field.type && jsGrid.fields[field.type]) || jsGrid.Field; field = new fieldConstructor(field); } field._grid = self; return field; }); }, _attachWindowLoadResize: function() { $(window).on("load", $.proxy(this._refreshSize, this)); }, _attachWindowResizeCallback: function() { if(this.updateOnResize) { $(window).on("resize", $.proxy(this._refreshSize, this)); } }, _detachWindowResizeCallback: function() { $(window).off("resize", this._refreshSize); }, option: function(key, value) { var optionChangingEventArgs, optionChangedEventArgs; if(arguments.length === 1) return this[key]; optionChangingEventArgs = { option: key, oldValue: this[key], newValue: value }; this._callEventHandler(this.onOptionChanging, optionChangingEventArgs); this._handleOptionChange(optionChangingEventArgs.option, optionChangingEventArgs.newValue); optionChangedEventArgs = { option: optionChangingEventArgs.option, value: optionChangingEventArgs.newValue }; this._callEventHandler(this.onOptionChanged, optionChangedEventArgs); }, fieldOption: function(field, key, value) { field = this._normalizeField(field); if(arguments.length === 2) return field[key]; field[key] = value; this._renderGrid(); }, _handleOptionChange: function(name, value) { this[name] = value; switch(name) { case "width": case "height": this._refreshSize(); break; case "rowClass": case "rowRenderer": case "rowClick": case "rowDoubleClick": case "noDataRowClass": case "noDataContent": case "selecting": case "selectedRowClass": case "oddRowClass": case "evenRowClass": this._refreshContent(); break; case "pageButtonCount": case "pagerFormat": case "pagePrevText": case "pageNextText": case "pageFirstText": case "pageLastText": case "pageNavigatorNextText": case "pageNavigatorPrevText": case "pagerClass": case "pagerNavButtonClass": case "pageClass": case "currentPageClass": case "pagerRenderer": this._refreshPager(); break; case "fields": this._initFields(); this.render(); break; case "data": case "editing": case "heading": case "filtering": case "inserting": case "paging": this.refresh(); break; case "loadStrategy": case "pageLoading": this._initLoadStrategy(); this.search(); break; case "pageIndex": this.openPage(value); break; case "pageSize": this.refresh(); this.search(); break; case "editRowRenderer": case "editRowClass": this.cancelEdit(); break; case "updateOnResize": this._detachWindowResizeCallback(); this._attachWindowResizeCallback(); break; case "invalidNotify": case "invalidMessage": break; default: this.render(); break; } }, destroy: function() { this._detachWindowResizeCallback(); this._clear(); this._container.removeData(JSGRID_DATA_KEY); }, render: function() { this._renderGrid(); return this.autoload ? this.loadData() : $.Deferred().resolve().promise(); }, _renderGrid: function() { this._clear(); this._container.addClass(this.containerClass) .css("position", "relative") .append(this._createHeader()) .append(this._createBody()); this._pagerContainer = this._createPagerContainer(); this._loadIndicator = this._createLoadIndicator(); this._validation = this._createValidation(); this.refresh(); }, _createLoadIndicator: function() { return getOrApply(this.loadIndicator, this, { message: this.loadMessage, shading: this.loadShading, container: this._container }); }, _createValidation: function() { return getOrApply(this.validation, this); }, _clear: function() { this.cancelEdit(); clearTimeout(this._loadingTimer); this._pagerContainer && this._pagerContainer.empty(); this._container.empty() .css({ position: "", width: "", height: "" }); }, _createHeader: function() { var $headerRow = this._headerRow = this._createHeaderRow(), $filterRow = this._filterRow = this._createFilterRow(), $insertRow = this._insertRow = this._createInsertRow(); var $headerGrid = this._headerGrid = $("<table>").addClass(this.tableClass) .append($headerRow) .append($filterRow) .append($insertRow); var $header = this._header = $("<div>").addClass(this.gridHeaderClass) .addClass(this._scrollBarWidth() ? "jsgrid-header-scrollbar" : "") .append($headerGrid); return $header; }, _createBody: function() { var $content = this._content = $("<tbody>"); var $bodyGrid = this._bodyGrid = $("<table>").addClass(this.tableClass) .append($content); var $body = this._body = $("<div>").addClass(this.gridBodyClass) .append($bodyGrid) .on("scroll", $.proxy(function(e) { this._header.scrollLeft(e.target.scrollLeft); }, this)); return $body; }, _createPagerContainer: function() { var pagerContainer = this.pagerContainer || $("<div>").appendTo(this._container); return $(pagerContainer).addClass(this.pagerContainerClass); }, _eachField: function(callBack) { var self = this; $.each(this.fields, function(index, field) { if(field.visible) { callBack.call(self, field, index); } }); }, _createHeaderRow: function() { if($.isFunction(this.headerRowRenderer)) return $(this.renderTemplate(this.headerRowRenderer, this)); var $result = $("<tr>").addClass(this.headerRowClass); this._eachField(function(field, index) { var $th = this._prepareCell("<th>", field, "headercss", this.headerCellClass) .append(this.renderTemplate(field.headerTemplate, field)) .appendTo($result); if(this.sorting && field.sorting) { $th.addClass(this.sortableClass) .on("click", $.proxy(function() { this.sort(index); }, this)); } }); return $result; }, _prepareCell: function(cell, field, cssprop, cellClass) { return $(cell).css("width", field.width) .addClass(cellClass || this.cellClass) .addClass((cssprop && field[cssprop]) || field.css) .addClass(field.align ? ("jsgrid-align-" + field.align) : ""); }, _createFilterRow: function() { if($.isFunction(this.filterRowRenderer)) return $(this.renderTemplate(this.filterRowRenderer, this)); var $result = $("<tr>").addClass(this.filterRowClass); this._eachField(function(field) { this._prepareCell("<td>", field, "filtercss") .append(this.renderTemplate(field.filterTemplate, field)) .appendTo($result); }); return $result; }, _createInsertRow: function() { if($.isFunction(this.insertRowRenderer)) return $(this.renderTemplate(this.insertRowRenderer, this)); var $result = $("<tr>").addClass(this.insertRowClass); this._eachField(function(field) { this._prepareCell("<td>", field, "insertcss") .append(this.renderTemplate(field.insertTemplate, field)) .appendTo($result); }); return $result; }, _callEventHandler: function(handler, eventParams) { handler.call(this, $.extend(eventParams, { grid: this })); return eventParams; }, reset: function() { this._resetSorting(); this._resetPager(); return this._loadStrategy.reset(); }, _resetPager: function() { this._firstDisplayingPage = 1; this._setPage(1); }, _resetSorting: function() { this._sortField = null; this._sortOrder = SORT_ORDER_ASC; this._clearSortingCss(); }, refresh: function() { this._callEventHandler(this.onRefreshing); this.cancelEdit(); this._refreshHeading(); this._refreshFiltering(); this._refreshInserting(); this._refreshContent(); this._refreshPager(); this._refreshSize(); this._callEventHandler(this.onRefreshed); }, _refreshHeading: function() { this._headerRow.toggle(this.heading); }, _refreshFiltering: function() { this._filterRow.toggle(this.filtering); }, _refreshInserting: function() { this._insertRow.toggle(this.inserting); }, _refreshContent: function() { var $content = this._content; $content.empty(); if(!this.data.length) { $content.append(this._createNoDataRow()); return this; } var indexFrom = this._loadStrategy.firstDisplayIndex(); var indexTo = this._loadStrategy.lastDisplayIndex(); for(var itemIndex = indexFrom; itemIndex < indexTo; itemIndex++) { var item = this.data[itemIndex]; $content.append(this._createRow(item, itemIndex)); } }, _createNoDataRow: function() { var amountOfFields = 0; this._eachField(function() { amountOfFields++; }); return $("<tr>").addClass(this.noDataRowClass) .append($("<td>").addClass(this.cellClass).attr("colspan", amountOfFields) .append(this.renderTemplate(this.noDataContent, this))); }, _createRow: function(item, itemIndex) { var $result; if($.isFunction(this.rowRenderer)) { $result = this.renderTemplate(this.rowRenderer, this, { item: item, itemIndex: itemIndex }); } else { $result = $("<tr>"); this._renderCells($result, item); } $result.addClass(this._getRowClasses(item, itemIndex)) .data(JSGRID_ROW_DATA_KEY, item) .on("click", $.proxy(function(e) { this.rowClick({ item: item, itemIndex: itemIndex, event: e }); }, this)) .on("dblclick", $.proxy(function(e) { this.rowDoubleClick({ item: item, itemIndex: itemIndex, event: e }); }, this)); if(this.selecting) { this._attachRowHover($result); } return $result; }, _getRowClasses: function(item, itemIndex) { var classes = []; classes.push(((itemIndex + 1) % 2) ? this.oddRowClass : this.evenRowClass); classes.push(getOrApply(this.rowClass, this, item, itemIndex)); return classes.join(" "); }, _attachRowHover: function($row) { var selectedRowClass = this.selectedRowClass; $row.hover(function() { $(this).addClass(selectedRowClass); }, function() { $(this).removeClass(selectedRowClass); } ); }, _renderCells: function($row, item) { this._eachField(function(field) { $row.append(this._createCell(item, field)); }); return this; }, _createCell: function(item, field) { var $result; var fieldValue = this._getItemFieldValue(item, field); var args = { value: fieldValue, item : item }; if($.isFunction(field.cellRenderer)) { $result = this.renderTemplate(field.cellRenderer, field, args); } else { $result = $("<td>").append(this.renderTemplate(field.itemTemplate || fieldValue, field, args)); } return this._prepareCell($result, field); }, _getItemFieldValue: function(item, field) { var props = field.name.split('.'); var result = item[props.shift()]; while(result && props.length) { result = result[props.shift()]; } return result; }, _setItemFieldValue: function(item, field, value) { var props = field.name.split('.'); var current = item; var prop = props[0]; while(current && props.length) { item = current; prop = props.shift(); current = item[prop]; } if(!current) { while(props.length) { item = item[prop] = {}; prop = props.shift(); } } item[prop] = value; }, sort: function(field, order) { if($.isPlainObject(field)) { order = field.order; field = field.field; } this._clearSortingCss(); this._setSortingParams(field, order); this._setSortingCss(); return this._loadStrategy.sort(); }, _clearSortingCss: function() { this._headerRow.find("th") .removeClass(this.sortAscClass) .removeClass(this.sortDescClass); }, _setSortingParams: function(field, order) { field = this._normalizeField(field); order = order || ((this._sortField === field) ? this._reversedSortOrder(this._sortOrder) : SORT_ORDER_ASC); this._sortField = field; this._sortOrder = order; }, _normalizeField: function(field) { if($.isNumeric(field)) { return this.fields[field]; } if(typeof field === "string") { return $.grep(this.fields, function(f) { return f.name === field; })[0]; } return field; }, _reversedSortOrder: function(order) { return (order === SORT_ORDER_ASC ? SORT_ORDER_DESC : SORT_ORDER_ASC); }, _setSortingCss: function() { var fieldIndex = this._visibleFieldIndex(this._sortField); this._headerRow.find("th").eq(fieldIndex) .addClass(this._sortOrder === SORT_ORDER_ASC ? this.sortAscClass : this.sortDescClass); }, _visibleFieldIndex: function(field) { return $.inArray(field, $.grep(this.fields, function(f) { return f.visible; })); }, _sortData: function() { var sortFactor = this._sortFactor(), sortField = this._sortField; if(sortField) { var self = this; self.data.sort(function(item1, item2) { var value1 = self._getItemFieldValue(item1, sortField); var value2 = self._getItemFieldValue(item2, sortField); return sortFactor * sortField.sortingFunc(value1, value2); }); } }, _sortFactor: function() { return this._sortOrder === SORT_ORDER_ASC ? 1 : -1; }, _itemsCount: function() { return this._loadStrategy.itemsCount(); }, _pagesCount: function() { var itemsCount = this._itemsCount(), pageSize = this.pageSize; return Math.floor(itemsCount / pageSize) + (itemsCount % pageSize ? 1 : 0); }, _refreshPager: function() { var $pagerContainer = this._pagerContainer; $pagerContainer.empty(); if(this.paging) { $pagerContainer.append(this._createPager()); } var showPager = this.paging && this._pagesCount() > 1; $pagerContainer.toggle(showPager); }, _createPager: function() { var $result; if($.isFunction(this.pagerRenderer)) { $result = $(this.pagerRenderer({ pageIndex: this.pageIndex, pageCount: this._pagesCount() })); } else { $result = $("<div>").append(this._createPagerByFormat()); } $result.addClass(this.pagerClass); return $result; }, _createPagerByFormat: function() { var pageIndex = this.pageIndex, pageCount = this._pagesCount(), itemCount = this._itemsCount(), pagerParts = this.pagerFormat.split(" "); return $.map(pagerParts, $.proxy(function(pagerPart) { var result = pagerPart; if(pagerPart === PAGES_PLACEHOLDER) { result = this._createPages(); } else if(pagerPart === FIRST_PAGE_PLACEHOLDER) { result = this._createPagerNavButton(this.pageFirstText, 1, pageIndex > 1); } else if(pagerPart === PREV_PAGE_PLACEHOLDER) { result = this._createPagerNavButton(this.pagePrevText, pageIndex - 1, pageIndex > 1); } else if(pagerPart === NEXT_PAGE_PLACEHOLDER) { result = this._createPagerNavButton(this.pageNextText, pageIndex + 1, pageIndex < pageCount); } else if(pagerPart === LAST_PAGE_PLACEHOLDER) { result = this._createPagerNavButton(this.pageLastText, pageCount, pageIndex < pageCount); } else if(pagerPart === PAGE_INDEX_PLACEHOLDER) { result = pageIndex; } else if(pagerPart === PAGE_COUNT_PLACEHOLDER) { result = pageCount; } else if(pagerPart === ITEM_COUNT_PLACEHOLDER) { result = itemCount; } return $.isArray(result) ? result.concat([" "]) : [result, " "]; }, this)); }, _createPages: function() { var pageCount = this._pagesCount(), pageButtonCount = this.pageButtonCount, firstDisplayingPage = this._firstDisplayingPage, pages = []; if(firstDisplayingPage > 1) { pages.push(this._createPagerPageNavButton(this.pageNavigatorPrevText, this.showPrevPages)); } for(var i = 0, pageNumber = firstDisplayingPage; i < pageButtonCount && pageNumber <= pageCount; i++, pageNumber++) { pages.push(pageNumber === this.pageIndex ? this._createPagerCurrentPage() : this._createPagerPage(pageNumber)); } if((firstDisplayingPage + pageButtonCount - 1) < pageCount) { pages.push(this._createPagerPageNavButton(this.pageNavigatorNextText, this.showNextPages)); } return pages; }, _createPagerNavButton: function(text, pageIndex, isActive) { return this._createPagerButton(text, this.pagerNavButtonClass + (isActive ? "" : " " + this.pagerNavButtonInactiveClass), isActive ? function() { this.openPage(pageIndex); } : $.noop); }, _createPagerPageNavButton: function(text, handler) { return this._createPagerButton(text, this.pagerNavButtonClass, handler); }, _createPagerPage: function(pageIndex) { return this._createPagerButton(pageIndex, this.pageClass, function() { this.openPage(pageIndex); }); }, _createPagerButton: function(text, css, handler) { var $link = $("<a>").attr("href", EMPTY_HREF) .html(text) .on("click", $.proxy(handler, this)); return $("<span>").addClass(css).append($link); }, _createPagerCurrentPage: function() { return $("<span>") .addClass(this.pageClass) .addClass(this.currentPageClass) .text(this.pageIndex); }, _refreshSize: function() { this._refreshHeight(); this._refreshWidth(); }, _refreshWidth: function() { var width = (this.width === "auto") ? this._getAutoWidth() : this.width; this._container.width(width); }, _getAutoWidth: function() { var $headerGrid = this._headerGrid, $header = this._header; $headerGrid.width("auto"); var contentWidth = $headerGrid.outerWidth(); var borderWidth = $header.outerWidth() - $header.innerWidth(); $headerGrid.width(""); return contentWidth + borderWidth; }, _scrollBarWidth: (function() { var result; return function() { if(result === undefined) { var $ghostContainer = $("<div style='width:50px;height:50px;overflow:hidden;position:absolute;top:-10000px;left:-10000px;'></div>"); var $ghostContent = $("<div style='height:100px;'></div>"); $ghostContainer.append($ghostContent).appendTo("body"); var width = $ghostContent.innerWidth(); $ghostContainer.css("overflow-y", "auto"); var widthExcludingScrollBar = $ghostContent.innerWidth(); $ghostContainer.remove(); result = width - widthExcludingScrollBar; } return result; }; })(), _refreshHeight: function() { var container = this._container, pagerContainer = this._pagerContainer, height = this.height, nonBodyHeight; container.height(height); if(height !== "auto") { height = container.height(); nonBodyHeight = this._header.outerHeight(true); if(pagerContainer.parents(container).length) { nonBodyHeight += pagerContainer.outerHeight(true); } this._body.outerHeight(height - nonBodyHeight); } }, showPrevPages: function() { var firstDisplayingPage = this._firstDisplayingPage, pageButtonCount = this.pageButtonCount; this._firstDisplayingPage = (firstDisplayingPage > pageButtonCount) ? firstDisplayingPage - pageButtonCount : 1; this._refreshPager(); }, showNextPages: function() { var firstDisplayingPage = this._firstDisplayingPage, pageButtonCount = this.pageButtonCount, pageCount = this._pagesCount(); this._firstDisplayingPage = (firstDisplayingPage + 2 * pageButtonCount > pageCount) ? pageCount - pageButtonCount + 1 : firstDisplayingPage + pageButtonCount; this._refreshPager(); }, openPage: function(pageIndex) { if(pageIndex < 1 || pageIndex > this._pagesCount()) return; this._setPage(pageIndex); this._loadStrategy.openPage(pageIndex); }, _setPage: function(pageIndex) { var firstDisplayingPage = this._firstDisplayingPage, pageButtonCount = this.pageButtonCount; this.pageIndex = pageIndex; if(pageIndex < firstDisplayingPage) { this._firstDisplayingPage = pageIndex; } if(pageIndex > firstDisplayingPage + pageButtonCount - 1) { this._firstDisplayingPage = pageIndex - pageButtonCount + 1; } this._callEventHandler(this.onPageChanged, { pageIndex: pageIndex }); }, _controllerCall: function(method, param, isCanceled, doneCallback) { if(isCanceled) return $.Deferred().reject().promise(); this._showLoading(); var controller = this._controller; if(!controller || !controller[method]) { throw Error("controller has no method '" + method + "'"); } return normalizePromise(controller[method](param)) .done($.proxy(doneCallback, this)) .fail($.proxy(this._errorHandler, this)) .always($.proxy(this._hideLoading, this)); }, _errorHandler: function() { this._callEventHandler(this.onError, { args: $.makeArray(arguments) }); }, _showLoading: function() { if(!this.loadIndication) return; clearTimeout(this._loadingTimer); this._loadingTimer = setTimeout($.proxy(function() { this._loadIndicator.show(); }, this), this.loadIndicationDelay); }, _hideLoading: function() { if(!this.loadIndication) return; clearTimeout(this._loadingTimer); this._loadIndicator.hide(); }, search: function(filter) { this._resetSorting(); this._resetPager(); return this.loadData(filter); }, loadData: function(filter) { filter = filter || (this.filtering ? this.getFilter() : {}); $.extend(filter, this._loadStrategy.loadParams(), this._sortingParams()); var args = this._callEventHandler(this.onDataLoading, { filter: filter }); return this._controllerCall("loadData", filter, args.cancel, function(loadedData) { if(!loadedData) return; this._loadStrategy.finishLoad(loadedData); this._callEventHandler(this.onDataLoaded, { data: loadedData }); }); }, exportData: function(exportOptions){ var options = exportOptions || {}; var type = options.type || "csv"; var result = ""; this._callEventHandler(this.onDataExporting); switch(type){ case "csv": result = this._dataToCsv(options); break; } return result; }, _dataToCsv: function(options){ var options = options || {}; var includeHeaders = options.hasOwnProperty("includeHeaders") ? options.includeHeaders : true; var subset = options.subset || "all"; var filter = options.filter || undefined; var result = []; if (includeHeaders){ var fieldsLength = this.fields.length; var fieldNames = {}; for(var i=0;i<fieldsLength;i++){ var field = this.fields[i]; if ("includeInDataExport" in field){ if (field.includeInDataExport === true) fieldNames[i] = field.title || field.name; } } var headerLine = this._itemToCsv(fieldNames,{},options); result.push(headerLine); } var exportStartIndex = 0; var exportEndIndex = this.data.length; switch(subset){ case "visible": exportEndIndex = this._firstDisplayingPage * this.pageSize; exportStartIndex = exportEndIndex - this.pageSize; case "all": default: break; } for (var i = exportStartIndex; i < exportEndIndex; i++){ var item = this.data[i]; var itemLine = ""; var includeItem = true; if (filter) if (!filter(item)) includeItem = false; if (includeItem){ itemLine = this._itemToCsv(item, this.fields, options); result.push(itemLine); } } return result.join(""); }, _itemToCsv: function(item, fields, options){ var options = options || {}; var delimiter = options.delimiter || "|"; var encapsulate = options.hasOwnProperty("encapsulate") ? options.encapsulate : true; var newline = options.newline || "\r\n"; var transforms = options.transforms || {}; var fields = fields || {}; var getItem = this._getItemFieldValue; var result = []; Object.keys(item).forEach(function(key,index) { var entry = ""; //Fields.length is greater than 0 when we are matching agaisnt fields //Field.length will be 0 when exporting header rows if (fields.length > 0){ var field = fields[index]; //Field may be excluded from data export if ("includeInDataExport" in field){ if (field.includeInDataExport){ //Field may be a select, which requires additional logic if (field.type === "select"){ var selectedItem = getItem(item, field); var resultItem = $.grep(field.items, function(item, index) { return item[field.valueField] === selectedItem; })[0] || ""; entry = resultItem[field.textField]; } else{ entry = getItem(item, field); } } else{ return; } } else{ entry = getItem(item, field); } if (transforms.hasOwnProperty(field.name)){ entry = transforms[field.name](entry); } } else{ entry = item[key]; } if (encapsulate){ entry = '"'+entry+'"'; } result.push(entry); }); return result.join(delimiter) + newline; }, getFilter: function() { var result = {}; this._eachField(function(field) { if(field.filtering) { this._setItemFieldValue(result, field, field.filterValue()); } }); return result; }, _sortingParams: function() { if(this.sorting && this._sortField) { return { sortField: this._sortField.name, sortOrder: this._sortOrder }; } return {}; }, getSorting: function() { var sortingParams = this._sortingParams(); return { field: sortingParams.sortField, order: sortingParams.sortOrder }; }, clearFilter: function() { var $filterRow = this._createFilterRow(); this._filterRow.replaceWith($filterRow); this._filterRow = $filterRow; return this.search(); }, insertItem: function(item) { var insertingItem = item || this._getValidatedInsertItem(); if(!insertingItem) return $.Deferred().reject().promise(); var args = this._callEventHandler(this.onItemInserting, { item: insertingItem }); return this._controllerCall("insertItem", insertingItem, args.cancel, function(insertedItem) { insertedItem = insertedItem || insertingItem; this._loadStrategy.finishInsert(insertedItem, this.insertRowLocation); this._callEventHandler(this.onItemInserted, { item: insertedItem }); }); }, _getValidatedInsertItem: function() { var item = this._getInsertItem(); return this._validateItem(item, this._insertRow) ? item : null; }, _getInsertItem: function() { var result = {}; this._eachField(function(field) { if(field.inserting) { this._setItemFieldValue(result, field, field.insertValue()); } }); return result; }, _validateItem: function(item, $row) { var validationErrors = []; var args = { item: item, itemIndex: this._rowIndex($row), row: $row }; this._eachField(function(field) { if(!field.validate || ($row === this._insertRow && !field.inserting) || ($row === this._getEditRow() && !field.editing)) return; var fieldValue = this._getItemFieldValue(item, field); var errors = this._validation.validate($.extend({ value: fieldValue, rules: field.validate }, args)); this._setCellValidity($row.children().eq(this._visibleFieldIndex(field)), errors); if(!errors.length) return; validationErrors.push.apply(validationErrors, $.map(errors, function(message) { return { field: field, message: message }; })); }); if(!validationErrors.length) return true; var invalidArgs = $.extend({ errors: validationErrors }, args); this._callEventHandler(this.onItemInvalid, invalidArgs); this.invalidNotify(invalidArgs); return false; }, _setCellValidity: function($cell, errors) { $cell .toggleClass(this.invalidClass, !!errors.length) .attr("title", errors.join("\n")); }, clearInsert: function() { var insertRow = this._createInsertRow(); this._insertRow.replaceWith(insertRow); this._insertRow = insertRow; this.refresh(); }, editItem: function(item) { var $row = this.rowByItem(item); if($row.length) { this._editRow($row); } }, rowByItem: function(item) { if(item.jquery || item.nodeType) return $(item); return this._content.find("tr").filter(function() { return $.data(this, JSGRID_ROW_DATA_KEY) === item; }); }, _editRow: function($row) { if(!this.editing) return; var item = $row.data(JSGRID_ROW_DATA_KEY); var args = this._callEventHandler(this.onItemEditing, { row: $row, item: item, itemIndex: this._itemIndex(item) }); if(args.cancel) return; if(this._editingRow) { this.cancelEdit(); } var $editRow = this._createEditRow(item); this._editingRow = $row; $row.hide(); $editRow.insertBefore($row); $row.data(JSGRID_EDIT_ROW_DATA_KEY, $editRow); }, _createEditRow: function(item) { if($.isFunction(this.editRowRenderer)) { return $(this.renderTemplate(this.editRowRenderer, this, { item: item, itemIndex: this._itemIndex(item) })); } var $result = $("<tr>").addClass(this.editRowClass); this._eachField(function(field) { var fieldValue = this._getItemFieldValue(item, field); this._prepareCell("<td>", field, "editcss") .append(this.renderTemplate(field.editTemplate || "", field, { value: fieldValue, item: item })) .appendTo($result); }); return $result; }, updateItem: function(item, editedItem) { if(arguments.length === 1) { editedItem = item; } var $row = item ? this.rowByItem(item) : this._editingRow; editedItem = editedItem || this._getValidatedEditedItem(); if(!editedItem) return; return this._updateRow($row, editedItem); }, _getValidatedEditedItem: function() { var item = this._getEditedItem(); return this._validateItem(item, this._getEditRow()) ? item : null; }, _updateRow: function($updatingRow, editedItem) { var updatingItem = $updatingRow.data(JSGRID_ROW_DATA_KEY), updatingItemIndex = this._itemIndex(updatingItem), updatedItem = $.extend(true, {}, updatingItem, editedItem); var args = this._callEventHandler(this.onItemUpdating, { row: $updatingRow, item: updatedItem, itemIndex: updatingItemIndex, previousItem: updatingItem }); return this._controllerCall("updateItem", updatedItem, args.cancel, function(loadedUpdatedItem) { var previousItem = $.extend(true, {}, updatingItem); updatedItem = loadedUpdatedItem || $.extend(true, updatingItem, editedItem); var $updatedRow = this._finishUpdate($updatingRow, updatedItem, updatingItemIndex); this._callEventHandler(this.onItemUpdated, { row: $updatedRow, item: updatedItem, itemIndex: updatingItemIndex, previousItem: previousItem }); }); }, _rowIndex: function(row) { return this._content.children().index($(row)); }, _itemIndex: function(item) { return $.inArray(item, this.data); }, _finishUpdate: function($updatingRow, updatedItem, updatedItemIndex) { this.cancelEdit(); this.data[updatedItemIndex] = updatedItem; var $updatedRow = this._createRow(updatedItem, updatedItemIndex); $updatingRow.replaceWith($updatedRow); return $updatedRow; }, _getEditedItem: function() { var result = {}; this._eachField(function(field) { if(field.editing) { this._setItemFieldValue(result, field, field.editValue()); } }); return result; }, cancelEdit: function() { if(!this._editingRow) return; var $row = this._editingRow, editingItem = $row.data(JSGRID_ROW_DATA_KEY), editingItemIndex = this._itemIndex(editingItem); this._callEventHandler(this.onItemEditCancelling, { row: $row, item: editingItem, itemIndex: editingItemIndex }); this._getEditRow().remove(); this._editingRow.show(); this._editingRow = null; }, _getEditRow: function() { return this._editingRow && this._editingRow.data(JSGRID_EDIT_ROW_DATA_KEY); }, deleteItem: function(item) { var $row = this.rowByItem(item); if(!$row.length) return; if(this.confirmDeleting && !window.confirm(getOrApply(this.deleteConfirm, this, $row.data(JSGRID_ROW_DATA_KEY)))) return; return this._deleteRow($row); }, _deleteRow: function($row) { var deletingItem = $row.data(JSGRID_ROW_DATA_KEY), deletingItemIndex = this._itemIndex(deletingItem); var args = this._callEventHandler(this.onItemDeleting, { row: $row, item: deletingItem, itemIndex: deletingItemIndex }); return this._controllerCall("deleteItem", deletingItem, args.cancel, function() { this._loadStrategy.finishDelete(deletingItem, deletingItemIndex); this._callEventHandler(this.onItemDeleted, { row: $row, item: deletingItem, itemIndex: deletingItemIndex }); }); } }; $.fn.jsGrid = function(config) { var args = $.makeArray(arguments), methodArgs = args.slice(1), result = this; this.each(function() { var $element = $(this), instance = $element.data(JSGRID_DATA_KEY), methodResult; if(instance) { if(typeof config === "string") { methodResult = instance[config].apply(instance, methodArgs); if(methodResult !== undefined && methodResult !== instance) { result = methodResult; return false; } } else { instance._detachWindowResizeCallback(); instance._init(config); instance.render(); } } else { new Grid($element, config); } }); return result; }; var fields = {}; var setDefaults = function(config) { var componentPrototype; if($.isPlainObject(config)) { componentPrototype = Grid.prototype; } else { componentPrototype = fields[config].prototype; config = arguments[1] || {}; } $.extend(componentPrototype, config); }; var locales = {}; var locale = function(lang) { var localeConfig = $.isPlainObject(lang) ? lang : locales[lang]; if(!localeConfig) throw Error("unknown locale " + lang); setLocale(jsGrid, localeConfig); }; var setLocale = function(obj, localeConfig) { $.each(localeConfig, function(field, value) { if($.isPlainObject(value)) { setLocale(obj[field] || obj[field[0].toUpperCase() + field.slice(1)], value); return; } if(obj.hasOwnProperty(field)) { obj[field] = value; } else { obj.prototype[field] = value; } }); }; window.jsGrid = { Grid: Grid, fields: fields, setDefaults: setDefaults, locales: locales, locale: locale, version: "@VERSION" }; }(window, jQuery)); <MSG> Core: Add `var` for `args` in `renderTemplate` Fixes #672 <DFF> @@ -210,7 +210,7 @@ }, renderTemplate: function(source, context, config) { - args = []; + var args = []; for(var key in config) { args.push(config[key]); }
1
Core: Add `var` for `args` in `renderTemplate`
1
.js
core
mit
tabalinas/jsgrid
10063947
<NME> jsgrid.core.js <BEF> (function(window, $, undefined) { var JSGRID = "JSGrid", JSGRID_DATA_KEY = JSGRID, JSGRID_ROW_DATA_KEY = "JSGridItem", JSGRID_EDIT_ROW_DATA_KEY = "JSGridEditRow", SORT_ORDER_ASC = "asc", SORT_ORDER_DESC = "desc", FIRST_PAGE_PLACEHOLDER = "{first}", PAGES_PLACEHOLDER = "{pages}", PREV_PAGE_PLACEHOLDER = "{prev}", NEXT_PAGE_PLACEHOLDER = "{next}", LAST_PAGE_PLACEHOLDER = "{last}", PAGE_INDEX_PLACEHOLDER = "{pageIndex}", PAGE_COUNT_PLACEHOLDER = "{pageCount}", ITEM_COUNT_PLACEHOLDER = "{itemCount}", EMPTY_HREF = "javascript:void(0);"; var getOrApply = function(value, context) { if($.isFunction(value)) { return value.apply(context, $.makeArray(arguments).slice(2)); } return value; }; var normalizePromise = function(promise) { var d = $.Deferred(); if(promise && promise.then) { promise.then(function() { d.resolve.apply(d, arguments); }, function() { d.reject.apply(d, arguments); }); } else { d.resolve(promise); } return d.promise(); }; var defaultController = { loadData: $.noop, insertItem: $.noop, updateItem: $.noop, deleteItem: $.noop }; function Grid(element, config) { var $element = $(element); $element.data(JSGRID_DATA_KEY, this); this._container = $element; this.data = []; this.fields = []; this._editingRow = null; this._sortField = null; this._sortOrder = SORT_ORDER_ASC; this._firstDisplayingPage = 1; this._init(config); this.render(); } Grid.prototype = { width: "auto", height: "auto", updateOnResize: true, rowClass: $.noop, rowRenderer: null, rowClick: function(args) { if(this.editing) { this.editItem($(args.event.target).closest("tr")); } }, rowDoubleClick: $.noop, noDataContent: "Not found", noDataRowClass: "jsgrid-nodata-row", heading: true, headerRowRenderer: null, headerRowClass: "jsgrid-header-row", headerCellClass: "jsgrid-header-cell", filtering: false, filterRowRenderer: null, filterRowClass: "jsgrid-filter-row", inserting: false, insertRowLocation: "bottom", insertRowRenderer: null, insertRowClass: "jsgrid-insert-row", editing: false, editRowRenderer: null, editRowClass: "jsgrid-edit-row", confirmDeleting: true, deleteConfirm: "Are you sure?", selecting: true, selectedRowClass: "jsgrid-selected-row", oddRowClass: "jsgrid-row", evenRowClass: "jsgrid-alt-row", cellClass: "jsgrid-cell", sorting: false, sortableClass: "jsgrid-header-sortable", sortAscClass: "jsgrid-header-sort jsgrid-header-sort-asc", sortDescClass: "jsgrid-header-sort jsgrid-header-sort-desc", paging: false, pagerContainer: null, pageIndex: 1, pageSize: 20, pageButtonCount: 15, pagerFormat: "Pages: {first} {prev} {pages} {next} {last} &nbsp;&nbsp; {pageIndex} of {pageCount}", pagePrevText: "Prev", pageNextText: "Next", pageFirstText: "First", pageLastText: "Last", pageNavigatorNextText: "...", pageNavigatorPrevText: "...", pagerContainerClass: "jsgrid-pager-container", pagerClass: "jsgrid-pager", pagerNavButtonClass: "jsgrid-pager-nav-button", pagerNavButtonInactiveClass: "jsgrid-pager-nav-inactive-button", pageClass: "jsgrid-pager-page", currentPageClass: "jsgrid-pager-current-page", customLoading: false, pageLoading: false, autoload: false, controller: defaultController, loadIndication: true, loadIndicationDelay: 500, loadMessage: "Please, wait...", loadShading: true, invalidMessage: "Invalid data entered!", invalidNotify: function(args) { var messages = $.map(args.errors, function(error) { return error.message || null; }); window.alert([this.invalidMessage].concat(messages).join("\n")); }, onInit: $.noop, onRefreshing: $.noop, onRefreshed: $.noop, onPageChanged: $.noop, onItemDeleting: $.noop, onItemDeleted: $.noop, onItemInserting: $.noop, onItemInserted: $.noop, onItemEditing: $.noop, onItemEditCancelling: $.noop, onItemUpdating: $.noop, onItemUpdated: $.noop, onItemInvalid: $.noop, onDataLoading: $.noop, onDataLoaded: $.noop, onDataExporting: $.noop, onOptionChanging: $.noop, onOptionChanged: $.noop, onError: $.noop, invalidClass: "jsgrid-invalid", containerClass: "jsgrid", tableClass: "jsgrid-table", gridHeaderClass: "jsgrid-grid-header", gridBodyClass: "jsgrid-grid-body", _init: function(config) { $.extend(this, config); this._initLoadStrategy(); this._initController(); this._initFields(); this._attachWindowLoadResize(); this._attachWindowResizeCallback(); this._callEventHandler(this.onInit) }, loadStrategy: function() { return this.pageLoading ? new jsGrid.loadStrategies.PageLoadingStrategy(this) : new jsGrid.loadStrategies.DirectLoadingStrategy(this); }, _initLoadStrategy: function() { this._loadStrategy = getOrApply(this.loadStrategy, this); }, _initController: function() { }, renderTemplate: function(source, context, config) { args = []; for(var key in config) { args.push(config[key]); } } args.unshift(source, context); source = getOrApply.apply(null, args); return (source === undefined || source === null) ? "" : source; }, loadIndicator: function(config) { return new jsGrid.LoadIndicator(config); }, validation: function(config) { return jsGrid.Validation && new jsGrid.Validation(config); }, _initFields: function() { var self = this; self.fields = $.map(self.fields, function(field) { if($.isPlainObject(field)) { var fieldConstructor = (field.type && jsGrid.fields[field.type]) || jsGrid.Field; field = new fieldConstructor(field); } field._grid = self; return field; }); }, _attachWindowLoadResize: function() { $(window).on("load", $.proxy(this._refreshSize, this)); }, _attachWindowResizeCallback: function() { if(this.updateOnResize) { $(window).on("resize", $.proxy(this._refreshSize, this)); } }, _detachWindowResizeCallback: function() { $(window).off("resize", this._refreshSize); }, option: function(key, value) { var optionChangingEventArgs, optionChangedEventArgs; if(arguments.length === 1) return this[key]; optionChangingEventArgs = { option: key, oldValue: this[key], newValue: value }; this._callEventHandler(this.onOptionChanging, optionChangingEventArgs); this._handleOptionChange(optionChangingEventArgs.option, optionChangingEventArgs.newValue); optionChangedEventArgs = { option: optionChangingEventArgs.option, value: optionChangingEventArgs.newValue }; this._callEventHandler(this.onOptionChanged, optionChangedEventArgs); }, fieldOption: function(field, key, value) { field = this._normalizeField(field); if(arguments.length === 2) return field[key]; field[key] = value; this._renderGrid(); }, _handleOptionChange: function(name, value) { this[name] = value; switch(name) { case "width": case "height": this._refreshSize(); break; case "rowClass": case "rowRenderer": case "rowClick": case "rowDoubleClick": case "noDataRowClass": case "noDataContent": case "selecting": case "selectedRowClass": case "oddRowClass": case "evenRowClass": this._refreshContent(); break; case "pageButtonCount": case "pagerFormat": case "pagePrevText": case "pageNextText": case "pageFirstText": case "pageLastText": case "pageNavigatorNextText": case "pageNavigatorPrevText": case "pagerClass": case "pagerNavButtonClass": case "pageClass": case "currentPageClass": case "pagerRenderer": this._refreshPager(); break; case "fields": this._initFields(); this.render(); break; case "data": case "editing": case "heading": case "filtering": case "inserting": case "paging": this.refresh(); break; case "loadStrategy": case "pageLoading": this._initLoadStrategy(); this.search(); break; case "pageIndex": this.openPage(value); break; case "pageSize": this.refresh(); this.search(); break; case "editRowRenderer": case "editRowClass": this.cancelEdit(); break; case "updateOnResize": this._detachWindowResizeCallback(); this._attachWindowResizeCallback(); break; case "invalidNotify": case "invalidMessage": break; default: this.render(); break; } }, destroy: function() { this._detachWindowResizeCallback(); this._clear(); this._container.removeData(JSGRID_DATA_KEY); }, render: function() { this._renderGrid(); return this.autoload ? this.loadData() : $.Deferred().resolve().promise(); }, _renderGrid: function() { this._clear(); this._container.addClass(this.containerClass) .css("position", "relative") .append(this._createHeader()) .append(this._createBody()); this._pagerContainer = this._createPagerContainer(); this._loadIndicator = this._createLoadIndicator(); this._validation = this._createValidation(); this.refresh(); }, _createLoadIndicator: function() { return getOrApply(this.loadIndicator, this, { message: this.loadMessage, shading: this.loadShading, container: this._container }); }, _createValidation: function() { return getOrApply(this.validation, this); }, _clear: function() { this.cancelEdit(); clearTimeout(this._loadingTimer); this._pagerContainer && this._pagerContainer.empty(); this._container.empty() .css({ position: "", width: "", height: "" }); }, _createHeader: function() { var $headerRow = this._headerRow = this._createHeaderRow(), $filterRow = this._filterRow = this._createFilterRow(), $insertRow = this._insertRow = this._createInsertRow(); var $headerGrid = this._headerGrid = $("<table>").addClass(this.tableClass) .append($headerRow) .append($filterRow) .append($insertRow); var $header = this._header = $("<div>").addClass(this.gridHeaderClass) .addClass(this._scrollBarWidth() ? "jsgrid-header-scrollbar" : "") .append($headerGrid); return $header; }, _createBody: function() { var $content = this._content = $("<tbody>"); var $bodyGrid = this._bodyGrid = $("<table>").addClass(this.tableClass) .append($content); var $body = this._body = $("<div>").addClass(this.gridBodyClass) .append($bodyGrid) .on("scroll", $.proxy(function(e) { this._header.scrollLeft(e.target.scrollLeft); }, this)); return $body; }, _createPagerContainer: function() { var pagerContainer = this.pagerContainer || $("<div>").appendTo(this._container); return $(pagerContainer).addClass(this.pagerContainerClass); }, _eachField: function(callBack) { var self = this; $.each(this.fields, function(index, field) { if(field.visible) { callBack.call(self, field, index); } }); }, _createHeaderRow: function() { if($.isFunction(this.headerRowRenderer)) return $(this.renderTemplate(this.headerRowRenderer, this)); var $result = $("<tr>").addClass(this.headerRowClass); this._eachField(function(field, index) { var $th = this._prepareCell("<th>", field, "headercss", this.headerCellClass) .append(this.renderTemplate(field.headerTemplate, field)) .appendTo($result); if(this.sorting && field.sorting) { $th.addClass(this.sortableClass) .on("click", $.proxy(function() { this.sort(index); }, this)); } }); return $result; }, _prepareCell: function(cell, field, cssprop, cellClass) { return $(cell).css("width", field.width) .addClass(cellClass || this.cellClass) .addClass((cssprop && field[cssprop]) || field.css) .addClass(field.align ? ("jsgrid-align-" + field.align) : ""); }, _createFilterRow: function() { if($.isFunction(this.filterRowRenderer)) return $(this.renderTemplate(this.filterRowRenderer, this)); var $result = $("<tr>").addClass(this.filterRowClass); this._eachField(function(field) { this._prepareCell("<td>", field, "filtercss") .append(this.renderTemplate(field.filterTemplate, field)) .appendTo($result); }); return $result; }, _createInsertRow: function() { if($.isFunction(this.insertRowRenderer)) return $(this.renderTemplate(this.insertRowRenderer, this)); var $result = $("<tr>").addClass(this.insertRowClass); this._eachField(function(field) { this._prepareCell("<td>", field, "insertcss") .append(this.renderTemplate(field.insertTemplate, field)) .appendTo($result); }); return $result; }, _callEventHandler: function(handler, eventParams) { handler.call(this, $.extend(eventParams, { grid: this })); return eventParams; }, reset: function() { this._resetSorting(); this._resetPager(); return this._loadStrategy.reset(); }, _resetPager: function() { this._firstDisplayingPage = 1; this._setPage(1); }, _resetSorting: function() { this._sortField = null; this._sortOrder = SORT_ORDER_ASC; this._clearSortingCss(); }, refresh: function() { this._callEventHandler(this.onRefreshing); this.cancelEdit(); this._refreshHeading(); this._refreshFiltering(); this._refreshInserting(); this._refreshContent(); this._refreshPager(); this._refreshSize(); this._callEventHandler(this.onRefreshed); }, _refreshHeading: function() { this._headerRow.toggle(this.heading); }, _refreshFiltering: function() { this._filterRow.toggle(this.filtering); }, _refreshInserting: function() { this._insertRow.toggle(this.inserting); }, _refreshContent: function() { var $content = this._content; $content.empty(); if(!this.data.length) { $content.append(this._createNoDataRow()); return this; } var indexFrom = this._loadStrategy.firstDisplayIndex(); var indexTo = this._loadStrategy.lastDisplayIndex(); for(var itemIndex = indexFrom; itemIndex < indexTo; itemIndex++) { var item = this.data[itemIndex]; $content.append(this._createRow(item, itemIndex)); } }, _createNoDataRow: function() { var amountOfFields = 0; this._eachField(function() { amountOfFields++; }); return $("<tr>").addClass(this.noDataRowClass) .append($("<td>").addClass(this.cellClass).attr("colspan", amountOfFields) .append(this.renderTemplate(this.noDataContent, this))); }, _createRow: function(item, itemIndex) { var $result; if($.isFunction(this.rowRenderer)) { $result = this.renderTemplate(this.rowRenderer, this, { item: item, itemIndex: itemIndex }); } else { $result = $("<tr>"); this._renderCells($result, item); } $result.addClass(this._getRowClasses(item, itemIndex)) .data(JSGRID_ROW_DATA_KEY, item) .on("click", $.proxy(function(e) { this.rowClick({ item: item, itemIndex: itemIndex, event: e }); }, this)) .on("dblclick", $.proxy(function(e) { this.rowDoubleClick({ item: item, itemIndex: itemIndex, event: e }); }, this)); if(this.selecting) { this._attachRowHover($result); } return $result; }, _getRowClasses: function(item, itemIndex) { var classes = []; classes.push(((itemIndex + 1) % 2) ? this.oddRowClass : this.evenRowClass); classes.push(getOrApply(this.rowClass, this, item, itemIndex)); return classes.join(" "); }, _attachRowHover: function($row) { var selectedRowClass = this.selectedRowClass; $row.hover(function() { $(this).addClass(selectedRowClass); }, function() { $(this).removeClass(selectedRowClass); } ); }, _renderCells: function($row, item) { this._eachField(function(field) { $row.append(this._createCell(item, field)); }); return this; }, _createCell: function(item, field) { var $result; var fieldValue = this._getItemFieldValue(item, field); var args = { value: fieldValue, item : item }; if($.isFunction(field.cellRenderer)) { $result = this.renderTemplate(field.cellRenderer, field, args); } else { $result = $("<td>").append(this.renderTemplate(field.itemTemplate || fieldValue, field, args)); } return this._prepareCell($result, field); }, _getItemFieldValue: function(item, field) { var props = field.name.split('.'); var result = item[props.shift()]; while(result && props.length) { result = result[props.shift()]; } return result; }, _setItemFieldValue: function(item, field, value) { var props = field.name.split('.'); var current = item; var prop = props[0]; while(current && props.length) { item = current; prop = props.shift(); current = item[prop]; } if(!current) { while(props.length) { item = item[prop] = {}; prop = props.shift(); } } item[prop] = value; }, sort: function(field, order) { if($.isPlainObject(field)) { order = field.order; field = field.field; } this._clearSortingCss(); this._setSortingParams(field, order); this._setSortingCss(); return this._loadStrategy.sort(); }, _clearSortingCss: function() { this._headerRow.find("th") .removeClass(this.sortAscClass) .removeClass(this.sortDescClass); }, _setSortingParams: function(field, order) { field = this._normalizeField(field); order = order || ((this._sortField === field) ? this._reversedSortOrder(this._sortOrder) : SORT_ORDER_ASC); this._sortField = field; this._sortOrder = order; }, _normalizeField: function(field) { if($.isNumeric(field)) { return this.fields[field]; } if(typeof field === "string") { return $.grep(this.fields, function(f) { return f.name === field; })[0]; } return field; }, _reversedSortOrder: function(order) { return (order === SORT_ORDER_ASC ? SORT_ORDER_DESC : SORT_ORDER_ASC); }, _setSortingCss: function() { var fieldIndex = this._visibleFieldIndex(this._sortField); this._headerRow.find("th").eq(fieldIndex) .addClass(this._sortOrder === SORT_ORDER_ASC ? this.sortAscClass : this.sortDescClass); }, _visibleFieldIndex: function(field) { return $.inArray(field, $.grep(this.fields, function(f) { return f.visible; })); }, _sortData: function() { var sortFactor = this._sortFactor(), sortField = this._sortField; if(sortField) { var self = this; self.data.sort(function(item1, item2) { var value1 = self._getItemFieldValue(item1, sortField); var value2 = self._getItemFieldValue(item2, sortField); return sortFactor * sortField.sortingFunc(value1, value2); }); } }, _sortFactor: function() { return this._sortOrder === SORT_ORDER_ASC ? 1 : -1; }, _itemsCount: function() { return this._loadStrategy.itemsCount(); }, _pagesCount: function() { var itemsCount = this._itemsCount(), pageSize = this.pageSize; return Math.floor(itemsCount / pageSize) + (itemsCount % pageSize ? 1 : 0); }, _refreshPager: function() { var $pagerContainer = this._pagerContainer; $pagerContainer.empty(); if(this.paging) { $pagerContainer.append(this._createPager()); } var showPager = this.paging && this._pagesCount() > 1; $pagerContainer.toggle(showPager); }, _createPager: function() { var $result; if($.isFunction(this.pagerRenderer)) { $result = $(this.pagerRenderer({ pageIndex: this.pageIndex, pageCount: this._pagesCount() })); } else { $result = $("<div>").append(this._createPagerByFormat()); } $result.addClass(this.pagerClass); return $result; }, _createPagerByFormat: function() { var pageIndex = this.pageIndex, pageCount = this._pagesCount(), itemCount = this._itemsCount(), pagerParts = this.pagerFormat.split(" "); return $.map(pagerParts, $.proxy(function(pagerPart) { var result = pagerPart; if(pagerPart === PAGES_PLACEHOLDER) { result = this._createPages(); } else if(pagerPart === FIRST_PAGE_PLACEHOLDER) { result = this._createPagerNavButton(this.pageFirstText, 1, pageIndex > 1); } else if(pagerPart === PREV_PAGE_PLACEHOLDER) { result = this._createPagerNavButton(this.pagePrevText, pageIndex - 1, pageIndex > 1); } else if(pagerPart === NEXT_PAGE_PLACEHOLDER) { result = this._createPagerNavButton(this.pageNextText, pageIndex + 1, pageIndex < pageCount); } else if(pagerPart === LAST_PAGE_PLACEHOLDER) { result = this._createPagerNavButton(this.pageLastText, pageCount, pageIndex < pageCount); } else if(pagerPart === PAGE_INDEX_PLACEHOLDER) { result = pageIndex; } else if(pagerPart === PAGE_COUNT_PLACEHOLDER) { result = pageCount; } else if(pagerPart === ITEM_COUNT_PLACEHOLDER) { result = itemCount; } return $.isArray(result) ? result.concat([" "]) : [result, " "]; }, this)); }, _createPages: function() { var pageCount = this._pagesCount(), pageButtonCount = this.pageButtonCount, firstDisplayingPage = this._firstDisplayingPage, pages = []; if(firstDisplayingPage > 1) { pages.push(this._createPagerPageNavButton(this.pageNavigatorPrevText, this.showPrevPages)); } for(var i = 0, pageNumber = firstDisplayingPage; i < pageButtonCount && pageNumber <= pageCount; i++, pageNumber++) { pages.push(pageNumber === this.pageIndex ? this._createPagerCurrentPage() : this._createPagerPage(pageNumber)); } if((firstDisplayingPage + pageButtonCount - 1) < pageCount) { pages.push(this._createPagerPageNavButton(this.pageNavigatorNextText, this.showNextPages)); } return pages; }, _createPagerNavButton: function(text, pageIndex, isActive) { return this._createPagerButton(text, this.pagerNavButtonClass + (isActive ? "" : " " + this.pagerNavButtonInactiveClass), isActive ? function() { this.openPage(pageIndex); } : $.noop); }, _createPagerPageNavButton: function(text, handler) { return this._createPagerButton(text, this.pagerNavButtonClass, handler); }, _createPagerPage: function(pageIndex) { return this._createPagerButton(pageIndex, this.pageClass, function() { this.openPage(pageIndex); }); }, _createPagerButton: function(text, css, handler) { var $link = $("<a>").attr("href", EMPTY_HREF) .html(text) .on("click", $.proxy(handler, this)); return $("<span>").addClass(css).append($link); }, _createPagerCurrentPage: function() { return $("<span>") .addClass(this.pageClass) .addClass(this.currentPageClass) .text(this.pageIndex); }, _refreshSize: function() { this._refreshHeight(); this._refreshWidth(); }, _refreshWidth: function() { var width = (this.width === "auto") ? this._getAutoWidth() : this.width; this._container.width(width); }, _getAutoWidth: function() { var $headerGrid = this._headerGrid, $header = this._header; $headerGrid.width("auto"); var contentWidth = $headerGrid.outerWidth(); var borderWidth = $header.outerWidth() - $header.innerWidth(); $headerGrid.width(""); return contentWidth + borderWidth; }, _scrollBarWidth: (function() { var result; return function() { if(result === undefined) { var $ghostContainer = $("<div style='width:50px;height:50px;overflow:hidden;position:absolute;top:-10000px;left:-10000px;'></div>"); var $ghostContent = $("<div style='height:100px;'></div>"); $ghostContainer.append($ghostContent).appendTo("body"); var width = $ghostContent.innerWidth(); $ghostContainer.css("overflow-y", "auto"); var widthExcludingScrollBar = $ghostContent.innerWidth(); $ghostContainer.remove(); result = width - widthExcludingScrollBar; } return result; }; })(), _refreshHeight: function() { var container = this._container, pagerContainer = this._pagerContainer, height = this.height, nonBodyHeight; container.height(height); if(height !== "auto") { height = container.height(); nonBodyHeight = this._header.outerHeight(true); if(pagerContainer.parents(container).length) { nonBodyHeight += pagerContainer.outerHeight(true); } this._body.outerHeight(height - nonBodyHeight); } }, showPrevPages: function() { var firstDisplayingPage = this._firstDisplayingPage, pageButtonCount = this.pageButtonCount; this._firstDisplayingPage = (firstDisplayingPage > pageButtonCount) ? firstDisplayingPage - pageButtonCount : 1; this._refreshPager(); }, showNextPages: function() { var firstDisplayingPage = this._firstDisplayingPage, pageButtonCount = this.pageButtonCount, pageCount = this._pagesCount(); this._firstDisplayingPage = (firstDisplayingPage + 2 * pageButtonCount > pageCount) ? pageCount - pageButtonCount + 1 : firstDisplayingPage + pageButtonCount; this._refreshPager(); }, openPage: function(pageIndex) { if(pageIndex < 1 || pageIndex > this._pagesCount()) return; this._setPage(pageIndex); this._loadStrategy.openPage(pageIndex); }, _setPage: function(pageIndex) { var firstDisplayingPage = this._firstDisplayingPage, pageButtonCount = this.pageButtonCount; this.pageIndex = pageIndex; if(pageIndex < firstDisplayingPage) { this._firstDisplayingPage = pageIndex; } if(pageIndex > firstDisplayingPage + pageButtonCount - 1) { this._firstDisplayingPage = pageIndex - pageButtonCount + 1; } this._callEventHandler(this.onPageChanged, { pageIndex: pageIndex }); }, _controllerCall: function(method, param, isCanceled, doneCallback) { if(isCanceled) return $.Deferred().reject().promise(); this._showLoading(); var controller = this._controller; if(!controller || !controller[method]) { throw Error("controller has no method '" + method + "'"); } return normalizePromise(controller[method](param)) .done($.proxy(doneCallback, this)) .fail($.proxy(this._errorHandler, this)) .always($.proxy(this._hideLoading, this)); }, _errorHandler: function() { this._callEventHandler(this.onError, { args: $.makeArray(arguments) }); }, _showLoading: function() { if(!this.loadIndication) return; clearTimeout(this._loadingTimer); this._loadingTimer = setTimeout($.proxy(function() { this._loadIndicator.show(); }, this), this.loadIndicationDelay); }, _hideLoading: function() { if(!this.loadIndication) return; clearTimeout(this._loadingTimer); this._loadIndicator.hide(); }, search: function(filter) { this._resetSorting(); this._resetPager(); return this.loadData(filter); }, loadData: function(filter) { filter = filter || (this.filtering ? this.getFilter() : {}); $.extend(filter, this._loadStrategy.loadParams(), this._sortingParams()); var args = this._callEventHandler(this.onDataLoading, { filter: filter }); return this._controllerCall("loadData", filter, args.cancel, function(loadedData) { if(!loadedData) return; this._loadStrategy.finishLoad(loadedData); this._callEventHandler(this.onDataLoaded, { data: loadedData }); }); }, exportData: function(exportOptions){ var options = exportOptions || {}; var type = options.type || "csv"; var result = ""; this._callEventHandler(this.onDataExporting); switch(type){ case "csv": result = this._dataToCsv(options); break; } return result; }, _dataToCsv: function(options){ var options = options || {}; var includeHeaders = options.hasOwnProperty("includeHeaders") ? options.includeHeaders : true; var subset = options.subset || "all"; var filter = options.filter || undefined; var result = []; if (includeHeaders){ var fieldsLength = this.fields.length; var fieldNames = {}; for(var i=0;i<fieldsLength;i++){ var field = this.fields[i]; if ("includeInDataExport" in field){ if (field.includeInDataExport === true) fieldNames[i] = field.title || field.name; } } var headerLine = this._itemToCsv(fieldNames,{},options); result.push(headerLine); } var exportStartIndex = 0; var exportEndIndex = this.data.length; switch(subset){ case "visible": exportEndIndex = this._firstDisplayingPage * this.pageSize; exportStartIndex = exportEndIndex - this.pageSize; case "all": default: break; } for (var i = exportStartIndex; i < exportEndIndex; i++){ var item = this.data[i]; var itemLine = ""; var includeItem = true; if (filter) if (!filter(item)) includeItem = false; if (includeItem){ itemLine = this._itemToCsv(item, this.fields, options); result.push(itemLine); } } return result.join(""); }, _itemToCsv: function(item, fields, options){ var options = options || {}; var delimiter = options.delimiter || "|"; var encapsulate = options.hasOwnProperty("encapsulate") ? options.encapsulate : true; var newline = options.newline || "\r\n"; var transforms = options.transforms || {}; var fields = fields || {}; var getItem = this._getItemFieldValue; var result = []; Object.keys(item).forEach(function(key,index) { var entry = ""; //Fields.length is greater than 0 when we are matching agaisnt fields //Field.length will be 0 when exporting header rows if (fields.length > 0){ var field = fields[index]; //Field may be excluded from data export if ("includeInDataExport" in field){ if (field.includeInDataExport){ //Field may be a select, which requires additional logic if (field.type === "select"){ var selectedItem = getItem(item, field); var resultItem = $.grep(field.items, function(item, index) { return item[field.valueField] === selectedItem; })[0] || ""; entry = resultItem[field.textField]; } else{ entry = getItem(item, field); } } else{ return; } } else{ entry = getItem(item, field); } if (transforms.hasOwnProperty(field.name)){ entry = transforms[field.name](entry); } } else{ entry = item[key]; } if (encapsulate){ entry = '"'+entry+'"'; } result.push(entry); }); return result.join(delimiter) + newline; }, getFilter: function() { var result = {}; this._eachField(function(field) { if(field.filtering) { this._setItemFieldValue(result, field, field.filterValue()); } }); return result; }, _sortingParams: function() { if(this.sorting && this._sortField) { return { sortField: this._sortField.name, sortOrder: this._sortOrder }; } return {}; }, getSorting: function() { var sortingParams = this._sortingParams(); return { field: sortingParams.sortField, order: sortingParams.sortOrder }; }, clearFilter: function() { var $filterRow = this._createFilterRow(); this._filterRow.replaceWith($filterRow); this._filterRow = $filterRow; return this.search(); }, insertItem: function(item) { var insertingItem = item || this._getValidatedInsertItem(); if(!insertingItem) return $.Deferred().reject().promise(); var args = this._callEventHandler(this.onItemInserting, { item: insertingItem }); return this._controllerCall("insertItem", insertingItem, args.cancel, function(insertedItem) { insertedItem = insertedItem || insertingItem; this._loadStrategy.finishInsert(insertedItem, this.insertRowLocation); this._callEventHandler(this.onItemInserted, { item: insertedItem }); }); }, _getValidatedInsertItem: function() { var item = this._getInsertItem(); return this._validateItem(item, this._insertRow) ? item : null; }, _getInsertItem: function() { var result = {}; this._eachField(function(field) { if(field.inserting) { this._setItemFieldValue(result, field, field.insertValue()); } }); return result; }, _validateItem: function(item, $row) { var validationErrors = []; var args = { item: item, itemIndex: this._rowIndex($row), row: $row }; this._eachField(function(field) { if(!field.validate || ($row === this._insertRow && !field.inserting) || ($row === this._getEditRow() && !field.editing)) return; var fieldValue = this._getItemFieldValue(item, field); var errors = this._validation.validate($.extend({ value: fieldValue, rules: field.validate }, args)); this._setCellValidity($row.children().eq(this._visibleFieldIndex(field)), errors); if(!errors.length) return; validationErrors.push.apply(validationErrors, $.map(errors, function(message) { return { field: field, message: message }; })); }); if(!validationErrors.length) return true; var invalidArgs = $.extend({ errors: validationErrors }, args); this._callEventHandler(this.onItemInvalid, invalidArgs); this.invalidNotify(invalidArgs); return false; }, _setCellValidity: function($cell, errors) { $cell .toggleClass(this.invalidClass, !!errors.length) .attr("title", errors.join("\n")); }, clearInsert: function() { var insertRow = this._createInsertRow(); this._insertRow.replaceWith(insertRow); this._insertRow = insertRow; this.refresh(); }, editItem: function(item) { var $row = this.rowByItem(item); if($row.length) { this._editRow($row); } }, rowByItem: function(item) { if(item.jquery || item.nodeType) return $(item); return this._content.find("tr").filter(function() { return $.data(this, JSGRID_ROW_DATA_KEY) === item; }); }, _editRow: function($row) { if(!this.editing) return; var item = $row.data(JSGRID_ROW_DATA_KEY); var args = this._callEventHandler(this.onItemEditing, { row: $row, item: item, itemIndex: this._itemIndex(item) }); if(args.cancel) return; if(this._editingRow) { this.cancelEdit(); } var $editRow = this._createEditRow(item); this._editingRow = $row; $row.hide(); $editRow.insertBefore($row); $row.data(JSGRID_EDIT_ROW_DATA_KEY, $editRow); }, _createEditRow: function(item) { if($.isFunction(this.editRowRenderer)) { return $(this.renderTemplate(this.editRowRenderer, this, { item: item, itemIndex: this._itemIndex(item) })); } var $result = $("<tr>").addClass(this.editRowClass); this._eachField(function(field) { var fieldValue = this._getItemFieldValue(item, field); this._prepareCell("<td>", field, "editcss") .append(this.renderTemplate(field.editTemplate || "", field, { value: fieldValue, item: item })) .appendTo($result); }); return $result; }, updateItem: function(item, editedItem) { if(arguments.length === 1) { editedItem = item; } var $row = item ? this.rowByItem(item) : this._editingRow; editedItem = editedItem || this._getValidatedEditedItem(); if(!editedItem) return; return this._updateRow($row, editedItem); }, _getValidatedEditedItem: function() { var item = this._getEditedItem(); return this._validateItem(item, this._getEditRow()) ? item : null; }, _updateRow: function($updatingRow, editedItem) { var updatingItem = $updatingRow.data(JSGRID_ROW_DATA_KEY), updatingItemIndex = this._itemIndex(updatingItem), updatedItem = $.extend(true, {}, updatingItem, editedItem); var args = this._callEventHandler(this.onItemUpdating, { row: $updatingRow, item: updatedItem, itemIndex: updatingItemIndex, previousItem: updatingItem }); return this._controllerCall("updateItem", updatedItem, args.cancel, function(loadedUpdatedItem) { var previousItem = $.extend(true, {}, updatingItem); updatedItem = loadedUpdatedItem || $.extend(true, updatingItem, editedItem); var $updatedRow = this._finishUpdate($updatingRow, updatedItem, updatingItemIndex); this._callEventHandler(this.onItemUpdated, { row: $updatedRow, item: updatedItem, itemIndex: updatingItemIndex, previousItem: previousItem }); }); }, _rowIndex: function(row) { return this._content.children().index($(row)); }, _itemIndex: function(item) { return $.inArray(item, this.data); }, _finishUpdate: function($updatingRow, updatedItem, updatedItemIndex) { this.cancelEdit(); this.data[updatedItemIndex] = updatedItem; var $updatedRow = this._createRow(updatedItem, updatedItemIndex); $updatingRow.replaceWith($updatedRow); return $updatedRow; }, _getEditedItem: function() { var result = {}; this._eachField(function(field) { if(field.editing) { this._setItemFieldValue(result, field, field.editValue()); } }); return result; }, cancelEdit: function() { if(!this._editingRow) return; var $row = this._editingRow, editingItem = $row.data(JSGRID_ROW_DATA_KEY), editingItemIndex = this._itemIndex(editingItem); this._callEventHandler(this.onItemEditCancelling, { row: $row, item: editingItem, itemIndex: editingItemIndex }); this._getEditRow().remove(); this._editingRow.show(); this._editingRow = null; }, _getEditRow: function() { return this._editingRow && this._editingRow.data(JSGRID_EDIT_ROW_DATA_KEY); }, deleteItem: function(item) { var $row = this.rowByItem(item); if(!$row.length) return; if(this.confirmDeleting && !window.confirm(getOrApply(this.deleteConfirm, this, $row.data(JSGRID_ROW_DATA_KEY)))) return; return this._deleteRow($row); }, _deleteRow: function($row) { var deletingItem = $row.data(JSGRID_ROW_DATA_KEY), deletingItemIndex = this._itemIndex(deletingItem); var args = this._callEventHandler(this.onItemDeleting, { row: $row, item: deletingItem, itemIndex: deletingItemIndex }); return this._controllerCall("deleteItem", deletingItem, args.cancel, function() { this._loadStrategy.finishDelete(deletingItem, deletingItemIndex); this._callEventHandler(this.onItemDeleted, { row: $row, item: deletingItem, itemIndex: deletingItemIndex }); }); } }; $.fn.jsGrid = function(config) { var args = $.makeArray(arguments), methodArgs = args.slice(1), result = this; this.each(function() { var $element = $(this), instance = $element.data(JSGRID_DATA_KEY), methodResult; if(instance) { if(typeof config === "string") { methodResult = instance[config].apply(instance, methodArgs); if(methodResult !== undefined && methodResult !== instance) { result = methodResult; return false; } } else { instance._detachWindowResizeCallback(); instance._init(config); instance.render(); } } else { new Grid($element, config); } }); return result; }; var fields = {}; var setDefaults = function(config) { var componentPrototype; if($.isPlainObject(config)) { componentPrototype = Grid.prototype; } else { componentPrototype = fields[config].prototype; config = arguments[1] || {}; } $.extend(componentPrototype, config); }; var locales = {}; var locale = function(lang) { var localeConfig = $.isPlainObject(lang) ? lang : locales[lang]; if(!localeConfig) throw Error("unknown locale " + lang); setLocale(jsGrid, localeConfig); }; var setLocale = function(obj, localeConfig) { $.each(localeConfig, function(field, value) { if($.isPlainObject(value)) { setLocale(obj[field] || obj[field[0].toUpperCase() + field.slice(1)], value); return; } if(obj.hasOwnProperty(field)) { obj[field] = value; } else { obj.prototype[field] = value; } }); }; window.jsGrid = { Grid: Grid, fields: fields, setDefaults: setDefaults, locales: locales, locale: locale, version: "@VERSION" }; }(window, jQuery)); <MSG> Core: Add `var` for `args` in `renderTemplate` Fixes #672 <DFF> @@ -210,7 +210,7 @@ }, renderTemplate: function(source, context, config) { - args = []; + var args = []; for(var key in config) { args.push(config[key]); }
1
Core: Add `var` for `args` in `renderTemplate`
1
.js
core
mit
tabalinas/jsgrid
10063948
<NME> TextEditorOptions.cs <BEF> // Copyright (c) 2014 AlphaSierraPapa for the SharpDevelop Team // // Permission is hereby granted, free of charge, to any person obtaining a copy of this // software and associated documentation files (the "Software"), to deal in the Software // without restriction, including without limitation the rights to use, copy, modify, merge, // publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons // to whom the Software is furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in all copies or // substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, // INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR // PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE // FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR // OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER // DEALINGS IN THE SOFTWARE. using System; using System.Collections.Generic; using System.ComponentModel; using System.Reflection; namespace AvaloniaEdit { /// <summary> /// A container for the text editor options. /// </summary> public class TextEditorOptions : INotifyPropertyChanged { #region ctor /// <summary> /// Initializes an empty instance of TextEditorOptions. /// </summary> public TextEditorOptions() { } /// <summary> /// Initializes a new instance of TextEditorOptions by copying all values /// from <paramref name="options"/> to the new instance. /// </summary> public TextEditorOptions(TextEditorOptions options) { // get all the fields in the class var fields = typeof(TextEditorOptions).GetRuntimeFields(); // copy each value over to 'this' foreach (FieldInfo fi in fields) { if (!fi.IsStatic) fi.SetValue(this, fi.GetValue(options)); } } #endregion #region PropertyChanged handling /// <inheritdoc/> public event PropertyChangedEventHandler PropertyChanged; /// <summary> /// Raises the PropertyChanged event. /// </summary> /// <param name="propertyName">The name of the changed property.</param> protected void OnPropertyChanged(string propertyName) { var args = new PropertyChangedEventArgs(propertyName); OnPropertyChanged(args); } /// <summary> /// Raises the PropertyChanged event. /// </summary> protected virtual void OnPropertyChanged(PropertyChangedEventArgs e) { PropertyChanged?.Invoke(this, e); } #endregion #region ShowSpaces / ShowTabs / ShowEndOfLine / ShowBoxForControlCharacters private bool _showSpaces; /// <summary> /// Gets/Sets whether to show a visible glyph for spaces. The glyph displayed can be set via <see cref="ShowSpacesGlyph" /> /// </summary> /// <remarks>The default value is <c>false</c>.</remarks> [DefaultValue(false)] public virtual bool ShowSpaces { get { return _showSpaces; } set { if (_showSpaces != value) { _showSpaces = value; OnPropertyChanged(nameof(ShowSpaces)); } } } private string _showSpacesGlyph = "\u00B7"; /// <summary> /// Gets/Sets the char to show when ShowSpaces option is enabled /// </summary> /// <remarks>The default value is <c>·</c>.</remarks> [DefaultValue("\u00B7")] public virtual string ShowSpacesGlyph { get { return _showSpacesGlyph; } set { if (_showSpacesGlyph != value) { _showSpacesGlyph = value; OnPropertyChanged(nameof(ShowSpacesGlyph)); } } } private bool _showTabs; /// <summary> /// Gets/Sets whether to show a visible glyph for tab. The glyph displayed can be set via <see cref="ShowTabsGlyph" /> /// </summary> /// <remarks>The default value is <c>false</c>.</remarks> [DefaultValue(false)] public virtual bool ShowTabs { get { return _showTabs; } set { if (_showTabs != value) { _showTabs = value; OnPropertyChanged(nameof(ShowTabs)); } } } private string _showTabsGlyph = "\u2192"; /// <summary> /// Gets/Sets the char to show when ShowTabs option is enabled /// </summary> /// <remarks>The default value is <c>→</c>.</remarks> [DefaultValue("\u2192")] public virtual string ShowTabsGlyph { get { return _showTabsGlyph; } set { if (_showTabsGlyph != value) { _showTabsGlyph = value; OnPropertyChanged(nameof(ShowTabsGlyph)); } } } private bool _showEndOfLine; /// <summary> /// Gets/Sets whether to show EOL char at the end of lines. The glyphs displayed can be set via <see cref="EndOfLineCRLFGlyph" />, <see cref="EndOfLineCRGlyph" /> and <see cref="EndOfLineLFGlyph" />. /// </summary> /// <remarks>The default value is <c>false</c>.</remarks> [DefaultValue(false)] public virtual bool ShowEndOfLine { get { return _showEndOfLine; } set { if (_showEndOfLine != value) { _showEndOfLine = value; OnPropertyChanged(nameof(ShowEndOfLine)); } } } private string _endOfLineCRLFGlyph = "¶"; /// <summary> /// Gets/Sets the char to show for CRLF (\r\n) when ShowEndOfLine option is enabled /// </summary> /// <remarks>The default value is <c>¶</c>.</remarks> [DefaultValue("¶")] public virtual string EndOfLineCRLFGlyph { get { return _endOfLineCRLFGlyph; } set { if (_endOfLineCRLFGlyph != value) { _endOfLineCRLFGlyph = value; OnPropertyChanged(nameof(EndOfLineCRLFGlyph)); } } } private string _endOfLineCRGlyph = "\\r"; /// <summary> /// Gets/Sets the char to show for CR (\r) when ShowEndOfLine option is enabled /// </summary> /// <remarks>The default value is <c>\r</c>.</remarks> [DefaultValue("\\r")] public virtual string EndOfLineCRGlyph { get { return _endOfLineCRGlyph; } set { if (_endOfLineCRGlyph != value) { _endOfLineCRGlyph = value; OnPropertyChanged(nameof(EndOfLineCRGlyph)); } } } private string _endOfLineLFGlyph = "\\n"; /// <summary> /// Gets/Sets the char to show for LF (\n) when ShowEndOfLine option is enabled /// </summary> /// <remarks>The default value is <c>\n</c>.</remarks> [DefaultValue("\\n")] public virtual string EndOfLineLFGlyph { get { return _endOfLineLFGlyph; } set { if (_endOfLineLFGlyph != value) { _endOfLineLFGlyph = value; OnPropertyChanged(nameof(EndOfLineLFGlyph)); } } } private bool _showBoxForControlCharacters = true; /// <summary> /// Gets/Sets whether to show a box with the hex code for control characters. /// </summary> /// <remarks>The default value is <c>true</c>.</remarks> [DefaultValue(true)] public virtual bool ShowBoxForControlCharacters { get { return _showBoxForControlCharacters; } set { if (_showBoxForControlCharacters != value) { _showBoxForControlCharacters = value; OnPropertyChanged(nameof(ShowBoxForControlCharacters)); } } } #endregion #region EnableHyperlinks private bool _enableHyperlinks = true; /// <summary> /// Gets/Sets whether to enable clickable hyperlinks in the editor. /// </summary> /// <remarks>The default value is <c>true</c>.</remarks> [DefaultValue(true)] public virtual bool EnableHyperlinks { get { return _enableHyperlinks; } set { if (_enableHyperlinks != value) { _enableHyperlinks = value; OnPropertyChanged(nameof(EnableHyperlinks)); } } } private bool _enableEmailHyperlinks = true; /// <summary> /// Gets/Sets whether to enable clickable hyperlinks for e-mail addresses in the editor. /// </summary> /// <remarks>The default value is <c>true</c>.</remarks> [DefaultValue(true)] public virtual bool EnableEmailHyperlinks { get { return _enableEmailHyperlinks; } set { if (_enableEmailHyperlinks != value) { _enableEmailHyperlinks = value; OnPropertyChanged(nameof(EnableEmailHyperlinks)); } } } private bool _requireControlModifierForHyperlinkClick = true; /// <summary> /// Gets/Sets whether the user needs to press Control to click hyperlinks. /// The default value is true. /// </summary> /// <remarks>The default value is <c>true</c>.</remarks> [DefaultValue(true)] public virtual bool RequireControlModifierForHyperlinkClick { get { return _requireControlModifierForHyperlinkClick; } set { if (_requireControlModifierForHyperlinkClick != value) { _requireControlModifierForHyperlinkClick = value; OnPropertyChanged(nameof(RequireControlModifierForHyperlinkClick)); } } } #endregion #region TabSize / IndentationSize / ConvertTabsToSpaces / GetIndentationString // I'm using '_' prefixes for the fields here to avoid confusion with the local variables // in the methods below. // The fields should be accessed only by their property - the fields might not be used // if someone overrides the property. private int _indentationSize = 4; /// <summary> /// Gets/Sets the width of one indentation unit. /// </summary> /// <remarks>The default value is 4.</remarks> [DefaultValue(4)] public virtual int IndentationSize { get => _indentationSize; set { if (value < 1) throw new ArgumentOutOfRangeException(nameof(value), value, "value must be positive"); // sanity check; a too large value might cause a crash internally much later // (it only crashed in the hundred thousands for me; but might crash earlier with larger fonts) if (value > 1000) throw new ArgumentOutOfRangeException(nameof(value), value, "indentation size is too large"); if (_indentationSize != value) { _indentationSize = value; OnPropertyChanged(nameof(IndentationSize)); OnPropertyChanged(nameof(IndentationString)); } } } private bool _convertTabsToSpaces; /// <summary> /// Gets/Sets whether to use spaces for indentation instead of tabs. /// </summary> /// <remarks>The default value is <c>false</c>.</remarks> [DefaultValue(false)] public virtual bool ConvertTabsToSpaces { get { return _convertTabsToSpaces; } set { if (_convertTabsToSpaces != value) { _convertTabsToSpaces = value; OnPropertyChanged(nameof(ConvertTabsToSpaces)); OnPropertyChanged(nameof(IndentationString)); } } } /// <summary> /// Gets the text used for indentation. /// </summary> [System.Diagnostics.CodeAnalysis.SuppressMessage("Microsoft.Naming", "CA1721:PropertyNamesShouldNotMatchGetMethods")] public string IndentationString => GetIndentationString(1); /// <summary> /// Gets text required to indent from the specified <paramref name="column"/> to the next indentation level. /// </summary> public virtual string GetIndentationString(int column) { if (column < 1) throw new ArgumentOutOfRangeException(nameof(column), column, "Value must be at least 1."); int indentationSize = IndentationSize; if (ConvertTabsToSpaces) { return new string(' ', indentationSize - ((column - 1) % indentationSize)); } else { return "\t"; } } #endregion private bool _cutCopyWholeLine = true; /// <summary> /// Gets/Sets whether copying without a selection copies the whole current line. /// </summary> [DefaultValue(true)] public virtual bool CutCopyWholeLine { get { return _cutCopyWholeLine; } set { if (_cutCopyWholeLine != value) { _cutCopyWholeLine = value; OnPropertyChanged(nameof(CutCopyWholeLine)); } } } private bool _allowScrollBelowDocument = true; /// <summary> /// Gets/Sets whether the user can scroll below the bottom of the document. /// The default value is true; but it a good idea to set this property to true when using folding. /// </summary> [DefaultValue(true)] public virtual bool AllowScrollBelowDocument { get { return _allowScrollBelowDocument; } set { if (_allowScrollBelowDocument != value) { _allowScrollBelowDocument = value; OnPropertyChanged(nameof(AllowScrollBelowDocument)); } } } private double _wordWrapIndentation; /// <summary> /// Gets/Sets the indentation used for all lines except the first when word-wrapping. /// The default value is 0. /// </summary> [DefaultValue(0.0)] public virtual double WordWrapIndentation { get => _wordWrapIndentation; set { if (double.IsNaN(value) || double.IsInfinity(value)) throw new ArgumentOutOfRangeException(nameof(value), value, "value must not be NaN/infinity"); if (value != _wordWrapIndentation) { _wordWrapIndentation = value; OnPropertyChanged(nameof(WordWrapIndentation)); } } } private bool _inheritWordWrapIndentation = true; /// <summary> /// Gets/Sets whether the indentation is inherited from the first line when word-wrapping. /// The default value is true. /// </summary> /// <remarks>When combined with <see cref="WordWrapIndentation"/>, the inherited indentation is added to the word wrap indentation.</remarks> [DefaultValue(true)] public virtual bool InheritWordWrapIndentation { get { return _inheritWordWrapIndentation; } set { if (value != _inheritWordWrapIndentation) { _inheritWordWrapIndentation = value; OnPropertyChanged(nameof(InheritWordWrapIndentation)); } } } private bool _enableRectangularSelection = true; /// <summary> /// Enables rectangular selection (press ALT and select a rectangle) /// </summary> [DefaultValue(true)] public bool EnableRectangularSelection { get { return _enableRectangularSelection; } set { if (_enableRectangularSelection != value) { _enableRectangularSelection = value; OnPropertyChanged(nameof(EnableRectangularSelection)); } } } private bool _enableTextDragDrop = true; /// <summary> /// Enable dragging text within the text area. /// </summary> [DefaultValue(true)] public bool EnableTextDragDrop { get { return _enableTextDragDrop; } set { if (_enableTextDragDrop != value) { _enableTextDragDrop = value; OnPropertyChanged(nameof(EnableTextDragDrop)); } } } private bool _enableVirtualSpace; /// <summary> /// Gets/Sets whether the user can set the caret behind the line ending /// (into "virtual space"). /// Note that virtual space is always used (independent from this setting) /// when doing rectangle selections. /// </summary> [DefaultValue(false)] public virtual bool EnableVirtualSpace { get { return _enableVirtualSpace; } set { if (_enableVirtualSpace != value) { _enableVirtualSpace = value; OnPropertyChanged(nameof(EnableVirtualSpace)); } } } private bool _enableImeSupport = true; /// <summary> /// Gets/Sets whether the support for Input Method Editors (IME) /// for non-alphanumeric scripts (Chinese, Japanese, Korean, ...) is enabled. /// </summary> [DefaultValue(true)] public virtual bool EnableImeSupport { get { return _enableImeSupport; } } } } } } OnPropertyChanged(nameof(ShowColumnRulers)); } } } private IEnumerable<int> _columnRulerPositions = new List<int>() { 80 }; /// <summary> /// Gets/Sets the positions the column rulers should be shown. /// </summary> public virtual IEnumerable<int> ColumnRulerPositions { get { return _columnRulerPositions; } set { if (_columnRulerPositions != value) { _columnRulerPositions = value; OnPropertyChanged(nameof(ColumnRulerPositions)); } } } private bool _highlightCurrentLine; /// <summary> /// Gets/Sets if current line should be shown. /// </summary> [DefaultValue(false)] public virtual bool HighlightCurrentLine { get { return _highlightCurrentLine; } set { if (_highlightCurrentLine != value) { _highlightCurrentLine = value; OnPropertyChanged(nameof(HighlightCurrentLine)); } } } private bool _hideCursorWhileTyping = true; /// <summary> /// Gets/Sets if mouse cursor should be hidden while user is typing. /// </summary> [DefaultValue(true)] public bool HideCursorWhileTyping { get { return _hideCursorWhileTyping; } set { if (_hideCursorWhileTyping != value) { _hideCursorWhileTyping = value; OnPropertyChanged(nameof(HideCursorWhileTyping)); } } } private bool _allowToggleOverstrikeMode; /// <summary> /// Gets/Sets if the user is allowed to enable/disable overstrike mode. /// </summary> [DefaultValue(false)] public bool AllowToggleOverstrikeMode { get { return _allowToggleOverstrikeMode; } set { if (_allowToggleOverstrikeMode != value) { _allowToggleOverstrikeMode = value; OnPropertyChanged(nameof(AllowToggleOverstrikeMode)); } } } private bool _extendSelectionOnMouseUp = true; /// <summary> /// Gets/Sets if the mouse up event should extend the editor selection to the mouse position. /// </summary> [DefaultValue(true)] public bool ExtendSelectionOnMouseUp { get { return _extendSelectionOnMouseUp; } set { if (_extendSelectionOnMouseUp != value) { _extendSelectionOnMouseUp = value; OnPropertyChanged(nameof(ExtendSelectionOnMouseUp)); } } } } } <MSG> Add an option to avoid extend selection on mouse up This is useful when the textbox adds some scroll animations on pointer down, which causes unwanted selections when the mouse button is released. Note that Visual Studio (and Visual Studio Code) don't update the selection on mouse up, so the option makes sense. <DFF> @@ -558,5 +558,24 @@ namespace AvaloniaEdit } } } + + private bool _extendSelectionOnMouseUp = true; + + /// <summary> + /// Gets/Sets if the mouse up event should extend the editor selection to the mouse position. + /// </summary> + [DefaultValue(true)] + public bool ExtendSelectionOnMouseUp + { + get { return _extendSelectionOnMouseUp; } + set + { + if (_extendSelectionOnMouseUp != value) + { + _extendSelectionOnMouseUp = value; + OnPropertyChanged("ExtendSelectionOnMouseUp"); + } + } + } } }
19
Add an option to avoid extend selection on mouse up
0
.cs
cs
mit
AvaloniaUI/AvaloniaEdit
10063949
<NME> TextEditorOptions.cs <BEF> // Copyright (c) 2014 AlphaSierraPapa for the SharpDevelop Team // // Permission is hereby granted, free of charge, to any person obtaining a copy of this // software and associated documentation files (the "Software"), to deal in the Software // without restriction, including without limitation the rights to use, copy, modify, merge, // publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons // to whom the Software is furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in all copies or // substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, // INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR // PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE // FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR // OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER // DEALINGS IN THE SOFTWARE. using System; using System.Collections.Generic; using System.ComponentModel; using System.Reflection; namespace AvaloniaEdit { /// <summary> /// A container for the text editor options. /// </summary> public class TextEditorOptions : INotifyPropertyChanged { #region ctor /// <summary> /// Initializes an empty instance of TextEditorOptions. /// </summary> public TextEditorOptions() { } /// <summary> /// Initializes a new instance of TextEditorOptions by copying all values /// from <paramref name="options"/> to the new instance. /// </summary> public TextEditorOptions(TextEditorOptions options) { // get all the fields in the class var fields = typeof(TextEditorOptions).GetRuntimeFields(); // copy each value over to 'this' foreach (FieldInfo fi in fields) { if (!fi.IsStatic) fi.SetValue(this, fi.GetValue(options)); } } #endregion #region PropertyChanged handling /// <inheritdoc/> public event PropertyChangedEventHandler PropertyChanged; /// <summary> /// Raises the PropertyChanged event. /// </summary> /// <param name="propertyName">The name of the changed property.</param> protected void OnPropertyChanged(string propertyName) { var args = new PropertyChangedEventArgs(propertyName); OnPropertyChanged(args); } /// <summary> /// Raises the PropertyChanged event. /// </summary> protected virtual void OnPropertyChanged(PropertyChangedEventArgs e) { PropertyChanged?.Invoke(this, e); } #endregion #region ShowSpaces / ShowTabs / ShowEndOfLine / ShowBoxForControlCharacters private bool _showSpaces; /// <summary> /// Gets/Sets whether to show a visible glyph for spaces. The glyph displayed can be set via <see cref="ShowSpacesGlyph" /> /// </summary> /// <remarks>The default value is <c>false</c>.</remarks> [DefaultValue(false)] public virtual bool ShowSpaces { get { return _showSpaces; } set { if (_showSpaces != value) { _showSpaces = value; OnPropertyChanged(nameof(ShowSpaces)); } } } private string _showSpacesGlyph = "\u00B7"; /// <summary> /// Gets/Sets the char to show when ShowSpaces option is enabled /// </summary> /// <remarks>The default value is <c>·</c>.</remarks> [DefaultValue("\u00B7")] public virtual string ShowSpacesGlyph { get { return _showSpacesGlyph; } set { if (_showSpacesGlyph != value) { _showSpacesGlyph = value; OnPropertyChanged(nameof(ShowSpacesGlyph)); } } } private bool _showTabs; /// <summary> /// Gets/Sets whether to show a visible glyph for tab. The glyph displayed can be set via <see cref="ShowTabsGlyph" /> /// </summary> /// <remarks>The default value is <c>false</c>.</remarks> [DefaultValue(false)] public virtual bool ShowTabs { get { return _showTabs; } set { if (_showTabs != value) { _showTabs = value; OnPropertyChanged(nameof(ShowTabs)); } } } private string _showTabsGlyph = "\u2192"; /// <summary> /// Gets/Sets the char to show when ShowTabs option is enabled /// </summary> /// <remarks>The default value is <c>→</c>.</remarks> [DefaultValue("\u2192")] public virtual string ShowTabsGlyph { get { return _showTabsGlyph; } set { if (_showTabsGlyph != value) { _showTabsGlyph = value; OnPropertyChanged(nameof(ShowTabsGlyph)); } } } private bool _showEndOfLine; /// <summary> /// Gets/Sets whether to show EOL char at the end of lines. The glyphs displayed can be set via <see cref="EndOfLineCRLFGlyph" />, <see cref="EndOfLineCRGlyph" /> and <see cref="EndOfLineLFGlyph" />. /// </summary> /// <remarks>The default value is <c>false</c>.</remarks> [DefaultValue(false)] public virtual bool ShowEndOfLine { get { return _showEndOfLine; } set { if (_showEndOfLine != value) { _showEndOfLine = value; OnPropertyChanged(nameof(ShowEndOfLine)); } } } private string _endOfLineCRLFGlyph = "¶"; /// <summary> /// Gets/Sets the char to show for CRLF (\r\n) when ShowEndOfLine option is enabled /// </summary> /// <remarks>The default value is <c>¶</c>.</remarks> [DefaultValue("¶")] public virtual string EndOfLineCRLFGlyph { get { return _endOfLineCRLFGlyph; } set { if (_endOfLineCRLFGlyph != value) { _endOfLineCRLFGlyph = value; OnPropertyChanged(nameof(EndOfLineCRLFGlyph)); } } } private string _endOfLineCRGlyph = "\\r"; /// <summary> /// Gets/Sets the char to show for CR (\r) when ShowEndOfLine option is enabled /// </summary> /// <remarks>The default value is <c>\r</c>.</remarks> [DefaultValue("\\r")] public virtual string EndOfLineCRGlyph { get { return _endOfLineCRGlyph; } set { if (_endOfLineCRGlyph != value) { _endOfLineCRGlyph = value; OnPropertyChanged(nameof(EndOfLineCRGlyph)); } } } private string _endOfLineLFGlyph = "\\n"; /// <summary> /// Gets/Sets the char to show for LF (\n) when ShowEndOfLine option is enabled /// </summary> /// <remarks>The default value is <c>\n</c>.</remarks> [DefaultValue("\\n")] public virtual string EndOfLineLFGlyph { get { return _endOfLineLFGlyph; } set { if (_endOfLineLFGlyph != value) { _endOfLineLFGlyph = value; OnPropertyChanged(nameof(EndOfLineLFGlyph)); } } } private bool _showBoxForControlCharacters = true; /// <summary> /// Gets/Sets whether to show a box with the hex code for control characters. /// </summary> /// <remarks>The default value is <c>true</c>.</remarks> [DefaultValue(true)] public virtual bool ShowBoxForControlCharacters { get { return _showBoxForControlCharacters; } set { if (_showBoxForControlCharacters != value) { _showBoxForControlCharacters = value; OnPropertyChanged(nameof(ShowBoxForControlCharacters)); } } } #endregion #region EnableHyperlinks private bool _enableHyperlinks = true; /// <summary> /// Gets/Sets whether to enable clickable hyperlinks in the editor. /// </summary> /// <remarks>The default value is <c>true</c>.</remarks> [DefaultValue(true)] public virtual bool EnableHyperlinks { get { return _enableHyperlinks; } set { if (_enableHyperlinks != value) { _enableHyperlinks = value; OnPropertyChanged(nameof(EnableHyperlinks)); } } } private bool _enableEmailHyperlinks = true; /// <summary> /// Gets/Sets whether to enable clickable hyperlinks for e-mail addresses in the editor. /// </summary> /// <remarks>The default value is <c>true</c>.</remarks> [DefaultValue(true)] public virtual bool EnableEmailHyperlinks { get { return _enableEmailHyperlinks; } set { if (_enableEmailHyperlinks != value) { _enableEmailHyperlinks = value; OnPropertyChanged(nameof(EnableEmailHyperlinks)); } } } private bool _requireControlModifierForHyperlinkClick = true; /// <summary> /// Gets/Sets whether the user needs to press Control to click hyperlinks. /// The default value is true. /// </summary> /// <remarks>The default value is <c>true</c>.</remarks> [DefaultValue(true)] public virtual bool RequireControlModifierForHyperlinkClick { get { return _requireControlModifierForHyperlinkClick; } set { if (_requireControlModifierForHyperlinkClick != value) { _requireControlModifierForHyperlinkClick = value; OnPropertyChanged(nameof(RequireControlModifierForHyperlinkClick)); } } } #endregion #region TabSize / IndentationSize / ConvertTabsToSpaces / GetIndentationString // I'm using '_' prefixes for the fields here to avoid confusion with the local variables // in the methods below. // The fields should be accessed only by their property - the fields might not be used // if someone overrides the property. private int _indentationSize = 4; /// <summary> /// Gets/Sets the width of one indentation unit. /// </summary> /// <remarks>The default value is 4.</remarks> [DefaultValue(4)] public virtual int IndentationSize { get => _indentationSize; set { if (value < 1) throw new ArgumentOutOfRangeException(nameof(value), value, "value must be positive"); // sanity check; a too large value might cause a crash internally much later // (it only crashed in the hundred thousands for me; but might crash earlier with larger fonts) if (value > 1000) throw new ArgumentOutOfRangeException(nameof(value), value, "indentation size is too large"); if (_indentationSize != value) { _indentationSize = value; OnPropertyChanged(nameof(IndentationSize)); OnPropertyChanged(nameof(IndentationString)); } } } private bool _convertTabsToSpaces; /// <summary> /// Gets/Sets whether to use spaces for indentation instead of tabs. /// </summary> /// <remarks>The default value is <c>false</c>.</remarks> [DefaultValue(false)] public virtual bool ConvertTabsToSpaces { get { return _convertTabsToSpaces; } set { if (_convertTabsToSpaces != value) { _convertTabsToSpaces = value; OnPropertyChanged(nameof(ConvertTabsToSpaces)); OnPropertyChanged(nameof(IndentationString)); } } } /// <summary> /// Gets the text used for indentation. /// </summary> [System.Diagnostics.CodeAnalysis.SuppressMessage("Microsoft.Naming", "CA1721:PropertyNamesShouldNotMatchGetMethods")] public string IndentationString => GetIndentationString(1); /// <summary> /// Gets text required to indent from the specified <paramref name="column"/> to the next indentation level. /// </summary> public virtual string GetIndentationString(int column) { if (column < 1) throw new ArgumentOutOfRangeException(nameof(column), column, "Value must be at least 1."); int indentationSize = IndentationSize; if (ConvertTabsToSpaces) { return new string(' ', indentationSize - ((column - 1) % indentationSize)); } else { return "\t"; } } #endregion private bool _cutCopyWholeLine = true; /// <summary> /// Gets/Sets whether copying without a selection copies the whole current line. /// </summary> [DefaultValue(true)] public virtual bool CutCopyWholeLine { get { return _cutCopyWholeLine; } set { if (_cutCopyWholeLine != value) { _cutCopyWholeLine = value; OnPropertyChanged(nameof(CutCopyWholeLine)); } } } private bool _allowScrollBelowDocument = true; /// <summary> /// Gets/Sets whether the user can scroll below the bottom of the document. /// The default value is true; but it a good idea to set this property to true when using folding. /// </summary> [DefaultValue(true)] public virtual bool AllowScrollBelowDocument { get { return _allowScrollBelowDocument; } set { if (_allowScrollBelowDocument != value) { _allowScrollBelowDocument = value; OnPropertyChanged(nameof(AllowScrollBelowDocument)); } } } private double _wordWrapIndentation; /// <summary> /// Gets/Sets the indentation used for all lines except the first when word-wrapping. /// The default value is 0. /// </summary> [DefaultValue(0.0)] public virtual double WordWrapIndentation { get => _wordWrapIndentation; set { if (double.IsNaN(value) || double.IsInfinity(value)) throw new ArgumentOutOfRangeException(nameof(value), value, "value must not be NaN/infinity"); if (value != _wordWrapIndentation) { _wordWrapIndentation = value; OnPropertyChanged(nameof(WordWrapIndentation)); } } } private bool _inheritWordWrapIndentation = true; /// <summary> /// Gets/Sets whether the indentation is inherited from the first line when word-wrapping. /// The default value is true. /// </summary> /// <remarks>When combined with <see cref="WordWrapIndentation"/>, the inherited indentation is added to the word wrap indentation.</remarks> [DefaultValue(true)] public virtual bool InheritWordWrapIndentation { get { return _inheritWordWrapIndentation; } set { if (value != _inheritWordWrapIndentation) { _inheritWordWrapIndentation = value; OnPropertyChanged(nameof(InheritWordWrapIndentation)); } } } private bool _enableRectangularSelection = true; /// <summary> /// Enables rectangular selection (press ALT and select a rectangle) /// </summary> [DefaultValue(true)] public bool EnableRectangularSelection { get { return _enableRectangularSelection; } set { if (_enableRectangularSelection != value) { _enableRectangularSelection = value; OnPropertyChanged(nameof(EnableRectangularSelection)); } } } private bool _enableTextDragDrop = true; /// <summary> /// Enable dragging text within the text area. /// </summary> [DefaultValue(true)] public bool EnableTextDragDrop { get { return _enableTextDragDrop; } set { if (_enableTextDragDrop != value) { _enableTextDragDrop = value; OnPropertyChanged(nameof(EnableTextDragDrop)); } } } private bool _enableVirtualSpace; /// <summary> /// Gets/Sets whether the user can set the caret behind the line ending /// (into "virtual space"). /// Note that virtual space is always used (independent from this setting) /// when doing rectangle selections. /// </summary> [DefaultValue(false)] public virtual bool EnableVirtualSpace { get { return _enableVirtualSpace; } set { if (_enableVirtualSpace != value) { _enableVirtualSpace = value; OnPropertyChanged(nameof(EnableVirtualSpace)); } } } private bool _enableImeSupport = true; /// <summary> /// Gets/Sets whether the support for Input Method Editors (IME) /// for non-alphanumeric scripts (Chinese, Japanese, Korean, ...) is enabled. /// </summary> [DefaultValue(true)] public virtual bool EnableImeSupport { get { return _enableImeSupport; } } } } } } OnPropertyChanged(nameof(ShowColumnRulers)); } } } private IEnumerable<int> _columnRulerPositions = new List<int>() { 80 }; /// <summary> /// Gets/Sets the positions the column rulers should be shown. /// </summary> public virtual IEnumerable<int> ColumnRulerPositions { get { return _columnRulerPositions; } set { if (_columnRulerPositions != value) { _columnRulerPositions = value; OnPropertyChanged(nameof(ColumnRulerPositions)); } } } private bool _highlightCurrentLine; /// <summary> /// Gets/Sets if current line should be shown. /// </summary> [DefaultValue(false)] public virtual bool HighlightCurrentLine { get { return _highlightCurrentLine; } set { if (_highlightCurrentLine != value) { _highlightCurrentLine = value; OnPropertyChanged(nameof(HighlightCurrentLine)); } } } private bool _hideCursorWhileTyping = true; /// <summary> /// Gets/Sets if mouse cursor should be hidden while user is typing. /// </summary> [DefaultValue(true)] public bool HideCursorWhileTyping { get { return _hideCursorWhileTyping; } set { if (_hideCursorWhileTyping != value) { _hideCursorWhileTyping = value; OnPropertyChanged(nameof(HideCursorWhileTyping)); } } } private bool _allowToggleOverstrikeMode; /// <summary> /// Gets/Sets if the user is allowed to enable/disable overstrike mode. /// </summary> [DefaultValue(false)] public bool AllowToggleOverstrikeMode { get { return _allowToggleOverstrikeMode; } set { if (_allowToggleOverstrikeMode != value) { _allowToggleOverstrikeMode = value; OnPropertyChanged(nameof(AllowToggleOverstrikeMode)); } } } private bool _extendSelectionOnMouseUp = true; /// <summary> /// Gets/Sets if the mouse up event should extend the editor selection to the mouse position. /// </summary> [DefaultValue(true)] public bool ExtendSelectionOnMouseUp { get { return _extendSelectionOnMouseUp; } set { if (_extendSelectionOnMouseUp != value) { _extendSelectionOnMouseUp = value; OnPropertyChanged(nameof(ExtendSelectionOnMouseUp)); } } } } } <MSG> Add an option to avoid extend selection on mouse up This is useful when the textbox adds some scroll animations on pointer down, which causes unwanted selections when the mouse button is released. Note that Visual Studio (and Visual Studio Code) don't update the selection on mouse up, so the option makes sense. <DFF> @@ -558,5 +558,24 @@ namespace AvaloniaEdit } } } + + private bool _extendSelectionOnMouseUp = true; + + /// <summary> + /// Gets/Sets if the mouse up event should extend the editor selection to the mouse position. + /// </summary> + [DefaultValue(true)] + public bool ExtendSelectionOnMouseUp + { + get { return _extendSelectionOnMouseUp; } + set + { + if (_extendSelectionOnMouseUp != value) + { + _extendSelectionOnMouseUp = value; + OnPropertyChanged("ExtendSelectionOnMouseUp"); + } + } + } } }
19
Add an option to avoid extend selection on mouse up
0
.cs
cs
mit
AvaloniaUI/AvaloniaEdit