본문 바로가기

반응형

코딩

(89)
seaborn(lineplot, pointplot, barplot, heatmap, pairplot 등) 펭귄 데이터 불러오기 import seaborn as sns sns.set_theme(style='whitegrid') penguins = sns.load_dataset("penguins").dropna() #NAN(비어있는 데이터) 제거 lineplot (1) sns.lineplot(data = penguins, x="body_mass_g", y = "flipper_length_mm", ci = None) #ci는 오차범위 그래프, None은 설정안함 lineplot(2), species별로 그래프 색깔을 다르게 sns.lineplot(data = penguins, x="body_mass_g", y = "bill_length_mm", ci = None, hue = "species") #species별로..
엑셀 데이터 합치기 from glob import glob from tqdm.notebook import tqdm #프로세스bar import os # 엑셀 합치기 stations_files = glob('./data/opinet/*.xls') total = pd.DataFrame() #temp를 누적하여 저장할 total을 만드는데 데이터프레임 형태로 만듦 for file_name in tqdm(stations_files): #프로세스bar 보이기 temp = pd.read_excel(file_name, header = 2) total = pd.concat([total, temp]) #concat 데이터아래 또 다른 데이터 붙이기 total = total.sort_values(by="경유") #내림차순 정렬은 (by="경..
데이터분석 입문(타이타닉) import pandas as pd # 타이타닉 데이터 불러오기 titanic = pd.read_csv("./data/titanic.csv") #나이가 30세 이상인 사람의 이름 보기 titanic.loc[30
판다스(panda) 기본 mask, loc, iloc # pandas 라이브러리를 불러옵니다. pd를 약칭으로 사용합니다. import numpy as np #수치연산 import pandas as pd import matplotlib.pyplot as plt #그래프 그려줌 import seaborn as sns #그래프 그려줌 # s는 1, 3, 5, 6, 8을 원소로 가지는 pandas.Series pd.Series([1,3,5,6,8]) # 12x4 행렬에 1부터 48까지의 숫자를 원소를 가지고, index는 0부터 시작하고, coulmns은 순서대로 X1, X2, X3, X4로 하는 DataFrame 생성 df = pd.DataFrame(data=np.arange(1,49).reshape(12,4),columns=["X..
데이터 크롤링(네이버 코스피 가져오기) import bs4 import requests price_list = [] date_list = [] #제일 끝자리 696페이지에 해당하는 자료를 뽑기 위해서는 href를 뽑아와야 하는데 그게 너무 많음. #그래서 그 위에 해당하는 td class = "pgRR"에 해당하는 정보를 뽑아옴 last_url = source.find_all('td',class_='pgRR')[0].find_all("a")[0]["href"] #td class안에 href가 하나 더 있기 때문에 find_all을 두번 사용함 last_page = int(last_url.split('&page=')[-1]) for page_no in range(1, last_page+1): page_url = f'https://finance...
아나콘다 설치 오류(SSL) 아나콘다 설치시 오류가 났는데 오류 내용은 아래와 같다 CondaSSLError: Encountered an SSL error. Most likely a certificate verification issue SSL은 인증서가 올바르지 않는 경우라고 나온다. 구글링해도 무슨말인지 모르겠어서 ChatGPT를 이용하였다.그리고 다시 문제 해결을 위해 물어보니 이런 답변을 하였고 SSL/TLS버전 설정을 변경하여 conda config --set ssl_verify no 라고 입력하였더니 해결
[Python] 백준 6603 로또 6603번: 로또 (acmicpc.net) 6603번: 로또 입력은 여러 개의 테스트 케이스로 이루어져 있다. 각 테스트 케이스는 한 줄로 이루어져 있다. 첫 번째 수는 k (6 < k < 13)이고, 다음 k개 수는 집합 S에 포함되는 수이다. S의 원소는 오름차순으로 www.acmicpc.net 코드 작성 def dfs(lott, num): if lott == 6: print(*ans) return for i in range(num, k): ans.append(s[i]) dfs(lott + 1, i + 1) ans.pop() while True: arr = list(map(int, input().split())) k = arr[0] s = arr[1:] ans = [] dfs(0, 0) print()..
[Python] 백준 10819 차이를 최대로 10819번: 차이를 최대로 (acmicpc.net) 10819번: 차이를 최대로 첫째 줄에 N (3 ≤ N ≤ 8)이 주어진다. 둘째 줄에는 배열 A에 들어있는 정수가 주어진다. 배열에 들어있는 정수는 -100보다 크거나 같고, 100보다 작거나 같다. www.acmicpc.net 코드 작성 from itertools import permutations n = int(input()) arr = list(map(int, input().split())) ans = 0 for per in permutations(arr): #2 temp = 0 for i in range(n-1): temp += abs(per[i] - per[i+1]) ans = max(ans, temp) print(ans) 코드 풀이 #1...

반응형