Programing

파이썬으로 날짜를 지정하여 요일을 어떻게 알 수 있습니까?

lottogame 2020. 2. 13. 00:24
반응형

파이썬으로 날짜를 지정하여 요일을 어떻게 알 수 있습니까?


다음을 확인하고 싶습니다. 날짜 ( datetime개체), 해당 요일은 무엇입니까?

예를 들어 일요일은 첫째 날, 월요일 : 둘째 날 등입니다.

그리고 입력이 오늘 날짜와 같은 것이라면.

>>> today = datetime.datetime(2017, 10, 20)
>>> today.get_weekday()  # what I look for

출력은 6(금요일부터)


사용 weekday()( 문서 ) :

>>> import datetime
>>> datetime.datetime.today()
datetime.datetime(2012, 3, 23, 23, 24, 55, 173504)
>>> datetime.datetime.today().weekday()
4

설명서에서 :

요일을 정수로 리턴하십시오. 여기서 월요일은 0이고 일요일은 6입니다.


영어로 날짜를 갖고 싶다면 :

from datetime import date
import calendar
my_date = date.today()
calendar.day_name[my_date.weekday()]  #'Wednesday'

영어로 날짜를 갖고 싶다면 :

>>> from datetime import datetime
>>> datetime.today().strftime('%A')
'Wednesday'

더 읽기 : https://docs.python.org/2/library/datetime.html#strftime-strptime-behavior


date.weekday()또는을 사용하십시오 date.isoweekday().


codechef 질문 이 문제를 해결했습니다 .

import datetime
dt = '21/03/2012'
day, month, year = (int(x) for x in dt.split('/'))    
ans = datetime.date(year, month, day)
print ans.strftime("%A")

1700/1/1 이후의 날짜에 대한 가져 오기가없는 솔루션

def weekDay(year, month, day):
    offset = [0, 31, 59, 90, 120, 151, 181, 212, 243, 273, 304, 334]
    week   = ['Sunday', 
              'Monday', 
              'Tuesday', 
              'Wednesday', 
              'Thursday',  
              'Friday', 
              'Saturday']
    afterFeb = 1
    if month > 2: afterFeb = 0
    aux = year - 1700 - afterFeb
    # dayOfWeek for 1700/1/1 = 5, Friday
    dayOfWeek  = 5
    # partial sum of days betweem current date and 1700/1/1
    dayOfWeek += (aux + afterFeb) * 365                  
    # leap year correction    
    dayOfWeek += aux / 4 - aux / 100 + (aux + 100) / 400     
    # sum monthly and day offsets
    dayOfWeek += offset[month - 1] + (day - 1)               
    dayOfWeek %= 7
    return dayOfWeek, week[dayOfWeek]

print weekDay(2013, 6, 15) == (6, 'Saturday')
print weekDay(1969, 7, 20) == (0, 'Sunday')
print weekDay(1945, 4, 30) == (1, 'Monday')
print weekDay(1900, 1, 1)  == (1, 'Monday')
print weekDay(1789, 7, 14) == (2, 'Tuesday')

날짜가 datetime 객체 인 경우 솔루션입니다.

import datetime
def dow(date):
    days=["Monday","Tuesday","Wednesday","Thursday","Friday","Saturday","Sunday"]
    dayNumber=date.weekday()
    print days[dayNumber]

datetime 라이브러리는 때때로 strptime ()에 오류가 발생하므로 dateutil 라이브러리로 전환했습니다. 사용 방법에 대한 예는 다음과 같습니다.

from dateutil import parser
parser.parse('January 11, 2010').strftime("%a")

이 결과는 'Mon'입니다. 출력을 '월요일'로 표시하려면 다음을 사용하십시오.

parser.parse('January 11, 2010').strftime("%A")

이것은 꽤 빨리 나를 위해 일했습니다. 요일 번호 대신 요일 이름을 저장하고 날짜 시간 라이브러리를 사용하는 형식에 문제가 있었기 때문에 날짜 시간 라이브러리를 사용하는 동안 문제가 발생했습니다. 이것에 문제가 없다면, 좋습니다! 당신이 있다면, 당신은 더 간단한 구문을 가지고 있기 때문에 이것을 계속 갈 수 있습니다. 도움이 되었기를 바랍니다.


