https://github.com/r3dhulk/hackerrank-domain-python-solution
https://github.com/r3dhulk/hackerrank-domain-python-solution
Last synced: 8 months ago
JSON representation
- Host: GitHub
- URL: https://github.com/r3dhulk/hackerrank-domain-python-solution
- Owner: R3DHULK
- License: mit
- Created: 2023-02-06T08:22:42.000Z (over 2 years ago)
- Default Branch: main
- Last Pushed: 2023-02-06T16:13:17.000Z (over 2 years ago)
- Last Synced: 2025-01-10T17:43:00.429Z (9 months ago)
- Size: 240 KB
- Stars: 3
- Watchers: 1
- Forks: 0
- Open Issues: 0
-
Metadata Files:
- Readme: README.md
- License: LICENSE
Awesome Lists containing this project
README

Solutions 👇
Hello World
```
Print ("Hello World")
```#
Python IF-Else
```
import math, os, random, re, sysn = int(input())
if n % 2 != 0:
print("Weird")
else:
if n >= 2 and n <= 5:
print("Not Weird")
elif n >= 6 and n <= 20:
print("Weird")
else:
print("Not Weird")
```#
Arithmetic operators:```
a = int(input())
b = int(input())print(a + b)
print(a - b)
print(a * b)
```#
Python Divison:
```
if __name__ == '__main__':
a = int(input())
b = int(input())print(a // b)
print(a / b)
```#
Loops:
```
if __name__ == '__main__':
n = int(input())
for i in range(n):
print(i**2)
```#
Write A Function:
```
def is_leap(year):
leap = False
# Write your logic here
if year % 400 == 0:
leap = True
elif year % 100 == 0:
leap = False
elif year % 4 == 0:
leap = True
return leapyear = int(input())
print(is_leap(year))```
#
Print function:
```
if __name__ == '__main__':
n = int(input())
for i in range(1, n+1):
print(i, end="")```
#
List Comprehensions:
```
if __name__ == '__main__':
x = int(input())
y = int(input())
z = int(input())
n = int(input())result = [[i, j, k] for i in range(x + 1) for j in range(y + 1) for k in range(z + 1) if i + j + k != n]
print(result)```
#
Find The Runner-Up Score:
```
if __name__ == '__main__':
n = int(input())
scores = list(map(int, input().split()))
scores.sort(reverse=True)
for i in range(n):
if scores[i] != scores[0]:
print(scores[i])
break```
#
Nested List:
```
STUDENTS = []
SECOND_LOWEST_GRADES = []
GRADES = set()for _ in range(int(input())):
name = input()
grade = float(input())
STUDENTS.append([name, grade])
GRADES.add(grade)SECOND_LOWEST = sorted(GRADES)[1]
for name, grade in STUDENTS:
if grade == SECOND_LOWEST:
SECOND_LOWEST_GRADES.append(name)for name in sorted(SECOND_LOWEST_GRADES):
print(name, end='\n')```
#
Find The Percentage:
```
N = int(input())
STUDENT_MARKS = {}for line in range(N):
info = input().split(" ")
grades = list(map(float, info[1:]))
STUDENT_MARKS[info[0]] = sum(grades) / float(len(grades))print("%.2f" % round(STUDENT_MARKS[input()], 2))
```
#
Lists:
```
N = int(input())
ARRAY = []while N != 0:
A = input().split()if len(A) == 3:
B = int(A[1])
C = int(A[2])
elif len(A) == 2:
B = int(A[1])if A[0] == "insert":
ARRAY.insert(B, C)
elif A[0] == "print":
print(ARRAY)
elif A[0] == "remove":
ARRAY.remove(B)
elif A[0] == "append":
ARRAY.append(B)
elif A[0] == "sort":
ARRAY.sort()
elif A[0] == "pop":
ARRAY.pop()
elif A[0] == "reverse":
ARRAY.reverse()
N -= 1```
#
Tuples:
Select Language to Pypy3 and Paste 👇
```
if __name__ == '__main__':
n = int(input())
t = tuple(map(int, input().split()))
print(hash(t))```
#
Swap Case:
```
def swap_case(s):
'''Swaps upper/lower-case letters to lower/upper-case letters'''
return s.swapcase()if __name__ == '__main__':
s = input()
result = swap_case(s)
print(result)```
#
String Split And Join:
```
def split_and_join(line):
'''Converts 'space' to '-' '''
line = line.split(" ")
line = "-".join(line)
return lineif __name__ == '__main__':
line = input()
result = split_and_join(line)
print(result)```
#
What's Your Name:
```
#
# Complete the 'print_full_name' function below.
#
# The function is expected to return a STRING.
# The function accepts following parameters:
# 1. STRING first
# 2. STRING last
#def print_full_name(a, b):
'''Read name and lastname in one specified line'''
print("Hello %s %s! You just delved into python."%(a, b))if __name__ == '__main__':
first_name = input()
last_name = input()
print_full_name(first_name, last_name)```
#
Mutations:
```
def mutate_string(string, position, character):
'''Changes a character at a given index'''
return string[:position] + character + string[position + 1:]if __name__ == '__main__':
s = input()
i, c = input().split()
s_new = mutate_string(s, int(i), c)
print(s_new)```
#
Find A String:
```
def count_substring(string, sub_st):
ans=[1 for i in range(len(string)-len(sub_st)+1) if string[i:i+len(sub_st)] == sub_st]
ans = sum(ans)
return ansif __name__ == '__main__':
string = input().strip()
sub_string = input().strip()
count = count_substring(string, sub_string)
print(count)```
#
String Validators:
```
if __name__ == '__main__':
s = input()print(any(i.isalnum() for i in s))
print(any(i.isalpha() for i in s))
print(any(i.isdigit() for i in s))
print(any(i.islower() for i in s))
print(any(i.isupper() for i in s))```
#
Text Alignments:
```
THICKNESS = int(input()) #This must be an odd number
c = 'H'# Top Cone
for i in range(THICKNESS):
print((c*i).rjust(THICKNESS-1)+c+(c*i).ljust(THICKNESS-1))# Top Pillars
for i in range(THICKNESS+1):
print((c*THICKNESS).center(THICKNESS*2)+(c*THICKNESS).center(THICKNESS*6))# Middle Belt
for i in range((THICKNESS+1)//2):
print((c*THICKNESS*5).center(THICKNESS*6))# Bottom Pillars
for i in range(THICKNESS+1):
print((c*THICKNESS).center(THICKNESS*2)+(c*THICKNESS).center(THICKNESS*6))# Bottom Cone
for i in range(THICKNESS):
print(((c*(THICKNESS-i-1)).rjust(THICKNESS)+c+(c*(THICKNESS-i-1)).ljust(THICKNESS)).rjust(THICKNESS*6))```
#
Text Wraps:
```
import textwrapdef wrap(string, max_width):
'''Wraps the string into a paragraph of width w'''
string = [c for c in string]for i in range(max_width, len(string) + max_width, max_width+1):
string.insert(i, '\n')
return ("").join(string)
if __name__ == '__main__':
string, max_width = input(), int(input())
result = wrap(string, max_width)
print(result)```
#
Designer Door Mat:
```
# Enter your code here. Read input from STDIN. Print output to STDOUTN, M = map(int, input().split())
for i in range(int(N/2)):
string = ".|." * (2 * i + 1)
x = string.center(M, '-')
print(x)print("WELCOME".center(M, '-'))
for i in reversed(range(int(N/2))):
string = ".|." * (2 * i + 1)
x = string.center(M, '-')
print(x)```
#
String Fomartting:
```
def print_formatted(number):
# your code goes here
'''Prints number in decinmal, ocal, hexadecimal, and binary'''
for i in range(1, number + 1):
width = len(f"{number:b}")
print(f"{i:{width}} {i:{width}o} {i:{width}X} {i:{width}b}")if __name__ == '__main__':
n = int(input())
print_formatted(n)```
#
Alphabet Rangoli:
```
def print_rangoli(size):
# your code goes here
'''Prints Rangoli Design'''
width = size*4-3
string = ''for i in range(1, size+1):
for j in range(0, i):
string += chr(96+size-j)
if len(string) < width:
string += '-'
for k in range(i-1, 0, -1):
string += chr(97+size-k)
if len(string) < width:
string += '-'
print(string.center(width, '-'))
string = ''for i in range(size-1, 0, -1):
string = ''
for j in range(0, i):
string += chr(96+size-j)
if len(string) < width:
string += '-'
for k in range(i-1, 0, -1):
string += chr(97+size-k)
if len(string) < width:
string += '-'
print(string.center(width, '-'))
if __name__ == '__main__':
n = int(input())
print_rangoli(n)```
#
Capitalize:
```
#!/bin/python3import math
import os
import random
import re
import sys
import os
# Complete the solve function below.
def solve(s):
'''Calculates the capitalized string'''
s = s.split(" ")
return " ".join(i.capitalize() for i in s)if __name__ == '__main__':
fptr = open(os.environ['OUTPUT_PATH'], 'w')s = input()
result = solve(s)
fptr.write(result + '\n')
fptr.close()
```
#
The Minion Game:
```
def minion_game(string):
# your code goes here
'''Calculates name of Winner and their score'''
stuart = 0
kevin = 0
strlen = len(string)for i in range(strlen):
for vowc in "AEIOU":
if string[i].find(vowc) >= 0:
kevin = kevin + strlen - istuart = int(strlen*(strlen+1)/2) - kevin
if stuart > kevin:
print("Stuart " + str(stuart))
if kevin > stuart:
print("Kevin " + str(kevin))
if kevin == stuart:
print("Draw")return 0
if __name__ == '__main__':
s = input()
minion_game(s)```
#
Merge The Tools:
```
def merge_the_tools(string, k):
# your code goes here
x = [string[i:i+k] for i in range(0, len(string), k)]for i in x:
j = 0
short = ""
for _ in i:
if i.index(_) == j:
short += _
j += 1
print(short)if __name__ == '__main__':
string, k = input(), int(input())
merge_the_tools(string, k)```
#
itertools.product():
```
# Enter your code here. Read input from STDIN. Print output to STDOUTfrom itertools import product
A = list(map(int,input().strip().split()))
B = list(map(int,input().strip().split()))ans = [str(i) for i in list(product(A,B))]
print (' '.join(ans))```
#
collections.Counter():
```
# Enter your code here. Read input from STDIN. Print output to STDOUTX = int(input())
shoe_sizes = list(map(int,input().strip().split()))N = int(input())
earned_amount = []
for n in range(N):
desired_size,price = list(map(int,input().strip().split()))
if desired_size in shoe_sizes:
earned_amount.append(price)
shoe_sizes.remove(desired_size)print (sum(earned_amount))
```
#
itertools.permutations():
```
# Enter your code here. Read input from STDIN. Print output to STDOUTimport itertools
strg,k = input().strip().split()
strg = ''.join(sorted(strg))
perms = list(itertools.permutations(strg,int(k)))
for p in perms:
print (''.join(p))```
#
Polar Coordinates:
```
# Enter your code here. Read input from STDIN. Print output to STDOUT
import cmath
complex_num = complex(input())print (abs(complex_num))
print (cmath.phase(complex_num))```
#
Introduction To Sets:
```
def average(array):
# your code goes here
'''Calculates the average of the array'''
s = set(arr)
return float(sum(s)) / len(s)
if __name__ == '__main__':
n = int(input())
arr = list(map(int, input().split()))
result = average(arr)
print(result)```
#
DefaultDict Tutorial:
```
# Enter your code here. Read input from STDIN. Print output to STDOUTfrom collections import defaultdict
N, M = map(int, input().split())
D = defaultdict(list)for i in range(1, N + 1):
D[input()].append(str(i))
for i in range(M):
print(' '.join(D[input()]) or -1)```
#
Calendar Module:
```
# Enter your code here. Read input from STDIN. Print output to STDOUTimport calendar
MONTH, DAY, YEAR = map(int, input().split())
print(calendar.day_name[calendar.weekday(YEAR, MONTH, DAY)].upper())
```
#
Exceptions:
```
# Enter your code here. Read input from STDIN. Print output to STDOUTfor _ in range(int(input())):
try:
a, b = input().split()
print(int(a) // int(b))
except ZeroDivisionError as z:
print(f'Error Code: {z}')
except ValueError as v:
print(f'Error Code: {v}')```
#
Collections.namedtuple():
```
# Enter your code here. Read input from STDIN. Print output to STDOUTfrom collections import namedtuple
N, STUDENT = int(input()), namedtuple('Student', input())
print("{:.2f}".format(sum([int(STUDENT(*input().split()).MARKS) for _ in range(N)]) / N))
```
#
Time Delta:
```
from datetime import datetimeformat = '%a %d %b %Y %H:%M:%S %z'
for _ in range(int(input())):
time1 = datetime.strptime(input(), format)
time2 = datetime.strptime(input(), format)print(int(abs((time1 - time2).total_seconds())))
```
#
Find Angle MBC:
```
# Enter your code here. Read input from STDIN. Print output to STDOUTimport math
AB = int(input())
BC = int(input())if AB == BC:
print (round(math.degrees(math.asin(1/math.sqrt(2)))),chr(176),sep='')else:
x = AB/BC
print (round(math.degrees(math.atan(x))),chr(176),sep='')```
#
No Idea:
```
# Enter your code here. Read input from STDIN. Print output to STDOUTN = input().split()
M = input().split()
A = set(input().split())
B = set(input().split())COUNTER = 0
for i in M:
if i in A:
COUNTER += 1
if i in B:
COUNTER -= 1print(COUNTER)
```
#
Collections.OrderedDict():
```
# Enter your code here. Read input from STDIN. Print output to STDOUTfrom collections import OrderedDict
A_LIST = OrderedDict()
N = int(input())
for i in range(N):
inp = input()if type(inp) != int:
isplit = inp.split()
cost = isplit[-1]
item = isplit[:-1]
item = " ".join(item)
cost = "".join(cost)
cost = int(cost)if item in A_LIST:
current = A_LIST[item]
current += cost
A_LIST[item] = current
else:
A_LIST[item] = costfor key, value in A_LIST.items():
print(key, value)```
#
Symmetric Difference:
```
# Enter your code here. Read input from STDIN. Print output to STDOUTm = int(input())
a = set(map(int, input().split()))
n = int(input())
b = set(map(int, input().split()))
# Difference in each sets
c = a.difference(b)
d = b.difference(a)# Union of difference
e = c.union(d)# Converting set to a list
RESULT = list(e)# Sorting
RESULT.sort()# Iteration
for i in range(len(RESULT)):
print(RESULT[i])```
#
```
```
#
itertools.combinations():
```
# Enter your code here. Read input from STDIN. Print output to STDOUTfrom itertools import combinations
S, N = input().split()
for i in range(1, int(N)+1):
for j in combinations(sorted(S), i):
print(''.join(j))```
#
Incorrect Regex:
```
# Enter your code here. Read input from STDIN. Print output to STDOUTimport re
for _ in range(int(input())):
try:
a = re.compile(input())
print("True")
except Exception:
print("False")```
#
Sets.add():
```
# Enter your code here. Read input from STDIN. Print output to STDOUTn = int(input())
NAMES = set([])
for i in range(n):
NAMES.add(input())print(len(NAMES))
```
#
itertools.combinations_with_replacement():
```
# Enter your code here. Read input from STDIN. Print output to STDOUTfrom itertools import combinations_with_replacement
S, k = map(str, input().split())
S = sorted(S)
k = int(k)for e in list(combinations_with_replacement(S, k)):
print(*e, sep='')```
#
Word Order:
```
# Enter your code here. Read input from STDIN. Print output to STDOUTfrom collections import Counter
N = int(input())
LIST = []for i in range(N):
LIST.append(input().strip())COUNT = Counter(LIST)
print(len(COUNT))
print(*COUNT.values())```
#
Set .discard(), .remove() & .pop():
```
n = int(input())
s = set(map(int, input().split()))for i in range(int(input())): # Iterate in range of the input num
s1 = input().split()
if s1[0] == 'pop':
s.pop()
elif s1[0] == 'remove':
s.remove(int(s1[1]))
elif s1[0] == 'discard':
s.discard(int(s1[1]))print(sum(s))
```
#
Collections.deque():
```
# Enter your code here. Read input from STDIN. Print output to STDOUTfrom collections import deque
D = deque()
for _ in range(int(input())):
oper, val, *args = input().split() + ['']
eval(f'D.{oper} ({val})')print(*D)
```
#
Compress the String! :
```
# Enter your code here. Read input from STDIN. Print output to STDOUTfrom itertools import groupby
for k, c in groupby(input()):
print("(%d, %d)" % (len(list(c)), int(k)), end=' ')```
#
Company Logo:
```
1)
def companyLogo(s):
literal_cnts = {}
dist_letters = set(s)
for char in dist_letters:
literal_cnts[char] = s.count(char)
sorted_kv = sorted(literal_cnts.items(),key=lambda x: (x[1],-ord(x[0])),reverse=True)
top_3 = sorted_kv[:3]
if top_3[0][1] == top_3[1][1] and top_3[0][1] > top_3[2][1]:
top_3[:2] = sorted(top_3[:2])
elif top_3[1][1] == top_3[2][1]:
top_3[1:] = sorted(top_3[1:])
elif top_3[0][1] == top_3[1][1] == top_3[2][1]:
top_3 = sorted(top_3)
for k,v in top_3:
print (k,v)
if __name__ == '__main__':
S = input()
companyLogo(S)2)
from collections import Counter
S = input()
S = sorted(S)FREQUENCY = Counter(list(S))
for k, v in FREQUENCY.most_common(3):
print(k, v)```
#
Set .union() Operation:
```
# Enter your code here. Read input from STDIN. Print output to STDOUT_ = int(input())
SET_N = set(map(int, input().split()))_ = int(input())
SET_B = set(map(int, input().split()))NEW_SET = SET_N.union(SET_B)
print(len(NEW_SET))```
#
Pilling Up:
```
# Enter your code here. Read input from STDIN. Print output to STDOUTT = int(input())
for t in range(T):
N = int(input())
lst = list(map(int, input().strip().split()))
L = len(lst)
i = 0
while i < L - 1 and lst[i] >= lst[i+1]:
i += 1
while i < L - 1 and lst[i] <= lst[i+1]:
i += 1
print ("Yes" if i == L - 1 else "No")```
#
Triangle Quest 2:
```
for i in range(1,int(input())+1): #More than 2 lines will result in 0 score.
print (((10**i-1)//9)**2)```
#
Iterables and Iterators:
```
# Enter your code here. Read input from STDIN. Print output to STDOUTfrom itertools import combinations
N = int(input())
LETTERS = list(input().split(" "))
K = int(input())TUPLES = list(combinations(LETTERS, K))
CONTAINS = [word for word in TUPLES if "a" in word]print(len(CONTAINS)/len(TUPLES))
```
#
Set .intersection() Operation:
```
# Enter your code here. Read input from STDIN. Print output to STDOUT_ = int(input())
SET_N = set(map(int, input().split()))_ = int(input())
SET_B = set(map(int, input().split()))print(len(SET_N & SET_B))
```
#
Mod Divmod:
```
# Enter your code here. Read input from STDIN. Print output to STDOUTA = int(input())
B = int(input())print(A//B)
print(A%B)
print(divmod(A, B))```
#
Power - Mod Power:
```
# Enter your code here. Read input from STDIN. Print output to STDOUTimport math
a = int(input())
b = int(input())
m = int(input())c = math.pow(a, b)
d = c%mprint(int(c))
print(int(d))```
#
Maximize It!:
```
# Enter your code here. Read input from STDIN. Print output to STDOUT
import itertoolsNUMBER_OF_LISTS, MODULUS = map(int, input().split())
LISTS_OF_LISTS = []for i in range(0, NUMBER_OF_LISTS):
new_list = list(map(int, input().split()))
del new_list[0]
LISTS_OF_LISTS.append(new_list)def squared(element):
return element**2COMBS = list(itertools.product(*LISTS_OF_LISTS))
RESULTS = []for i in COMBS:
result1 = sum(map(squared, [a for a in i]))
result2 = result1 % MODULUS
RESULTS.append(result2)print(max(RESULTS))
```
#
Set .difference() Operation:
```
# Enter your code here. Read input from STDIN. Print output to STDOUT_ = int(input())
SET_N = set(map(int, input().split()))_ = int(input())
SET_B = set(map(int, input().split()))NEW_SET = SET_N.difference(SET_B)
print(len(NEW_SET))```
#
Integers Come In All Sizes:
```
# Enter your code here. Read input from STDIN. Print output to STDOUTa = int(input())
b = int(input())
c = int(input())
d = int(input())print((a**b)+(c**d))
```
#
Set .symmetric_difference() Operation:
```
# Enter your code here. Read input from STDIN. Print output to STDOUT
_ = int(input())
SET_N = set(map(int, input().split()))_ = int(input())
SET_B = set(map(int, input().split()))print(len(SET_N.symmetric_difference(SET_B)))
```
#
Set Mutations:
```
# Enter your code here. Read input from STDIN. Print output to STDOUTA = int(input())
SET_A = set(map(int, input().split()))
N = int(input())for _ in range(N):
operation = input().split()
new_set = set(map(int, input().split()))
eval('SET_A.{}({})'.format(operation[0], new_set))print(sum(SET_A))
```
#
Triangle Quest:
```
for i in range(1,int(input())): #More than 2 lines will result in 0 score. Do not leave a blank line also
print((10**(i)//9)*i)```
#
The Captain's Room:
```
# Enter your code here. Read input from STDIN. Print output to STDOUTk = int(input())
arr = list(map(int, input().split()))
my_set = set(arr)
print(((sum(my_set)*k)-(sum(arr)))//(k-1))
```
#
Check Subset:
```
# Enter your code here. Read input from STDIN. Print output to STDOUTfor i in range(int(input())):
a = int(input())
set_a = set(map(int, input().split()))b = int(input())
set_b = set(map(int, input().split()))if len(set_a - set_b) == 0:
print("True")
else:
print("False")```
#
Check Strict Superset:
```
# Enter your code here. Read input from STDIN. Print output to STDOUTA = set(input().split())
COUNT = 0
VALUE = 0for i in range(int(input())):
if A.issuperset(set(input().split())):
COUNT += 1
else:
VALUE += 1
if VALUE != 0:
print('False')
else:
print('True')```
#
Classes: Dealing with Complex Numbers:
```
import mathclass Complex(object):
def __init__(self, real, imaginary):
self.real = real
self.imaginary = imaginarydef __add__(self, no):
return Complex((self.real+no.real), self.imaginary+no.imaginary)def __sub__(self, no):
return Complex((self.real-no.real), (self.imaginary-no.imaginary))def __mul__(self, no):
r = (self.real*no.real)-(self.imaginary*no.imaginary)
i = (self.real*no.imaginary+no.real*self.imaginary)
return Complex(r, i)def __truediv__(self, no):
conjugate = Complex(no.real, (-no.imaginary))
num = self*conjugate
denom = no*conjugate
try:
return Complex((num.real/denom.real), (num.imaginary/denom.real))
except Exception as e:
print(e)def mod(self):
m = math.sqrt(self.real**2+self.imaginary**2)
return Complex(m, 0)def __str__(self):
if self.imaginary == 0:
result = "%.2f+0.00i" % (self.real)
elif self.real == 0:
if self.imaginary >= 0:
result = "0.00+%.2fi" % (self.imaginary)
else:
result = "0.00-%.2fi" % (abs(self.imaginary))
elif self.imaginary > 0:
result = "%.2f+%.2fi" % (self.real, self.imaginary)
else:
result = "%.2f-%.2fi" % (self.real, abs(self.imaginary))
return result
if __name__ == '__main__':
c = map(float, input().split())
d = map(float, input().split())
x = Complex(*c)
y = Complex(*d)
print(*map(str, [x+y, x-y, x*y, x/y, x.mod(), y.mod()]), sep='\n')```
#
Class 2 - Find the Torsional Angle:
```
import mathclass Points(object):
def __init__(self, x, y, z):
self.x = x
self.y = y
self.z = zdef __sub__(self, no):
return Points((self.x-no.x), (self.y-no.y), (self.z-no.z))def dot(self, no):
return (self.x*no.x)+(self.y*no.y)+(self.z*no.z)def cross(self, no):
return Points((self.y*no.z-self.z*no.y), (self.z*no.x-self.x*no.z), (self.x*no.y-self.y*no.x))def absolute(self):
return pow((self.x ** 2 + self.y ** 2 + self.z ** 2), 0.5)
if __name__ == '__main__':
points = list()
for i in range(4):
a = list(map(float, input().split()))
points.append(a)a, b, c, d = Points(*points[0]), Points(*points[1]), Points(*points[2]), Points(*points[3])
x = (b - a).cross(c - b)
y = (c - b).cross(d - c)
angle = math.acos(x.dot(y) / (x.absolute() * y.absolute()))print("%.2f" % math.degrees(angle))
```
#
Zipped!:
```
# Enter your code here. Read input from STDIN. Print output to STDOUT#!/usr/bin/env python3
if __name__ == "__main__":
st_num, sb_num = map(int, input().strip().split())
scores = []
for _ in range(sb_num):
scores.append(map(float, input().strip().split()))
for el in zip(*scores):
print(sum(el)/sb_num)```
#
Input():
```
# Enter your code here. Read input from STDIN. Print output to STDOUTif __name__ == "__main__":
x, k = map(int, input().strip().split())
string = input().strip()
if eval(string) == k:
print(True)
else:
print(False)```
#
Python Evaluation:
```
# Enter your code here. Read input from STDIN. Print output to STDOUT#!/usr/bin/env python3
if __name__ == "__main__":
eval(input().strip())```
#
Athlete Short:
```
1)#!/bin/python3
import math
import os
import random
import re
import sysif __name__ == '__main__':
nm = input().split()n = int(nm[0])
m = int(nm[1])
arr = []
for _ in range(n):
arr.append(list(map(int, input().rstrip().split())))k = int(input())
P=sorted(arr,key=lambda row:row[k])
for i in range(len(P)):
for j in range(len(P[i])):
print(P[i][j], end=' ')
print()2)
# Enter your code here. Read input from STDIN. Print output to STDOUT
tbl = []
rc = input()
(r,c) = map(int, rc.split())for i in range(r):
_row = input()
row = list(map(int, _row.split()))
tbl.append(row)idx = int(input())
tbls = sorted(tbl, key = lambda x: x[idx])
for t in tbls:
print (*t)```
#
Any or all:
```
# Enter your code here. Read input from STDIN. Print output to STDOUT#!/usr/bin/env python3
if __name__ == "__main__":
num_cnt = int(input().strip())
arr = list(input().strip().split())
print(all([all([int(x) > 0 for x in arr]), any([x == x[::-1] for x in arr])]))
```
#
ginortS:
```
#!/usr/bin/env python3
if __name__ == "__main__":
string = input().strip()
print(*sorted(string, key = lambda x: (-x.islower(), x.isdigit() - x.isupper(), x in '02468', x)), sep='')```
#
Detect Floating Point Number:
```
# Enter your code here. Read input from STDIN. Print output to STDOUTfrom re import match, compile
pattern = compile('^[-+]?\d*\.\d+$')
for _ in range(int(input())):
print(bool(pattern.match(input())))```
#
Map and Lambda Function:
```
cube = lambda x: x**3def fibonacci(n):
# return a list of fibonacci numbers
if n == 0:
return []
if n == 1:
return [0]
prev = 0
cur = 1
out = [prev, cur]
for _ in range(n-2):
prev, cur = cur, prev + cur
out.append(cur)
return outif __name__ == '__main__':
n = int(input())
print(list(map(cube, fibonacci(n))))```
#
Re.split():
```
regex_pattern = r'[.,]+' # Do not delete 'r'.
import re
print("\n".join(re.split(regex_pattern, input())))```
#
Validating Email Addresses With a Filter:
```
import re
def fun(s):
# return True if s is a valid email, else return False
'''
n=int(input())
e=[]
for _ in range[n]:
e.append(input())
user= e.split("@")[0]
print(user)
'''
'''
l = list(map(lambda x:x.split("@")[0], s))
l = list(filter(lambda x: x > 10 and x < 80, l))
'''
#print(s)
ptrn = re.compile("^[a-zA-Z][\w-]*@[a-zA-Z0-9]+\.[a-zA-Z]{1,3}$")
result = ptrn.match(s)
#l = list(filter(lambda x:x.match(ptrn) , s))
return result
def filter_mail(emails):
return list(filter(fun, emails))if __name__ == '__main__':
n = int(input())
emails = []
for _ in range(n):
emails.append(input())filtered_emails = filter_mail(emails)
filtered_emails.sort()
print(filtered_emails)```
#
Group(), Groups() & Groupdict():
```
# Enter your code here. Read input from STDIN. Print output to STDOUTimport re
s = input()
res = re.search(r'([A-Za-z0-9])\1',s)
if res == None:
print(-1)
else:
print(res.group(1))```
#
Reduce Function:
```
from fractions import Fraction
from functools import reducedef product(fracs):
t = reduce(lambda x, y : x * y, fracs) # complete this line with a reduce statement
return t.numerator, t.denominatorif __name__ == '__main__':
fracs = []
for _ in range(int(input())):
fracs.append(Fraction(*map(int, input().split())))
result = product(fracs)
print(*result)```
#
Re.findall() & Re.finditer():
```
# Enter your code here. Read input from STDIN. Print output to STDOUT#!/usr/bin/env python3
import re
cons = 'QWRTYPSDFGHJKLZXCVBNMqwrtypsdfghjklzxcvbnm'
vowels = 'AEIOUaeiou'if __name__ == "__main__":
string = input().strip()
m = re.findall(r"(?<=[%s])([%s]{2,})[%s]" % (cons, vowels, cons), string)
print("\n".join(m or ['-1']))```
#
Re.start() & Re.end():
```
# Enter your code here. Read input from STDIN. Print output to STDOUT#!/usr/bin/env python3
import re
if __name__ == "__main__":
string = input()
sub = input()
matches = list(re.finditer(r'(?={})'.format(sub), string))
if matches:
for match in matches:
print((match.start(), match.end() + len(sub) - 1))
else:
print((-1, -1))```
#
Regex Substitution:
```
# Enter your code here. Read input from STDIN. Print output to STDOUT
import re, sys
n = int(input())
for line in sys.stdin:
remove_and = re.sub(r'(?<= )(&&)(?= )',"and",line)
remove_or = re.sub(r'(?<= )(\|\|)(?= )',"or",remove_and)
print(remove_or,end='')```
#
Validating Roman Numerals:
```
regex_pattern = r"^M{0,3}(CM|CD|D?C{0,3})(XC|XL|L?X{0,3})(IX|IV|V?I{0,3})$" # Do not delete 'r'.import re
print(str(bool(re.match(regex_pattern, input()))))```
#
Validating phone numbers:
```
# Enter your code here. Read input from STDIN. Print output to STDOUTimport re
n = int(input().strip())
for _ in range(n):
tel = input().strip()
pattern = '^[789][0-9]{9}$'
print("{}".format("YES" if bool(re.match(pattern, tel)) else "NO"))```
#
Validating and Parsing Email Addresses:
```
# Enter your code here. Read input from STDIN. Print output to STDOUTimport re, email.utils
n = int(input())
for t in range(n):
s = input()
parsed_email = email.utils.parseaddr(s)[1].strip()
match_result = bool(re.match(r'(^[A-Za-z][A-Za-z0-9\._-]+)@([A-Za-z]+)\.([A-Za-z]{1,3})$',parsed_email))
if match_result == True:
print(s)```
#
Hex Color Code:
```
# Enter your code here. Read input from STDIN. Print output to STDOUTimport re
n = int(input().strip())
inside = False
for _ in range(n):
line = input()
for el in line.split(' '):
if el == "{":
inside = True
continue
elif el == "}":
inside = False
continue
elif inside:
found = re.search(r'\#[0-9a-fA-F]{3,6}', el)
if found:
print(found.group(0))```
#
HTML Parser - Part 1:
```
# Enter your code here. Read input from STDIN. Print output to STDOUTimport re
from html.parser import HTMLParserclass MyHTMLParser(HTMLParser):
def handle_starttag(self, tag, attrs):
print("Start".ljust(6) + ":", tag)
for at in attrs:
print("-> {} > {}".format(at[0], at[1]))
def handle_endtag(self, tag):
print("End".ljust(6) + ":", tag)
def handle_startendtag(self, tag, attrs):
print("Empty".ljust(6) + ":", tag)
for at in attrs:
print("-> {} > {}".format(at[0], at[1]))if __name__ == "__main__":
parser = MyHTMLParser()
n = int(input().strip())
for _ in range(n):
line = input()
parser.feed(line)```
#
HTML Parser -Part 2:
```
# Enter your code here. Read input from STDIN. Print output to STDOUTfrom html.parser import HTMLParser
class MyHTMLParser(HTMLParser):
def handle_comment(self, data):
if data.count('\n') > 0:
print(">>> Multi-line Comment")
else:
print(">>> Single-line Comment")
print(data)
def handle_data(self, data):
if len(data) > 1:
print(">>> Data")
print(data)html = ""
for i in range(int(input())):
html += input().rstrip()
html += '\n'
parser = MyHTMLParser()
parser.feed(html)
parser.close()```
#
Detect HTML Tags, Attributes and Attribute Values:
```
# Enter your code here. Read input from STDIN. Print output to STDOUTfrom html.parser import HTMLParser
class MyHTMLParser(HTMLParser):
def handle_starttag(self, tag, attrs):
print(tag)
for at in attrs:
print("-> {} > {}".format(at[0], at[1]))
def handle_startendtag(self, tag, attrs):
print(tag)
for at in attrs:
print("-> {} > {}".format(at[0], at[1]))html = ""
for i in range(int(input())):
html += input().rstrip()
html += '\n'
parser = MyHTMLParser()
parser.feed(html)
parser.close()```
#
XML 1 - Find the Score:
```
import sys
import xml.etree.ElementTree as etreedef get_attr_number(node):
# your code goes here
return len(node.attrib) + sum([get_attr_number(child) for child in node])if __name__ == '__main__':
sys.stdin.readline()
xml = sys.stdin.read()
tree = etree.ElementTree(etree.fromstring(xml))
root = tree.getroot()
print(get_attr_number(root))```
#
Validating UID:
```
# Enter your code here. Read input from STDIN. Print output to STDOUTimport re
if __name__ == "__main__":
t = int(input().strip())
for _ in range(t):
uid = "".join(sorted(input()))
if (len(uid) == 10 and
re.match(r'', uid) and
re.search(r'[A-Z]{2}', uid) and
re.search(r'\d\d\d', uid) and
not re.search(r'[^a-zA-Z0-9]', uid) and
not re.search(r'(.)\1', uid)):
print("Valid")
else:
print("Invalid")```
#
Validating Credit Card Numbers:
```
# Enter your code here. Read input from STDIN. Print output to STDOUTimport re
if __name__ == "__main__":
t = int(input().strip())
for _ in range(t):
num = "".join(input())
if (re.match(r'^[456]', num) and
(re.match(r'([\d]{4}-){3}[\d]{4}$', num) or
re.match(r'[\d]{16}', num)) and
not re.search(r'(\d)\1{3,}', num.replace("-", ""))):
print("Valid")
else:
print("Invalid")```
#
XML2 - Find the Maximum Depth:
```
import xml.etree.ElementTree as etreemaxdepth = 0
def depth(elem, level):
global maxdepth
# your code goes here
maxdepth = 0
def depth(elem, level):
#print(elem)
if level == -1:
level = 0
global maxdepth
if level > maxdepth:
maxdepth = level
for el in elem:
depth(el, level+1)
if __name__ == '__main__':
n = int(input())
xml = ""
for i in range(n):
xml = xml + input() + "\n"
tree = etree.ElementTree(etree.fromstring(xml))
depth(tree.getroot(), -1)
print(maxdepth)```
#
Standardize Mobile Number Using Decorators:
```
def wrapper(f):
def fun(l):
# complete the function
out = []
for telnum in l:
barenum = telnum[-10:]
telnum = '+91 ' + barenum[:5] + ' ' + barenum[5:]
out.append(telnum)
f(out)
return fun@wrapper
def sort_phone(l):
print(*sorted(l), sep='\n')if __name__ == '__main__':
l = [input() for _ in range(int(input()))]
sort_phone(l)```
#
Validating Postal Codes:
```
regex_integer_in_range = r'^[1-9][\d]{5}$' # Do not delete 'r'.
regex_alternating_repetitive_digit_pair = r'(\d)(?=\d\1)' # Do not delete 'r'.import re
P = input()print (bool(re.match(regex_integer_in_range, P))
and len(re.findall(regex_alternating_repetitive_digit_pair, P)) < 2)```
#
Decorators 2 - Name Directory:
```
import operator
def person_lister(func):
def inner(people):
return [func(p) for p in sorted(people, key = lambda x: (int(x[2])))]
return inner@person_lister
def name_format(person):
return ("Mr. " if person[3] == "M" else "Ms. ") + person[0] + " " + person[1]if __name__ == '__main__':
people = [input().split() for i in range(int(input()))]
print(*name_format(people), sep='\n')```
#
Matrix Script:
```
import ren, m = input().strip().split(' ')
n, m = [int(n), int(m)]
matrix = []
for _ in range(n):
matrix_t = str(input())
matrix.append(matrix_t)
complete = ""
for el in zip(*matrix):
complete += "".join(el)
print(re.sub(r'(?<=\w)([^\w]+)(?=\w)', " ", complete))```
#
Words Score:
```
def is_vowel(letter):
return letter in ['a', 'e', 'i', 'o', 'u', 'y']def score_words(words):
score = 0
for word in words:
num_vowels = 0
for letter in word:
if is_vowel(letter):
num_vowels += 1
if num_vowels % 2 == 0:
score += 2
else:
score += 1
return scoren = int(input())
words = input().split()
print(score_words(words))```
#
Arrays:
```
import numpydef arrays(arr):
# complete this function
# use numpy.array
return(numpy.array(arr[::-1], float))arr = input().strip().split(' ')
result = arrays(arr)
print(result)```
#
Shape and Reshape:
```
# Enter your code here. Read input from STDIN. Print output to STDOUT
import numpy
ar = list(map(int,input().split()))
np_ar = numpy.array(ar)
print(numpy.reshape(np_ar,(3,3)))```
#
Default Arguments:
```
class EvenStream(object):
def __init__(self):
self.current = 0def get_next(self):
to_return = self.current
self.current += 2
return to_returnclass OddStream(object):
def __init__(self):
self.current = 1def get_next(self):
to_return = self.current
self.current += 2
return to_returndef print_from_stream(n, stream=EvenStream()):
stream.__init__()
for _ in range(n):
print(stream.get_next())queries = int(input())
for _ in range(queries):
stream_name, n = input().split()
n = int(n)
if stream_name == "even":
print_from_stream(n)
else:
print_from_stream(n, OddStream())```
#
Transpose and Flatten:
```
import numpy
n,m = map(int,input().split())
ar = []
for i in range(n):
row = list(map(int,input().split()))
ar.append(row)np_ar = numpy.array(ar)
print(numpy.transpose(np_ar))
print(np_ar.flatten())```
#
Concatenate:
```
import numpyn,m,p=map(int,input().split())
ar1 = []
ar2 = []
for i in range(n):
tmp = list(map(int,input().split()))
ar1.append(tmp)
for i in range(m):
tmp = list(map(int,input().split()))
ar2.append(tmp)
np_ar1 = numpy.array(ar1)
np_ar2 = numpy.array(ar2)
print(numpy.concatenate((np_ar1,np_ar2),axis = 0))```
#
Zeros and Ones:
```
import numpyn_ar = list(map(int,input().split()))
n = tuple(n_ar)
print(numpy.zeros(n,dtype=numpy.int))
print(numpy.ones(n,dtype=numpy.int))```
#
Eye and Identity:
```
import numpy as npnp.set_printoptions(legacy='1.13')
n, m = map(int, input().split())
print(np.eye(n, m, k=0))```
#
Array Mathematics:
```
import numpyn,m = map(int,input().split())
ar1 = []
ar2 = []
for i in range(n):
tmp = list(map(int,input().split()))
ar1.append(tmp)
for i in range(n):
tmp = list(map(int,input().split()))
ar2.append(tmp)
np_ar1 = numpy.array(ar1)
np_ar2 = numpy.array(ar2)
print(np_ar1 + np_ar2)
print(np_ar1 - np_ar2)
print(np_ar1 * np_ar2)
print(np_ar1 // np_ar2)
print(np_ar1 % np_ar2)
print(np_ar1 ** np_ar2)```
#
Floor, Ceil and Rint:
```
import numpy as np
np.set_printoptions(legacy='1.13')
A = np.array(input().split(), float)
print(np.floor(A))
print(np.ceil(A))
print(np.rint(A))```
#
Sum and Prod:
```
import numpyn,m=map(int,input().split())
ar = []
for i in range(n):
tmp = list(map(int,input().split()))
ar.append(tmp)
np_ar = numpy.array(ar)
s = numpy.sum(np_ar,axis=0)
print(numpy.prod(s))```
#
Min and Max:
```
import numpyn,m = map(int,input().split())
ar = []
for i in range(n):
tmp = list(map(int,input().split()))
ar.append(tmp)
np_ar = numpy.array(ar)
print(numpy.max(numpy.min(np_ar,axis=1)))```
#
Mean, Var, and Std:
```
import numpy
N, M = map(int, input().split())
A = numpy.array([list(map(int, input().split())) for n in range(N)])
print(numpy.mean(A, axis = 1))
print(numpy.var(A, axis = 0))
print(numpy.round(numpy.std(A), 11))```
#
Dot and Cross:
```
import numpy
n = int(input())
ar1 = []
ar2 = []
for i in range(n):
tmp = list(map(int,input().split()))
ar1.append(tmp)
np_ar1 = numpy.array(ar1)
for i in range(n):
tmp = list(map(int,input().split()))
ar2.append(tmp)
np_ar2 = numpy.array(ar2)
print(numpy.dot(np_ar1,np_ar2))```
#
Inner and Outer:
```
import numpynp_ar1 = numpy.array(list(map(int,input().split())))
np_ar2 = numpy.array(list(map(int,input().split())))
print(numpy.inner(np_ar1,np_ar2))
print(numpy.outer(np_ar1,np_ar2))```
#
Polynomials:
```
import numpy as npl = list(map(float, input().split()))
x=int(input())
arr=np.array(l)
print(np. polyval(arr,x))```
#
Linear Algebra:
```
import numpy as npnp.set_printoptions(legacy='1.13')
n = int(input())
array = np.array([input().split() for _ in range(n)], float)
print(np.linalg.det(array))```
#
Found This Repo Helpful?
Consider To Give Me A Treat
👇👇👇