当在其中使用本地接口时,在Brew中编写代码可能是重复的,并且容易出错,使其变得健壮,即:
Foo()
{
ISomeInterface* interface = NULL;
int err = ISHELL_Createnstance(…,...,&interface);
err = somethingThatCanFail();
if (AEE_SUCCESS != err)
ISomeInterface_Release(interface);
err = somethingElseThatCanFail()
if (AEE_SUCCESS != err)
ISomeInterface_Release(interface);
etc....
编写一个RAII类可以快速自动释放退出该函数的接口,但它将特定于某个特定的接口(它当然会在其析构函数中调用ISomeInterface_Release)
有没有办法制作可用于不同类型接口的通用RAII类?即,是否存在可以在RAII中调用的通用Release函数,而不是特定于接口的版本或其他一些机制?
---编辑---- 道歉,我最初在这个帖子中添加了C ++和RAII标签,我现在已经将其删除了。 因为答案需要Brew知识而不是C ++知识。 感谢那些花时间回答的人,我应该首先添加更多信息,而不是添加其他标签。
答案 0 :(得分:3)
shared_ptr
符合您的要求:
ISomeInterface* interface = NULL;
int err = ISHELL_Createnstance(…,...,&interface);
std::shared_ptr<ISomeInterface*> pointer(interface, ISomeInterface_Release);
参考:http://www.boost.org/doc/libs/1_46_1/libs/smart_ptr/shared_ptr.htm#constructors
<小时/> 编辑以下是一个示例:
#include <cstdio>
#include <memory>
int main(int ac, char **av) {
std::shared_ptr<FILE> file(fopen("/etc/passwd", "r"), fclose);
int i;
while( (i = fgetc(file.get())) != EOF)
putchar(i);
}
答案 1 :(得分:2)
在析构函数中调用指定函数的RAII类可能如下所示:
template<typename T, void (*onRelease)(T)>
class scope_destroyer {
T m_data;
public:
scope_destroyer(T const &data)
: m_data(data)
{}
~scope_destroyer() { onRelease(m_data); }
//...
};
然后,您只需传递一个类型T
(例如Foo*
)和一个可以使用T
类型的单个参数调用的函数,然后释放该对象。
scope_destroyer<Foo, &ISomeInterface_Release> foo(CreateFoo());