일, 월, 년이 주어 졌다고 가정하면 다음을 수행 할 수 있습니다.

import datetime
DayL = ['Mon','Tues','Wednes','Thurs','Fri','Satur','Sun']
date = DayL[datetime.date(year,month,day).weekday()] + 'day'
#Set day, month, year to your value
#Now, date is set as an actual day, not a number from 0 to 6.

print(date)

날짜가 문자열 인 경우 팬더 타임 스탬프를 사용하여 날짜를 지정하는 것이 더 쉬울 수 있습니다.

import pandas as pd
df = pd.Timestamp("2019-04-12")
print(df.dayofweek, df.weekday_name)

산출:

4 Friday

datetime 모듈을 사용하지 않아야 할 경우이 기능이 작동합니다.

참고 : 율리우스에서 그레고리력으로의 변경은 1582 년에 발생한 것으로 가정합니다. 관심있는 달력에 맞지 않으면 연도> 1582 인 경우 라인을 변경하십시오 .

def dow(year,month,day):
    """ day of week, Sunday = 1, Saturday = 7
     http://en.wikipedia.org/wiki/Zeller%27s_congruence """
    m, q = month, day
    if m == 1:
        m = 13
        year -= 1
    elif m == 2:
        m = 14
        year -= 1
    K = year % 100    
    J = year // 100
    f = (q + int(13*(m + 1)/5.0) + K + int(K/4.0))
    fg = f + int(J/4.0) - 2 * J
    fj = f + 5 - J
    if year > 1582:
        h = fg % 7
    else:
        h = fj % 7
    if h == 0:
        h = 7
    return h

datetime모듈 에만 의존하지 않는 경우 calendar더 나은 대안이 될 수 있습니다. 예를 들어 요일 코드를 제공합니다.

calendar.weekday(2017,12,22);

그리고 이것은 당신에게 하루 자체를 줄 것입니다 :

days = ["Monday","Tuesday","Wednesday","Thursday","Friday","Saturday","Sunday"]
days[calendar.weekday(2017,12,22)]

또는 파이썬 스타일로 하나의 라이너로 :

["Monday","Tuesday","Wednesday","Thursday","Friday","Saturday","Sunday"][calendar.weekday(2017,12,22)]

timeStamp : String 변수, YYYY-MM-DD HH : MM : SS 가 있다고 가정하십시오 .

1 단계 : 블로우 코드로 dateTime 함수로 변환하십시오 ...

df['timeStamp'] = pd.to_datetime(df['timeStamp'])

2 단계 : 이제 각 필수 시간, 월, 요일, 연도, 날짜에 대해 새 열을 생성하는 필수 기능을 아래와 같이 추출 할 수 있습니다.

df['Hour'] = df['timeStamp'].apply(lambda time: time.hour)
df['Month'] = df['timeStamp'].apply(lambda time: time.month)
df['Day of Week'] = df['timeStamp'].apply(lambda time: time.dayofweek)
df['Year'] = df['timeStamp'].apply(lambda t: t.year)
df['Date'] = df['timeStamp'].apply(lambda t: t.day)

import datetime
import calendar

day, month, year = map(int, input().split())
my_date = datetime.date(year, month, day)
print(calendar.day_name[my_date.weekday()])

출력 샘플

08 05 2015
Friday

일요일을 1에서 토요일까지 7로 얻으려면이 질문에 대한 가장 간단한 해결책입니다.

datetime.date.today().toordinal()%7 + 1

그들 모두 :

import datetime

today = datetime.date.today()
sunday = today - datetime.timedelta(today.weekday()+1)

for i in range(7):
    tmp_date = sunday + datetime.timedelta(i)
    print tmp_date.toordinal()%7 + 1, '==', tmp_date.strftime('%A')

산출:

1 == Sunday
2 == Monday
3 == Tuesday
4 == Wednesday
5 == Thursday
6 == Friday
7 == Saturday

다음은 날짜 목록을 날짜로 변환하는 방법입니다

import datetime,time
ls={'1/1/2007','1/2/2017'}
dt=datetime.datetime.strptime(ls[1], "%m/%d/%Y")
print(dt)
print(dt.month)
print(dt.year)

