6

I want to implement a framework to map JSON string to the calling of C# method. For example, I have a C# class Calculator defined as below.

// C# class
class Calculator
{
public:
    int add (int x, int y);
    int sub (int x, int y);
}

There is a JSON string as below. When the framework receives this string, it creates/new an object of class Calculator. Then call its function add. And pass the value 12 and 43 to the function as parameters.

// JSON string
"{
\"class\":\"Calculator\",
\"method\":\"add\",
\"parameters\": {
    \"x\" : \"12\", \"y\" : \"43\"
    }
}"

Is there any 3rd party library to implement this? Or how can I implement it by myself?

Jeffrey
  • 4,436
  • 9
  • 38
  • 54

1 Answers1

11

A small working sample. Of course many checks are missing. (Using Json.Net)

string jsonstring = "{\"class\":\"Calculator\",\"method\":\"add\",\"parameters\": { \"x\" : \"12\", \"y\" : \"43\" }}";

var json = (JObject)JsonConvert.DeserializeObject(jsonstring);

Type type = Assembly.GetExecutingAssembly()
                    .GetTypes()
                    .First(t => t.Name==(string)json["class"]);

object inst = Activator.CreateInstance(type);
var method =  type.GetMethod((string)json["method"]);
var parameters = method.GetParameters()
        .Select(p => Convert.ChangeType((string)json["parameters"][p.Name], p.ParameterType))
        .ToArray();
var result =  method.Invoke(inst, parameters);

var toReturn = JsonConvert.SerializeObject(new {status="OK",result=result });

-

class Calculator
{
    public int add(int x, int y)
    {
        return x + y;
    }
}
L.B
  • 114,136
  • 19
  • 178
  • 224