• 设为首页
  • 点击收藏
  • 手机版
    手机扫一扫访问
    迪恩网络手机版
  • 关注官方公众号
    微信扫一扫关注
    迪恩网络公众号

C# SnapshotPoint类代码示例

原作者: [db:作者] 来自: [db:来源] 收藏 邀请

本文整理汇总了C#中SnapshotPoint的典型用法代码示例。如果您正苦于以下问题:C# SnapshotPoint类的具体用法?C# SnapshotPoint怎么用?C# SnapshotPoint使用的例子?那么恭喜您, 这里精选的类代码示例或许可以为您提供帮助。



SnapshotPoint类属于命名空间,在下文中一共展示了SnapshotPoint类的20个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于我们的系统推荐出更棒的C#代码示例。

示例1: CreateForAllPoints_Line_EndOfSnapshot

 public void CreateForAllPoints_Line_EndOfSnapshot()
 {
     Create("cat", "dog");
     var point = new SnapshotPoint(_textBuffer.CurrentSnapshot, _textBuffer.CurrentSnapshot.Length);
     var visualSpan = VisualSpan.CreateForAllPoints(VisualKind.Line, point, point);
     Assert.AreEqual(1, visualSpan.AsLine().LineRange.LastLineNumber);
 }
开发者ID:rschatz,项目名称:VsVim,代码行数:7,代码来源:VisualSpanTest.cs


示例2: GetInvocationSpan

        public override Span? GetInvocationSpan(string text, int linePosition, SnapshotPoint position)
        {
            // If this isn't the beginning of the line, stop immediately.
            var quote = text.SkipWhile(Char.IsWhiteSpace).FirstOrDefault();
            if (quote != '"' && quote != '\'')
                return null;

            // If it is, make sure it's also the beginning of a function.
            var prevLine = EnumeratePrecedingLineTokens(position).GetEnumerator();

            // If we are at the beginning of the file, that is also fine.
            if (prevLine.MoveNext())
            {
                // Check that the previous line contains "function", then
                // eventually ") {" followed by the end of the line.
                if (!ConsumeToToken(prevLine, "function", "keyword") || !ConsumeToToken(prevLine, ")", "operator"))
                    return null;
                if (!prevLine.MoveNext() || prevLine.Current.Span.GetText() != "{")
                    return null;
                // If there is non-comment code after the function, stop
                if (prevLine.MoveNext() && SkipComments(prevLine))
                    return null;
            }

            var startIndex = text.TakeWhile(Char.IsWhiteSpace).Count();
            var endIndex = linePosition;

            // Consume the auto-added close quote, if present.
            // If range ends at the end of the line, we cannot
            // check this.
            if (endIndex < text.Length && text[endIndex] == quote)
                endIndex++;
            return Span.FromBounds(startIndex, endIndex);
        }
开发者ID:NickCraver,项目名称:WebEssentials2013,代码行数:34,代码来源:UseDirectiveCompletionSource.cs


示例3: Execute

        protected override bool Execute(uint commandId, uint nCmdexecopt, IntPtr pvaIn, IntPtr pvaOut)
        {
            if (_broker.IsCompletionActive(TextView) || !IsValidTextBuffer() || !WESettings.GetBoolean(WESettings.Keys.EnableEnterFormat))
                return false;

            int position = TextView.Caret.Position.BufferPosition.Position;
            SnapshotPoint point = new SnapshotPoint(TextView.TextBuffer.CurrentSnapshot, position);
            IWpfTextViewLine line = TextView.GetTextViewLineContainingBufferPosition(point);

            ElementNode element = null;
            AttributeNode attr = null;

            _tree.GetPositionElement(position, out element, out attr);

            if (element == null ||
                _tree.IsDirty ||
                element.Parent == null ||
                line.End.Position == position || // caret at end of line (TODO: add ignore whitespace logic)
                TextView.TextBuffer.CurrentSnapshot.GetText(element.InnerRange.Start, element.InnerRange.Length).Trim().Length == 0)
                return false;

            UpdateTextBuffer(element, position);

            return false;
        }
