Você pode misturar C ++ com Objective-C se fizer isso com cuidado. Existem algumas ressalvas, mas, de modo geral, elas podem ser misturadas. Se você quiser mantê-los separados, você pode configurar uma função de wrapper C padrão que dá ao objeto Objective-C uma interface de estilo C utilizável de código não Objective-C (escolha nomes melhores para seus arquivos, eu escolhi esses nomes para verbosidade):
MyObject-C-Interface.h
#ifndef __MYOBJECT_C_INTERFACE_H__
#define __MYOBJECT_C_INTERFACE_H__
// This is the C "trampoline" function that will be used
// to invoke a specific Objective-C method FROM C++
int MyObjectDoSomethingWith (void *myObjectInstance, void *parameter);
#endif
MyObject.h
#import "MyObject-C-Interface.h"
// An Objective-C class that needs to be accessed from C++
@interface MyObject : NSObject
{
int someVar;
}
// The Objective-C member function you want to call from C++
- (int) doSomethingWith:(void *) aParameter;
@end
MyObject.mm
#import "MyObject.h"
@implementation MyObject
// C "trampoline" function to invoke Objective-C method
int MyObjectDoSomethingWith (void *self, void *aParameter)
{
// Call the Objective-C method using Objective-C syntax
return [(id) self doSomethingWith:aParameter];
}
- (int) doSomethingWith:(void *) aParameter
{
// The Objective-C function you wanted to call from C++.
// do work here..
return 21 ; // half of 42
}
@end
MyCPPClass.cpp
#include "MyCPPClass.h"
#include "MyObject-C-Interface.h"
int MyCPPClass::someMethod (void *objectiveCObject, void *aParameter)
{
// To invoke an Objective-C method from C++, use
// the C trampoline function
return MyObjectDoSomethingWith (objectiveCObject, aParameter);
}
A função wrapper não precisa estar no mesmo .m
arquivo que a classe Objective-C, mas o arquivo em que ela existe precisa ser compilado como código Objective-C . O cabeçalho que declara a função wrapper precisa ser incluído no código CPP e Objective-C.
(NOTA: se o arquivo de implementação Objective-C receber a extensão ".m", ele não será vinculado ao Xcode. A extensão ".mm" diz ao Xcode para esperar uma combinação de Objective-C e C ++, ou seja, Objective-C ++. )
Você pode implementar o acima de uma maneira orientada a objetos usando o idioma PIMPL . A implementação é apenas ligeiramente diferente. Resumindo, você coloca as funções de wrapper (declaradas em "MyObject-C-Interface.h") dentro de uma classe com um ponteiro void (privado) para uma instância de MyClass.
MyObject-C-Interface.h (PIMPL)
#ifndef __MYOBJECT_C_INTERFACE_H__
#define __MYOBJECT_C_INTERFACE_H__
class MyClassImpl
{
public:
MyClassImpl ( void );
~MyClassImpl( void );
void init( void );
int doSomethingWith( void * aParameter );
void logMyMessage( char * aCStr );
private:
void * self;
};
#endif
Observe que os métodos de wrapper não requerem mais o ponteiro void para uma instância de MyClass; agora é um membro privado de MyClassImpl. O método init é usado para instanciar uma instância MyClass;
MyObject.h (PIMPL)
#import "MyObject-C-Interface.h"
@interface MyObject : NSObject
{
int someVar;
}
- (int) doSomethingWith:(void *) aParameter;
- (void) logMyMessage:(char *) aCStr;
@end
MyObject.mm (PIMPL)
#import "MyObject.h"
@implementation MyObject
MyClassImpl::MyClassImpl( void )
: self( NULL )
{ }
MyClassImpl::~MyClassImpl( void )
{
[(id)self dealloc];
}
void MyClassImpl::init( void )
{
self = [[MyObject alloc] init];
}
int MyClassImpl::doSomethingWith( void *aParameter )
{
return [(id)self doSomethingWith:aParameter];
}
void MyClassImpl::logMyMessage( char *aCStr )
{
[(id)self doLogMessage:aCStr];
}
- (int) doSomethingWith:(void *) aParameter
{
int result;
// ... some code to calculate the result
return result;
}
- (void) logMyMessage:(char *) aCStr
{
NSLog( aCStr );
}
@end
Observe que MyClass é instanciado com uma chamada para MyClassImpl :: init. Você poderia instanciar MyClass no construtor de MyClassImpl, mas isso geralmente não é uma boa ideia. A instância MyClass é destruída do destruidor de MyClassImpl. Tal como acontece com a implementação do estilo C, os métodos de wrapper simplesmente se referem aos respectivos métodos de MyClass.
MyCPPClass.h (PIMPL)
#ifndef __MYCPP_CLASS_H__
#define __MYCPP_CLASS_H__
class MyClassImpl;
class MyCPPClass
{
enum { cANSWER_TO_LIFE_THE_UNIVERSE_AND_EVERYTHING = 42 };
public:
MyCPPClass ( void );
~MyCPPClass( void );
void init( void );
void doSomethingWithMyClass( void );
private:
MyClassImpl * _impl;
int _myValue;
};
#endif
MyCPPClass.cpp (PIMPL)
#include "MyCPPClass.h"
#include "MyObject-C-Interface.h"
MyCPPClass::MyCPPClass( void )
: _impl ( NULL )
{ }
void MyCPPClass::init( void )
{
_impl = new MyClassImpl();
}
MyCPPClass::~MyCPPClass( void )
{
if ( _impl ) { delete _impl; _impl = NULL; }
}
void MyCPPClass::doSomethingWithMyClass( void )
{
int result = _impl->doSomethingWith( _myValue );
if ( result == cANSWER_TO_LIFE_THE_UNIVERSE_AND_EVERYTHING )
{
_impl->logMyMessage( "Hello, Arthur!" );
}
else
{
_impl->logMyMessage( "Don't worry." );
}
}
Agora você acessa chamadas para MyClass por meio de uma implementação privada de MyClassImpl. Essa abordagem pode ser vantajosa se você estiver desenvolvendo um aplicativo portátil; você poderia simplesmente trocar a implementação de MyClass por uma específica para a outra plataforma ... mas, honestamente, se esta é uma implementação melhor é mais uma questão de gosto e necessidades.