팬더를 도울 수 있습니다 :

import pandas as pd

위에서 문제에서 언급했듯이

datetime(2017, 10, 20)

jupyter 노트북에서이 줄을 실행하면 다음과 같은 출력이 나타납니다.

datetime.datetime(2017, 10, 20, 0, 0)

weekday () 및 weekday_name 사용 :

평일을 정수 형식으로하려면 다음을 사용하십시오.

pd.to_datetime(datetime(2017, 10, 20)).weekday()

출력은 다음과 같습니다.

4

일요일, 월요일, 금요일 등의 요일 이름으로 사용하려면 다음을 사용할 수 있습니다.

pd.to_datetime(datetime(2017, 10, 20)).weekday_name

출력은 다음과 같습니다.

'Friday'

Pandas 데이터 프레임에 날짜 열이 있으면 다음을 수행하십시오.

이제 pdExampleDataFrame [ 'Dates']. head (5)와 같은 날짜 열이있는 팬더 데이터 프레임이 있다고 가정하십시오.

0   2010-04-01
1   2010-04-02
2   2010-04-03
3   2010-04-04
4   2010-04-05
Name: Dates, dtype: datetime64[ns]

이제 월요일, 화요일 등 평일 이름을 알고 싶다면 .weekday_name다음과 같이 사용할 수 있습니다 .

pdExampleDataFrame.head(5)['Dates'].dt.weekday_name

출력은 다음과 같습니다.

0    Thursday
1      Friday
2    Saturday
3      Sunday
4      Monday
Name: Dates, dtype: object

이 Dates 열에서 요일의 정수를 원하면 다음을 사용할 수 있습니다.

pdExampleDataFrame.head(5)['Dates'].apply(lambda x: x.weekday())

결과는 다음과 같습니다.

0    3
1    4
2    5
3    6
4    0
Name: Dates, dtype: int64

Canlendar 모듈 사용

import calendar
a=calendar.weekday(year,month,day)
days=["MONDAY","TUESDAY","WEDNESDAY","THURSDAY","FRIDAY","SATURDAY","SUNDAY"]
print(days[a])

다음은 python3 구현입니다.

months = {'jan' : 1, 'feb' : 4, 'mar' : 4, 'apr':0, 'may':2, 'jun':5, 'jul':6, 'aug':3, 'sep':6, 'oct':1, 'nov':4, 'dec':6}
dates = {'Sunday':1, 'Monday':2, 'Tuesday':3, 'Wednesday':4, 'Thursday':5, 'Friday':6, 'Saterday':0}
ranges = {'1800-1899':2, '1900-1999':0, '2000-2099':6, '2100-2199':4, '2200-2299':2}

def getValue(val, dic):
    if(len(val)==4):
        for k,v in dic.items():
            x,y=int(k.split('-')[0]),int(k.split('-')[1])
            val = int(val)
            if(val>=x and val<=y):
                return v
    else:
        return dic[val]

def getDate(val):
    return (list(dates.keys())[list(dates.values()).index(val)]) 



def main(myDate):
    dateArray = myDate.split('-')
    # print(dateArray)
    date,month,year = dateArray[2],dateArray[1],dateArray[0]
    # print(date,month,year)

    date = int(date)
    month_v = getValue(month, months)
    year_2 = int(year[2:])
    div = year_2//4
    year_v = getValue(year, ranges)
    sumAll = date+month_v+year_2+div+year_v
    val = (sumAll)%7
    str_date = getDate(val)

    print('{} is a {}.'.format(myDate, str_date))

if __name__ == "__main__":
    testDate = '2018-mar-4'
    main(testDate)

import datetime
int(datetime.datetime.today().strftime('%w'))+1

이것은 당신에게 당신의 실제 숫자를 줄 것입니다-1 = 일요일, 2 = 월요일 등 ...


이 코드를 사용하십시오 :

import pandas as pd
from datetime import datetime
print(pd.DatetimeIndex(df['give_date']).day)

참고 URL : https://stackoverflow.com/questions/9847213/how-do-i-get-the-day-of-week-given-a-date-in-python



반응형