Reputation: 78104
How do I find out what directory my console app is running in with C#?
Upvotes: 104
Views: 76199
Reputation: 101
Another solution is to use method Directory.GetCurrentDirectory:
string currentDirectory = Directory.GetCurrentDirectory();
Console.WriteLine("Working dir: " + currentDirectory);
Upvotes: 0
Reputation: 36618
Depending on the rights granted to your application, whether shadow copying is in effect or not and other invocation and deployment options, different methods may work or yield different results so you will have to choose your weapon wisely. Having said that, all of the following will yield the same result for a fully-trusted console application that is executed locally at the machine where it resides:
Console.WriteLine( Assembly.GetEntryAssembly().Location );
Console.WriteLine( new Uri(Assembly.GetEntryAssembly().CodeBase).LocalPath );
Console.WriteLine( Environment.GetCommandLineArgs()[0] );
Console.WriteLine( Process.GetCurrentProcess().MainModule.FileName );
You will need to consult the documentation of the above members to see the exact permissions needed.
Upvotes: 18
Reputation: 1346
Let's say your .Net core console application project name is DataPrep.
Get Project Base Directory:
Console.WriteLine(Environment.CurrentDirectory);
Output: ~DataPrep\bin\Debug\netcoreapp2.2
Get Project .csproj file directory:
string ProjectDirPath = Path.GetFullPath(Path.Combine(Environment.CurrentDirectory, @"..\..\..\"));
Console.WriteLine(ProjectDirPath);
Output: ~DataPrep\
Upvotes: 3
Reputation: 23894
In .NET, you can use System.Environment.CurrentDirectory
to get the directory from which the process was started.
System.Reflection.Assembly.GetExecutingAssembly().Location
will tell you the location of the currently executing assembly (that's only interesting if the currently executing assembly is loaded from somewhere different than the location of the assembly where the process started).
Upvotes: 4
Reputation: 257
On windows (not sure about Unix etc.) it is the first argument in commandline.
In C/C++ firts item in argv*
WinAPI - GetModuleFileName(NULL, char*, MAX_PATH)
Upvotes: 1
Reputation: 15503
To get the directory where the .exe file is:
AppDomain.CurrentDomain.BaseDirectory
To get the current directory:
Environment.CurrentDirectory
Upvotes: 182