当前位置: 首页>>代码示例>>C#>>正文


C# StringCollection.Insert方法代码示例

本文整理汇总了C#中System.Collections.Specialized.StringCollection.Insert方法的典型用法代码示例。如果您正苦于以下问题:C# StringCollection.Insert方法的具体用法?C# StringCollection.Insert怎么用?C# StringCollection.Insert使用的例子?那么恭喜您, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在System.Collections.Specialized.StringCollection的用法示例。


在下文中一共展示了StringCollection.Insert方法的15个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的C#代码示例。

示例1: CompileFromFileBatch


//.........这里部分代码省略.........
                mcs.Start();
            }
            catch (Exception e)
            {
                Win32Exception exc = e as Win32Exception;
                if (exc != null)
                {
                    /*throw new SystemException(String.Format("Error running {0}: {1}", mcs.StartInfo.FileName,
                                    Win32Exception.W32ErrorMessage(exc.NativeErrorCode)));*/
                }
                throw;
            }

            try
            {
#if NET_2_0
				mcs.BeginOutputReadLine ();
				mcs.BeginErrorReadLine ();
#else
                // If there are a few kB in stdout, we might lock
                mcs_output = mcs.StandardError.ReadToEnd();
                mcs_stdout = mcs.StandardOutput.ReadToEnd();
#endif
                mcs.WaitForExit();

                results.NativeCompilerReturnValue = mcs.ExitCode;
            }
            finally
            {
#if NET_2_0
				mcs.CancelErrorRead ();
				mcs.CancelOutputRead ();
#endif

                mcs.Close();
            }

#if NET_2_0
			StringCollection sc = mcsOutput;
#else
            mcsOutput = mcs_output.Split(System.Environment.NewLine.ToCharArray());
            StringCollection sc = new StringCollection();
#endif

            bool loadIt = true;
            foreach (string error_line in mcsOutput)
            {
#if !NET_2_0
                sc.Add(error_line);
#endif
                CompilerError error = CreateErrorFromString(error_line);
                if (error != null)
                {
                    results.Errors.Add(error);
                    if (!error.IsWarning)
                        loadIt = false;
                }
            }

            if (sc.Count > 0)
            {
                sc.Insert(0, mcs.StartInfo.FileName + " " + mcs.StartInfo.Arguments + Environment.NewLine);

                //results.Output = sc;
            }

            if (loadIt)
            {
                if (!File.Exists(options.OutputAssembly))
                {
                    StringBuilder sb = new StringBuilder();
                    foreach (string s in sc)
                        sb.Append(s + Environment.NewLine);

                    throw new Exception("Compiler failed to produce the assembly. Output: '" + sb.ToString() + "'");
                }

                if (options.GenerateInMemory)
                {
                    using (FileStream fs = File.OpenRead(options.OutputAssembly))
                    {
                        byte[] buffer = new byte[fs.Length];
                        fs.Read(buffer, 0, buffer.Length);
                        results.CompiledAssembly = Assembly.Load(buffer, null, options.Evidence);
                        fs.Close();
                    }
                }
                else
                {
                    // Avoid setting CompiledAssembly right now since the output might be a netmodule
                    results.PathToAssembly = options.OutputAssembly;
                }
            }
            else
            {
                results.CompiledAssembly = null;
            }

            return results;
        }
开发者ID:AHuynh,项目名称:AIGAME,代码行数:101,代码来源:CSharp.cs

示例2: AddPathToHistory

        private void AddPathToHistory(StringCollection list, string entry)
        {
            if (list == null)
                return;

            foreach (string item in list) {
                if (item == entry) {
                    list.Remove(item);
                    break;
                }
            }

            while (list.Count >= 5)
                list.RemoveAt(list.Count - 1);

            list.Insert(0, entry);
        }
开发者ID:emps2222,项目名称:NBTExplorer,代码行数:17,代码来源:MainForm.cs

