목록프로그래밍 (31)
CHIqueen
어떤 영화 커뮤니티에서 아래 내용을 가지고 상업적으로 예매 시작알림을 구독형식으로 팔겠다는 글을봐서 다음 내용은 작성하지 않을예정입니다. -2023.04.12.- ----------------------------------------------------------------------------------------------------------------------------------------- 저는 메가박스 특별관 Dolby Cinema를 좋아합니다. 그중에서 특히 남양주 스페이스원이랑 코엑스영화관을 자주갑니다. 영화 상영정보는 각 영화관 지점마다의 권한으로 언제언제뜨는지 바로 알기 어렵습니다. (탑건 예매때 힘들었습니다.) 곧 아바타 리마스터링과 아바타2를 위해 명당자리를 위해 준비를 시작..
package main import( "fmt" "math/rand" "time" ) func main(){ fmt.Println("Guessing game") rand.Seed(time.Now().UnixNano()) secNum := rand.Intn(100) var guess int for { fmt.Scan(&guess) fmt.Println("You guessed", guess) if guess secNum { fmt.Println("Down") } else { fmt.Println("Correct!") break } } } 간단한 Go 언어 예제 math/rand와 time을 사용했다.
재미있는 문제 import shutil import os xflag = "tjctf{n0t_th3_fl4g}\n" open("0.txt","w").write(xflag) cwd = os.getcwd() j=0 while (flag:=open(str(j)+".txt").read()) == xflag: j+=1 for i in os.listdir(): if i.endswith("kz3"): os.rename(i,str(j)+".zip") i=str(j)+".zip" if i.startswith(str(j)): shutil.unpack_archive(i) break for k in os.listdir(cwd+"\\"+str(j)): shutil.move(cwd+"\\"+str(j)+"\\"+k,cwd+"\\"..
https://programmers.co.kr/learn/courses/30/lessons/42577 프로그래머스 코드 중심의 개발자 채용. 스택 기반의 포지션 매칭. 프로그래머스의 개발자 맞춤형 프로필을 등록하고, 나와 기술 궁합이 잘 맞는 기업들을 매칭 받으세요. programmers.co.kr 처음에 풀때는 문자열의 접두어니까 startwith쓰면 되겠거니 해서 풀었다. def solution(phone_book): phone_book.sort() for num1, num2 in zip(phone_book, phone_book[1:]): if num2.startswith(num1): return False return True 하지만 이 문제의 분류는 해시 그러니까 해시로도 풀어보았다. def so..
https://www.laurentluce.com/posts/python-dictionary-implementation/ Python dictionary implementation | Laurent Luce's Blog August 29, 2011 This post describes how dictionaries are implemented in the Python language. Dictionaries are indexed by keys and they can be seen as associative arrays. Let’s add 3 key/value pairs to a dictionary: >>> d = {'a': 1, 'b': 2} >>> d['c'] = 3 > www.laurentluce.co..
그냥 base64 decode 계속 돌려주면된다. import base64 a=open("ciphertext2","r").read() for i in range(100): a = base64.b64decode(a) print(a[:10]) 돌리다가 에러 터지는데 그때 a를 출력해보면 flag가 나온다, UMDCTF-{b@se64_15_my_f@v0r1t3_b@s3}
https://wiki.python.org/moin/TimeComplexity TimeComplexity - Python Wiki This page documents the time-complexity (aka "Big O" or "Big Oh") of various operations in current CPython. Other Python implementations (or older or still-under development versions of CPython) may have slightly different performance characteristics. Howe wiki.python.org https://www.ics.uci.edu/~pattis/ICS-33/lectures/comp..
https://www.acmicpc.net/problem/4344 4344번: 평균은 넘겠지 문제 대학생 새내기들의 90%는 자신이 반에서 평균은 넘는다고 생각한다. 당신은 그들에게 슬픈 진실을 알려줘야 한다. 입력 첫째 줄에는 테스트 케이스의 개수 C가 주어진다. 둘째 줄부터 각 테스트 케이스마다 학생의 수 N(1 ≤ N ≤ 1000, N은 정수)이 첫 수로 주어지고, 이어서 N명의 점수가 주어진다. 점수는 0보다 크거나 같고, 100보다 작거나 같은 정수이다. 출력 각 케이스마다 한 줄씩 평균을 넘는 학생들의 비율을 반올림하여 소수점 셋째 자 www.acmicpc.net [print("{:.3f}%".format(sum([1 for j in i[1:] if j>sum(i[1:])/i[0]])/i[0]..
#오늘의 시간낭비 파이썬 오픈카톡방에 질문으로 "딕셔너리의 모든 값에 +1하는 좋은 방법이 있을까요? 반복문으로 모든 원소에 접근해야만 하나요?" 가 올라왔다. list는 한줄로 list(map(lambda x:x+1,a)) 으로 가능하지만 막상 dict는 한줄로 떠오르지 않았다. for문으로는 간단하게 for i in c: c[i]+=1 매우 간단하게 2줄로 끝나지만 이대로 끝내면 재미없다. 파이썬은 사기이기 때문에 한줄로 끝내보려 한다. dict(zip(a.keys(),map(lambda x:x[1]+1,a.items()))) 다른 방법으론 dict(zip(a.keys(),map(lambda x:a.get(x)+1,a.keys()))) 이것도 있는데 for코드가 빠를거 같다. 생각한 김에 테스트해보자..