Reputation: 166
[Background Information]
So I installed the new Visual Studio 2022 and decided to try out .NET Core 6 for a simple script. Firstly, I created a new console app and was immediately confused. No main method, with no write up in the documentation to using CLI arguments (I need to pass two target path arguments). I found a overflow post regarding how to access arguments through the System.Environment class. So I moved on.
[Question]
In .NET Core 5 console apps I had no problem running compiled executables with arguments through the CLI. But when I published my code and ran it through the command line I got the following output (see output) with the strange line "program cannot run in DOS mode". Interestingly enough, it still reads one of ini files, but when I run through powershell it reads the other ini. This is very strange behavior to me. Should I just downgrade back to .NET Core 5 or try and understand what's happening? Is it the fact that I am reading INI's ? (unfortunately I have no choice as its a legacy project). Any help is appreciated.
[Code]
using System.IO;
//get command line arguments
try
{
string stationIniPath = Environment.GetCommandLineArgs()[0];
string equipmentIniPath = Environment.GetCommandLineArgs()[1];
Console.WriteLine("- Reading INI data -");
if(stationIniPath != null && equipmentIniPath != null){
string[] stationINI = System.IO.File.ReadAllLines(stationIniPath);
string[] equipmentINI = System.IO.File.ReadAllLines(equipmentIniPath);
foreach(string station in stationINI)
{
Console.WriteLine(station);
}
foreach(string equipment in equipmentINI)
{
Console.WriteLine(equipment);
}
}
else
{
throw new Exception("Need to specify command line arguments");
}
}
catch (Exception e)
{
Console.WriteLine("You must specify arguments [0] Station INI Path and [1] Equipment INI path : " + e.Message);
}
[Output When Ran using Powershell & || CMD]
Upvotes: 6
Views: 3056
Reputation: 141998
Another approach - use the args
parameter generated by compiler:
The entry point method always has one formal parameter,
string[] args
. The execution environment creates and passes astring[]
argument containing the command-line arguments that were specified when the application was started. Thestring[]
argument is never null, but it may have a length of zero if no command-line arguments were specified. Theargs
parameter is in scope within top-level statements and is not in scope outside of them. Regular name conflict/shadowing rules apply.
string stationIniPath = args[0];
string equipmentIniPath = args[1];
Upvotes: 2
Reputation: 364
Environment.GetCommandLineArgs()
always has process file name as the first element. You should start from index 1.
Upvotes: 9