示例3: OnResize

        protected override void OnResize(EventArgs e)
        {
            Debug.WriteLine(String.Format("Before: {0}x{1}, Console: {2}x{3}",
                                          this.Width, this.Height, this.CharSize.Width, this.CharSize.Height));
            // reset scrollbar values);
            this.SetScrollBarValues();
            this.TextAtCursor = this.CaptureTextAtCursor();

            // calculate new rows and columns
            Int32 columns = this.ClientSize.Width/this.CharSize.Width - 1;
            Int32 rows = this.ClientSize.Height/this.CharSize.Height;

            // make sure at least 1 row and 1 col or Control will throw
            if (rows < 5)
            {
                rows = 5;
                this.Height = this.CharSize.Height*rows;
            }

            // make sure at least 1 row and 1 col or Control will throw
            if (columns < 5)
            {
                columns = 5;
                this.Width = this.CharSize.Width*columns;
            }

            // make sure the bottom of this doesn't exceed bottom of parent client area
            // for some reason it was getting stuck like that
            if (this.Parent != null)
            {
                if (this.Bottom > this.Parent.ClientSize.Height)
                    this.Height = this.Parent.ClientSize.Height - this.Top;
            }

            // reset the char grid
            this.SetSize(rows, columns);

            ////Console.WriteLine(Convert.ToString(rows) + " rows. " + Convert.ToString(this.ScrollbackBuffer.Count + " buffer lines"));

            // populate char grid from ScrollbackBuffer
            // parse through ScrollbackBuffer from the end
            // ScrollbackBuffer[0] is the "oldest" string
            // chargrid[0] is the top row on the display
            StringCollection visiblebuffer = new StringCollection();
            for (Int32 i = this.ScrollbackBuffer.Count - 1; i >= 0; i--)
            {
                visiblebuffer.Insert(0, this.ScrollbackBuffer.Characters[i]);

                // don't parse more strings than our display can show
                if (visiblebuffer.Count >= rows - 1) // rows -1 to leave line for cursor space
                    break;
            }

            Int32 lastline = 0;
            for (Int32 i = 0; i < visiblebuffer.Count; i++)
            {
                //Console.WriteLine("Writing string to display: " + visiblebuffer[i]);
                for (Int32 column = 0; column < columns; column++)
                {
                    //this.CharGrid[i][column] = '0';
                    if (column > visiblebuffer[i].Length - 1)
                        continue;

                    this.CharGrid[i][column] = visiblebuffer[i].ToCharArray()[column];
                }

                lastline = i;
            }

            // replace cursor text
            for (Int32 column = 0; column < columns; column++)
            {
                if (column > this.TextAtCursor.Length - 1)
                    continue;

                this.CharGrid[lastline + 1][column] = this.TextAtCursor.ToCharArray()[column];
            }

            this.CaretToAbs(lastline + 1, this.TextAtCursor.Length);
            this.Refresh();

            base.OnResize(e);
            Debug.WriteLine(String.Format("After: {0}x{1}, Console: {2}x{3}",
                                          this.Width, this.Height, this.CharSize.Width, this.CharSize.Height));
        }
开发者ID:RSchwoerer,项目名称:Terminals,代码行数:85,代码来源:TerminalControl.cs

示例4: AddRecentlyUsedFile

        public void AddRecentlyUsedFile(FileInfo newFile) {
            StringCollection recent = new StringCollection();
            recent.AddRange(data.RecentOpenedFiles);

            while(recent.IndexOf(newFile.FullName) >= 0) {
                recent.Remove(newFile.FullName);
            }

            recent.Insert(0, newFile.FullName);

            while (recent.Count > 16) {
                recent.RemoveAt(16);
            }

            string[] result = new string[recent.Count];
            recent.CopyTo(result, 0);
            data.RecentOpenedFiles = result;
        }
开发者ID:xwiz,项目名称:WixEdit,代码行数:18,代码来源:WixEditSettings.cs

示例5: AddSearchHistoryItem

        // generic method to add a string to a history item
        private void AddSearchHistoryItem(StringCollection history, string toAdd)
        {
            // add the item to the find history
            if (history.Contains(toAdd)) {
                // remove it so it gets added at the top
                history.Remove(toAdd);
            }
            // make sure there is only 20
            if (history.Count == historyLimit) {
                history.RemoveAt(historyLimit - 1);
            }
            history.Insert(0, toAdd);

            // update the drop down for the combobox
            ListStore store = new ListStore (typeof (string));
            for (int i = 0; i < history.Count; i ++)
                store.AppendValues (history[i]);

            if (history == findHistory)
                searchPatternEntry.Completion.Model = store;
            else if( history == replaceHistory)
                replacePatternEntry.Completion.Model = store;
        }
开发者ID:slluis,项目名称:monodevelop-prehistoric,代码行数:24,代码来源:ReplaceDialog.cs

