Group
File Handling in C#
Objective
1. Input a simple C program for conversion.
2. The program will automatically translate the C code into C#.
3. The conversion will include replacing C standard library functions with C# equivalents.
4. The converted C# program will be output to a new file.
5. Test the converted program with different C programs to ensure compatibility.
Create a program to convert simple C programs, such as the following one, to C#.
Note: the resulting program must compile correctly. Test it with other similar C programs.
Example C# Exercise
Show C# Code
using System;
using System.IO;
class CtoCSharpConverter
{
// Main method where the program starts execution
static void Main(string[] args)
{
// Prompt the user to input the path of the C file to convert
Console.WriteLine("Enter the path of the C program:");
string cFilePath = Console.ReadLine();
// Check if the C file exists
if (!File.Exists(cFilePath))
{
Console.WriteLine("The specified C file does not exist.");
return;
}
try
{
// Read the contents of the C file
string cProgramCode = File.ReadAllText(cFilePath);
// Convert C program to C# program
string cSharpProgram = ConvertCtoCSharp(cProgramCode);
// Define the output file path (same as input file but with ".cs" extension)
string cSharpFilePath = Path.ChangeExtension(cFilePath, ".cs");
// Save the converted C# program to a new file
File.WriteAllText(cSharpFilePath, cSharpProgram);
// Output success message and path of the generated C# file
Console.WriteLine("Conversion successful! The C# program has been saved to:");
Console.WriteLine(cSharpFilePath);
}
catch (Exception ex)
{
// Handle any errors that occur during file reading or writing
Console.WriteLine("An error occurred: " + ex.Message);
}
}
// Method to convert a simple C program to C#
static string ConvertCtoCSharp(string cProgram)
{
// Replace C 'printf' with C# 'Console.WriteLine'
string cSharpProgram = cProgram.Replace("printf", "Console.WriteLine");
// Replace C 'scanf' with C# 'Console.ReadLine'
cSharpProgram = cSharpProgram.Replace("scanf", "Console.ReadLine");
// Replace C 'int' with C# 'int' (this is actually the same in both languages)
// Add conversion rules for more complex scenarios as needed
// Convert the 'main' method signature from C to C#
cSharpProgram = cSharpProgram.Replace("int main()", "static void Main()");
// Replace C-style comment '/* ... */' with C#-style comments
cSharpProgram = cSharpProgram.Replace("/*", "//").Replace("*/", "");
// Convert return type and statements for C#
cSharpProgram = cSharpProgram.Replace("return 0;", "// return 0;");
return cSharpProgram;
}
}
Output
//For a simple C program like:
#include
int main() {
printf("Hello, World!\n");
return 0;
}
//The output C# program would be:
using System;
class Program
{
static void Main() {
Console.WriteLine("Hello, World!");
}
}