-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathTask3.py
79 lines (67 loc) · 2.5 KB
/
Task3.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
"""
Read file into texts and calls.
It's ok if you don't understand how to read files.
"""
import csv
with open('texts.csv', 'r') as f:
reader = csv.reader(f)
texts = list(reader)
with open('calls.csv', 'r') as f:
reader = csv.reader(f)
calls = list(reader)
"""
TASK 3:
(080) is the area code for fixed line telephones in Bangalore.
Fixed line numbers include parentheses, so Bangalore numbers
have the form (080)xxxxxxx.)
Part A: Find all of the area codes and mobile prefixes called by people
in Bangalore.
- Fixed lines start with an area code enclosed in brackets. The area
codes vary in length but always begin with 0.
- Mobile numbers have no parentheses, but have a space in the middle
of the number to help readability. The prefix of a mobile number
is its first four digits, and they always start with 7, 8 or 9.
- Telemarketers' numbers have no parentheses or space, but they start
with the area code 140.
Print the answer as part of a message:
"The numbers called by people in Bangalore have codes:"
<list of codes>
The list of codes should be print out one per line in lexicographic order with no duplicates.
Part B: What percentage of calls from fixed lines in Bangalore are made
to fixed lines also in Bangalore? In other words, of all the calls made
from a number starting with "(080)", what percentage of these calls
were made to a number also starting with "(080)"?
Print the answer as a part of a message::
"<percentage> percent of calls from fixed lines in Bangalore are calls
to other fixed lines in Bangalore."
The percentage should have 2 decimal digits
"""
# PART A
area_codes = set()
for call in calls:
if call[0][:5] == '(080)':
if call[1][0] == '(':
code = call[1].split(')')
area_codes.add(code[0][1:])
elif call[1][0] in ('7', '8', '9'):
code = call[1].split()
area_codes.add(code[1])
sorted_codes = sorted(list(area_codes))
print("The numbers called by people in Bangalore have codes:")
for code in sorted_codes:
print(code)
# PART B
count_calls_to_bang = 0
count_calls_from_bang = 0
for call in calls:
if call[0][:5] == '(080)':
count_calls_from_bang += 1
if call[1][:5] == '(080)':
count_calls_to_bang += 1
if count_calls_to_bang == 0:
percentage = 0
else:
percentage = (float(count_calls_to_bang) /
float(count_calls_from_bang)) * 100
print(str(round(percentage, 2)) +
" percent of calls from fixed lines in Bangalore are calls to other fixed lines in Bangalore.")