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

C# System.CommandLine类代码示例

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

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



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

示例1: CsvViewer

 public CsvViewer(CommandLine.CommandLine cmd, FileIO fio, Ui ui, Formatieren format)
 {
     _cmd = cmd;
     _fio = fio;
     _ui = ui;
     _format = format;
 }
开发者ID:ralfw,项目名称:dnp2013,代码行数:7,代码来源:CsvViewer.cs


示例2: RunApplication

		public void RunApplication(string[] args)
		{
			var commandLine = new CommandLine();
			commandLine.Parse(args);

			using (var @lock = CreateLock(string.IsNullOrEmpty(commandLine.LockName) ? @"F17BFCF1-0832-4575-9C7D-F30D8C359159" : commandLine.LockName, commandLine.AddGlobalPrefix))
			{
				Console.WriteLine("Acquiring lock");

				@lock.Lock();
				Console.WriteLine("Acquired lock");
				try
				{
					Console.WriteLine("Holding lock for {0} seconds", commandLine.HoldTime);
					Thread.Sleep(1000*commandLine.HoldTime);
				}
				finally
				{
					Console.WriteLine("Released lock");
					@lock.Unlock();
				}
			}

			Console.WriteLine("Press any key to exit...");
			Console.ReadKey(true);
		}
开发者ID:kevinpig,项目名称:MyRepository,代码行数:26,代码来源:ExclusiveLockTestApplication.cs


示例3: Main

        static void Main(string[] args)
        {
            System.Windows.Forms.Application.EnableVisualStyles();

            if (LoadConfiguration(args))
            {
                Configuration.Environment = ExecutionEnvironment.WindowsApplication;
                ICommandLine commandLine = new CommandLine(args);

                string titleArgument = commandLine.GetArgument("title");
                string projectPath = commandLine.GetArgument("project");
                string viewName = commandLine.GetArgument("view");
                string recordId = commandLine.GetArgument("record");

                try
                {
                    Epi.Windows.Enter.EnterMainForm mainForm = new Epi.Windows.Enter.EnterMainForm();

                    if (!mainForm.IsDisposed)
                    {
                        mainForm.Show();
                        if (mainForm.WindowState == FormWindowState.Minimized)
                        {
                            mainForm.WindowState = FormWindowState.Normal;
                        }

                        mainForm.Activate();

                        mainForm.Text = string.IsNullOrEmpty(titleArgument) ? mainForm.Text : titleArgument;

                        if (!string.IsNullOrEmpty(projectPath))
                        {
                            Project project = new Project(projectPath);

                            mainForm.CurrentProject = project;

                            if (string.IsNullOrEmpty(recordId))
                            {
                                mainForm.FireOpenViewEvent(project.Views[viewName]);
                            }
                            else
                            {
                                mainForm.FireOpenViewEvent(project.Views[viewName], recordId);
                            }
                        }
                        //--2225
                        Application.ThreadException += new System.Threading.ThreadExceptionEventHandler(Application_ThreadException);
                       //--
                        System.Windows.Forms.Application.Run(mainForm);

                    }

                    mainForm = null;
                }
               catch (Exception baseException)
                {
                    MsgBox.ShowError(string.Format("Error: \n {0}", baseException.ToString()));
                }
            }
        }
开发者ID:NALSS,项目名称:epiinfo-82474,代码行数:60,代码来源:EntryPoint.cs


示例4: Initialise

 protected override void Initialise(CommandLine cl)
 {
     if (cl.args.Count == 1)
         volumeId = cl.args[0].Trim();
     else
         throw new SyntaxException("The snapshot command requires one parameter");
 }
开发者ID:siganakis,项目名称:s3-tool-encrypted,代码行数:7,代码来源:Snapshot.cs


示例5: Main

        /// <summary>
        /// The main entry point for the application.
        /// </summary>
        static void Main(string[] args)
        {
            var commandLine = new CommandLine(args);

            if (commandLine.RunAsService)
            {
                ServiceBase[] servicesToRun = new ServiceBase[] {new ShredHostService()};
                ServiceBase.Run(servicesToRun);
            }
            else if (!String.IsNullOrEmpty(commandLine.PreviousExeConfigurationFilename))
			{
				var groups = SettingsGroupDescriptor.ListInstalledLocalSettingsGroups();
				foreach (var group in groups)
					SettingsMigrator.MigrateSharedSettings(group, commandLine.PreviousExeConfigurationFilename);

				ShredSettingsMigrator.MigrateAll(commandLine.PreviousExeConfigurationFilename);
			}
			else		
            {
                Thread.CurrentThread.Name = "Main thread";
                if (!ManifestVerification.Valid)
                    Console.WriteLine("The manifest detected an invalid installation.");
                ShredHostService.InternalStart();
                Console.WriteLine("Press <Enter> to terminate the ShredHost.");
                Console.WriteLine();
                Console.ReadLine();
                ShredHostService.InternalStop();
            }

        }
