Simulating a two-body collision problem to find digits of Pi












5












$begingroup$


I came across a nice video on 3Blue1Brown's channel that highlights a very indirect way to find the digits in Pi. I'd suggest watching the whole video, but briefly:



enter image description here



The setup is as above. A "small" body of unit mass is at rest on the left and a "large" body on the right is moving towards the left (the initial positions and velocities are irrelevant). Assuming perfectly elastic collisions and that the large body's mass to be the n-th power of 100, where n is a natural number, the total number of collisions is always floor(pi*(10n)).



The analytical reason for this is discussed here, but I've started learning a bit of Python and wanted to simulate this to improve my programming (i.e. I'm a beginner). Here's the code:



from fractions import Fraction

class Block:
# Creating a class since that helps keep track of attributes
def __init__(self, mass, velocity, position):
self.mass = mass
self.velocity = velocity
self.position = position

# Set initial conditions: the object on the left is at rest at x = 5 and has
# unit mass. The one on the right starts off at x = 10, with velocity =
# -5 units/s and has mass equal to 100^n, where n is user-specified.
# The number of collisions should be floor(Pi*10^n). e.g. n = 2 => 314,
# n = 3 => 3141, and so on

small = Block(1, 0, Fraction(32/10))
large = Block(100**int(input("Which power of 100 is the second mass? ")),
-7, Fraction(75,10))

# By "collision", we mean that either the position of both the objects is the
# same (both collide against each other) or the position of the small block is
# 0 (collision against wall)

def updateVelocities(collisions):
if(small.position == large.position != 0):
# Both blocks collide against each other
collisions += 1
temp = small.velocity

small.velocity = Fraction(((2*large.mass*large.velocity)+
(small.mass*small.velocity)-(large.mass*small.velocity)),
(small.mass + large.mass))

large.velocity = Fraction(((2*small.mass*temp)+(large.mass*large.velocity)
-(small.mass*large.velocity)),(small.mass + large.mass))

elif(small.position == 0 != large.position):
# The small block gets "reflected" off the wall
collisions += 1
small.velocity = -small.velocity

elif(small.position == large.position == 0):
# The rare instance in which both blocks move towards the wall and
# collide with the wall and against each other simultaneously
collisions += 2
small.velocity, large.velocity = -small.velocity, -large.velocity
else:
pass

return collisions

# Given the current positions and velocities, find the time to next collision
# This takes care of all different scenarios
def timeToNextCollision():
if(large.velocity >= small.velocity >= 0):
# Both blocks move towards right, but the large block is faster and the
# small block can't catch up
return float("inf")

elif(small.velocity >= 0 >= large.velocity):
# Both blocks are either moving towards each other, or one of the is at
# rest and the other is moving towards it. The wall is obviously ignored
# The condition small.velocity == 0 == large.velocity will also be ignored
# since if that's true, only the first if statement would be executed.
return Fraction(large.position - small.position,
small.velocity - large.velocity)

elif((large.velocity >= 0 and small.velocity < 0) or
(small.velocity <= large.velocity < 0)):
# Both blocks move towards left, but the large block can't catch up with
# the small block before the latter runs into the wall
return Fraction(-small.position, small.velocity)

elif(small.position == 0):
# Special case for when the small block is currently at the wall
if(large.velocity >= abs(small.velocity)):
# Small block can no longer catch up with large block
return float("inf")
else:
# Large block is either moving towards left or too slow moving towards
# the right. In either case, they will collide
return large.position/(abs(small.velocity) - large.velocity)
else:
# Both blocks move towards left, but large block is faster. If the
# distance between blocks is small enough compared to that between the wall
# and the small block, they will collide. Otherwise the small block will
# reach the wall before the large block has a chance to catch up
return min(Fraction(-small.position, small.velocity),
Fraction(large.position - small.position),
(small.velocity - large.velocity))

collisionCount = 0

while True:
t = timeToNextCollision()
if(t == float("inf")):
# No more collisions
break
# Update the distances to what they'll be during the next collision
small.position += small.velocity*t
large.position += large.velocity*t
# Update collision count AND velocities to post-collision values
collisionCount = updateVelocities(collisionCount)

print(collisionCount)


The biggest headache was dealing with float's precision issues. For example, for a collision to register, the updated positions of the two blocks should exactly be the same. But with float's rounding issues, there would be a slight difference in the positions and the program would go haywire.



Even though this was corrected by using the Fraction data type, the run time of the program is really slow. If n=2, the program finishes within milliseconds, whereas for n=3, it takes a whopping 115 seconds. I'm not really aware of all the nuances of Python nor do I have any computer science knowledge, so I'd be really grateful if I can get some guidance on how I can improve the code.



Off the top of my head, perhaps using Fraction affects the run time, or I wrote the if conditions in a clumsy way, or wrote redundant code. I'm confused because there are many possibilities. In the first video I linked to, at around the 2:00 min mark, there's a simulation of collisions between 1 kg and 1003 kg, and it's so smooth and quick!



P.S. I used the Block class just to improve readability. I've tried using a simple list instead of a Block class object, but that only shaves off around 8 seconds or so. Not much improvement. I also tried using the numpy double data type - again, same rounding issues as with the default float type.










share|improve this question









New contributor




Shirish Kulhari is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
Check out our Code of Conduct.







