진실의 순간, 즉 MOT(Moment of Truth)는 투우사와 소가 일대일로 대결하는 최후의 순간을 말한다. 투우사가 소의 급소를 찌른 순간, 피하려 해도 피할 수 없는 순간, 실패가 허용되지 않는 순간이다. 고객이 종업원이나 기업의 특정 자원과 접촉하는 15초의 짧은 순간이 회사의 이미지, 나아가 사업의 성공을 좌우한다. - 얀 칼슨, 스칸디나비아 항공(SAS) 전 회장
진실의 순간을 ‘고객과 만나는 15초 동안 웃는 얼굴로 친절한 서비스를 해서, 고객을 평생단골로 잡을 수 있도록 현장 직원들이 잘해야 한다는 의미’로만 받아들였습니다. 그러나 진실의 순간의 핵심은 ‘15초 안에 현장 직원이 자기 책임 하에 (본사에 묻거나 규정에 얽매이지 않고) 즉각 결정해서 서비스를 다할 수 있도록 책임과 권한을 현장에 부여하는 것’에 있다는 것을 이제야 깨달았습니다.
"세대적인"북극폭발은 토요일 미국 북동부와 캐나다 지역에 위험할 정도로 추운 기온을 가져왔고 예보관들은 단 5분 안에 동상이 발생할 수 있다고 경고했습니다.
뉴햄프셔 주 워싱턴 산 정상에서는 밤새 체감 온도가 -78도(화씨 -108도)에 달했다고 국립기상청(NWS)이 밝혔습니다.
That broke the previous low recorded there of -74C (-101F), the Weather Channel said.
At almost 1,920 metres (6,299 feet), Mount Washington is the highest peak in the northeastern US and is known for having some of the world’s worst weather.
The top of the observatory tower at Mount Washington State Park, where the wind chill dropped to -79 Celsius, is seen in a still image from a live camera in New Hampshire, US, February 4, 2023 [Mount Washington Observatory/mountwashington.org/Handout via Reuters]
Temperatures of -43C (-45 F) and wind gusts of more than 177 km/h (109 mph) combined for the historic low.
The NWS office in Caribou, Maine, said a wind chill of -51C (-29F) was recorded in the small town of Frenchville, just south of the border with Canada.
“This is an epic, generational arctic outbreak,” the office had warned in an advisory in advance of the front.
It said the chills would be “something northern and eastern Maine has not seen since similar outbreaks in 1982 and 1988.”
"""_summary_
두 정수 A와 B를 입력받은 다음, A+B를 출력하는 프로그램을 작성하시오.
https://www.acmicpc.net/problem/1000
입력
첫째 줄에 A와 B가 주어진다. (0 < A, B < 10)
출력
첫째 줄에 A+B를 출력한다.
예제 입력 1
1 2
예제 출력 1
3
입력을 받을 때 A와 B는 같은 줄에 입력을 받아야하기 때문에
공백을 기준으로 나눠주는 split 함수를 이용하도록 하겠습니다.
받아온 a와 b는 문자형이기 때문에 int() 를 이용하여 정수로 바꾸어 더해주었습니다.
"""
# 아래 처럼 쓸데없이 정보를 많이 넣으면 틀렸습니다. 로 나오니 주의하자.
# A, B = input("값을 입력하세요~ (ex; 1 2 ): ").split()
A, B = input().split()
print(int(A)+int(B))
a, b = map(int, input().split())
print(a+b)
"""_summary_
타일 채우기
https://www.acmicpc.net/problem/2133
문제 3×N 크기의 벽을 2×1, 1×2 크기의 타일로 채우는 경우의 수를 구해보자.
입력 첫째 줄에 N(1 ≤ N ≤ 30)이 주어진다.
"""
n = int(input("값을 입력하세요~ : "))
tile = [0 for _ in range(31)]
tile[2] = 3
for i in range(4, n+1):
if i%2 == 0:
tile[i] = tile[i-2] * 3 + sum(tile[:i-2]) * 2 + 2
else:
tile[i] = 0
print(tile[n])
#2번째 풀이
n = int(input())
dp = [0]*(n+1)
if n % 2 != 0:
print(0)
else:
dp[2] = 3
for i in range(4, n+1, 2):
dp[i] = dp[i-2] * 3 + 2
for j in range(2, i-2, 2):
dp[i] += dp[j] * 2
print(dp[n])