开发者ID:nhannd,项目名称:Xian,代码行数:33,代码来源:Program.cs


示例6: Execute

        public void Execute(CommandLine commandLine, CommandExecutionContext context)
        {
            Console.ForegroundColor = ConsoleColor.DarkGreen;

            Console.WriteLine("==================================================");
            Console.WriteLine(" Welcome to {0} {1}", ApplicationInfo.Title, ApplicationInfo.Version.ToString(2));
            Console.WriteLine(" " + ApplicationInfo.Description);
            Console.WriteLine(" " + ApplicationInfo.CopyrightHolder);
            Console.WriteLine("==================================================");

            Console.ResetColor();

            Console.WriteLine();
            Console.WriteLine("Available commands are:");

            foreach (var cmd in CommandFactory.All)
            {
                Console.Write("-" + cmd.Name);
                Console.Write("\t");

                if (!String.IsNullOrEmpty(cmd.ShortName))
                {
                    Console.Write("[" + cmd.ShortName + "] ");
                }

                Console.Write(cmd.Description);

                if (!String.IsNullOrEmpty(cmd.Usage))
                {
                    Console.Write(" Usage: " + cmd.Usage);
                }

                Console.WriteLine();
            }
        }
开发者ID:mouhong,项目名称:XHost,代码行数:35,代码来源:HelpCommand.cs


示例7: Execute

        public void Execute(CommandLine commandLine, CommandExecutionContext context)
        {
            if (commandLine.Parameters.Count != 2)
            {
                ConsoleUtil.ErrorLine("Invalid request. Please check syntax: " + Usage);
                return;
            }

            var host = commandLine.Parameters[1];
            var ip = commandLine.Parameters[0];

            if (context.Hosts.Contains(host))
            {
                if (commandLine.Options.Count > 0 && commandLine.Options[0].Name == "override")
                {
                    context.Hosts.Set(ip, host);
                    context.Hosts.Save();

                    Console.WriteLine("1 entry updated: " + commandLine.Parameters[0] + " " + commandLine.Parameters[1]);
                }
                else
                {
                    ConsoleUtil.ErrorLine(host + " already exists. Use -override to override the existing entry.");
                }
            }
            else
            {
                context.Hosts.Set(commandLine.Parameters[0], commandLine.Parameters[1]);
                context.Hosts.Save();

                Console.WriteLine("1 entry added: " + commandLine.Parameters[0] + " " + commandLine.Parameters[1]);
            }
        }
开发者ID:mouhong,项目名称:XHost,代码行数:33,代码来源:AddEntryCommand.cs


示例8: CheckOptions

 public override void CheckOptions(CommandLine cmd)
 {
     // Confidence estimator
     double confidence = Allcea.DEFAULT_CONFIDENCE;
     double sizeRel = Allcea.DEFAULT_RELATIVE_SIZE;
     double sizeAbs = Allcea.DEFAULT_ABSOLUTE_SIZE;
     if (cmd.HasOption('c')) {
         confidence = AbstractCommand.CheckConfidence(cmd.GetOptionValue('c'));
     }
     if (cmd.HasOption('s')) {
         string[] sizeStrings = cmd.GetOptionValues('s');
         if (sizeStrings.Length != 2) {
             throw new ArgumentException("Must provide two target effect sizes: relative and absolute.");
         }
         sizeRel = AbstractCommand.CheckRelativeSize(sizeStrings[0]);
         sizeAbs = AbstractCommand.CheckAbsoluteSize(sizeStrings[1]);
     }
     this._confEstimator = new NormalConfidenceEstimator(confidence, sizeRel, sizeAbs);
     // Double format
     if (cmd.HasOption('d')) {
         this._decimalDigits = AbstractCommand.CheckDigits(cmd.GetOptionValue('d'));
     }
     // Files
     this._inputPath = AbstractCommand.CheckInputFile(cmd.GetOptionValue('i'));
     if (cmd.HasOption('j')) {
         this._judgedPath = AbstractCommand.CheckJudgedFile(cmd.GetOptionValue('j'));
     }
     this._estimatedPath = AbstractCommand.CheckEstimatedFile(cmd.GetOptionValue('e'));
 }