示例6: InsertToPos

 private void InsertToPos(StringCollection coll, int pos, string str)
 {
     if (pos >= coll.Count)
     {
         // coll.Add(pos.ToString() + " :: " + str);
         coll.Add(str);
     } else {
         // coll.Insert(pos, pos.ToString() + " :: " + str);
         coll.Insert(pos, str);
     }
 }
开发者ID:miquik,项目名称:mkdb,代码行数:11,代码来源:PyParser.cs

示例7: AddFileDropListToClipboard

 private static void AddFileDropListToClipboard(string driveKey, StringCollection fileDropList, bool cut)
 {
     if (cut || fileDropList[0].StartsWith("hdfs://"))
     {
         if (cut)
             fileDropList.Insert(0, MoveModeToken);
         fileDropList.Insert(0, driveKey);
         Clipboard.SetData(ClipboardDataType, fileDropList);
     }
     else
         Clipboard.SetFileDropList(fileDropList);
 }
开发者ID:mengdongyue,项目名称:HdfsExplorer,代码行数:12,代码来源:MainForm.cs

示例8: AddSearchHistoryItem

        // generic method to add a string to a history item
        private void AddSearchHistoryItem(StringCollection history, string toAdd)
        {
            // add the item to the find history
            if (history.Contains(toAdd)) {
                // remove it so it gets added at the top
                history.Remove(toAdd);
            }
            // make sure there is only 20
            if (history.Count == HISTORY_LIMIT) {
                history.RemoveAt(HISTORY_LIMIT - 1);
            }
            history.Insert(0, toAdd);

            // update the drop down for the combobox
            string[] stringArray = new string[history.Count];
            history.CopyTo(stringArray, 0);
            if (history == findHistory) {
                searchPatternComboBox.SetPopdownStrings(stringArray);
            } else if( history == replaceHistory) {
                replacePatternComboBox.SetPopdownStrings(stringArray);
            }
        }
开发者ID:slluis,项目名称:monodevelop-prehistoric,代码行数:23,代码来源:ReplaceDialog.cs

示例9: HandleScroll

        private void HandleScroll(Object sender, ScrollEventArgs se)
        {
            // capture text at cursor
            if (this.Caret.IsOff)
            {
            }
            else
            {
                this.TextAtCursor = "";
                for (int x = 0; x < this._cols; x++)
                {
                    char CurChar = this.CharGrid[this.Caret.Pos.Y][x];
                    if (CurChar == '\0')
                    {
                        continue;
                    }
                    this.TextAtCursor = this.TextAtCursor + Convert.ToString(CurChar);
                }
            }

            switch (se.Type)
            {
                case ScrollEventType.SmallIncrement: // down
                    this.LastVisibleLine += 1;
                    break;
                case ScrollEventType.SmallDecrement: // up
                    this.LastVisibleLine += -1;
                    break;
                default:
                    return;
            }

            // make sure we don't set LastVisibleLine past the end of the StringCollection
            // LastVisibleLine is relative to the last line in the StringCollection
            // 0 is the Last element
            if (this.LastVisibleLine > 0)
            {
                this.LastVisibleLine = 0;
            }

            if (this.LastVisibleLine < (0 - this.ScrollbackBuffer.Count) + (this._rows))
            {
                this.LastVisibleLine = (0 - this.ScrollbackBuffer.Count) + (this._rows)-1;
            }

            int columns = this._cols;
            int rows    = this._rows;

            this.SetSize(rows, columns);

            StringCollection visiblebuffer = new StringCollection();
            for (int i = this.ScrollbackBuffer.Count - 1 + this.LastVisibleLine; i >= 0; i--)
            {
                visiblebuffer.Insert(0, this.ScrollbackBuffer[i]);

                // don't parse more strings than our display can show
                if (visiblebuffer.Count >= rows - 1) // rows -1 to leave line for cursor space
                    break;
            }

            //int lastline = (0 - this.ScrollbackBuffer.Count) + (this.Rows);
            //int lastline = this.LastVisibleLine;
            for (int i = 0; i < visiblebuffer.Count; i++)
            {
                //Console.WriteLine("Writing string to display: " + visiblebuffer[i]);
                for (int column = 0; column < columns; column++)
                {
                    //this.CharGrid[i][column] = '0';
                    if (column > visiblebuffer[i].Length - 1)
                        continue;
                    this.CharGrid[i][column] = visiblebuffer[i].ToCharArray()[column];

                }
                // if we're displaying the last line in scrollbackbuffer, then
                // replace the cursor and the text on the cursor line
                //System.Console.WriteLine(Convert.ToString(lastline) + " " + Convert.ToString(this.ScrollbackBuffer.Count));
                if (this.LastVisibleLine == 0)
                {
                    this.CaretOn();
                    //this.CaretToAbs(0,0);
                    for (int column = 0; column < this._cols; column++)
                    {
                        if (column > this.TextAtCursor.Length - 1)
                            continue;
                        this.CharGrid[this._rows - 1][column] = this.TextAtCursor.ToCharArray()[column];
                    }
                    this.CaretToAbs(this._rows - 1, this.TextAtCursor.Length);
                }
                else
                {
                    this.CaretOff();
                }
            }

            this.Refresh();
        }
