[DAY41]_개발일지: React.js 날씨 앱 만들기

hanseungjune·2022년 6월 30일
0

DaeguFE

목록 보기
48/48

✅ 날씨 앱 만들기

☑️ 회원가입

OpenWeathermap 링크



☑️ 구현하기

  1. 앱이 실행되자마자 현재위치 기반의 날씨가 보인다.
  2. 날씨정보에는 도시, 섭씨, 화씨, 날씨상태.
  3. 5개의 버튼이 있다.(1개는 현재위치, 4개는 다른도시).
  4. 도시버튼을 클릭할 때마다 도시별 날씨가 나온다.
  5. 현재위치 버튼을 누르면 다시 현재위치 기반의 날씨가 나온다.
  6. 데이터를 들고오는 동안 로딩 스피너가 돈다.

☑️ 현재 위치 및 기타 링크

Geolocation API
get current location javascript
react-spinner
react-bootstrap

☑️ 동기와 비동기

  • 동기
    - 작업(task)들이 순차적으로 이루어 지는 것
    - 다른 작업들을 blocking
  • 비동기
    - 작업(task)들이 순차적으로 이루어지지 않음
    - 다른 작업들은 non-blocking
    - Javascript를 사용한 비동기 통신 방식을 Ajax(Asynchronous Javascript and XML)
    - Http요청(GET, POST), 이벤트 핸들러(click, over …), setTimeout, setInterval

😊 비동기 추가 내용

Callback

  • 콜백 함수란 인자로 들어오는 함수를 칭함.
  • 콜백은 비동기 통신을 할 수 있는 한 패턴이다.
  • 문제점: 콜백 헬로 인한 에러처리 불가, 가독성 hell

Promise

  • ES6에서 나온 비동기 패턴.
  • 비동기 통신 결과상태를 저장하는 객체
  • 후속처리 메서드로 then(성공), catch(에러), finally(무조건) 가 있다.

async/await

  • Promise의 복잡성으로 인해 ES8에서 나온 비동기 패턴.
  • Promise를 기반으로 하며, 완전히 같지는 않으나 사용하기 편하다.

☑️ stateful, stateless

컴포넌트를 나누는 또 다른 방식이다.

  • stateful 컴포넌트 : 모든 state를 들고있는 컴포넌트
  • stateless 컴포넌트 : state를 안들고 있고 props 와 같이 받은 데이터만 보여주는 컴포넌트
  • 리액트는 단방향 통신이다 즉 부모에서 자식으로만 데이터를 전달 할 수 있다.
    이를통해 데이터 흐름을 추적하기는 더 쉽지만, 같은 형제끼리 데이터를 주고받기는 힘들다. 그래서 데이터는 주로 부모가 들고있고 자식에게
    전달해주는 형식이 된다. state를 들고있는 부모 컴포넌트는 stateful 컴포넌트, 부모가주는 데이터만 받는 컴포넌트를 stateless 컴포넌트라고 한다.
    이렇게 컴포넌트를 구성하면 장점은 state가 없는 stateless컴포넌트는 재사용이 쉽고 데이터를 걱정하지 않아도 된다.
  • 모든 중요한 데이터들은 stateful컴포넌트에 있기 때문에 유지보수가 쉽다 (stateful컴포넌트 하나만 주시하고 관리해주면 되니까)
    그래서 최대한 모든 컴포넌트를 stateless로 만들고 몇개의 stateful컴포넌트에서 데이터를 관리하는 구조가 이상적이라고 리액트는 말하고 있다.

✅ 날씨 앱을 만드는 코드!

일단 결과물 부터 가져오고, 역시나 코드를 해석하기에는 아직 역량이 부족한 감이 있다. 그래서 일단은 코드를 가져오기만 할 예정이다.

App.css

