Butterfly binding function

I am trying to code a function that prints a bow tie similar to the form of numbers in the range two to nine. Anything outside the range of two to nine should not be printed.

For example,

 >>> numberBowTie(5)

 1        1
 22      22
 333    333
 4444  4444
 5555555555
 5555555555
 4444  4444
 333    333
 22      22
 1        1

      

Most of the practice problems I have undertaken have done without any problem, but I am having difficulty coding this particular problem. I thought about simply coding eight different printouts, but that was too sloppy. The interval must be mathematically determined.

Closing the problem with the practice I was doing is similar to this problem:

def arrowHead(n): 
   for x in range(n+1): 
      print ((' '*n)+(' *'*x))
      n = n - 1 

      

but that didn't work for me.

+3


source to share


2 answers


def numberBowTie(num):
    for i in range(num):

        # the idea is to iterate on i and when it '1' to print only one time '1' 
        # then 2*num - 2 spaces and then to print one time '1' again.
        # now do the same with i=2 only print '2' twice, 2*num - 4 spaces and then '2' twice again
        # or in general:
        #
        # 1) str(i)*i == print a string of the number i -> i times
        # 2) ' '* (2 * (num - i)) == print one space (2 * (num - i)) times
        # 3) do the same as in 1)
        #
        print str(i)*i + ' '* (2 * (num - i)) + str(i)*i 

    for i in range(num):
        # in the second loop we do the exact same calculation only in reverse order
        print str(num-i)*(num-i) + ' '* (2 * i) + str(num-i)*(num-i)


numberBowTie(9)

      

OUTPUT

1                1
22              22
333            333
4444          4444
55555        55555
666666      666666
7777777    7777777
88888888  88888888
999999999999999999
999999999999999999
88888888  88888888
7777777    7777777
666666      666666
55555        55555
4444          4444
333            333
22              22
1                1

      



For ssm (in one cycle):

def numberBowTie(num):
    part1 = ''
    part2 = ''
    for i in range(num+1):
        part1 = part1 + str(i)*i + ' '* (2 * (num - i)) + str(i)*i +'\n'
        part2 = part2 + str(num-i)*(num-i) + ' '* (2 * i) + str(num-i)*(num-i) + '\n'
    print part1 + part2

      

+3


source


print('\n'.join(map(lambda i: (' '*2*(9-i)).join([str(i)*i]*2),
                    range(0, 10) + list(reversed(range(10))))))

      

If you like patience :)

Edit - here's another one. The idea is to build only one quadrant of the image first and then flip it to create the rest.



def bowtie(n):

    quadrant = [str(i)*i + " "*(n-i) for i in range(1, n+1)]

    def mirror2(xs):
        mirror = lambda xs: list(xs) + list(reversed(xs))
        return mirror([''.join(mirror(x)) for x in xs])

    return '\n'.join(mirror2(quadrant))

      

More thoughts here.

+1


source







All Articles