This is my code:
JavaScript
x
8
1
def multiply(end):
2
pro = ""
3
for i in range(end + 1):
4
for j in range(end + 1):
5
pro += str(i * j) + "t"
6
pro += "n"
7
return pro
8
When I run my code it returns when I call the function multiply(4):
JavaScript
1
6
1
0 0 0 0 0
2
0 1 2 3 4
3
0 2 4 6 8
4
0 3 6 9 12
5
0 4 8 12 16
6
I want it to return as:
JavaScript
1
6
1
0 1 2 3 4
2
1 1 2 3 4
3
2 2 4 6 8
4
3 3 6 9 12
5
4 4 8 12 16
6
What do I have to change and I also need to return the table instead of printing the table.
Advertisement
Answer
you need to add a few checks to your function but this should work –
JavaScript
1
11
11
1
def multiply(end):
2
pro = ""
3
for i in range(0,end + 1):
4
for j in range(0,end + 1):
5
if i != 0 and j != 0:
6
pro += str(i * j) + "t"
7
else:
8
pro += str(max(j,i)) + "t"
9
pro += "n"
10
return pro
11
with this multuply(4)
has an output of –
JavaScript
1
6
1
0 1 2 3 4
2
1 1 2 3 4
3
2 2 4 6 8
4
3 3 6 9 12
5
4 4 8 12 16
6