Did some simple tests with two lines in a new script.
I was correct in thinking that changing the comparison from >=
to >
affects whether sharing endpoints is considered a collision. That’s good news.
With a couple of simple tests it also looks like collision detection is working properly.
So what’s bork in the primary veins script?
Implemented a simple feature to drag points around just so I can quickly test more cases. The collision detection code is definitely working.
I’ll try drawing the first intersection point in the primary veins script, in main_orthoptera.py. Maybe that’ll shed some light on why a collision is always being detected.
Default Mutable Argument #
Oh wow. Just learning a big one about python right now. When I specify an empty list as a default argument that value is shared between calls to that function.
Here’s a good example from a blog post
def add_to_list(num, items=[]):
items.append(num)
print(items)
add_to_list(5)
add_to_list(10)
add_to_list(15)
Output is not
[5]
[10]
[15]
but rather
[5]
[5, 10]
[5, 10, 15]
Sick.
Looking for a way to get Python to create a new instance on every invocation but I can also just do it myself.
def add_to_list(num, items=False):
if not items:
items = []
items.append(num)
print(items)
That would do the trick.