开发者ID:ncl-dmoreira,项目名称:WebEssentials2013,代码行数:25,代码来源:EnterFormatCommandTarget.cs


示例4: RemoveToken

 /// <summary>
 /// Removes a token using the enhanced token stream class.
 /// </summary>
 /// <param name="sql"></param>
 /// <param name="position"></param>
 /// <returns></returns>
 private CommonTokenStream RemoveToken(string sql, SnapshotPoint snapPos)
 {
   MemoryStream ms = new MemoryStream(ASCIIEncoding.ASCII.GetBytes(sql));
   CaseInsensitiveInputStream input = new CaseInsensitiveInputStream(ms);
   //ANTLRInputStream input = new ANTLRInputStream(ms);
   Version ver = LanguageServiceUtil.GetVersion(LanguageServiceUtil.GetConnection().ServerVersion);
   MySQLLexer lexer = new MySQLLexer(input);
   lexer.MySqlVersion = ver;
   TokenStreamRemovable tokens = new TokenStreamRemovable(lexer);      
   IToken tr = null;
   int position = snapPos.Position;
   tokens.Fill();      
   if (!char.IsWhiteSpace(snapPos.GetChar()))
   {
     foreach (IToken t in tokens.GetTokens())
     {
       if ((t.StartIndex <= position) && (t.StopIndex >= position))
       {
         tr = t;
         break;
       }
     }
     tokens.Remove(tr);
   }
   return tokens;
 }    
开发者ID:eeeee,项目名称:mysql-connector-net,代码行数:32,代码来源:MySqlCompletionSource.cs


示例5: GetInvocationSpan

        public override Span? GetInvocationSpan(string text, int linePosition, SnapshotPoint position)
        {
            // Find the quoted string inside function call
            int startIndex = text.LastIndexOf(FunctionName + "(", linePosition, StringComparison.Ordinal);
            if (startIndex < 0)
                return null;
            startIndex += FunctionName.Length + 1;
            startIndex += text.Skip(startIndex).TakeWhile(Char.IsWhiteSpace).Count();

            if (linePosition <= startIndex || (text[startIndex] != '"' && text[startIndex] != '\''))
                return null;

            var endIndex = text.IndexOf(text[startIndex] + ")", startIndex, StringComparison.OrdinalIgnoreCase);
            if (endIndex < 0)
                endIndex = startIndex + text.Skip(startIndex + 1).TakeWhile(c => Char.IsLetterOrDigit(c) || Char.IsWhiteSpace(c) || c == '-' || c == '_').Count() + 1;
            else if (linePosition > endIndex + 1)
                return null;

            // Consume the auto-added close quote, if present.
            // If range ends at the end of the line, we cannot
            // check this.
            if (endIndex < text.Length && text[endIndex] == text[startIndex])
                endIndex++;


            return Span.FromBounds(startIndex, endIndex);
        }
开发者ID:GProulx,项目名称:WebEssentials2013,代码行数:27,代码来源:StringCompletionSource.cs


示例6: IsPreceededByEventAddSyntax

        /// <summary>
        /// Is the provided SnapshotPoint preceded by the '+= SomeEventType(Some_HandlerName' line
        /// </summary>
        private bool IsPreceededByEventAddSyntax(SnapshotSpan span)
        {
            // First find the last + character
            var snapshot = span.Snapshot;
            SnapshotPoint? plusPoint = null;
            for (int i = span.Length - 1; i >= 0; i--)
            {
                var position = span.Start.Position + i;
                var point = new SnapshotPoint(snapshot, position);
                if (point.GetChar() == '+')
                {
                    plusPoint = point;
                    break;
                }
            }

            if (plusPoint == null)
            {
                return false;
            }

            var eventSpan = new SnapshotSpan(plusPoint.Value, span.End);
            var eventText = eventSpan.GetText();
            return 
                s_fullEventSyntaxRegex.IsMatch(eventText) ||
                s_shortEventSyntaxRegex.IsMatch(eventText);
        }
开发者ID:aesire,项目名称:VsVim,代码行数:30,代码来源:CSharpAdapter.cs


