Вот рабочий пример с отслеживанием для строительства / разрушения, чтобы показать, что подсчет ссылок общего указателя работает:
test.h
#include <map>
#include <memory>
#include <string>
#include <iostream>
class A {
public:
virtual int f() = 0;
A() { std::cout << "A()" << std::endl; }
virtual ~A() { std::cout << "~A()" << std::endl; }
};
class B : public A {
public:
int f() { return 10; }
B() { std::cout << "B()" << std::endl; }
virtual ~B() { std::cout << "~B()" << std::endl; }
};
class C : public A {
public:
int f() { return 20; }
C() { std::cout << "C()" << std::endl; }
virtual ~C() { std::cout << "~C()" << std::endl; }
};
std::map< std::string, std::shared_ptr<A>> my_map;
test.i
%module test
%{
#include "test.h"
%}
%include <std_map.i>
%include <std_shared_ptr.i>
%include <std_string.i>
// declare all visible shared pointers so SWIG generates appropriate wrappers
// before including the header.
%shared_ptr(A)
%shared_ptr(B)
%shared_ptr(C)
%include "test.h"
// Declare the template instance used so SWIG will generate the wrapper.
%template(Map) std::map<std::string, std::shared_ptr<A>>;
Выход:
>>> import test
>>>
>>> m=test.cvar.my_map # global variables are in module's cvar.
>>> m['foo'] = test.C()
A()
C()
>>> m['foo'].f()
20
>>> del m['foo'] # only reference, so it is freed
~C()
~A()
>>> b = test.B() # 1st reference
A()
B()
>>> m['bar'] = b # 2nd reference
>>> del m['bar'] # NOT freed.
>>> del b # now it is freed.
~B()
~A()