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.

Tutorial de React Native – Creación de una Aplicación de Clima

Tiempo de lectura: 2 minutos

Una aplicación de clima es un proyecto interesante y útil que te permite obtener datos en tiempo real sobre el clima en diferentes ubicaciones.

¡Por supuesto! Aquí tienes un tutorial atractivo sobre cómo crear una «Aplicación de Clima» utilizando React Native. Una aplicación de clima es un proyecto interesante y útil que te permite obtener datos en tiempo real sobre el clima en diferentes ubicaciones.

Título: Tutorial de React Native – Creación de una Aplicación de Clima

Objetivo: En este tutorial, aprenderemos a crear una aplicación de clima utilizando React Native. Obtendremos datos de una API de pronóstico del tiempo y los mostraremos en la interfaz de usuario.

Nivel de Dificultad: Intermedio

Herramientas necesarias: React Native instalado en tu sistema, Node.js, un editor de código (como Visual Studio Code) y acceso a una API de pronóstico del tiempo (como OpenWeatherMap).

Paso 1: Configurar el entorno de desarrollo

Asegúrate de tener React Native instalado en tu sistema siguiendo la documentación oficial de React Native.

Paso 2: Crear un nuevo proyecto React Native

Abre tu terminal y ejecuta los siguientes comandos para crear un nuevo proyecto React Native:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
npx react-native init WeatherApp
cd WeatherApp
npx react-native init WeatherApp cd WeatherApp
npx react-native init WeatherApp
cd WeatherApp

Paso 3: Obtener una API de pronóstico del tiempo

Regístrate en una plataforma de pronóstico del tiempo (por ejemplo, OpenWeatherMap) para obtener una API Key gratuita que te permitirá acceder a los datos del clima. Guarda esta API Key en un lugar seguro.

Paso 4: Diseñar la interfaz de usuario

En el archivo App.js, reemplaza el código con el siguiente código que define la interfaz de usuario de nuestra aplicación de clima:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
import React, { useState } from 'react';
import { View, Text, TextInput, Button, StyleSheet } from 'react-native';
const API_KEY = 'YOUR_API_KEY_HERE'; // Reemplaza con tu API Key
export default function App() {
const [city, setCity] = useState('');
const [weather, setWeather] = useState(null);
const getWeather = async () => {
try {
const response = await fetch(
`https://api.openweathermap.org/data/2.5/weather?q=${city}&appid=${API_KEY}&units=metric`
);
const data = await response.json();
setWeather(data);
} catch (error) {
console.error(error);
}
};
return (
<View style={styles.container}>
<Text style={styles.title}>Weather App</Text>
<TextInput
style={styles.input}
placeholder="Ciudad"
value={city}
onChangeText={(text) => setCity(text)}
/>
<Button title="Obtener Clima" onPress={getWeather} />
{weather && (
<View style={styles.weatherContainer}>
<Text style={styles.weatherText}>
Ciudad: {weather.name}, {weather.sys.country}
</Text>
<Text style={styles.weatherText}>Temperatura: {weather.main.temp}°C</Text>
<Text style={styles.weatherText}>Clima: {weather.weather[0].description}</Text>
</View>
)}
</View>
);
}
const styles = StyleSheet.create({
container: {
flex: 1,
justifyContent: 'center',
alignItems: 'center',
},
title: {
fontSize: 24,
marginBottom: 20,
},
input: {
width: '80%',
borderColor: 'gray',
borderWidth: 1,
padding: 10,
marginBottom: 10,
},
weatherContainer: {
marginTop: 20,
borderWidth: 1,
padding: 10,
borderRadius: 5,
},
weatherText: {
fontSize: 16,
},
});
import React, { useState } from 'react'; import { View, Text, TextInput, Button, StyleSheet } from 'react-native'; const API_KEY = 'YOUR_API_KEY_HERE'; // Reemplaza con tu API Key export default function App() { const [city, setCity] = useState(''); const [weather, setWeather] = useState(null); const getWeather = async () => { try { const response = await fetch( `https://api.openweathermap.org/data/2.5/weather?q=${city}&appid=${API_KEY}&units=metric` ); const data = await response.json(); setWeather(data); } catch (error) { console.error(error); } }; return ( <View style={styles.container}> <Text style={styles.title}>Weather App</Text> <TextInput style={styles.input} placeholder="Ciudad" value={city} onChangeText={(text) => setCity(text)} /> <Button title="Obtener Clima" onPress={getWeather} /> {weather && ( <View style={styles.weatherContainer}> <Text style={styles.weatherText}> Ciudad: {weather.name}, {weather.sys.country} </Text> <Text style={styles.weatherText}>Temperatura: {weather.main.temp}°C</Text> <Text style={styles.weatherText}>Clima: {weather.weather[0].description}</Text> </View> )} </View> ); } const styles = StyleSheet.create({ container: { flex: 1, justifyContent: 'center', alignItems: 'center', }, title: { fontSize: 24, marginBottom: 20, }, input: { width: '80%', borderColor: 'gray', borderWidth: 1, padding: 10, marginBottom: 10, }, weatherContainer: { marginTop: 20, borderWidth: 1, padding: 10, borderRadius: 5, }, weatherText: { fontSize: 16, }, });
import React, { useState } from 'react';
import { View, Text, TextInput, Button, StyleSheet } from 'react-native';

const API_KEY = 'YOUR_API_KEY_HERE'; // Reemplaza con tu API Key

export default function App() {
  const [city, setCity] = useState('');
  const [weather, setWeather] = useState(null);

  const getWeather = async () => {
    try {
      const response = await fetch(
        `https://api.openweathermap.org/data/2.5/weather?q=${city}&appid=${API_KEY}&units=metric`
      );
      const data = await response.json();
      setWeather(data);
    } catch (error) {
      console.error(error);
    }
  };

  return (
    <View style={styles.container}>
      <Text style={styles.title}>Weather App</Text>
      <TextInput
        style={styles.input}
        placeholder="Ciudad"
        value={city}
        onChangeText={(text) => setCity(text)}
      />
      <Button title="Obtener Clima" onPress={getWeather} />
      {weather && (
        <View style={styles.weatherContainer}>
          <Text style={styles.weatherText}>
            Ciudad: {weather.name}, {weather.sys.country}
          </Text>
          <Text style={styles.weatherText}>Temperatura: {weather.main.temp}°C</Text>
          <Text style={styles.weatherText}>Clima: {weather.weather[0].description}</Text>
        </View>
      )}
    </View>
  );
}

const styles = StyleSheet.create({
  container: {
    flex: 1,
    justifyContent: 'center',
    alignItems: 'center',
  },
  title: {
    fontSize: 24,
    marginBottom: 20,
  },
  input: {
    width: '80%',
    borderColor: 'gray',
    borderWidth: 1,
    padding: 10,
    marginBottom: 10,
  },
  weatherContainer: {
    marginTop: 20,
    borderWidth: 1,
    padding: 10,
    borderRadius: 5,
  },
  weatherText: {
    fontSize: 16,
  },
});

Paso 5: Ejecutar la aplicación

Ejecuta la aplicación en tu emulador o dispositivo físico utilizando el siguiente comando en la terminal:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
npx react-native run-android
npx react-native run-android
npx react-native run-android

o

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
npx react-native run-ios
npx react-native run-ios
npx react-native run-ios

Paso 6: Prueba la aplicación

Abre la aplicación en tu dispositivo y prueba la funcionalidad de búsqueda del clima. La aplicación mostrará el nombre de la ciudad, la temperatura y el clima actual de la ubicación que ingreses.

0

Deja un comentario