我有一些在嵌入式IronPython脚本中使用的简单C#类型:
//simple type
public class Foo
{
public int a;
public int b;
}
var engine = IronPython.Hosting.Python.CreateEngine();
dynamic scope = engine.CreateScope();
scope.foo = new Foo{ a = 1, b = 2 };
engine.Execute( "print( foo.a )", scope );
我想为Foo
添加一些功能,但我无法修改它的代码。此外,我宁愿不从它派生也不使用扩展方法,而是使用委托。理想情况下,我想写一些类似
scope.AddMemberFunction( scope.foo, "Fun",
new Func<Foo,int>( f => return f.a + f.b ) );
然后直接在Python脚本中使用它:
print( foo.Fun() )
我认为这正是使用Operations
可以做到的事情,但这引发了一个例外,说'Foo'对象没有属性'Fun'
engine.Operations.SetMember( scope.foo, "Fun",
new Func<Foo, int>( f => f.a + f.b ) );
接下来我尝试了Python的方式(假设Foo在一个名为IronPythonApp的名称空间中,并且它的程序集被添加到engine.Runtime中):
import IronPythonApp
def Fun( self ):
return self.a + self.b
IronPythonApp.Foo.Fun = Fun
但是这也有类似的例外:无法设置内置/扩展类型'Foo'的属性
有没有办法修改ironPython内部生成的Python类定义?
更新
我通过Jeff Hardy的回答探讨了一些选项。这里有两种方法可以兼具可扩展性(只是在这里显示简单的方法)
ExpandoObject!
var foo = new Foo { a = 1, b = 2 };
dynamic exp = new ExpandoObject();
exp.Fun = new Func<int>( () => foo.a + foo.b );
exp.a = foo.a; //automating these is not a big deal
exp.b = foo.b; //
//now just add exp to the scope and done.
在所有之后使用SetMember
scope.origFoo = new Foo { a = 1, b = 2 };
//the only variable thing in this string is 'origFoo'
//so it's no big deal scaling this
engine.Execute( @"
class GenericWrapper( object ) :
def __init__( self, foo ):
self.foo = foo
def __getattr__( self, name ) :
return getattr( self.foo, name )
foo = GenericWrapper( origFoo )", scope );
//ha, now scope contains something that we can mess with after all
engine.Operations.SetMember( scope.foo, "Fun",
new Func<int>( () => scope.foo.a + scope.foo.b ) );
engine.Execute( "print( foo.Fun() )", scope );
答案 0 :(得分:2)
简短回答:不,你不能修改.NET类。默认情况下,它们没有必要的动态挂钩来添加成员。
你最好的选择是包装课程并添加你想要的成员; Python使这很简单:
class FooWrapper(object):
def __init__(self, foo):
self.foo = foo
def __getattr__(self, name):
return getattr(self.foo, name)
def mymethod(self):
...
__getattr__
特殊方法仅针对不属于普通属性查找的属性调用,因此mymethod()
将被正常查找,但其他任何内容都将被转发到基础对象。
如果你需要在C#端进行,你可以通过继承DynamicObject
并重载Try*Member
函数来实现同样的目的。