Reputation: 181
I have the following C# code:
public class Test
{
public string Docs(ref Innovator inn) ///Innovator is an Object defined in the framework of the application
{
//// some code
string file_name = "filename";
return file_name;
}
public static void Main ()/// here I' m trying to use the above method' s return value inside main()
{
Test t = new Test();
string file_name1 = t.Docs(ref inn);
}
}
This sample code is throwing some errors.
Why is this?
Upvotes: 0
Views: 126
Reputation: 223282
1: 'inn' does' t exists in the current context,
You haven't defined inn
anywhere in your code. It should be like:
Test t = new Test();
Innovater inn = new Innovator(); //declare and (instantiate)
string file_name1 = t.Docs(ref inn);
Or You can get the inn
from the framework something like:
Innovater inn = GetInnovaterFromTheFramework();
Where your method GetInnovaterFromTheFramework
would return you the object from the framework.
The way you are passing the argument to the parameter with ref
keyword is right, the only thing is that inn
doesn't exist in the current context.
Upvotes: 3
Reputation: 11206
You need to declare an Innovator instance in main():
Innovator inn = new Innovator();
Upvotes: 1