示例7: FakeTextSnapshotLine

 public FakeTextSnapshotLine(ITextSnapshot snapshot, string text, int position, int lineNumber)
 {
     Snapshot = snapshot;
     this._text = text;
     LineNumber = lineNumber;
     Start = new SnapshotPoint(snapshot, position);
 }
开发者ID:kazu46,项目名称:VSColorOutput,代码行数:7,代码来源:FakeTextSnapshotLine.cs


示例8: TryCreateSession

        public bool TryCreateSession(ITextView textView, SnapshotPoint openingPoint, char openingBrace, char closingBrace, out IBraceCompletionSession session)
        {
            this.AssertIsForeground();

            var textSnapshot = openingPoint.Snapshot;
            var document = textSnapshot.GetOpenDocumentInCurrentContextWithChanges();
            if (document != null)
            {
                var editorSessionFactory = document.GetLanguageService<IEditorBraceCompletionSessionFactory>();
                if (editorSessionFactory != null)
                {
                    // Brace completion is (currently) not cancellable.
                    var cancellationToken = CancellationToken.None;

                    var editorSession = editorSessionFactory.TryCreateSession(document, openingPoint, openingBrace, cancellationToken);
                    if (editorSession != null)
                    {
                        var undoHistory = _undoManager.GetTextBufferUndoManager(textView.TextBuffer).TextBufferUndoHistory;
                        session = new BraceCompletionSession(
                            textView, openingPoint.Snapshot.TextBuffer, openingPoint, openingBrace, closingBrace,
                            undoHistory, _editorOperationsFactoryService,
                            editorSession);
                        return true;
                    }
                }
            }

            session = null;
            return false;
        }
开发者ID:Rickinio,项目名称:roslyn,代码行数:30,代码来源:BraceCompletionSessionProvider.cs


示例9: MapUpOrDownToBuffer

        public static SnapshotPoint? MapUpOrDownToBuffer(this IBufferGraph bufferGraph, SnapshotPoint point, ITextBuffer targetBuffer)
        {
            var direction = ClassifyBufferMapDirection(point.Snapshot.TextBuffer, targetBuffer);
            switch (direction)
            {
                case BufferMapDirection.Identity:
                    return point;

                case BufferMapDirection.Down:
                    {
                        // TODO (https://github.com/dotnet/roslyn/issues/5281): Remove try-catch.
                        try
                        {
                            return bufferGraph.MapDownToInsertionPoint(point, PointTrackingMode.Positive, s => s == targetBuffer.CurrentSnapshot);
                        }
                        catch (ArgumentOutOfRangeException) when (bufferGraph.TopBuffer.ContentType.TypeName == "Interactive Content")
                        {
                            // Suppress this to work around DevDiv #144964.
                            // Note: Other callers might be affected, but this is the narrowest workaround for the observed problems.
                            // A fix is already being reviewed, so a broader change is not required.
                            return null;
                        }
                    }

                case BufferMapDirection.Up:
                    {
                        return bufferGraph.MapUpToBuffer(point, PointTrackingMode.Positive, PositionAffinity.Predecessor, targetBuffer);
                    }

                default:
                    return null;
            }
        }
开发者ID:Rickinio,项目名称:roslyn,代码行数:33,代码来源:IBufferGraphExtensions.cs


示例10: FindOtherBrace

        // returns true if brace is actually a brace.
        private bool FindOtherBrace(SnapshotPoint possibleBrace, out SnapshotPoint? otherBrace)
        {
            otherBrace = null;
              var rainbow = this.textBuffer.Get<RainbowProvider>();
              if ( rainbow == null ) {
            return false;
              }
              if ( !possibleBrace.IsValid() ) {
            return false;
              }

              if ( !rainbow.BraceCache.Language.BraceList.Contains(possibleBrace.GetChar()) ) {
            return false;
              }
              var bracePair = rainbow.BraceCache.GetBracePair(possibleBrace);
              if ( bracePair == null ) {
            return true;
              }
              if ( possibleBrace.Position == bracePair.Item1.Position ) {
            otherBrace = bracePair.Item2.ToPoint(possibleBrace.Snapshot);
              } else {
            otherBrace = bracePair.Item1.ToPoint(possibleBrace.Snapshot);
              }
              return true;
        }
