Creating a fool proof graphing calculator using python - Python 2.7 - python
I am trying to create a fool proof graphing calculator using python and pygame.
I created a graphing calculator that works for most functions. It takes a user string infix expression and converts it to postfix for easier calculations. I then loop through and pass in x values into the postfix expression to get a Y value for graphing using pygame.
The first problem I ran into was when taking calculations of impossible things. (like dividing by zero, square root of -1, 0 ^ non-positive number). If something like this would happen I would output None and that pixel wouldn't be added to the list of points to be graphed.
* I have showed all the different attempts I have made at this to help you understand where I cam coming from. If you would like to only see my most current code and method, jump down to where it says "current".
Method 1
My first method was after I acquired all my pixel values, I would paint them using the pygame aalines function. This worked, except it wouldn't work when there were missing points in between actual points because it would just draw the line across the points. (1/x would not work but something like 0^x would)
This is what 1/x looks like using the aalines method
Method 1.1
My next Idea was to split the line into two lines every time a None was printed back. This worked for 1/x, but I quickly realized that it would only work if one of the passed in X values exactly landed on a Y value of None. 1/x might work, but 1/(x+0.0001) wouldn't work.
Method 2
My next method was to convert the each pixel x value into the corresponding x point value in the window (for example, (0,0) on the graphing window actually would be pixel (249,249) on a 500x500 program window). I would then calculate every y value with the x values I just created. This would work for any line that doesn't have a slope > 1 or < -1.
This is what 1/x would look like using this method.
Current
My most current method is supposed to be a advanced working version of method 2.
Its kind of hard to explain. Basically I would take the x value in between each column on the display window. For every pixel I would do this just to the left and just to the right of it. I would then plug those two values into the expression to get two Y values. I would then loop through each y value on that column and check if the current value is in between both of the Y values calculated earlier.
size is a list of size two that is the dimensions of the program window.
xWin is a list of size two that holds the x Min and x Max of the graphing window.
yWin is a list of size two that holds the y Min and y Max of the graphing window.
pixelToPoint is a function that takes scalar pixel value (just x or just y) and converts it to its corresponding value on the graphing window
pixels = []
for x in range(size[0]):
leftX = pixelToPoint(x,size[0]+1, xWin, False)
rightX = pixelToPoint(x+1, size[0]+1, xWin, False)
leftY = calcPostfix(postfix, leftX)
rightY = calcPostfix(postfix, rightX)
for y in range(size[1]):
if leftY != None and rightY != None:
yPoint = pixelToPoint(y,size[1],yWin, True)
if (rightY <= yPoint <= leftY) or (rightY >= yPoint >= leftY):
pixels.append((x,y))
for p in pixels:
screen.fill(BLACK, (p, (1, 1)))
This fixed the problem in method 2 of having the pixels not connected into a continuous line. However, it wouldn't fix the problem of method 1 and when graphing 1/x, it looked exactly the same as the aalines method.
-------------------------------------------------------------------------------------------------------------------------------
I am stuck and can't think of a solution. The only way I can think of fixing this is by using a whole bunch of x values. But this way seems really inefficient. Also I am trying to make my program as resizable and customizable as possible so everything must be variably driven and I am not sure what type of calculations are needed to find out how many x values are needed to be used depending on the program window size and the graph's window size.
I'm not sure if I am on the right track or if there is a completely different method of doing this, but I want to create my graphing calculator to able to graph any function (just like my actual graphing calculator).
Edit 1
I just tried using as many x values as there are pixels (500x500 display window calculates 250,000 y values).
Its worked for every function I've tried with it, but it is really slow. It takes about 4 seconds to calculate (it fluctuates depending on the equation). I've looked around online and have found graphing calculators that are almost instantaneous in their graphing, but I cant figure out how they do it.
This online graphing calcuator is extremely fast and effective. There must be some algorithm other than using a bunch of x values than can achieve what I want because that site is doing it..
The problem you have is that to be able to know if between two point you can reasonably draw a line you have to know if the function is continuous in the interval.
It is a complex problem in General what you could do is use the following heuristic. If the slope of the line have changed too much from the previous one guess you have a non continuous point in the interval and don't draw a line.
Another solution would be based on solution 2.
After have draw the points that correspond to every value of the x axis try to draw for every adjacent x: (x1, x2) the y within (y1 = f(x1), y2 = f(x2)) that can be reach by an x within (x1, x2).
This can be done by searching by dichotomy or via the Newton search heuristic an x that could fit.
Related
Convert a sawtooth into a continuous linear function
Data from angular encoders is in a sawtooth shape ranging from 0° to 360°. I would now like to create a continuous linear function that describes the total angle. I would like to go from a sawtooth function that can be created like this (in python with numpy): x = np.arange(0,1000,2) y = np.arange(0,1000,2)%360 Plot sawtooth function Back to the linear (in this case identity) function: x = np.arange(0,1000,2) y = np.arange(0,1000,2) Plot linear function The data I'm trying to use this on is not generated, it's measurement data from an angular encoder. I do not know the frequency. I know that the function value is in the interval [0,360]. I'm looking for a solution that can also handle a 'negative' sawtooth.
Hi I faced your same issue and I solved it: This is how my signal looks like: Sawtooth function of angle It's an array containing the Angle of a rotating complex number in the range [-pi, pi]. What I wanted is the continuous linear function as you described. I just thought to compare two consecutive elements of the array containing the angle values and exactly when the difference between them is a multiple of pi, each next value is incremented by such difference. n=0 for i in range(len(Angle)-1): if round((Angle[i] - Angle[i+1])/pi) == n+2: n=n+2 Angle[i+1]=Angle[i+1] + pi*n This is what I got: Linear Angle
It looks like you just need to split effective value in two parts, let's call them base and reminder. Total value would be base + reminder. Then, you analyze changes of input and in case it was high (359 or close) and suddenly became low (0 or close), you add 360 to base. You subtract 360 from base if change happened in other direction. After base recalculation you assign input value to reminder for future reference. And that's all.
Streamline with Python
I am trying to plot the streamlines. The problem I have is my coordinates are polar. Even when I try to convert my data to cartesian, the rows are not equal. This is not even necessary for quiver. So, is there really not a workaround to have some sort of streamlines when the "x rows" are not equal. So basically I have X and Y which define my domain, and U,V the associated velocity field. When calling plt.streamplot(X,Y,U,V) I get the error that "x rows must be equal", which I strongly think means that that each row in X must be the same, which is not the case. My domain is skewed with a certain angle so rows in X nor Y will never be equal. How do I cope with this. The sizes of X,Y,U,V are all equal and quadratic with shape of N x N Note: if calling the quiver function, it works perfectly fine.
Trying to plot some data in matplotlib with numpy
I'm trying to simulate Conway's Game of Life in python(here is some of the code), and now I need to handle the ouput. Right now, I'm just plotting points in matplotlib but I want something like what this guy did(That script shows error in my PC but it generates the images anyway). I understand that the code I am looking for is: plt.imshow(A, cmap='bone', interpolation='nearest') plt.axis('off') and that A is a numpy array alike a matrix with just True and False as entries. By the way, I've already realized that instead of True and False I can put 1's and 0's. I have the data of living cells as a set of points ([(x1,y1),(x2,y2),....,(xn,yn)]) of the plane(coordinates all integers). As you can see, my script is finite(it uses a for loop until 30), so I preset the plots' axis before the loop...for example, the minimum x coordinate of the plots is the minimum coordinate of the initial points minus 30, assuring then that all the points are visible in the last image. To represent each configuration, I had the idea to do: SuperArray=np.zeros(maxx+30,maxy+30) for (i,j) in livecells: SuperArray[i,j]=1 But that idea won't work, because the indices of SuperArray are all positives, and my coordinates maybe negative. To solve this I was thinking in translate ALL of the points in livecells so their coordinates be positive. I would do that by adding |minx|+30 to the x coordinate and |miny|+30 to the y coordinate of each (x,y) in livecells...I haven't put it in practice yet, but it seems too complicated and memory consuming...Do you guys have any suggestion?
Having trouble plotting a log-log plot in python
Hey so I'm trying to plot variables like age against its frequency, for a rotating body. I am given the period and period derivative aswell as their associated errors. Since frequency is related to period by: f = 1/T where frequency is f and period is T then, df = - (1/(T^2)) * dT where dT and dF are the derivatives of period and frequency but when it comes to plotting the log of this I can't do it in python as it doesn't accept negative values for a loglog plot. I've tried a work around of using only absolute values but then I only get half the errors when plotting error bars. Is there a way to make python plot both the negative and positive error bars? The frequency derivative itself is a negative quantity.
Unfortunately, log(x) cannot be negative because log(x) = y <=> 10^y = x. Is 10^y ever going to be -5? Unfortunately it is impossible to make 10^y<=0 because as y becomes -infinity, x approaches 1/infinity; x approaches, but never passes 0. Is it possible to plot log(x), where x is negative? One simple solution to your problem however, is to take the absolute value of df. By doing this, negative numbers become positive. The only downside is that after you've transformed the data this way, you will need to undo the transformation. If the number was negative (and turned positive due to abs(df)), then you must multiply it by -1 afterwards. You may need to define your own absolute value function that records any values it needs to make positive: changeList = [] def absRecordChanges(value): if value < 0 : value = value * -1 changeList.append(value) return value There are other ways to solve the problem, but they are all centred around transforming your data to meet the conditions of a log tranformation (x > 0), and having the data you changed recorded so you can change it back afterward (before you plot it). EDIT: While fiddling around in desmos, I was able to plot log(x) where x is any integer. I used a piecewise function to do this: {x<0:-log(abs(x)),log (x)}. def piecewiseLog(x) If x <= 0 : return -log(abs(x)) else : return log(x) As I'm not familiar with matlab syntax, this link has an alternative solution: http://www.mathworks.com/matlabcentral/answers/31566-display-negative-values-on-logarithmic-graph
Rephrase spirograph code into function
I'm writing a python spirograph program, and I need some help with converting part of it into a function. The code is attempting to reproduce the result illustrated in the video I found here. One line rotates around the origin, and then another rotates off the end of that, etc. With a little bit of research into (what I think is) trigonometry, I put together a function rotate(point, angle, center=(0, 0)). The user inputs a point to be rotated, the angle (clockwise) that it is to be rotated by, and the centerpoint for it to be rotated around. Then, I implemented an initial test, whereby one line rotates around the other. The end of the second line draws as if it were holding a pen. The code's a little messy, but it looks like this. x, y = 0, 0 lines = [] while 1: point1 = rotate((0,50), x) point2 = map(sum,zip(rotate((0, 50), y), point1)) if x == 0: oldpoint2 = point2 else: canvas.create_line(oldpoint2[0], oldpoint2[1], point2[0], point2[1]) lines.append( canvas.create_line(0, 0, point1[0], point1[1]) ) lines.append( canvas.create_line(point1[0], point1[1], point2[0], point2[1]) ) oldpoint2 = point2 tk.update() x += 5 if x > 360 and y > 360: x -= 360 canvas.delete("all") time.sleep(1) y += 8.8 if y > 360: y -= 360 for line in lines: canvas.delete(line) lines = [] Great, works perfectly. My ultimate goal is what's in the video, however. In the video, the user can input any arbitrary number of arms, then define the length and angular velocity for each arm. Mine only works with two arms. My question, ultimately, is how to put the code I posted into a function that looks like drawSpiral(arms, lenlist, velocitylist). It would take the number of arms, a list of the velocities for each arm, and a list of the length of each arm as arguments. What I've Tried I've already attempted this several times. Initially, I had something that didn't work at all. I got some cool shapes, but definitely not the desired output. I've worked for a few hours, and the closest I could get was this: def drawSpiral(arms, lenlist, velocitylist): if not arms == len(lenlist) == len(velocitylist): raise ValueError("The lists don't match the provided number of arms") iteration = 0 while 1: tk.update() iteration += 1 #Empty the list of points pointlist = [] pointlist.append((0, 0)) #Create a list of the final rotation degrees for each point rotations = [] for vel in velocitylist: rotations.append(vel*iteration) for n in range(arms): point = tuple(map(sum,zip(rotate((0, lenlist[n]), rotations[n], pointlist[n])))) pointlist.append(point) for point in pointlist: create_point(point) for n in range(arms): print pointlist[n], pointlist[n+1] This is fairly close to my solution, I feel, but not quite there. Calling drawSpiral(2, [50, 75], [1, 5]) looks like it might be producing some of the right points, but not connecting the right sets. Staring at it for about an hour and trying a few things, I haven't made any progress. I've also gotten pretty confused looking at my own code. I'm stuck! The point rotating around the center is attached to a point that is just flying diagonally across the screen and back. The line attached to the center is stretching back and forth. Can someone point me in the right direction? Results of further tests I've set up both functions to plot points at the ends of each arm, and found some interesting results. The first arm, in both cases, is rotating at a speed of 5, and the second at a speed of -3. The loop, outside of the function, is producing the pattern: The function, called with drawSpiral(2, [50, 50], [5, -3]), produces the result of It seems to be stretching the top half. With both arms having a velocity of 5, the function would be expected to produce two circles, one larger than the other. However, it produces an upside-down cardioid shape, with the point connected to the center. Now there's more evidence, can anyone who understands math more than me help me?
Your error is in for n in range(arms): point = tuple(map(sum,zip(rotate((0, lenlist[n]), rotations[n], pointlist[n])))) pointlist.append(point) Specifically, rotate((0, lenlist[n]) replace it with for n in range(arms): point = tuple(map(sum,zip(rotate((pointlist[n][0], lenlist[n]), rotations[n], pointlist[n])))) pointlist.append(point) You go against the usual mathematical notation for polars (circular graphs) and that caused your confusion and eventual issues. As far as I can tell your function is plotting an (X,Y) point (0,length) and then finding the difference between that point and the center point (which is correctly defined as the last point you found) and rotating it around that center. The issue is that (0,length) is not 'length' away from the center. By replacing the (0,lenlist[n]) with (pointlist[n][0],lenlist[n]) makes the next point based upon the last point. Also I would recommend editing your rotate function to be rotate(length,angle,centerpoint) which would simplify the inputs to a more traditional representation.