开发者ID:DefStevo,项目名称:defstevo-collection,代码行数:96,代码来源:TerminalControl.cs

示例10: OnResize

        protected override void OnResize(System.EventArgs e)
        {
            this.Font       = new System.Drawing.Font (this.TypeFace, this.TypeSize, this.TypeStyle);
            // reset scrollbar values
            this.SetScrollBarValues();

            // capture text at cursor b/c it's not in the scrollback buffer yet
            string TextAtCursor = "";
            for (int x = 0; x < this._cols; x++)
            {
                char CurChar = this.CharGrid[this.Caret.Pos.Y][x];

                if (CurChar == '\0')
                {
                    continue;
                }
                TextAtCursor = TextAtCursor + Convert.ToString(CurChar);
            }

            // calculate new rows and columns
            int columns = this.ClientSize.Width / this.CharSize.Width - 1;
            int rows = this.ClientSize.Height / this.CharSize.Height;

            // make sure at least 1 row and 1 col or Control will throw
            if (rows < 5)
            {
                rows = 5;
                this.Height = this.CharSize.Height * rows;
            }

            // make sure at least 1 row and 1 col or Control will throw
            if (columns < 5)
            {
                columns = 5;
                this.Width = this.CharSize.Width * columns;
            }

            // make sure the bottom of this doesn't exceed bottom of parent client area
            // for some reason it was getting stuck like that
            if (this.Parent != null)
                if (this.Bottom > this.Parent.ClientSize.Height)
                    this.Height = this.Parent.ClientSize.Height - this.Top;

            // reset the char grid
            this.SetSize(rows, columns);

            //Console.WriteLine(Convert.ToString(rows) + " rows. " + Convert.ToString(this.ScrollbackBuffer.Count + " buffer lines"));

            // populate char grid from ScrollbackBuffer

            // parse through ScrollbackBuffer from the end
            // ScrollbackBuffer[0] is the "oldest" string
            // chargrid[0] is the top row on the display
            StringCollection visiblebuffer = new StringCollection();
            for (int i = this.ScrollbackBuffer.Count - 1; i >= 0; i--)
            {

                visiblebuffer.Insert(0, this.ScrollbackBuffer[i]);

                // don't parse more strings than our display can show
                if (visiblebuffer.Count >= rows - 1) // rows -1 to leave line for cursor space
                    break;
            }

            int lastline  = 0;
            for (int i = 0; i < visiblebuffer.Count; i++)
            {
                //Console.WriteLine("Writing string to display: " + visiblebuffer[i]);
                for (int column = 0; column < columns; column++)
                {
                    //this.CharGrid[i][column] = '0';
                    if (column > visiblebuffer[i].Length - 1)
                        continue;
                    this.CharGrid[i][column] = visiblebuffer[i].ToCharArray()[column];

                }
                lastline = i;

            }

            // replace cursor text
            for (int column = 0; column < columns; column++)
            {
                if (column > TextAtCursor.Length - 1)
                    continue;
                this.CharGrid[lastline+1][column] = TextAtCursor.ToCharArray()[column];

            }

            this.CaretToAbs(lastline+1, TextAtCursor.Length);
            this.Refresh();

            base.OnResize(e);
        }
开发者ID:DefStevo,项目名称:defstevo-collection,代码行数:94,代码来源:TerminalControl.cs