开发者ID:wxbjs,项目名称:Allcea,代码行数:29,代码来源:EvaluateCommand.cs


示例9: GetCommand

        /// <summary>
        /// 获取用户命令。
        /// </summary>
        /// <param name="args">命令行参数。</param>
        /// <param name="verb">命令代号。</param>
        /// <returns></returns>
        public static CommandLine GetCommand(string[] args, string verb)
        {
            CommandLine command = null;

            if (args != null && args.Length > 0)
            {
                if (verb.IndexOf('-') != 0)
                    verb = "-" + verb;

                for (int i = 0; i < args.Length; i++)
                {
                    if (args[i] == verb)
                    {
                        command = new CommandLine(verb, String.Empty);
                        if (args[i + 1].IndexOf(("-")) != 0)
                        {
                            command.Parameter = args[i + 1];
                        }
                        break;
                    }
                }
            }

            return command;
        }
开发者ID:karl-barkmann,项目名称:LeenLeen,代码行数:31,代码来源:CommandLineHelper.cs


示例10: Main

        public static void Main(string[] args)
        {
            CommandLine commandLine = new CommandLine(args);

            switch(commandLine.Action)
            {
                case "new":
                    // Create a new employee
                    Console.WriteLine("'Creating' a new Employee.");
                    break;
                case "update":
                    // Update an existing employee's data
                    Console.WriteLine("'Updating' a new Employee.");
                    break;
                case "delete":
                    // Remove an existing employee's file
                    Console.WriteLine("'Removing' a new Employee.");
                    break;
                default:
                    Console.WriteLine(
                        "Employee.exe new|update|delete " +
                        "<id> [firstname] [lastname]");
                    break;
            }
        }
开发者ID:troubleminds,项目名称:TIP,代码行数:25,代码来源:Listing05.45.DefiningANestedClass.cs


示例11: Run

        public void Run(string[] args)
        {
            CommandLine commandLine = new CommandLine();
            commandLine.AddOption("Verbose", false, "-verbose");

            commandLine.Parse(args);

            if ((bool)commandLine.GetOption("-h"))
            {
                commandLine.Help("Katahdin Interpreter");
                return;
            }

            Runtime runtime = new Runtime(true, false, false, false,
                (bool)commandLine.GetOption("-verbose"));

            //new ConsoleParseTrace(runtime);

            runtime.SetUp(commandLine.Args);

            if (!((bool)commandLine.GetOption("-nostd")))
                runtime.ImportStandard();

            foreach (string file in commandLine.Files)
                runtime.Import(file);
        }
开发者ID:schuster-rainer,项目名称:katahdin,代码行数:26,代码来源:EntryPoint.cs


示例12: Main

    	/// <summary>
        /// The main entry point for the application.
        /// </summary>
        static void Main(string[] args)
        {
			var commandLine = new CommandLine(args);

			if (commandLine.RunAsService)
			{
				var ServicesToRun = new ServiceBase[] { new ShredHostService() };
				ServiceBase.Run(ServicesToRun);
			}
			else if (!String.IsNullOrEmpty(commandLine.PreviousExeConfigurationFilename))
			{
				var groups = SettingsGroupDescriptor.ListInstalledLocalSettingsGroups();
				groups.Add(new SettingsGroupDescriptor(typeof (ShredSettingsMigrator).Assembly.GetType("ClearCanvas.Server.ShredHost.ShredHostServiceSettings")));
				foreach (var group in groups)
					SettingsMigrator.MigrateSharedSettings(group, commandLine.PreviousExeConfigurationFilename);

				ShredSettingsMigrator.MigrateAll(commandLine.PreviousExeConfigurationFilename);
			}
			else
			{
				ShredHostService.InternalStart();
				Console.WriteLine("Press <Enter> to terminate the ShredHost.");
				Console.WriteLine();
				Console.ReadLine();
				ShredHostService.InternalStop();
			}
        }
开发者ID:emmandeb,项目名称:ClearCanvas-1,代码行数:30,代码来源:Program.cs


示例13: CreateInstance

 public static void CreateInstance(string commandName, CommandLine commandLine)
 {
     commandLine.command = CreateInstance(commandName);
     if (commandLine.command == null)
         throw new SyntaxException(string.Format("Unknown command: {0}", commandName));
     else
         commandLine.command.Initialise(commandLine);
 }
开发者ID:OlegBoulanov,项目名称:s3e,代码行数:8,代码来源:Command.cs


示例14: RunApplication

        public void RunApplication(string[] args)
        {
			var commandLine = new CommandLine(args);

        	var groups = SettingsGroupDescriptor.ListInstalledLocalSettingsGroups();
			foreach (var group in groups)
				SettingsMigrator.MigrateSharedSettings(group, commandLine.PreviousExeConfigurationFilename);
        }