开发者ID:ssatta,项目名称:viasfora,代码行数:26,代码来源:RainbowToolTipSource.cs


示例11: Indent

        private bool Indent()
        {
            int position = _textView.Caret.Position.BufferPosition.Position;


            if (position == 0 || position == _textView.TextBuffer.CurrentSnapshot.Length || _textView.Selection.SelectedSpans[0].Length > 0)
                return false;

            char before = _textView.TextBuffer.CurrentSnapshot.GetText(position - 1, 1)[0];
            char after = _textView.TextBuffer.CurrentSnapshot.GetText(position, 1)[0];

            if (before == '{' && after == '}')
            {
                EditorExtensionsPackage.DTE.UndoContext.Open("Smart indent");

                _textView.TextBuffer.Insert(position, Environment.NewLine + '\t');
                SnapshotPoint point = new SnapshotPoint(_textView.TextBuffer.CurrentSnapshot, position);
                _textView.Selection.Select(new SnapshotSpan(point, 4), true);

                EditorExtensionsPackage.ExecuteCommand("Edit.FormatSelection");

                _textView.Selection.Clear();
                SendKeys.Send("{ENTER}");

                EditorExtensionsPackage.DTE.UndoContext.Close();

                return true;
            }

            return false;
        }
开发者ID:LogoPhonix,项目名称:WebEssentials2012,代码行数:31,代码来源:JavaScriptSmartIndentCommandTarget.cs


示例12: GetExtentOfWord

		public TextExtent GetExtentOfWord(SnapshotPoint currentPosition) {
			if (currentPosition.Snapshot?.TextBuffer != textBuffer)
				throw new ArgumentException();
			if (currentPosition.Position >= currentPosition.Snapshot.Length)
				return new TextExtent(new SnapshotSpan(currentPosition, currentPosition), true);
			return new TextExtent(new SnapshotSpan(currentPosition, currentPosition + 1), true);
		}
开发者ID:manojdjoshi,项目名称:dnSpy,代码行数:7,代码来源:TextStructureNavigator.cs


示例13: PeekString

        public static string PeekString(this ITextSnapshot snapshot, SnapshotPoint point, int length)
        {
            if (point >= snapshot.Length)
                return null;

            return new SnapshotSpan(point, Math.Min(length, snapshot.Length - point)).GetText();
        }
开发者ID:Peter-Juhasz,项目名称:RegistryLanguageService,代码行数:7,代码来源:ISyntacticParser.cs


示例14: GetCurrentScenarioBlock

        private ScenarioBlock? GetCurrentScenarioBlock(SnapshotPoint triggerPoint)
        {
            var parsingResult = gherkinProcessorServices.GetParsingResult(textBuffer);
            if (parsingResult == null)
                return null;

            var triggerLineNumber = triggerPoint.Snapshot.GetLineNumberFromPosition(triggerPoint.Position);
            var scenarioInfo = parsingResult.ScenarioEditorInfos.LastOrDefault(si => si.KeywordLine < triggerLineNumber);
            if (scenarioInfo == null)
                return null;

            for (var lineNumer = triggerLineNumber; lineNumer > scenarioInfo.KeywordLine; lineNumer--)
            {
                StepKeyword? stepKeyword = GetStepKeyword(triggerPoint.Snapshot, lineNumer, parsingResult.LanguageService);

                if (stepKeyword != null)
                {
                    var scenarioBlock = stepKeyword.Value.ToScenarioBlock();
                    if (scenarioBlock != null)
                        return scenarioBlock;
                }
            }

            return ScenarioBlock.Given;
        }
开发者ID:heinrichbreedt,项目名称:SpecFlow,代码行数:25,代码来源:CompletionSource.cs


示例15: EndTracking

 /// <summary>
 /// Restores saved selection
 /// </summary>
 public override void EndTracking() {
     int position = PositionFromTokens(TextBuffer.CurrentSnapshot, _index, _offset);
     if (position >= 0) {
         PositionAfterChanges = new SnapshotPoint(TextBuffer.CurrentSnapshot, position);
     }
     MoveToAfterChanges(VirtualSpaces);
 }