示例11: CreateExecuteScript

        /// <summary>
        /// This method creates a script that calls ExecuteScript() to invoke
        /// multiple scripts.  It is designed to allow multiple scripts to wire up
        /// to an event handler.  The script is created and compiled and both
        /// the NSS and NCS files are added to the module.
        /// </summary>
        /// <param name="module">The module to modify</param>
        /// <param name="property">The property to which the scripts are being attached</param>
        /// <param name="originalScript">The original script on the property, or
        /// string.Empty if none</param>
        /// <param name="otherScripts">A list of other scripts to execute</param>
        /// <returns>The ResRef of the newly created script</returns>
        private string CreateExecuteScript(Erf module, string property, 
			string originalScript, StringCollection otherScripts)
        {
            // If the original script and the otherScripts are the same then
            // there is nothing to do, just return originalScript as the RefRef
            if (1 == otherScripts.Count &&
                0 == string.Compare(otherScripts[0], originalScript, true, CultureInfo.InvariantCulture))
                return originalScript.ToLower();

            // Build the file name and full name of the script file.
            string substring = property.Length > 12 ? property.Substring(0, 12) : property;
            string sourceName = "hif_" + substring + ".nss";
            string fullSourceName = Path.Combine(currentTempDir, sourceName);
            System.Text.StringBuilder b = new System.Text.StringBuilder();

            // Check to see if the original script is one of our generated scripts
            // (the name will start with "hif_" if it is).  If so then we need to
            // open the file and read the list of scripts currently being called
            // and add them to the list of scripts to call.
            StringCollection scriptsToExecute = new StringCollection();
            bool createScript =
                0 != string.Compare(originalScript, Path.GetFileNameWithoutExtension(sourceName), true, CultureInfo.InvariantCulture);
            if (!createScript)
            {
                // Read the list of scripts currently being executed from the hif_
                // script file.
                string[] scripts = null;
                using (StreamReader reader = new StreamReader(fullSourceName))
                {
                    // Read the first line, strip the comment prefix off, and
                    // split the line into all of the scripts that the script
                    // executes.
                    string line = reader.ReadLine();
                    line = line.Trim();
                    line = line.Substring(3, line.Length - 3);
                    scripts = line.Split(',');
                }

                // Add all of the scripts currently in the file, and then add
                // all of the scripts in the otherScripts collection if they aren't
                // already there.
                scriptsToExecute.AddRange(scripts);
                foreach (string script in otherScripts)
                    if (!scriptsToExecute.Contains(script)) scriptsToExecute.Insert(0, script);
            }
            else
            {
                // Add all of the other scripts to our execute list, then add the
                // original script if there was one.
                // modified by fluffyamoeba 2008-06-16
                // swapped so original script is executed last
                foreach (string script in otherScripts)
                    scriptsToExecute.Add(script);
                if (string.Empty != originalScript) scriptsToExecute.Add(originalScript);
            }

            // Create the script file.
            using (StreamWriter writer = new StreamWriter(fullSourceName, false,
                       System.Text.Encoding.ASCII))
            {
                // Make the first line be a list of the scripts being executed
                // so we can do updates to the file later.
                b.Length = 0;
                foreach (string script in scriptsToExecute)
                {
                    if (b.Length > 0) b.Append(",");
                    b.Append(script);
                }
                writer.WriteLine("// {0}", b.ToString());

                // Write out a comment header.
                writer.WriteLine("/////////////////////////////////////////////////////////////////////");
                writer.WriteLine("//");
                writer.WriteLine("// This script has been auto-generated by HakInstaller to call");
                writer.WriteLine("// multiple handlers for the {0} event.", property);
                writer.WriteLine("//");
                writer.WriteLine("/////////////////////////////////////////////////////////////////////");
                writer.WriteLine("");

                writer.WriteLine("void main()");
                writer.WriteLine("{");

                // Add an execute line for each script in the collection.
                foreach (string script in scriptsToExecute)
                    writer.WriteLine("    ExecuteScript(\"{0}\", OBJECT_SELF);", script);

                writer.WriteLine("}");
                writer.Flush();
//.........这里部分代码省略.........
开发者ID:BackupTheBerlios,项目名称:nwnprc,代码行数:101,代码来源:HakInstaller.cs

示例12: AddRowColumnToSchema

 /// <summary>
 /// Adds the empty column for the row numbers to a schema
 /// </summary>
 /// <param name="schema">The schema to add the line to</param>
 private void AddRowColumnToSchema(StringCollection schema)
 {
     // If the first entry is not blank then we need to add an empty
     // column for the row number to the schema.
     if (string.Empty != schema[0]) schema.Insert(0, string.Empty);
 }
开发者ID:BackupTheBerlios,项目名称:nwnprc,代码行数:10,代码来源:2da.cs

示例13: GetFunSearchResult

        /// <summary>
        /// 获取函数的搜索结果,且按照匹配程度从大到小排列
        /// </summary>
        /// <param name="funList">函数列表</param>
        /// <param name="searchKey">搜索关键字</param>
        /// <param name="searchFunSort">要搜索的函数类别</param>
        public static StringCollection GetFunSearchResult(StringCollection funList, string searchKey, string searchFunSort)
        {
            StringCollection result = new StringCollection();
            List<double> resultMatchList = new List<double>();//与result对应的匹配程度列表

            try
            {
                //逐个扫描函数列表,从后往前扫描
                for (int i = funList.Count - 1; i >= 0; i--)
                {
                    string[] fun = funList[i].Split('|');
                    string funName = fun[0].ToLower();//函数名称
                    string funDesc = fun[1].ToLower();//函数描述
                    string funParameter = fun[3].ToLower();//函数参数
                    string funSort = fun[4].ToLower();//函数类别
                    double howMatch = 0;//匹配程度

                    searchKey = searchKey.Trim().ToLower();
                    searchFunSort = searchFunSort.Trim().ToLower();
                    string funInfo = funName + funDesc + funParameter;//函数信息,包括名称、描述、参数
                    //根据函数类别和搜索关键字判断
                    if (funInfo.IndexOf(searchKey) != -1 //函数信息中存在搜索关键字
                        && (searchFunSort == "" //函数类别为空
                        || funSort == searchFunSort)) //函数类别等于要搜索的函数类别
                    {
                        if (funName.IndexOf(searchKey) != -1)//函数名称中存在搜索关键字
                        {
                            double d = searchKey.Length / (double)funName.Length;
                            if (d > howMatch)
                            {
                                howMatch = d + 1E-5;//使得函数名称、函数描述和参数列表在相同howMatch情况下,以函数名称的匹配为准
                            }
                        }
                        if (funDesc.IndexOf(searchKey) != -1)//函数描述中存在搜索关键字
                        {
                            double d = searchKey.Length / (double)funDesc.Length;
                            if (d > howMatch)
                            {
                                howMatch = d;
                            }
                        }
                        if (funParameter.IndexOf(searchKey) != -1)//函数参数列表中存在搜索关键字
                        {
                            double d = searchKey.Length / (double)funParameter.Length;
                            if (d > howMatch)
                            {
                                howMatch = d;
                            }
                        }

                        //添加到result中
                        if (result.Count == 0)
                        {
                            result.Add(funList[i]);
                            resultMatchList.Add(howMatch);
                        }
                        else
                        {
                            //插入到合适位置
                            int k = 0;
                            for (; k < result.Count; k++)
                            {
                                //如果比当前位置的函数的匹配程度高
                                if (howMatch > resultMatchList[k])
                                {
                                    result.Insert(k, funList[i]);
                                    resultMatchList.Insert(k, howMatch);
                                    break;
                                }
                            }
                            if (k == result.Count)//前面没有找到对应的插入位置
                            {
                                result.Add(funList[i]);
                                resultMatchList.Add(howMatch);
                            }
                        }
                    }//end if
                }//end for
            }
            catch
            {
            }

            return result;
        }
开发者ID:0611163,项目名称:ScientificCalculator,代码行数:91,代码来源:Common.cs

示例14: GetVersions

    private StringCollection GetVersions(string ns, string topic)
    {
      StringCollection versions = new StringCollection(); 
      FlexWiki.AbsoluteTopicName atn = new FlexWiki.AbsoluteTopicName(topic, ns); 
      foreach (TopicChange change in federation.GetTopicChanges(atn))
      {
        // They appear to come in reverse chronological order, so we 
        // add them in reverse order. 
        versions.Insert(0, change.Version); 
      }

      return versions; 
    }
开发者ID:nuxleus,项目名称:flexwiki,代码行数:13,代码来源:WebServiceTests.cs

示例15: UpdateRecentFiles

        public static void UpdateRecentFiles(string file, int offset = 0)
        {
            if (string.IsNullOrWhiteSpace(file)) return;
            var recent = Settings.Default.RecentFiles ?? new StringCollection();

            var files = recent
                .Cast<string>()
                .Where(f => f.StripOffsetFromFileName() != file);

            var sc = new StringCollection(); // string collections suck
            sc.AddRange(files.Take(19).ToArray());
            sc.Insert(0, file.AddOffsetToFileName(offset));
            Settings.Default.RecentFiles = sc;
        }
开发者ID:jhorv,项目名称:Markdown-Edit,代码行数:14,代码来源:RecentFilesDialog.xaml.cs


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