2

我正在使用 Python4Delphi

我有一个 python 文件,它上面声明了一个类,如下所示:

class Student:
  SName = "MyName"
  SAge = 26

  def GetName(self):
    return SName

  def GetAge(self):
    return SAge

我想获得这个类的引用并使用我的 Delphi 代码访问它的字段或方法

我在这里找到了一个例子:http: //www.atug.com/andypatterns/pythonDelphiTalk.htm

但是,当我尝试像该示例那样执行此操作时,会显示错误:“不支持此类接口”

这是我的德尔福代码:

var
 Err : Boolean;
 S : TStringList;
 MyClass : OLEVariant;
 PObj : PPyObject;
begin
 ...

 S := TStringList.Create;
 try
  S.LoadFromFile(ClassFileEdit.Text);
  Err := False;
  try
   PyEngine.ExecStrings(S);
  except
   on E:Exception do
    begin
     Err := True;

     MessageBox(Handle, PChar('Load Error : ' + #13 + E.Message), '', MB_OK+MB_ICONEXCLAMATION);
    end;
  end;
 finally
  S.Free;
 end;

 if Err then
  Exit;

 Err := False;
 try
  try
   PyEngine.ExecString('ClassVar.Value = Student()');
  except
   on E:Exception do
    begin
     Err := True;

     MessageBox(Handle, PChar('Class Name Error : ' + #13 + E.Message), '', MB_OK+MB_ICONEXCLAMATION);
    end;
  end;
 finally
  if not Err then
   begin
    PObj := ClassDelphiVar.ValueObject;
    MyClass := GetAtom(PObj);
    GetPythonEngine.Py_XDECREF(PObj);

    NameEdit.Text := MyClass.GetName();
    AgeEdit.Text := IntToStr(MyClass.GetAge());
   end;
 end;

此行发生错误:

NameEdit.Text := MyClass.GetName();

似乎 MyClass 没有填充学生对象

我进行了很多搜索,发现 GetAtom 在新版本中已被弃用,但我该如何以另一种方式做到这一点?

  • ClassDelphiVar 是一个 TPythonDelphiVar 组件,其中“ClassVar”作为 VarName
4

1 回答 1

2

我找到了答案,我将在这里发布可能对某人有帮助

在表单上放置一个 PythonDelphiVar 组件并设置它OnExtGetDataOnExtSetData事件,如下代码:

procedure TMainFrm.ClassDelphiVarExtGetData(Sender: TObject;
  var Data: PPyObject);
begin
 with GetPythonEngine do
   begin
     Data := FMyPythonObject;
     Py_XIncRef(Data); // This is very important
   end;
end;

procedure TMainFrm.ClassDelphiVarExtSetData(Sender: TObject; Data: PPyObject);
begin
 with GetPythonEngine do
  begin
   Py_XDecRef(FMyPythonObject); // This is very important
   FMyPythonObject := Data;
   Py_XIncRef(FMyPythonObject); // This is very important
  end;
end;

我们应该小心 Python 对象的引用计数

FMyPythonObject 在表单类的公共部分中声明为 PPyObject 变量

现在如果我们在 Python 模块中运行这个脚本:

ClassVar.Value = MyClass()

ClassVar是 PythonDelphiVar 组件的 VarName)

然后我们可以像这样获取 Python 对象的属性:

var
 PObj : PPyObject;
begin
 ...
 PObj := GetPythonEngine.PyObject_GetAttrString(FMyPythonObject, PAnsiChar(WideStringToString('AttrName', 0)));
 AttrValueEdit.Text := GetPythonEngine.PyObjectAsString(PObj);
 ...
end

...

function WideStringToString(const Source: UnicodeString; CodePage: UINT): RawByteString;
var
 strLen: Integer;
begin
 strLen := LocaleCharsFromUnicode(CodePage, 0, PWideChar(Source), Length(Source), nil, 0, nil, nil);
 if strLen > 0 then
  begin
   SetLength(Result, strLen);
   LocaleCharsFromUnicode(CodePage, 0, PWideChar(Source), Length(Source), PAnsiChar(Result), strLen, nil, nil);
   SetCodePage(Result, CodePage, False);
  end;
end;
于 2017-04-18T13:18:05.167 回答