开发者ID:AlexanderSher,项目名称:RTVS-Old,代码行数:10,代码来源:RSelectionTracker.cs


示例16: Execute

        protected override bool Execute(uint commandId, uint nCmdexecopt, IntPtr pvaIn, IntPtr pvaOut)
        {
            int position = TextView.Caret.Position.BufferPosition.Position;
            SnapshotPoint point = new SnapshotPoint(TextView.TextBuffer.CurrentSnapshot, position);
            IWpfTextViewLine line = TextView.GetTextViewLineContainingBufferPosition(point);

            string text = TextView.TextBuffer.CurrentSnapshot.GetText(line.Start, line.Length);

            Match match = _indent.Match(text);

            if (match.Success)
            {
                try
                {
                    EditorExtensionsPackage.DTE.UndoContext.Open("Smart Indent");
                    TextView.TextBuffer.Insert(position, Environment.NewLine + match.Value);
                }
                finally
                {
                    EditorExtensionsPackage.DTE.UndoContext.Close();
                }

                return true;
            }

            return false;
        }
开发者ID:LogoPhonix,项目名称:WebEssentials2012,代码行数:27,代码来源:EnterIndentationCommandTarget.cs


示例17: GetSymbolAt

 public SymbolInfo GetSymbolAt(string sourceFileName, SnapshotPoint point)
 {
     var result = GetGoToDefLocations(sourceFileName, point).FirstOrDefault();
     if (result == null)
         return null;
     return new SymbolInfo(RQNameTranslator.ToIndexId(result.RQName), !result.IsMetadata, result.AssemblyBinaryName);
 }
开发者ID:sharwell,项目名称:Ref12,代码行数:7,代码来源:CSharp12Resolver.cs


示例18: MoveTo

        public CaretPosition MoveTo(SnapshotPoint bufferPosition, PositionAffinity caretAffinity) {
            _position = bufferPosition.Position;

            return new CaretPosition(new VirtualSnapshotPoint(bufferPosition),
                  new MappingPointMock(bufferPosition.Snapshot.TextBuffer, bufferPosition.Position),
                  caretAffinity);
        }
开发者ID:AlexanderSher,项目名称:RTVS-Old,代码行数:7,代码来源:TextCaretMock.cs


示例19: Create

 internal static CompletionSet Create(List<DesignerNode> nodes, SnapshotPoint point)
 {
     DesignerNode node = nodes.FindLast(n => n.NodeType == NDjango.Interfaces.NodeType.ParsingContext);
     if (node == null)
         return null;
     return new TagCompletionSet(node, point);
 }
开发者ID:IntranetFactory,项目名称:ndjango,代码行数:7,代码来源:TagCompletionSet.cs


示例20: ToPosition

 public static Position ToPosition(SnapshotPoint corePoint, ITextSnapshot snapshot = null)
 {
     SnapshotPoint snapshotPoint = corePoint.TranslateTo(snapshot ?? corePoint.Snapshot, PointTrackingMode.Positive);
     ITextSnapshotLine containingLine = snapshotPoint.GetContainingLine();
     int charIndex = Math.Max(snapshotPoint.Position - containingLine.Start.Position, 0);
     return new Position(containingLine.LineNumber, charIndex);
 }
开发者ID:jerriclynsjohn,项目名称:Ref12,代码行数:7,代码来源:CSharpLanguageUtilities.cs



注:本文中的SnapshotPoint类示例整理自Github/MSDocs等源码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。


鲜花

握手

雷人

路过

鸡蛋
该文章已有0人参与评论

请发表评论

全部评论

专题导读
上一篇:
C# SnapshotSpan类代码示例发布时间:2022-05-24
下一篇:
C# Snapshot类代码示例发布时间:2022-05-24
热门推荐
阅读排行榜

扫描微信二维码

查看手机版网站

随时了解更新最新资讯

139-2527-9053

在线客服(服务时间 9:00~18:00)

在线QQ客服
地址:深圳市南山区西丽大学城创智工业园
电邮:jeky_zhao#qq.com
移动电话:139-2527-9053

Powered by 互联科技 X3.4© 2001-2213 极客世界.|Sitemap