$endgroup$

















    5












    $begingroup$


    I came across a nice video on 3Blue1Brown's channel that highlights a very indirect way to find the digits in Pi. I'd suggest watching the whole video, but briefly:



    enter image description here



    The setup is as above. A "small" body of unit mass is at rest on the left and a "large" body on the right is moving towards the left (the initial positions and velocities are irrelevant). Assuming perfectly elastic collisions and that the large body's mass to be the n-th power of 100, where n is a natural number, the total number of collisions is always floor(pi*(10n)).



    The analytical reason for this is discussed here, but I've started learning a bit of Python and wanted to simulate this to improve my programming (i.e. I'm a beginner). Here's the code:



    from fractions import Fraction

    class Block:
    # Creating a class since that helps keep track of attributes
    def __init__(self, mass, velocity, position):
    self.mass = mass
    self.velocity = velocity
    self.position = position

    # Set initial conditions: the object on the left is at rest at x = 5 and has
    # unit mass. The one on the right starts off at x = 10, with velocity =
    # -5 units/s and has mass equal to 100^n, where n is user-specified.
    # The number of collisions should be floor(Pi*10^n). e.g. n = 2 => 314,
    # n = 3 => 3141, and so on

    small = Block(1, 0, Fraction(32/10))
    large = Block(100**int(input("Which power of 100 is the second mass? ")),
    -7, Fraction(75,10))

    # By "collision", we mean that either the position of both the objects is the
    # same (both collide against each other) or the position of the small block is
    # 0 (collision against wall)

    def updateVelocities(collisions):
    if(small.position == large.position != 0):
    # Both blocks collide against each other
    collisions += 1
    temp = small.velocity

    small.velocity = Fraction(((2*large.mass*large.velocity)+
    (small.mass*small.velocity)-(large.mass*small.velocity)),
    (small.mass + large.mass))

    large.velocity = Fraction(((2*small.mass*temp)+(large.mass*large.velocity)
    -(small.mass*large.velocity)),(small.mass + large.mass))

    elif(small.position == 0 != large.position):
    # The small block gets "reflected" off the wall
    collisions += 1
    small.velocity = -small.velocity

    elif(small.position == large.position == 0):
    # The rare instance in which both blocks move towards the wall and
    # collide with the wall and against each other simultaneously
    collisions += 2
    small.velocity, large.velocity = -small.velocity, -large.velocity
    else:
    pass

    return collisions

    # Given the current positions and velocities, find the time to next collision
    # This takes care of all different scenarios
    def timeToNextCollision():
    if(large.velocity >= small.velocity >= 0):
    # Both blocks move towards right, but the large block is faster and the
    # small block can't catch up
    return float("inf")

    elif(small.velocity >= 0 >= large.velocity):
    # Both blocks are either moving towards each other, or one of the is at
    # rest and the other is moving towards it. The wall is obviously ignored
    # The condition small.velocity == 0 == large.velocity will also be ignored
    # since if that's true, only the first if statement would be executed.
    return Fraction(large.position - small.position,
    small.velocity - large.velocity)

    elif((large.velocity >= 0 and small.velocity < 0) or
    (small.velocity <= large.velocity < 0)):
    # Both blocks move towards left, but the large block can't catch up with
    # the small block before the latter runs into the wall
    return Fraction(-small.position, small.velocity)

    elif(small.position == 0):
    # Special case for when the small block is currently at the wall
    if(large.velocity >= abs(small.velocity)):
    # Small block can no longer catch up with large block
    return float("inf")
    else:
    # Large block is either moving towards left or too slow moving towards
    # the right. In either case, they will collide
    return large.position/(abs(small.velocity) - large.velocity)
    else:
    # Both blocks move towards left, but large block is faster. If the
    # distance between blocks is small enough compared to that between the wall
    # and the small block, they will collide. Otherwise the small block will
    # reach the wall before the large block has a chance to catch up
    return min(Fraction(-small.position, small.velocity),
    Fraction(large.position - small.position),
    (small.velocity - large.velocity))

    collisionCount = 0

    while True:
    t = timeToNextCollision()
    if(t == float("inf")):
    # No more collisions
    break
    # Update the distances to what they'll be during the next collision
    small.position += small.velocity*t
    large.position += large.velocity*t
    # Update collision count AND velocities to post-collision values
    collisionCount = updateVelocities(collisionCount)

    print(collisionCount)


    The biggest headache was dealing with float's precision issues. For example, for a collision to register, the updated positions of the two blocks should exactly be the same. But with float's rounding issues, there would be a slight difference in the positions and the program would go haywire.



    Even though this was corrected by using the Fraction data type, the run time of the program is really slow. If n=2, the program finishes within milliseconds, whereas for n=3, it takes a whopping 115 seconds. I'm not really aware of all the nuances of Python nor do I have any computer science knowledge, so I'd be really grateful if I can get some guidance on how I can improve the code.



    Off the top of my head, perhaps using Fraction affects the run time, or I wrote the if conditions in a clumsy way, or wrote redundant code. I'm confused because there are many possibilities. In the first video I linked to, at around the 2:00 min mark, there's a simulation of collisions between 1 kg and 1003 kg, and it's so smooth and quick!



    P.S. I used the Block class just to improve readability. I've tried using a simple list instead of a Block class object, but that only shaves off around 8 seconds or so. Not much improvement. I also tried using the numpy double data type - again, same rounding issues as with the default float type.










    share|improve this question









    New contributor




    Shirish Kulhari is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
    Check out our Code of Conduct.







    $endgroup$















      5












      5








      5





      $begingroup$


      I came across a nice video on 3Blue1Brown's channel that highlights a very indirect way to find the digits in Pi. I'd suggest watching the whole video, but briefly:



      enter image description here



      The setup is as above. A "small" body of unit mass is at rest on the left and a "large" body on the right is moving towards the left (the initial positions and velocities are irrelevant). Assuming perfectly elastic collisions and that the large body's mass to be the n-th power of 100, where n is a natural number, the total number of collisions is always floor(pi*(10n)).



      The analytical reason for this is discussed here, but I've started learning a bit of Python and wanted to simulate this to improve my programming (i.e. I'm a beginner). Here's the code:



      from fractions import Fraction

      class Block:
      # Creating a class since that helps keep track of attributes
      def __init__(self, mass, velocity, position):
      self.mass = mass
      self.velocity = velocity
      self.position = position

      # Set initial conditions: the object on the left is at rest at x = 5 and has
      # unit mass. The one on the right starts off at x = 10, with velocity =
      # -5 units/s and has mass equal to 100^n, where n is user-specified.
      # The number of collisions should be floor(Pi*10^n). e.g. n = 2 => 314,
      # n = 3 => 3141, and so on

      small = Block(1, 0, Fraction(32/10))
      large = Block(100**int(input("Which power of 100 is the second mass? ")),
      -7, Fraction(75,10))

      # By "collision", we mean that either the position of both the objects is the
      # same (both collide against each other) or the position of the small block is
      # 0 (collision against wall)

      def updateVelocities(collisions):
      if(small.position == large.position != 0):
      # Both blocks collide against each other
      collisions += 1
      temp = small.velocity

      small.velocity = Fraction(((2*large.mass*large.velocity)+
      (small.mass*small.velocity)-(large.mass*small.velocity)),
      (small.mass + large.mass))

      large.velocity = Fraction(((2*small.mass*temp)+(large.mass*large.velocity)
      -(small.mass*large.velocity)),(small.mass + large.mass))

      elif(small.position == 0 != large.position):
      # The small block gets "reflected" off the wall
      collisions += 1
      small.velocity = -small.velocity

      elif(small.position == large.position == 0):
      # The rare instance in which both blocks move towards the wall and
      # collide with the wall and against each other simultaneously
      collisions += 2
      small.velocity, large.velocity = -small.velocity, -large.velocity
      else:
      pass

      return collisions

      # Given the current positions and velocities, find the time to next collision
      # This takes care of all different scenarios
      def timeToNextCollision():
      if(large.velocity >= small.velocity >= 0):
      # Both blocks move towards right, but the large block is faster and the
      # small block can't catch up
      return float("inf")

      elif(small.velocity >= 0 >= large.velocity):
      # Both blocks are either moving towards each other, or one of the is at
      # rest and the other is moving towards it. The wall is obviously ignored
      # The condition small.velocity == 0 == large.velocity will also be ignored
      # since if that's true, only the first if statement would be executed.
      return Fraction(large.position - small.position,
      small.velocity - large.velocity)

      elif((large.velocity >= 0 and small.velocity < 0) or
      (small.velocity <= large.velocity < 0)):
      # Both blocks move towards left, but the large block can't catch up with
      # the small block before the latter runs into the wall
      return Fraction(-small.position, small.velocity)

      elif(small.position == 0):
      # Special case for when the small block is currently at the wall
      if(large.velocity >= abs(small.velocity)):
      # Small block can no longer catch up with large block
      return float("inf")
      else:
      # Large block is either moving towards left or too slow moving towards
      # the right. In either case, they will collide
      return large.position/(abs(small.velocity) - large.velocity)
      else:
      # Both blocks move towards left, but large block is faster. If the
      # distance between blocks is small enough compared to that between the wall
      # and the small block, they will collide. Otherwise the small block will
      # reach the wall before the large block has a chance to catch up
      return min(Fraction(-small.position, small.velocity),
      Fraction(large.position - small.position),
      (small.velocity - large.velocity))

      collisionCount = 0

      while True:
      t = timeToNextCollision()
      if(t == float("inf")):
      # No more collisions
      break
      # Update the distances to what they'll be during the next collision
      small.position += small.velocity*t
      large.position += large.velocity*t
      # Update collision count AND velocities to post-collision values
      collisionCount = updateVelocities(collisionCount)

      print(collisionCount)


      The biggest headache was dealing with float's precision issues. For example, for a collision to register, the updated positions of the two blocks should exactly be the same. But with float's rounding issues, there would be a slight difference in the positions and the program would go haywire.



      Even though this was corrected by using the Fraction data type, the run time of the program is really slow. If n=2, the program finishes within milliseconds, whereas for n=3, it takes a whopping 115 seconds. I'm not really aware of all the nuances of Python nor do I have any computer science knowledge, so I'd be really grateful if I can get some guidance on how I can improve the code.



      Off the top of my head, perhaps using Fraction affects the run time, or I wrote the if conditions in a clumsy way, or wrote redundant code. I'm confused because there are many possibilities. In the first video I linked to, at around the 2:00 min mark, there's a simulation of collisions between 1 kg and 1003 kg, and it's so smooth and quick!



      P.S. I used the Block class just to improve readability. I've tried using a simple list instead of a Block class object, but that only shaves off around 8 seconds or so. Not much improvement. I also tried using the numpy double data type - again, same rounding issues as with the default float type.










      share|improve this question









      New contributor




      Shirish Kulhari is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
      Check out our Code of Conduct.







      $endgroup$




      I came across a nice video on 3Blue1Brown's channel that highlights a very indirect way to find the digits in Pi. I'd suggest watching the whole video, but briefly:



      enter image description here



      The setup is as above. A "small" body of unit mass is at rest on the left and a "large" body on the right is moving towards the left (the initial positions and velocities are irrelevant). Assuming perfectly elastic collisions and that the large body's mass to be the n-th power of 100, where n is a natural number, the total number of collisions is always floor(pi*(10n)).



      The analytical reason for this is discussed here, but I've started learning a bit of Python and wanted to simulate this to improve my programming (i.e. I'm a beginner). Here's the code:



      from fractions import Fraction

      class Block:
      # Creating a class since that helps keep track of attributes
      def __init__(self, mass, velocity, position):
      self.mass = mass
      self.velocity = velocity
      self.position = position

      # Set initial conditions: the object on the left is at rest at x = 5 and has
      # unit mass. The one on the right starts off at x = 10, with velocity =
      # -5 units/s and has mass equal to 100^n, where n is user-specified.
      # The number of collisions should be floor(Pi*10^n). e.g. n = 2 => 314,
      # n = 3 => 3141, and so on

      small = Block(1, 0, Fraction(32/10))
      large = Block(100**int(input("Which power of 100 is the second mass? ")),
      -7, Fraction(75,10))

      # By "collision", we mean that either the position of both the objects is the
      # same (both collide against each other) or the position of the small block is
      # 0 (collision against wall)

      def updateVelocities(collisions):
      if(small.position == large.position != 0):
      # Both blocks collide against each other
      collisions += 1
      temp = small.velocity

      small.velocity = Fraction(((2*large.mass*large.velocity)+
      (small.mass*small.velocity)-(large.mass*small.velocity)),
      (small.mass + large.mass))

      large.velocity = Fraction(((2*small.mass*temp)+(large.mass*large.velocity)
      -(small.mass*large.velocity)),(small.mass + large.mass))

      elif(small.position == 0 != large.position):
      # The small block gets "reflected" off the wall
      collisions += 1
      small.velocity = -small.velocity

      elif(small.position == large.position == 0):
      # The rare instance in which both blocks move towards the wall and
      # collide with the wall and against each other simultaneously
      collisions += 2
      small.velocity, large.velocity = -small.velocity, -large.velocity
      else:
      pass

      return collisions

      # Given the current positions and velocities, find the time to next collision
      # This takes care of all different scenarios
      def timeToNextCollision():
      if(large.velocity >= small.velocity >= 0):
      # Both blocks move towards right, but the large block is faster and the
      # small block can't catch up
      return float("inf")

      elif(small.velocity >= 0 >= large.velocity):
      # Both blocks are either moving towards each other, or one of the is at
      # rest and the other is moving towards it. The wall is obviously ignored
      # The condition small.velocity == 0 == large.velocity will also be ignored
      # since if that's true, only the first if statement would be executed.
      return Fraction(large.position - small.position,
      small.velocity - large.velocity)

      elif((large.velocity >= 0 and small.velocity < 0) or
      (small.velocity <= large.velocity < 0)):
      # Both blocks move towards left, but the large block can't catch up with
      # the small block before the latter runs into the wall
      return Fraction(-small.position, small.velocity)

      elif(small.position == 0):
      # Special case for when the small block is currently at the wall
      if(large.velocity >= abs(small.velocity)):
      # Small block can no longer catch up with large block
      return float("inf")
      else:
      # Large block is either moving towards left or too slow moving towards
      # the right. In either case, they will collide
      return large.position/(abs(small.velocity) - large.velocity)
      else:
      # Both blocks move towards left, but large block is faster. If the
      # distance between blocks is small enough compared to that between the wall
      # and the small block, they will collide. Otherwise the small block will
      # reach the wall before the large block has a chance to catch up
      return min(Fraction(-small.position, small.velocity),
      Fraction(large.position - small.position),
      (small.velocity - large.velocity))

      collisionCount = 0

      while True:
      t = timeToNextCollision()
      if(t == float("inf")):
      # No more collisions
      break
      # Update the distances to what they'll be during the next collision
      small.position += small.velocity*t
      large.position += large.velocity*t
      # Update collision count AND velocities to post-collision values
      collisionCount = updateVelocities(collisionCount)

      print(collisionCount)


      The biggest headache was dealing with float's precision issues. For example, for a collision to register, the updated positions of the two blocks should exactly be the same. But with float's rounding issues, there would be a slight difference in the positions and the program would go haywire.



      Even though this was corrected by using the Fraction data type, the run time of the program is really slow. If n=2, the program finishes within milliseconds, whereas for n=3, it takes a whopping 115 seconds. I'm not really aware of all the nuances of Python nor do I have any computer science knowledge, so I'd be really grateful if I can get some guidance on how I can improve the code.



      Off the top of my head, perhaps using Fraction affects the run time, or I wrote the if conditions in a clumsy way, or wrote redundant code. I'm confused because there are many possibilities. In the first video I linked to, at around the 2:00 min mark, there's a simulation of collisions between 1 kg and 1003 kg, and it's so smooth and quick!



      P.S. I used the Block class just to improve readability. I've tried using a simple list instead of a Block class object, but that only shaves off around 8 seconds or so. Not much improvement. I also tried using the numpy double data type - again, same rounding issues as with the default float type.







      python performance simulation numerical-methods physics






      share|improve this question









      New contributor




      Shirish Kulhari is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
      Check out our Code of Conduct.











      share|improve this question









      New contributor




      Shirish Kulhari is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
      Check out our Code of Conduct.









      share|improve this question




      share|improve this question








      edited 6 hours ago







      Shirish Kulhari













      New contributor




      Shirish Kulhari is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
      Check out our Code of Conduct.









      asked 7 hours ago









      Shirish KulhariShirish Kulhari

      1284




      1284




      New contributor




      Shirish Kulhari is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
      Check out our Code of Conduct.





      New contributor





      Shirish Kulhari is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
      Check out our Code of Conduct.






      Shirish Kulhari is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
      Check out our Code of Conduct.






















          1 Answer
          1






          active

          oldest

          votes


















          3












          $begingroup$

          First, this is an awesome video! Upvoted for that reason alone. :)




          If n=2, the program finishes within milliseconds, whereas for n=3, it takes a whopping 115 seconds.




          Do you know about big-O notation? Just off the top of my head after watching that video: for n=2 you're computing the number of collisions for a 1kg block and a 100**2 = 10,000kg block, which we know from the video should be 314 collisions. For n=3 you're simulating 3141 collisions. That's 10 times as many collisions, simulated one at a time, so it should take 10 times as long. In general your program is going to take O(10n) steps to compute its result. So you shouldn't be surprised if it gets real slow real fast.



          However, you're saying the difference between n=2 and n=3 is a factor of more than 100. That's surprising. I think you're right to blame Fraction — that is, you're dealing with much bigger numerators and denominators in the n=3 case, and bigger numbers naturally take more time to manipulate.





          if(large.velocity >= small.velocity >= 0):


          In general I like your use of chained comparisons... but why did you almost invariably put the biggest number on the left and the smallest on the right? That's backwards from how we usually write number lines.



          And then sometimes you don't chain the comparison at all, for no reason I can detect:



          elif((large.velocity >= 0 and small.velocity < 0) or
          (small.velocity <= large.velocity < 0)):


          I'd write this as



          elif (small.velocity < 0 <= large.velocity) or (small.velocity <= large.velocity < 0):


          Notice that you don't need parens around the condition of an if or elif in Python, and so it's not usual to write them.



          return large.position/(abs(small.velocity) - large.velocity)


          You didn't use Fraction here. Was that an oversight? Also, if this is a floating-point division, I might want to blame "repeated conversion from Fraction to floating-point and back" for some of your performance problems.





          large = Block(100**int(input("Which power of 100 is the second mass? ")),
          -7, Fraction(75,10))


          I strongly recommend moving the input onto its own source line. Mixing user input into the middle of an arithmetic expression is just asking for trouble. Plus, this lets you unambiguously name the n that you were trying to talk about in your question:



          n = int(input("Which power of 100 is the second mass? "))
          large = Block(100**n, -7, Fraction(75,10))


          Actually, hang on; back up!



          # Set initial conditions: the object on the left is at rest at x = 5 and has
          # unit mass. The one on the right starts off at x = 10, with velocity =
          # -5 units/s and has mass equal to 100^n, where n is user-specified.
          # The number of collisions should be floor(Pi*10^n). e.g. n = 2 => 314,
          # n = 3 => 3141, and so on

          small = Block(1, 0, Fraction(32/10))
          large = Block(100**int(input("Which power of 100 is the second mass? ")),
          -7, Fraction(75,10))


          That comment is ridiculously untrue! The object on the left is at rest at x = 3.2 (or x = 3 if you're in Python 2), and the object on the right starts off at x = 7.5 with velocity -7 units per second, not -5. So the comment is completely wrong. Besides, starting the big block with anything other than "velocity -1" is just wasting bits and CPU cycles. Who wants to multiply anything by 32/10 when you could be multiplying it by 1?





          Also, all of that initial setup should be encapsulated into a __main__ block:



          if __name__ == '__main__':
          n = int(input("Which power of 100 is the second mass? "))
          small = Block(1, 0, 1)
          large = Block(100**n, -1, 2)
          collisionCount = 0

          while True:
          t = timeToNextCollision(small, large)
          if t == float("inf"):
          # No more collisions
          break
          # Update the distances to what they'll be during the next collision
          small.position += small.velocity * t
          large.position += large.velocity * t
          # Update collision count AND velocities to post-collision values
          collisionCount = updateVelocities(small, large, collisionCount)
          print(collisionCount)


          I changed your timeToNextCollision() to timeToNextCollision(small, large), passing the blocks to it as parameters, since it needs to look at the blocks in order to know what to do.





          # Both blocks move towards left, but large block is faster. If the
          # distance between blocks is small enough compared to that between the wall
          # and the small block, they will collide. Otherwise the small block will
          # reach the wall before the large block has a chance to catch up
          return min(Fraction(-small.position, small.velocity),
          Fraction(large.position - small.position),
          (small.velocity - large.velocity))


          I strongly recommend running your whole program through pylint or pyflakes and fixing all the style issues. Here specifically, I think it would benefit from the usual Python indentation style, which looks like this:



          return min(
          Fraction(-small.position, small.velocity),
          Fraction(large.position - small.position),
          (small.velocity - large.velocity)
          )


          This makes it very clear that you're taking the min of three things, not the usual two — and also you're constructing a Fraction from one argument, not the usual two. If this is intentional behavior, then the indentation is important because it communicates to your reader, "Hey, I know what I'm typing, don't worry" — and if this is unintentional behavior, then hey, you just found one of your bugs!





          Finally, let's fix your performance issue.



          As I said, I assume that your program takes so long because you're manipulating gigantic numerators and denominators. Above about 2**64 (or maybe 2**32, I'm not sure), Python is going to switch from native integer representation to bignum representation, and get super slow. Reading the fractions docs tells me that there's a limit_denominator method that's used precisely to keep the numerator and denominator small. So let's use it!



          while True:
          t = timeToNextCollision(small, large)
          if t == float("inf"):
          # No more collisions
          break
          # Update the distances to what they'll be during the next collision
          small.position += small.velocity * t
          large.position += large.velocity * t
          collisionCount = updateVelocities(collisionCount, small, large)

          # Here's the new code!
          small.position = small.position.limit_denominator(2**32)
          large.position = large.position.limit_denominator(2**32)
          small.velocity = small.velocity.limit_denominator(2**32)
          large.velocity = large.velocity.limit_denominator(2**32)


          With just this change (and the cleanups mentioned in this review, including fixing that bug that pyflakes would have found), I see your program taking the O(10n) that we expect it to:



          $ time echo '2' | python x.py
          Which power of 100 is the second mass? 314

          real 0m0.240s
          user 0m0.196s
          sys 0m0.018s

          $ time echo '3' | python x.py
          Which power of 100 is the second mass? 3141

          real 0m1.721s
          user 0m1.697s
          sys 0m0.015s

          $ time echo '4' | python x.py
          Which power of 100 is the second mass? 31415

          real 0m22.497s
          user 0m20.226s
          sys 0m0.160s


          Problem solved!






          share|improve this answer









          $endgroup$













          • $begingroup$
            Thanks so much for the detailed feedback! Regarding the min formula with nested fractions, it's indeed technically incorrect but it runs fine and gives the correct answer, which is strange. I corrected that though. Regarding the comment, I'd actually updated the program with new values just for more testing and forgot to update the comment. Also, I want to upload this thing to Github (though it may seem like a trivial toy program to experienced programmers). Are you okay with me crediting you (because you made a big improvement to the performance)? Let me know!
            $endgroup$
            – Shirish Kulhari
            58 mins ago












          • $begingroup$
            @ShirishKulhari: Sure, I don't mind. Re the typo not mattering: Consider whether that branch of the code is ever even reached. (You could put an assert False in there to see what happens.)
            $endgroup$
            – Quuxplusone
            29 mins ago










          • $begingroup$
            Okay, I'll credit you by your username in the program comment - hopefully that's the right protocol. One more thing, you restricted the numerator and denominator of the positions to 32 bits. Couldn't I do the same for the velocities as well? Or would that start causing inaccurate results? I noticed when I changed the 2^32 in your newly added lines to 2^16, it gives the result 3.14169 for n=100^5. 2**32 is totally okay, but should the same limiting be done for all the rest of fraction calculations too?
            $endgroup$
            – Shirish Kulhari
            24 mins ago













          Your Answer





          StackExchange.ifUsing("editor", function () {
          return StackExchange.using("mathjaxEditing", function () {
          StackExchange.MarkdownEditor.creationCallbacks.add(function (editor, postfix) {
          StackExchange.mathjaxEditing.prepareWmdForMathJax(editor, postfix, [["\$", "\$"]]);
          });
          });
          }, "mathjax-editing");

          StackExchange.ifUsing("editor", function () {
          StackExchange.using("externalEditor", function () {
          StackExchange.using("snippets", function () {
          StackExchange.snippets.init();
          });
          });
          }, "code-snippets");

          StackExchange.ready(function() {
          var channelOptions = {
          tags: "".split(" "),
          id: "196"
          };
          initTagRenderer("".split(" "), "".split(" "), channelOptions);

          StackExchange.using("externalEditor", function() {
          // Have to fire editor after snippets, if snippets enabled
          if (StackExchange.settings.snippets.snippetsEnabled) {
          StackExchange.using("snippets", function() {
          createEditor();
          });
          }
          else {
          createEditor();
          }
          });

          function createEditor() {
          StackExchange.prepareEditor({
          heartbeatType: 'answer',
          autoActivateHeartbeat: false,
          convertImagesToLinks: false,
          noModals: true,
          showLowRepImageUploadWarning: true,
          reputationToPostImages: null,
          bindNavPrevention: true,
          postfix: "",
          imageUploader: {
          brandingHtml: "Powered by u003ca class="icon-imgur-white" href="https://imgur.com/"u003eu003c/au003e",
          contentPolicyHtml: "User contributions licensed under u003ca href="https://creativecommons.org/licenses/by-sa/3.0/"u003ecc by-sa 3.0 with attribution requiredu003c/au003e u003ca href="https://stackoverflow.com/legal/content-policy"u003e(content policy)u003c/au003e",
          allowUrls: true
          },
          onDemand: true,
          discardSelector: ".discard-answer"
          ,immediatelyShowMarkdownHelp:true
          });


          }
          });






          Shirish Kulhari is a new contributor. Be nice, and check out our Code of Conduct.










          draft saved

          draft discarded


















          StackExchange.ready(
          function () {
          StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fcodereview.stackexchange.com%2fquestions%2f211882%2fsimulating-a-two-body-collision-problem-to-find-digits-of-pi%23new-answer', 'question_page');
          }
          );

          Post as a guest















          Required, but never shown

























          1 Answer
          1






          active

          oldest

          votes








          1 Answer
          1






          active

          oldest

          votes









          active

          oldest

          votes






          active

          oldest

          votes









          3












          $begingroup$

          First, this is an awesome video! Upvoted for that reason alone. :)




          If n=2, the program finishes within milliseconds, whereas for n=3, it takes a whopping 115 seconds.




          Do you know about big-O notation? Just off the top of my head after watching that video: for n=2 you're computing the number of collisions for a 1kg block and a 100**2 = 10,000kg block, which we know from the video should be 314 collisions. For n=3 you're simulating 3141 collisions. That's 10 times as many collisions, simulated one at a time, so it should take 10 times as long. In general your program is going to take O(10n) steps to compute its result. So you shouldn't be surprised if it gets real slow real fast.



          However, you're saying the difference between n=2 and n=3 is a factor of more than 100. That's surprising. I think you're right to blame Fraction — that is, you're dealing with much bigger numerators and denominators in the n=3 case, and bigger numbers naturally take more time to manipulate.





          if(large.velocity >= small.velocity >= 0):


          In general I like your use of chained comparisons... but why did you almost invariably put the biggest number on the left and the smallest on the right? That's backwards from how we usually write number lines.



          And then sometimes you don't chain the comparison at all, for no reason I can detect:



          elif((large.velocity >= 0 and small.velocity < 0) or
          (small.velocity <= large.velocity < 0)):


          I'd write this as



          elif (small.velocity < 0 <= large.velocity) or (small.velocity <= large.velocity < 0):


          Notice that you don't need parens around the condition of an if or elif in Python, and so it's not usual to write them.



          return large.position/(abs(small.velocity) - large.velocity)


          You didn't use Fraction here. Was that an oversight? Also, if this is a floating-point division, I might want to blame "repeated conversion from Fraction to floating-point and back" for some of your performance problems.





          large = Block(100**int(input("Which power of 100 is the second mass? ")),
          -7, Fraction(75,10))


          I strongly recommend moving the input onto its own source line. Mixing user input into the middle of an arithmetic expression is just asking for trouble. Plus, this lets you unambiguously name the n that you were trying to talk about in your question:



          n = int(input("Which power of 100 is the second mass? "))
          large = Block(100**n, -7, Fraction(75,10))


          Actually, hang on; back up!



          # Set initial conditions: the object on the left is at rest at x = 5 and has
          # unit mass. The one on the right starts off at x = 10, with velocity =
          # -5 units/s and has mass equal to 100^n, where n is user-specified.
          # The number of collisions should be floor(Pi*10^n). e.g. n = 2 => 314,
          # n = 3 => 3141, and so on

          small = Block(1, 0, Fraction(32/10))
          large = Block(100**int(input("Which power of 100 is the second mass? ")),
          -7, Fraction(75,10))


          That comment is ridiculously untrue! The object on the left is at rest at x = 3.2 (or x = 3 if you're in Python 2), and the object on the right starts off at x = 7.5 with velocity -7 units per second, not -5. So the comment is completely wrong. Besides, starting the big block with anything other than "velocity -1" is just wasting bits and CPU cycles. Who wants to multiply anything by 32/10 when you could be multiplying it by 1?





          Also, all of that initial setup should be encapsulated into a __main__ block:



          if __name__ == '__main__':
          n = int(input("Which power of 100 is the second mass? "))
          small = Block(1, 0, 1)
          large = Block(100**n, -1, 2)
          collisionCount = 0

          while True:
          t = timeToNextCollision(small, large)
          if t == float("inf"):
          # No more collisions
          break
          # Update the distances to what they'll be during the next collision
          small.position += small.velocity * t
          large.position += large.velocity * t
          # Update collision count AND velocities to post-collision values
          collisionCount = updateVelocities(small, large, collisionCount)
          print(collisionCount)


          I changed your timeToNextCollision() to timeToNextCollision(small, large), passing the blocks to it as parameters, since it needs to look at the blocks in order to know what to do.





          # Both blocks move towards left, but large block is faster. If the
          # distance between blocks is small enough compared to that between the wall
          # and the small block, they will collide. Otherwise the small block will
          # reach the wall before the large block has a chance to catch up
          return min(Fraction(-small.position, small.velocity),
          Fraction(large.position - small.position),
          (small.velocity - large.velocity))


          I strongly recommend running your whole program through pylint or pyflakes and fixing all the style issues. Here specifically, I think it would benefit from the usual Python indentation style, which looks like this:



          return min(
          Fraction(-small.position, small.velocity),
          Fraction(large.position - small.position),
          (small.velocity - large.velocity)
          )


          This makes it very clear that you're taking the min of three things, not the usual two — and also you're constructing a Fraction from one argument, not the usual two. If this is intentional behavior, then the indentation is important because it communicates to your reader, "Hey, I know what I'm typing, don't worry" — and if this is unintentional behavior, then hey, you just found one of your bugs!





          Finally, let's fix your performance issue.



          As I said, I assume that your program takes so long because you're manipulating gigantic numerators and denominators. Above about 2**64 (or maybe 2**32, I'm not sure), Python is going to switch from native integer representation to bignum representation, and get super slow. Reading the fractions docs tells me that there's a limit_denominator method that's used precisely to keep the numerator and denominator small. So let's use it!



          while True:
          t = timeToNextCollision(small, large)
          if t == float("inf"):
          # No more collisions
          break
          # Update the distances to what they'll be during the next collision
          small.position += small.velocity * t
          large.position += large.velocity * t
          collisionCount = updateVelocities(collisionCount, small, large)

          # Here's the new code!
          small.position = small.position.limit_denominator(2**32)
          large.position = large.position.limit_denominator(2**32)
          small.velocity = small.velocity.limit_denominator(2**32)
          large.velocity = large.velocity.limit_denominator(2**32)


          With just this change (and the cleanups mentioned in this review, including fixing that bug that pyflakes would have found), I see your program taking the O(10n) that we expect it to:



          $ time echo '2' | python x.py
          Which power of 100 is the second mass? 314

          real 0m0.240s
          user 0m0.196s
          sys 0m0.018s

          $ time echo '3' | python x.py
          Which power of 100 is the second mass? 3141

          real 0m1.721s
          user 0m1.697s
          sys 0m0.015s

          $ time echo '4' | python x.py
          Which power of 100 is the second mass? 31415

          real 0m22.497s
          user 0m20.226s
          sys 0m0.160s


          Problem solved!






          share|improve this answer









          $endgroup$













          • $begingroup$
            Thanks so much for the detailed feedback! Regarding the min formula with nested fractions, it's indeed technically incorrect but it runs fine and gives the correct answer, which is strange. I corrected that though. Regarding the comment, I'd actually updated the program with new values just for more testing and forgot to update the comment. Also, I want to upload this thing to Github (though it may seem like a trivial toy program to experienced programmers). Are you okay with me crediting you (because you made a big improvement to the performance)? Let me know!
            $endgroup$
            – Shirish Kulhari
            58 mins ago












          • $begingroup$
            @ShirishKulhari: Sure, I don't mind. Re the typo not mattering: Consider whether that branch of the code is ever even reached. (You could put an assert False in there to see what happens.)
            $endgroup$
            – Quuxplusone
            29 mins ago










          • $begingroup$
            Okay, I'll credit you by your username in the program comment - hopefully that's the right protocol. One more thing, you restricted the numerator and denominator of the positions to 32 bits. Couldn't I do the same for the velocities as well? Or would that start causing inaccurate results? I noticed when I changed the 2^32 in your newly added lines to 2^16, it gives the result 3.14169 for n=100^5. 2**32 is totally okay, but should the same limiting be done for all the rest of fraction calculations too?
            $endgroup$
            – Shirish Kulhari
            24 mins ago


















          3












          $begingroup$

          First, this is an awesome video! Upvoted for that reason alone. :)




          If n=2, the program finishes within milliseconds, whereas for n=3, it takes a whopping 115 seconds.




          Do you know about big-O notation? Just off the top of my head after watching that video: for n=2 you're computing the number of collisions for a 1kg block and a 100**2 = 10,000kg block, which we know from the video should be 314 collisions. For n=3 you're simulating 3141 collisions. That's 10 times as many collisions, simulated one at a time, so it should take 10 times as long. In general your program is going to take O(10n) steps to compute its result. So you shouldn't be surprised if it gets real slow real fast.



          However, you're saying the difference between n=2 and n=3 is a factor of more than 100. That's surprising. I think you're right to blame Fraction — that is, you're dealing with much bigger numerators and denominators in the n=3 case, and bigger numbers naturally take more time to manipulate.





          if(large.velocity >= small.velocity >= 0):


          In general I like your use of chained comparisons... but why did you almost invariably put the biggest number on the left and the smallest on the right? That's backwards from how we usually write number lines.



          And then sometimes you don't chain the comparison at all, for no reason I can detect:



          elif((large.velocity >= 0 and small.velocity < 0) or
          (small.velocity <= large.velocity < 0)):


          I'd write this as



          elif (small.velocity < 0 <= large.velocity) or (small.velocity <= large.velocity < 0):


          Notice that you don't need parens around the condition of an if or elif in Python, and so it's not usual to write them.



          return large.position/(abs(small.velocity) - large.velocity)


          You didn't use Fraction here. Was that an oversight? Also, if this is a floating-point division, I might want to blame "repeated conversion from Fraction to floating-point and back" for some of your performance problems.





          large = Block(100**int(input("Which power of 100 is the second mass? ")),
          -7, Fraction(75,10))


          I strongly recommend moving the input onto its own source line. Mixing user input into the middle of an arithmetic expression is just asking for trouble. Plus, this lets you unambiguously name the n that you were trying to talk about in your question:



          n = int(input("Which power of 100 is the second mass? "))
          large = Block(100**n, -7, Fraction(75,10))


          Actually, hang on; back up!



          # Set initial conditions: the object on the left is at rest at x = 5 and has
          # unit mass. The one on the right starts off at x = 10, with velocity =
          # -5 units/s and has mass equal to 100^n, where n is user-specified.
          # The number of collisions should be floor(Pi*10^n). e.g. n = 2 => 314,
          # n = 3 => 3141, and so on

          small = Block(1, 0, Fraction(32/10))
          large = Block(100**int(input("Which power of 100 is the second mass? ")),
          -7, Fraction(75,10))


          That comment is ridiculously untrue! The object on the left is at rest at x = 3.2 (or x = 3 if you're in Python 2), and the object on the right starts off at x = 7.5 with velocity -7 units per second, not -5. So the comment is completely wrong. Besides, starting the big block with anything other than "velocity -1" is just wasting bits and CPU cycles. Who wants to multiply anything by 32/10 when you could be multiplying it by 1?





          Also, all of that initial setup should be encapsulated into a __main__ block:



          if __name__ == '__main__':
          n = int(input("Which power of 100 is the second mass? "))
          small = Block(1, 0, 1)
          large = Block(100**n, -1, 2)
          collisionCount = 0

          while True:
          t = timeToNextCollision(small, large)
          if t == float("inf"):
          # No more collisions
          break
          # Update the distances to what they'll be during the next collision
          small.position += small.velocity * t
          large.position += large.velocity * t
          # Update collision count AND velocities to post-collision values
          collisionCount = updateVelocities(small, large, collisionCount)
          print(collisionCount)


          I changed your timeToNextCollision() to timeToNextCollision(small, large), passing the blocks to it as parameters, since it needs to look at the blocks in order to know what to do.





          # Both blocks move towards left, but large block is faster. If the
          # distance between blocks is small enough compared to that between the wall
          # and the small block, they will collide. Otherwise the small block will
          # reach the wall before the large block has a chance to catch up
          return min(Fraction(-small.position, small.velocity),
          Fraction(large.position - small.position),
          (small.velocity - large.velocity))


          I strongly recommend running your whole program through pylint or pyflakes and fixing all the style issues. Here specifically, I think it would benefit from the usual Python indentation style, which looks like this:



          return min(
          Fraction(-small.position, small.velocity),
          Fraction(large.position - small.position),
          (small.velocity - large.velocity)
          )


          This makes it very clear that you're taking the min of three things, not the usual two — and also you're constructing a Fraction from one argument, not the usual two. If this is intentional behavior, then the indentation is important because it communicates to your reader, "Hey, I know what I'm typing, don't worry" — and if this is unintentional behavior, then hey, you just found one of your bugs!





          Finally, let's fix your performance issue.



          As I said, I assume that your program takes so long because you're manipulating gigantic numerators and denominators. Above about 2**64 (or maybe 2**32, I'm not sure), Python is going to switch from native integer representation to bignum representation, and get super slow. Reading the fractions docs tells me that there's a limit_denominator method that's used precisely to keep the numerator and denominator small. So let's use it!



          while True:
          t = timeToNextCollision(small, large)
          if t == float("inf"):
          # No more collisions
          break
          # Update the distances to what they'll be during the next collision
          small.position += small.velocity * t
          large.position += large.velocity * t
          collisionCount = updateVelocities(collisionCount, small, large)

          # Here's the new code!
          small.position = small.position.limit_denominator(2**32)
          large.position = large.position.limit_denominator(2**32)
          small.velocity = small.velocity.limit_denominator(2**32)
          large.velocity = large.velocity.limit_denominator(2**32)


          With just this change (and the cleanups mentioned in this review, including fixing that bug that pyflakes would have found), I see your program taking the O(10n) that we expect it to:



          $ time echo '2' | python x.py
          Which power of 100 is the second mass? 314

          real 0m0.240s
          user 0m0.196s
          sys 0m0.018s

          $ time echo '3' | python x.py
          Which power of 100 is the second mass? 3141

          real 0m1.721s
          user 0m1.697s
          sys 0m0.015s

          $ time echo '4' | python x.py
          Which power of 100 is the second mass? 31415

          real 0m22.497s
          user 0m20.226s
          sys 0m0.160s


          Problem solved!






          share|improve this answer









          $endgroup$













          • $begingroup$
            Thanks so much for the detailed feedback! Regarding the min formula with nested fractions, it's indeed technically incorrect but it runs fine and gives the correct answer, which is strange. I corrected that though. Regarding the comment, I'd actually updated the program with new values just for more testing and forgot to update the comment. Also, I want to upload this thing to Github (though it may seem like a trivial toy program to experienced programmers). Are you okay with me crediting you (because you made a big improvement to the performance)? Let me know!
            $endgroup$
            – Shirish Kulhari
            58 mins ago












          • $begingroup$
            @ShirishKulhari: Sure, I don't mind. Re the typo not mattering: Consider whether that branch of the code is ever even reached. (You could put an assert False in there to see what happens.)
            $endgroup$
            – Quuxplusone
            29 mins ago










          • $begingroup$
            Okay, I'll credit you by your username in the program comment - hopefully that's the right protocol. One more thing, you restricted the numerator and denominator of the positions to 32 bits. Couldn't I do the same for the velocities as well? Or would that start causing inaccurate results? I noticed when I changed the 2^32 in your newly added lines to 2^16, it gives the result 3.14169 for n=100^5. 2**32 is totally okay, but should the same limiting be done for all the rest of fraction calculations too?
            $endgroup$
            – Shirish Kulhari
            24 mins ago
















          3












          3








          3





          $begingroup$

          First, this is an awesome video! Upvoted for that reason alone. :)




          If n=2, the program finishes within milliseconds, whereas for n=3, it takes a whopping 115 seconds.




          Do you know about big-O notation? Just off the top of my head after watching that video: for n=2 you're computing the number of collisions for a 1kg block and a 100**2 = 10,000kg block, which we know from the video should be 314 collisions. For n=3 you're simulating 3141 collisions. That's 10 times as many collisions, simulated one at a time, so it should take 10 times as long. In general your program is going to take O(10n) steps to compute its result. So you shouldn't be surprised if it gets real slow real fast.



          However, you're saying the difference between n=2 and n=3 is a factor of more than 100. That's surprising. I think you're right to blame Fraction — that is, you're dealing with much bigger numerators and denominators in the n=3 case, and bigger numbers naturally take more time to manipulate.





          if(large.velocity >= small.velocity >= 0):


          In general I like your use of chained comparisons... but why did you almost invariably put the biggest number on the left and the smallest on the right? That's backwards from how we usually write number lines.



          And then sometimes you don't chain the comparison at all, for no reason I can detect:



          elif((large.velocity >= 0 and small.velocity < 0) or
          (small.velocity <= large.velocity < 0)):


          I'd write this as



          elif (small.velocity < 0 <= large.velocity) or (small.velocity <= large.velocity < 0):


          Notice that you don't need parens around the condition of an if or elif in Python, and so it's not usual to write them.



          return large.position/(abs(small.velocity) - large.velocity)


          You didn't use Fraction here. Was that an oversight? Also, if this is a floating-point division, I might want to blame "repeated conversion from Fraction to floating-point and back" for some of your performance problems.





          large = Block(100**int(input("Which power of 100 is the second mass? ")),
          -7, Fraction(75,10))


          I strongly recommend moving the input onto its own source line. Mixing user input into the middle of an arithmetic expression is just asking for trouble. Plus, this lets you unambiguously name the n that you were trying to talk about in your question:



          n = int(input("Which power of 100 is the second mass? "))
          large = Block(100**n, -7, Fraction(75,10))


          Actually, hang on; back up!



          # Set initial conditions: the object on the left is at rest at x = 5 and has
          # unit mass. The one on the right starts off at x = 10, with velocity =
          # -5 units/s and has mass equal to 100^n, where n is user-specified.
          # The number of collisions should be floor(Pi*10^n). e.g. n = 2 => 314,
          # n = 3 => 3141, and so on

          small = Block(1, 0, Fraction(32/10))
          large = Block(100**int(input("Which power of 100 is the second mass? ")),
          -7, Fraction(75,10))


          That comment is ridiculously untrue! The object on the left is at rest at x = 3.2 (or x = 3 if you're in Python 2), and the object on the right starts off at x = 7.5 with velocity -7 units per second, not -5. So the comment is completely wrong. Besides, starting the big block with anything other than "velocity -1" is just wasting bits and CPU cycles. Who wants to multiply anything by 32/10 when you could be multiplying it by 1?





          Also, all of that initial setup should be encapsulated into a __main__ block:



          if __name__ == '__main__':
          n = int(input("Which power of 100 is the second mass? "))
          small = Block(1, 0, 1)
          large = Block(100**n, -1, 2)
          collisionCount = 0

          while True:
          t = timeToNextCollision(small, large)
          if t == float("inf"):
          # No more collisions
          break
          # Update the distances to what they'll be during the next collision
          small.position += small.velocity * t
          large.position += large.velocity * t
          # Update collision count AND velocities to post-collision values
          collisionCount = updateVelocities(small, large, collisionCount)
          print(collisionCount)


          I changed your timeToNextCollision() to timeToNextCollision(small, large), passing the blocks to it as parameters, since it needs to look at the blocks in order to know what to do.





          # Both blocks move towards left, but large block is faster. If the
          # distance between blocks is small enough compared to that between the wall
          # and the small block, they will collide. Otherwise the small block will
          # reach the wall before the large block has a chance to catch up
          return min(Fraction(-small.position, small.velocity),
          Fraction(large.position - small.position),
          (small.velocity - large.velocity))


          I strongly recommend running your whole program through pylint or pyflakes and fixing all the style issues. Here specifically, I think it would benefit from the usual Python indentation style, which looks like this:



          return min(
          Fraction(-small.position, small.velocity),
          Fraction(large.position - small.position),
          (small.velocity - large.velocity)
          )


          This makes it very clear that you're taking the min of three things, not the usual two — and also you're constructing a Fraction from one argument, not the usual two. If this is intentional behavior, then the indentation is important because it communicates to your reader, "Hey, I know what I'm typing, don't worry" — and if this is unintentional behavior, then hey, you just found one of your bugs!





          Finally, let's fix your performance issue.



          As I said, I assume that your program takes so long because you're manipulating gigantic numerators and denominators. Above about 2**64 (or maybe 2**32, I'm not sure), Python is going to switch from native integer representation to bignum representation, and get super slow. Reading the fractions docs tells me that there's a limit_denominator method that's used precisely to keep the numerator and denominator small. So let's use it!



          while True:
          t = timeToNextCollision(small, large)
          if t == float("inf"):
          # No more collisions
          break
          # Update the distances to what they'll be during the next collision
          small.position += small.velocity * t
          large.position += large.velocity * t
          collisionCount = updateVelocities(collisionCount, small, large)

          # Here's the new code!
          small.position = small.position.limit_denominator(2**32)
          large.position = large.position.limit_denominator(2**32)
          small.velocity = small.velocity.limit_denominator(2**32)
          large.velocity = large.velocity.limit_denominator(2**32)


          With just this change (and the cleanups mentioned in this review, including fixing that bug that pyflakes would have found), I see your program taking the O(10n) that we expect it to:



          $ time echo '2' | python x.py
          Which power of 100 is the second mass? 314

          real 0m0.240s
          user 0m0.196s
          sys 0m0.018s

          $ time echo '3' | python x.py
          Which power of 100 is the second mass? 3141

          real 0m1.721s
          user 0m1.697s
          sys 0m0.015s

          $ time echo '4' | python x.py
          Which power of 100 is the second mass? 31415

          real 0m22.497s
          user 0m20.226s
          sys 0m0.160s


          Problem solved!






          share|improve this answer









          $endgroup$



          First, this is an awesome video! Upvoted for that reason alone. :)




          If n=2, the program finishes within milliseconds, whereas for n=3, it takes a whopping 115 seconds.




          Do you know about big-O notation? Just off the top of my head after watching that video: for n=2 you're computing the number of collisions for a 1kg block and a 100**2 = 10,000kg block, which we know from the video should be 314 collisions. For n=3 you're simulating 3141 collisions. That's 10 times as many collisions, simulated one at a time, so it should take 10 times as long. In general your program is going to take O(10n) steps to compute its result. So you shouldn't be surprised if it gets real slow real fast.



          However, you're saying the difference between n=2 and n=3 is a factor of more than 100. That's surprising. I think you're right to blame Fraction — that is, you're dealing with much bigger numerators and denominators in the n=3 case, and bigger numbers naturally take more time to manipulate.





          if(large.velocity >= small.velocity >= 0):


          In general I like your use of chained comparisons... but why did you almost invariably put the biggest number on the left and the smallest on the right? That's backwards from how we usually write number lines.



          And then sometimes you don't chain the comparison at all, for no reason I can detect:



          elif((large.velocity >= 0 and small.velocity < 0) or
          (small.velocity <= large.velocity < 0)):


          I'd write this as



          elif (small.velocity < 0 <= large.velocity) or (small.velocity <= large.velocity < 0):


          Notice that you don't need parens around the condition of an if or elif in Python, and so it's not usual to write them.



          return large.position/(abs(small.velocity) - large.velocity)


          You didn't use Fraction here. Was that an oversight? Also, if this is a floating-point division, I might want to blame "repeated conversion from Fraction to floating-point and back" for some of your performance problems.





          large = Block(100**int(input("Which power of 100 is the second mass? ")),
          -7, Fraction(75,10))


          I strongly recommend moving the input onto its own source line. Mixing user input into the middle of an arithmetic expression is just asking for trouble. Plus, this lets you unambiguously name the n that you were trying to talk about in your question:



          n = int(input("Which power of 100 is the second mass? "))
          large = Block(100**n, -7, Fraction(75,10))


          Actually, hang on; back up!



          # Set initial conditions: the object on the left is at rest at x = 5 and has
          # unit mass. The one on the right starts off at x = 10, with velocity =
          # -5 units/s and has mass equal to 100^n, where n is user-specified.
          # The number of collisions should be floor(Pi*10^n). e.g. n = 2 => 314,
          # n = 3 => 3141, and so on

          small = Block(1, 0, Fraction(32/10))
          large = Block(100**int(input("Which power of 100 is the second mass? ")),
          -7, Fraction(75,10))


          That comment is ridiculously untrue! The object on the left is at rest at x = 3.2 (or x = 3 if you're in Python 2), and the object on the right starts off at x = 7.5 with velocity -7 units per second, not -5. So the comment is completely wrong. Besides, starting the big block with anything other than "velocity -1" is just wasting bits and CPU cycles. Who wants to multiply anything by 32/10 when you could be multiplying it by 1?





          Also, all of that initial setup should be encapsulated into a __main__ block:



          if __name__ == '__main__':
          n = int(input("Which power of 100 is the second mass? "))
          small = Block(1, 0, 1)
          large = Block(100**n, -1, 2)
          collisionCount = 0

          while True:
          t = timeToNextCollision(small, large)
          if t == float("inf"):
          # No more collisions
          break
          # Update the distances to what they'll be during the next collision
          small.position += small.velocity * t
          large.position += large.velocity * t
          # Update collision count AND velocities to post-collision values
          collisionCount = updateVelocities(small, large, collisionCount)
          print(collisionCount)


          I changed your timeToNextCollision() to timeToNextCollision(small, large), passing the blocks to it as parameters, since it needs to look at the blocks in order to know what to do.





          # Both blocks move towards left, but large block is faster. If the
          # distance between blocks is small enough compared to that between the wall
          # and the small block, they will collide. Otherwise the small block will
          # reach the wall before the large block has a chance to catch up
          return min(Fraction(-small.position, small.velocity),
          Fraction(large.position - small.position),
          (small.velocity - large.velocity))


          I strongly recommend running your whole program through pylint or pyflakes and fixing all the style issues. Here specifically, I think it would benefit from the usual Python indentation style, which looks like this:



          return min(
          Fraction(-small.position, small.velocity),
          Fraction(large.position - small.position),
          (small.velocity - large.velocity)
          )


          This makes it very clear that you're taking the min of three things, not the usual two — and also you're constructing a Fraction from one argument, not the usual two. If this is intentional behavior, then the indentation is important because it communicates to your reader, "Hey, I know what I'm typing, don't worry" — and if this is unintentional behavior, then hey, you just found one of your bugs!





          Finally, let's fix your performance issue.



          As I said, I assume that your program takes so long because you're manipulating gigantic numerators and denominators. Above about 2**64 (or maybe 2**32, I'm not sure), Python is going to switch from native integer representation to bignum representation, and get super slow. Reading the fractions docs tells me that there's a limit_denominator method that's used precisely to keep the numerator and denominator small. So let's use it!



          while True:
          t = timeToNextCollision(small, large)
          if t == float("inf"):
          # No more collisions
          break
          # Update the distances to what they'll be during the next collision
          small.position += small.velocity * t
          large.position += large.velocity * t
          collisionCount = updateVelocities(collisionCount, small, large)

          # Here's the new code!
          small.position = small.position.limit_denominator(2**32)
          large.position = large.position.limit_denominator(2**32)
          small.velocity = small.velocity.limit_denominator(2**32)
          large.velocity = large.velocity.limit_denominator(2**32)


          With just this change (and the cleanups mentioned in this review, including fixing that bug that pyflakes would have found), I see your program taking the O(10n) that we expect it to:



          $ time echo '2' | python x.py
          Which power of 100 is the second mass? 314

          real 0m0.240s
          user 0m0.196s
          sys 0m0.018s

          $ time echo '3' | python x.py
          Which power of 100 is the second mass? 3141

          real 0m1.721s
          user 0m1.697s
          sys 0m0.015s

          $ time echo '4' | python x.py
          Which power of 100 is the second mass? 31415

          real 0m22.497s
          user 0m20.226s
          sys 0m0.160s


          Problem solved!







          share|improve this answer












          share|improve this answer



          share|improve this answer










          answered 6 hours ago









          QuuxplusoneQuuxplusone

          11.9k12061




          11.9k12061












          • $begingroup$
            Thanks so much for the detailed feedback! Regarding the min formula with nested fractions, it's indeed technically incorrect but it runs fine and gives the correct answer, which is strange. I corrected that though. Regarding the comment, I'd actually updated the program with new values just for more testing and forgot to update the comment. Also, I want to upload this thing to Github (though it may seem like a trivial toy program to experienced programmers). Are you okay with me crediting you (because you made a big improvement to the performance)? Let me know!
            $endgroup$
            – Shirish Kulhari
            58 mins ago












          • $begingroup$
            @ShirishKulhari: Sure, I don't mind. Re the typo not mattering: Consider whether that branch of the code is ever even reached. (You could put an assert False in there to see what happens.)
            $endgroup$
            – Quuxplusone
            29 mins ago










          • $begingroup$
            Okay, I'll credit you by your username in the program comment - hopefully that's the right protocol. One more thing, you restricted the numerator and denominator of the positions to 32 bits. Couldn't I do the same for the velocities as well? Or would that start causing inaccurate results? I noticed when I changed the 2^32 in your newly added lines to 2^16, it gives the result 3.14169 for n=100^5. 2**32 is totally okay, but should the same limiting be done for all the rest of fraction calculations too?
            $endgroup$
            – Shirish Kulhari
            24 mins ago




















          • $begingroup$
            Thanks so much for the detailed feedback! Regarding the min formula with nested fractions, it's indeed technically incorrect but it runs fine and gives the correct answer, which is strange. I corrected that though. Regarding the comment, I'd actually updated the program with new values just for more testing and forgot to update the comment. Also, I want to upload this thing to Github (though it may seem like a trivial toy program to experienced programmers). Are you okay with me crediting you (because you made a big improvement to the performance)? Let me know!
            $endgroup$
            – Shirish Kulhari
            58 mins ago












          • $begingroup$
            @ShirishKulhari: Sure, I don't mind. Re the typo not mattering: Consider whether that branch of the code is ever even reached. (You could put an assert False in there to see what happens.)
            $endgroup$
            – Quuxplusone
            29 mins ago










          • $begingroup$
            Okay, I'll credit you by your username in the program comment - hopefully that's the right protocol. One more thing, you restricted the numerator and denominator of the positions to 32 bits. Couldn't I do the same for the velocities as well? Or would that start causing inaccurate results? I noticed when I changed the 2^32 in your newly added lines to 2^16, it gives the result 3.14169 for n=100^5. 2**32 is totally okay, but should the same limiting be done for all the rest of fraction calculations too?
            $endgroup$
            – Shirish Kulhari
            24 mins ago


















          $begingroup$
          Thanks so much for the detailed feedback! Regarding the min formula with nested fractions, it's indeed technically incorrect but it runs fine and gives the correct answer, which is strange. I corrected that though. Regarding the comment, I'd actually updated the program with new values just for more testing and forgot to update the comment. Also, I want to upload this thing to Github (though it may seem like a trivial toy program to experienced programmers). Are you okay with me crediting you (because you made a big improvement to the performance)? Let me know!
          $endgroup$
          – Shirish Kulhari
          58 mins ago






          $begingroup$
          Thanks so much for the detailed feedback! Regarding the min formula with nested fractions, it's indeed technically incorrect but it runs fine and gives the correct answer, which is strange. I corrected that though. Regarding the comment, I'd actually updated the program with new values just for more testing and forgot to update the comment. Also, I want to upload this thing to Github (though it may seem like a trivial toy program to experienced programmers). Are you okay with me crediting you (because you made a big improvement to the performance)? Let me know!
          $endgroup$
          – Shirish Kulhari
          58 mins ago














          $begingroup$
          @ShirishKulhari: Sure, I don't mind. Re the typo not mattering: Consider whether that branch of the code is ever even reached. (You could put an assert False in there to see what happens.)
          $endgroup$
          – Quuxplusone
          29 mins ago




          $begingroup$
          @ShirishKulhari: Sure, I don't mind. Re the typo not mattering: Consider whether that branch of the code is ever even reached. (You could put an assert False in there to see what happens.)
          $endgroup$
          – Quuxplusone
          29 mins ago












          $begingroup$
          Okay, I'll credit you by your username in the program comment - hopefully that's the right protocol. One more thing, you restricted the numerator and denominator of the positions to 32 bits. Couldn't I do the same for the velocities as well? Or would that start causing inaccurate results? I noticed when I changed the 2^32 in your newly added lines to 2^16, it gives the result 3.14169 for n=100^5. 2**32 is totally okay, but should the same limiting be done for all the rest of fraction calculations too?
          $endgroup$
          – Shirish Kulhari
          24 mins ago






          $begingroup$
          Okay, I'll credit you by your username in the program comment - hopefully that's the right protocol. One more thing, you restricted the numerator and denominator of the positions to 32 bits. Couldn't I do the same for the velocities as well? Or would that start causing inaccurate results? I noticed when I changed the 2^32 in your newly added lines to 2^16, it gives the result 3.14169 for n=100^5. 2**32 is totally okay, but should the same limiting be done for all the rest of fraction calculations too?
          $endgroup$
          – Shirish Kulhari
          24 mins ago












          Shirish Kulhari is a new contributor. Be nice, and check out our Code of Conduct.










          draft saved

          draft discarded


















          Shirish Kulhari is a new contributor. Be nice, and check out our Code of Conduct.













          Shirish Kulhari is a new contributor. Be nice, and check out our Code of Conduct.












          Shirish Kulhari is a new contributor. Be nice, and check out our Code of Conduct.
















          Thanks for contributing an answer to Code Review Stack Exchange!


          • Please be sure to answer the question. Provide details and share your research!

          But avoid



          • Asking for help, clarification, or responding to other answers.

          • Making statements based on opinion; back them up with references or personal experience.


          Use MathJax to format equations. MathJax reference.


          To learn more, see our tips on writing great answers.




          draft saved


          draft discarded














          StackExchange.ready(
          function () {
          StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fcodereview.stackexchange.com%2fquestions%2f211882%2fsimulating-a-two-body-collision-problem-to-find-digits-of-pi%23new-answer', 'question_page');
          }
          );

          Post as a guest















          Required, but never shown





















































          Required, but never shown














          Required, but never shown












          Required, but never shown







          Required, but never shown

































          Required, but never shown














          Required, but never shown












          Required, but never shown







          Required, but never shown







          Popular posts from this blog

          Statuo de Libereco

          Tanganjiko

          Liste der Baudenkmäler in Enneberg