body {
  background: url(https://t4.ftcdn.net/jpg/04/97/80/99/360_F_497809944_FMo3DO6j7XSlb9rZKOlnqaaWoJhuZXBm.jpg);
  height : 100vh;
  background-repeat: no-repeat;  
  background-size: cover;
}

.weather-card{
  background-color: rgba(52,52,52,.7) !important;
  padding: 50px;
  border: 2px solid #fff;
  border-radius: 20px;
  max-width: 700px;
  width:100%;
  height: 300px;
}
.main-container{
  display: flex;
  flex-direction: column;
  align-items: center;
  justify-content: center;
  height: 100%;
  
}
.menu-container{
  display: flex;
  justify-content: center;
  background-color: #000;
  border-radius: 60px;
  max-width: 700px;
  width:100%;
  padding: 30px;
  margin-top: 30px;

}
.menu-container Button{
  margin-right:30px;
}

.menu-container Button:hover{
  background-color: #ffc107;
}

App.js

import React, { useState, useEffect } from 'react';
import 'bootstrap/dist/css/bootstrap.min.css';
import './App.css';
import { Container } from 'react-bootstrap';
import WeatherButton from './components/WeatherButton';
import WeatherBox from './components/WeatherBox';
import { ClipLoader } from 'react-spinners';

const cities = ['paris', 'new york', 'tokyo', 'seoul'];
const API_KEY = '8ac010eeea3732f455e883d7605a3b62';

const App = () => {
  const [loading, setLoading] = useState(false);
  const [city, setCity] = useState(null);
  const [weather, setWeather] = useState(null);
  const [apiError, setAPIError] = useState('');

  const getWeatherByCurrentLocation = async (lat, lon) => {
    console.log('현재 위치', lat, lon);
    //비동기 처리
    try {
      let url = //units=metric 캘빈을 섭씨로
        // let url = `https://api.openweathermap.org/data/2.5/weather?lat=${lat}&lon=${lon}&appid=${API_KEY}`;
        // `https://api.openweathermap.org/data/2.5/weather?q=${city}&appid=${API_KEY}`;
        'http://api.openweathermap.org/data/2.5/weather?lat=35.87222&lon=128.60250&appid=8ac010eeea3732f455e883d7605a3b62';
      //&units=metric
      const res = await fetch(url);
      const data = await res.json();
      setWeather(data);
      setLoading(false);
    } catch (err) {
      setAPIError(err.message);
      setLoading(false);
    }
  };

  const getCurrentLocation = () => {
    navigator.geolocation.getCurrentPosition((position) => {
      const { latitude, longitude } = position.coords;
      getWeatherByCurrentLocation(latitude, longitude);
      // console.log('현재 위치', lat, lon);
    });
  };

  const getWeatherByCity = async () => {
    try {
      let url = `https://api.openweathermap.org/data/2.5/weather?q=${city}&appid=${API_KEY}`;
      //&units=metric
      const res = await fetch(url);
      const data = await res.json();

      setWeather(data);
      setLoading(false);
    } catch (err) {
      console.log(err);
      setAPIError(err.message);
      setLoading(false);
    }
  };

  useEffect(() => {
    if (city == null) {
      setLoading(true);
      getCurrentLocation();
    } else {
      setLoading(true);
      getWeatherByCity();
    }
  }, [city]);

  const handleCityChange = (city) => {
    if (city === 'current') {
      setCity(null);
    } else {
      setCity(city);
    }
  };

  return (
    <Container className="vh-100">
      {loading ? (
        <div className="w-100 vh-100 d-flex justify-content-center align-items-center">
          <ClipLoader color="#f86c6b" size={150} loading={loading} />
        </div>
      ) : !apiError ? (
        <div class="main-container">
          <WeatherBox weather={weather} />
          <WeatherButton
            cities={cities}
            handleCityChange={handleCityChange}
            selectedCity={city}
          />
        </div>
      ) : (
        apiError
      )}
    </Container>
  );
};

export default App;

WeatherBox.js

import React from 'react';
import { Card } from 'react-bootstrap';

const WeatherBox = ({ weather }) => {
  const temperatureC =
    weather && weather.main ? (weather.main.temp - 273.15).toFixed(2) : '';
  const temperatureF =
    weather && weather.main
      ? (((weather.main.temp - 273.15) * 9) / 5 + 32).toFixed(2)
      : '';
  return (
    <Card className="weather-card">
      {/* <Card.Img src="holder.js/100px270" alt="Card image" /> */}
      <Card.ImgOverlay className="d-flex flex-column justify-content-center text-center">
        <Card.Title>{weather?.name}</Card.Title>
        <Card.Text className="text-success h1">
          {`${temperatureC} °C / ${temperatureF} °F`}
        </Card.Text>
        <Card.Text className="text-info text-uppercase h2">
          {weather && weather.weather[0]?.description}
        </Card.Text>
      </Card.ImgOverlay>
    </Card>
  );
};

export default WeatherBox;

WeatherButton.js

import React from 'react';
import { Button } from 'react-bootstrap';

const WeatherButton = ({ cities, selectedCity, handleCityChange }) => {
  return (
    <div class="menu-container">
      <Button
        variant={`${selectedCity === null ? 'outline-warning' : 'warning'}`}
        onClick={() => handleCityChange('current')}
      >
        Current Location
      </Button>

      {cities.map((city) => (
        <Button
          variant={`${selectedCity === city ? 'outline-warning' : 'warning'}`}
          onClick={() => handleCityChange(city)}
        >
          {city}
        </Button>
      ))}
    </div>
  );
};

export default WeatherButton;

PublicNavbar.js

import React from 'react';
import { Navbar, Nav } from 'react-bootstrap';

const PublicNavbar = () => {
  return (
    <Navbar bg="light" expand="lg" className="position-fixed navbar-fixed">
      <Navbar.Brand></Navbar.Brand>
      <Nav className="mr-auto"></Nav>
      <Nav>
        <a
          href="https://github.com/dhminh1024/cs_weather_app"
          target="_blank"
          rel="noreferrer"
        ></a>
      </Nav>
    </Navbar>
  );
};

export default PublicNavbar;

하나씩 배워서 따로 공부해보고 코드를 해석하는 시간을 가져야겠다!

profile
필요하다면 공부하는 개발자, 한승준

0개의 댓글