Customize Consent Preferences

We use cookies to help you navigate efficiently and perform certain functions. You will find detailed information about all cookies under each consent category below.

The cookies that are categorized as "Necessary" are stored on your browser as they are essential for enabling the basic functionalities of the site. ... 

Always Active

Necessary cookies are required to enable the basic features of this site, such as providing secure log-in or adjusting your consent preferences. These cookies do not store any personally identifiable data.

No cookies to display.

Functional cookies help perform certain functionalities like sharing the content of the website on social media platforms, collecting feedback, and other third-party features.

No cookies to display.

Analytical cookies are used to understand how visitors interact with the website. These cookies help provide information on metrics such as the number of visitors, bounce rate, traffic source, etc.

No cookies to display.

Performance cookies are used to understand and analyze the key performance indexes of the website which helps in delivering a better user experience for the visitors.

No cookies to display.

Advertisement cookies are used to provide visitors with customized advertisements based on the pages you visited previously and to analyze the effectiveness of the ad campaigns.

No cookies to display.

Entendiendo React Native: ¿Qué es la arquitectura puente?

Tiempo de lectura: 2 minutos

La Arquitectura puente (bridge architecture) de React Native es una de las características más importantes y distintivas del marco. Permite la comunicación entre el código JavaScript y el código nativo (Objective-C, Swift para iOS, y Java, Kotlin para Android). Esta comunicación se lleva a cabo mediante un puente (bridge) que traduce y pasa mensajes entre los dos mundos.

Puente mar, pexels

¿Cómo Funciona el Puente?

  1. JavaScript: Los desarrolladores escriben el código de la aplicación en JavaScript usando React Native. Este código define la lógica de la aplicación y las interfaces de usuario utilizando componentes React.
  2. Puente (Bridge): Cuando se ejecuta el código JavaScript, las llamadas a las APIs nativas se encolan en un puente. El puente es responsable de enviar estas llamadas desde el hilo de JavaScript al hilo nativo.
  3. Capa Nativa: En el lado nativo, las llamadas del puente son recibidas y ejecutadas usando los componentes y APIs nativas de la plataforma. Las respuestas y los eventos generados por el código nativo se envían de vuelta al hilo de JavaScript a través del puente.

Ejemplo Simplificado

Imaginemos que quieres crear un componente simple en React Native que muestre un mensaje nativo en una alerta:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
import { NativeModules } from 'react-native';
const { MyAlertModule } = NativeModules;
function showAlert() {
MyAlertModule.showAlert('Hello from React Native!');
}
showAlert();
import { NativeModules } from 'react-native'; const { MyAlertModule } = NativeModules; function showAlert() { MyAlertModule.showAlert('Hello from React Native!'); } showAlert();
import { NativeModules } from 'react-native';

const { MyAlertModule } = NativeModules;

function showAlert() {
    MyAlertModule.showAlert('Hello from React Native!');
}

showAlert();

Puente (Bridge): La llamada a MyAlertModule.showAlert se encola y se envía al puente.

Código Nativo (iOS – Objective-C):

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
#import "React/RCTBridgeModule.h"
@interface RCT_EXTERN_MODULE(MyAlertModule, NSObject)
RCT_EXTERN_METHOD(showAlert:(NSString *)message)
@end
// MyAlertModule.m
#import "React/RCTLog.h"
@implementation MyAlertModule
RCT_EXPORT_MODULE();
RCT_EXPORT_METHOD(showAlert:(NSString *)message)
{
dispatch_async(dispatch_get_main_queue(), ^{
UIAlertController *alert = [UIAlertController alertControllerWithTitle:@"Alert"
message:message
preferredStyle:UIAlertControllerStyleAlert];
UIAlertAction *ok = [UIAlertAction actionWithTitle:@"OK" style:UIAlertActionStyleDefault handler:nil];
[alert addAction:ok];
UIViewController *rootViewController = [UIApplication sharedApplication].delegate.window.rootViewController;
[rootViewController presentViewController:alert animated:YES completion:nil];
});
}
@end
#import "React/RCTBridgeModule.h" @interface RCT_EXTERN_MODULE(MyAlertModule, NSObject) RCT_EXTERN_METHOD(showAlert:(NSString *)message) @end // MyAlertModule.m #import "React/RCTLog.h" @implementation MyAlertModule RCT_EXPORT_MODULE(); RCT_EXPORT_METHOD(showAlert:(NSString *)message) { dispatch_async(dispatch_get_main_queue(), ^{ UIAlertController *alert = [UIAlertController alertControllerWithTitle:@"Alert" message:message preferredStyle:UIAlertControllerStyleAlert]; UIAlertAction *ok = [UIAlertAction actionWithTitle:@"OK" style:UIAlertActionStyleDefault handler:nil]; [alert addAction:ok]; UIViewController *rootViewController = [UIApplication sharedApplication].delegate.window.rootViewController; [rootViewController presentViewController:alert animated:YES completion:nil]; }); } @end
#import "React/RCTBridgeModule.h"

@interface RCT_EXTERN_MODULE(MyAlertModule, NSObject)
RCT_EXTERN_METHOD(showAlert:(NSString *)message)
@end

// MyAlertModule.m
#import "React/RCTLog.h"

@implementation MyAlertModule

RCT_EXPORT_MODULE();

RCT_EXPORT_METHOD(showAlert:(NSString *)message)
{
    dispatch_async(dispatch_get_main_queue(), ^{
        UIAlertController *alert = [UIAlertController alertControllerWithTitle:@"Alert"
                                                                       message:message
                                                                preferredStyle:UIAlertControllerStyleAlert];
        UIAlertAction *ok = [UIAlertAction actionWithTitle:@"OK" style:UIAlertActionStyleDefault handler:nil];
        [alert addAction:ok];
        UIViewController *rootViewController = [UIApplication sharedApplication].delegate.window.rootViewController;
        [rootViewController presentViewController:alert animated:YES completion:nil];
    });
}

@end

Ventajas y Desafíos del Puente

Ventajas:
  • Flexibilidad: Permite usar el potencial completo de las APIs nativas cuando se necesita, sin abandonar el entorno de desarrollo de JavaScript.
  • Reutilización de Código: Permite compartir la mayor parte del código entre iOS y Android, haciendo el desarrollo más eficiente.
Desafíos:
  • Rendimiento: La comunicación a través del puente puede introducir latencia si se abusa de ella, ya que las llamadas nativas y JavaScript se procesan en diferentes hilos.
  • Mantenimiento: Requiere un buen entendimiento tanto de JavaScript como del código nativo de las plataformas soportadas, lo que puede ser desafiante para los desarrolladores.

En resumen, la arquitectura puente de React Native es una herramienta poderosa que facilita el desarrollo de aplicaciones móviles híbridas con capacidades nativas, proporcionando flexibilidad y eficiencia, aunque también introduce ciertos desafíos en términos de rendimiento y mantenimiento del código.

0

Deja un comentario