开发者ID:emmandeb,项目名称:ClearCanvas-1,代码行数:8,代码来源:MigrateLocalSharedSettingsApplication.cs


示例15: Initialise

        protected override void Initialise(CommandLine cl)
        {
            if (cl.args.Count > 0)
                command = Command.CreateInstance(cl.args[0]);

            if (command == null)
                command = this;
        }
开发者ID:OlegBoulanov,项目名称:s3e,代码行数:8,代码来源:Help.cs


示例16: UpdateWorkingDirectory

 public void UpdateWorkingDirectory(string script)
 {
     var commandLine = new CommandLine(script);
     switch (CommandType(script))
     {
         case CdCommand.Prompt:
             _workingDirectory = commandLine.Function.ToUpper() + "\\";
             break;
         case CdCommand.Slash:
             _workingDirectory = WorkingDirectory.Substring(0, 3);
             break;
         case CdCommand.Regular:
             var args = commandLine.Arguments;
             if (args != null && args.Count > 0)
             {
                 var arg = args.First();
                 if(arg.Contains(":"))
                 {
                     _workingDirectory = arg;
                 }
                 else
                 {
                     if (arg.Contains(".."))
                     {
                         var levels = Regex.Matches(arg, @"\.\.").Count;
                         var segments = WorkingDirectory.Split('\\');
                         var argSegs = arg.Split('\\');
                         var trailingDirs = argSegs.SkipWhile(o => o.Equals(".."));
                         var count = segments.Count();
                         var newLevels = count - levels;
                         if (newLevels < 2)
                         {
                             _workingDirectory = segments.First() + "\\" + string.Join("\\", trailingDirs);
                         }
                         else
                         {
                             var newSegs = segments.Take(newLevels).ToList();
                             newSegs.AddRange(trailingDirs);
                             _workingDirectory = string.Join("\\", newSegs);
                         }
                     }
                     else
                     {
                         if (WorkingDirectory.EndsWith("\\"))
                         {
                             _workingDirectory = WorkingDirectory + arg;
                         }
                         else
                         {
                             _workingDirectory = WorkingDirectory + "\\" + arg;
                         }
                     }
                 }
             }
             break;
     }
 }
开发者ID:neiz,项目名称:Wish,代码行数:57,代码来源:CmdDirectoryManager.cs


示例17: Main

        static void Main(string[] args)
        {
            CommandLine commandLine = new CommandLine(args);

            switch(commandLine.Action)
            {
                // ...
            }
        }
开发者ID:andrewdwalker,项目名称:EssentialCSharp,代码行数:9,代码来源:Listing05.47.DefiningANestedClassInASeperatePartialClass.cs


示例18: commandLine_Contains_using_invalid_args_should_return_false

        public void commandLine_Contains_using_invalid_args_should_return_false()
        {
            var expected = false;

            var target = new CommandLine( new[] { "-data" } );
            Boolean actual = target.Contains( "d" );

            actual.Should().Be.EqualTo( expected );
        }
开发者ID:RadicalFx,项目名称:Radical,代码行数:9,代码来源:CommandLineTests.cs


示例19: commandLine_Contains_using_valid_args_should_return_true_ignoring_slash_arg_prefix

        public void commandLine_Contains_using_valid_args_should_return_true_ignoring_slash_arg_prefix()
        {
            var expected = true;

            var target = new CommandLine( new[] { "/d" } );
            Boolean actual = target.Contains( "d" );

            actual.Should().Be.EqualTo( expected );
        }
开发者ID:RadicalFx,项目名称:Radical,代码行数:9,代码来源:CommandLineTests.cs


示例20: commandLine_Contains_using_valid_args_should_ignore_casing

        public void commandLine_Contains_using_valid_args_should_ignore_casing()
        {
            var expected = true;

            var target = new CommandLine( new[] { "D" } );
            Boolean actual = target.Contains( "d" );

            actual.Should().Be.EqualTo( expected );
        }
开发者ID:RadicalFx,项目名称:Radical,代码行数:9,代码来源:CommandLineTests.cs



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


鲜花

握手

雷人

路过

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

请发表评论

全部评论

专题导读
上一篇:
C# System.Complex类代码示例发布时间:2022-05-26
下一篇:
C# System.Color类代码示例发布时间:2022-05-26
热门推荐
阅读排行榜

扫描微信二维码

查看手机版网站

随时了解更新最新资讯

139-2527-9053

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

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

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