我有一个c ++函数,它获取std::map
个对象并将其转换为CFMutableDisctionryRef
,以便在方法CFNotificationCenterPostNotification
上使用它。这是我的实施:
void IPCNotificationSender::send(const char *identifier, map<const char *, const char *> dict)
{
NSMutableDictionary *myDict = [NSMutableDictionary dictionary];
CFStringRef cfIdentifier = CFStringCreateWithCString(NULL, identifier,
kCFStringEncodingMacRoman);
for (std::map<const char *, const char *>::iterator it=dict.begin(); it!=dict.end(); ++it)
{
NSString *key = [NSString stringWithUTF8String:it->first];
NSString *val = [NSString stringWithUTF8String:it->second];
myDict[key] = key;
}
CFMutableDictionaryRef myCFDict = (CFMutableDictionaryRef)CFBridgingRetain(myDict);
CFNotificationCenterPostNotification(CFNotificationCenterGetDistributedCenter(), cfIdentifier, NULL, myCFDict, TRUE);
CFRelease(myCFDict);
CFRelease(cfIdentifier);
}
但是,NSString *key
对象中似乎存在内存泄漏,应该自动释放它。我试图在Objective-C函数类型的基础上实现转换并且仍然得到相同的结果...我倾向于认为c ++和objective-C之间的混合虽然有效,但会导致Objective-c垃圾的一些问题集电极。
我的实施在哪里出错了?
谢谢
答案 0 :(得分:1)
我遇到了同样的问题,共享c ++ / objective c项目中的内存管理似乎存在问题。
解决方案是创建可以手动释放它们的对象。
在您的代码中,尝试以下操作:
for (std::map<const char *, const char *>::iterator it=dict.begin(); it!=dict.end(); ++it)
{
CFStringRef key = CFStringCreateWithCString(NULL, it->first,
kCFStringEncodingMacRoman);
CFStringRef val = CFStringCreateWithCString(NULL, it->second,
kCFStringEncodingMacRoman);
myDict[(__bridge NSString * _Nonnull __strong)(key)] = (__bridge NSString * _Nonnull __strong)(val);
CFRelease(key);
CFRelease(val);
}
答案 1 :(得分:1)
map<string, string>
基于提供已接受答案的线索,我怀疑是什么存在实际问题。 您的C ++代码连续运行而未到达自动发布池。因此,当您使用自动发布池所涉及的Objective C API时,由于自动发布池永远无法控制,因此这些对象不会被释放。
所以我会这样写:
NSString *ConvertToObjC(const string& s)
{
return [NSString stringWithUTF8String: s.c_str()];
}
NSDictionary *ConvertToObjC(const map<string, string>& cppMap)
// here I use templates which do lots of magic, but this is off topic,
{
NSMutableDictionary *result = [NSMutableDictionary dictionaryWithCapacity: cppMap.count()];
for (const auto& x : cppMap)
{
result[ConvertToObjC(x.first)] = ConvertToObjC(x.second);
}
return result;
}
void IPCNotificationSender::send(const string& identifier,
const map<string, string>& cppMap)
{
@autoreleasepool {
auto ident = ConvertToObjC(identifier);
auto myDic = ConvertToObjC(cppMap);
CFNotificationCenterPostNotification(
CFNotificationCenterGetDistributedCenter(),
(CFStringRef)CFBridgingRetain(ident),
NULL,
(CFDictionaryRef)CFBridgingRetain(myDict),
TRUE);
}
}