2

我正在尝试使用 SWIG 从 Python 调用 C++ 对象的成员函数。目前我有一个带有 getter 和 setter 的小示例类来修改 C++ 类的成员变量。这是 C++ 头文件:

#ifndef _square_
#define _square_
#include <iostream>

class Square
{
 private:
    double x;
    double y;
    const char *name;

 public:
    void setName(const char*);
    const char* getName();
    Square() {
        name = "construct value";
    };
};
#endif

这是 .cpp 实现文件:

#include <iostream>
using namespace std;
#include "Square.h"

const char* Square::getName()
{
    return name;
}

void Square::setName(const char* name)
{
    this->name = name;
    return;
}

SWIG 的 Square.i 文件:

%module Square
%{
#include "Square.h"
%}

%include "Square.h"

SWIG 似乎可以毫无问题地生成 Square_wrap.cxx 文件,并且生成的目标文件似乎可以正常链接:

$ swig -python -c++ Square.i
$ g++ -c -fpic Square.cxx Square_wrap.cxx -I/usr/include/python2.7
$ g++ -shared Square.o Square_wrap.o -o _Square.so

现在用一些 Python 示例来测试结果:

$ cat test2.py
#!/usr/bin/python
import Square

s = Square.Square()

print s.getName()
s.setName("newnametest")
print s.getName()

如果我通过 Python 解释器运行它,一切正常:

$ python test2.py
construct value
newnametest

但是如果我通过 Python 的 CLI 交互式地输入测试行,事情就不起作用了:

$ python
Python 2.7.4 (default, Apr 19 2013, 18:28:01) 
[GCC 4.7.3] on linux2
Type "help", "copyright", "credits" or "license" for more information.
>>> import Square
>>> 
>>> s = Square.Square()
>>> 
>>> print s.getName()
construct value
>>> s.setName("newnametest")
>>> print s.getName()

>>> s.getName()
'<stdin>'
>>> s.setName('newnametest')
>>> s.getName()
''
>>> s.setName("newnametest")
>>> s.getName()
''

与 CLI 相比,Python 在后台处理 Python 脚本文件的方式是否不同,或者我是否以某种方式滥用了 SWIG 生成的 Python 接口?任何有关如何调试或理解幕后问题的提示将不胜感激。

4

1 回答 1

1

据我所知,您只是将引用存储在 cpp 文件(this->name = name)中。复制它会很好,因为字符串很可能不够持久,并且在函数返回后被丢弃(并且在那之后稍微收集垃圾)。这可以解释为什么它在脚本中起作用(两个调用之间没有 GCollection 也没有其他任何事情发生)。

尝试使用strdup或使用std::string.

于 2013-07-25T23:15:31.687 回答