CS 2103 Project 5 — Mathematical Expression Editor part 2 solution

$29.99

Original Work ?
Category: You will Instantly receive a download link for .ZIP solution file upon Payment

Description

5/5 - (3 votes)

Introduction In this project you will build an interactive (event-driven) mathematical expression editor with a graphical user interface (GUI). In particular, the tool you build will allow the user to type in a mathematical expression, which will then be parsed into an “expression tree” and then displayed graphically. Then, the user will be able to drag-and-drop different subexpressions — at arbitrary levels of granularity — so as to rearrange the expression while preserving the same mathematical semantics. To get an immediate sense of what this will look like, check out this demo video. Example Suppose the user is editing the expression 2*x + 3*y + 4*z + (7+6*z). Because of commutativity of addition, this expression can be rearranged into 3*y + 2*x + 4*z + (7+6*z) without changing its meaning. Similarly, because of commutativity of multiplication, we can also change it into y*3 + 2*x + z*4 + (7+z*6). In contrast, if we were to (nonsensically) reorder the substring y + 2 (in 3*y + 2*x) to be 2 + y, then this would yield 3*2 + y*x + 4*z + (7+6*z), which clearly has a different mathematical meaning from the original expression. R1: Parsing Mathematical Expressions In the first part of the assignment, you will need to build a recursive descent parser, based on a context-free grammar (CFG), to convert a string — e.g., 10*x*z + 2*(15+y) — into a parse tree that captures the expression’s mathematical meaning, e.g.: Project 5 https://ia.wpi.edu/cs2103/resources.php?page=show_project&id=23 1 of 9 12/13/2018, 12:41 PM In the figure above, each blue node is a LiteralExpression; each yellow node is a MultiplicativeExpression, each red node is an AdditiveExpression, and the clear node is a ParentheticalExpression. Obviously, these nodes are arranged into a tree. Every kind of expression except a LiteralExpression can have children. Moreover, the different “expression” classes belong to a class hierarchy to maximize code re-use. CFG for Mathematical Expressions We will discuss context-free grammars (CFGs) in class. There are many possible grammars you could use to complete this project. One suggestion (which I used in my own implementation) is the following: E → A | X A → A+M | M M → M*M | X X → (E) | L L → [a-z] | [0-9]+ The [0-9]+ means one or more characters from the set [0-9] — e.g., 1, 51, 5132762351, etc. (Note: the grammar above does not lend itself to a particularly efficient parser, but it is arguably easier to understand than other grammars that could also work.) Based on this CFG, you can implement a recursive descent parser, in a similar manner as described in class. However, in contrast to the example in class in which each “parse” method returned a boolean, your parse methods should return an object of type Expression (an interface type described below). Each parse method should either return an Expression object representing the sub-tree for the string that you are parsing, or null if the string passed to the parse method cannot be parsed. Project 5 https://ia.wpi.edu/cs2103/resources.php?page=show_project&id=23 2 of 9 12/13/2018, 12:41 PM In this assignment, you should create a class called SimpleExpressionParser that implements the ExpressionParser interface. Expression and CompoundExpression interfaces This assignment will require multiple classes that represent different kinds of mathematical expressions. Every expression has some methods that must be supported, however. Accordingly, we have defined an Expression interface. For non-terminal expression nodes, we have also created a CompoundExpression interface, which extends Expression and includes one extra method addSubexpression(subexpression). See the comments in the Expression.java and CompoundExpression.java files for more details. Important note: these interfaces will be expanded upon during R2 of Project 5. Equivalent Parse Trees Multiple parse trees can be generated that have the same mathematical meaning. Consider the following example: This is a different parse tree than the one shown above, but it encodes the same sequence of mathematical operations. The only differences are that (1) the MultiplicationExpression on the left now has three children, whereas before it had only two; and (2) the children and grandchildren have been “merged” into one layer. This equivalency is reminiscent of the fact that 10*x*z is completely equivalent to 10*(x*z): In the first parse tree, the multiplication of x by z is computed first, and then its product is multiplied by 10. Due to the commutativity of multiplication, however, both parse trees are equivalent. Important note: While you could apply the same logic to claim (correctly) that the expression 10*x*z can be rearranged into z*x*10, you should not do so in this project. In particular, your parser should preserve the Project 5 https://ia.wpi.edu/cs2103/resources.php?page=show_project&id=23 3 of 9 12/13/2018, 12:41 PM left-to-right ordering of the sub-expressions in the parse tree. The reason is that, in the GUI of R2, when the user types in 10*x*z, we want them to see 10*x*z on the screen — not some arbitrary rearrangement thereof (which would be counterintuitive for them). withJavaFXControls The parse method of every ExpressionParser class takes a parameter called withJavaFXControls. For R1, the value of this parameter should always be false, and you can thus ignore it altogether. This parameter will become more important for R2, whose GUI requires that every Expression object also be associated with a JavaFX “node”. We’ll talk more about this in class. Converting an expression to a string In order to verify that your parser is working correctly — and to enable grading of your R1 submission — you need to implement a convertToString method (see the Expression interface). This method should print out the contents of the entire expression tree, using one line per node of the tree, such that each child node is indented (using \t) one more time than its parent. For example, if we parse the string “10*x*z + 2*(15+y)”: final ExpressionParser parser = new SimpleExpressionParser(); final Expression expression = parser.parse(“10*x*z + 2*(15+y)”, false); and then we call expression.convertToString(0), then the result should be: + * 10 x z * 2 () + 15 y In the output above, the + in the first line signifies that the root expression is an AdditiveExpression (that’s what I call an expression that performs addition in my own implementation). Its two children are both MultiplicativeExpression objects. The first such MultiplicativeExpression itself has three children, namely 10, x, and z, and so on. Flattening the Parse Tree It turns out that, for the purpose of implementing a GUI-based mathematical expression editor, the second parse tree shown above is more useful. The reason is that it will facilitate intuitive drag-and-drop behavior whereby the user can “move” (using drag-and-drop) each child expression to be anywhere among the list of its siblings. (We will discuss this in more detail in class.) Therefore, we require that every class that implements the Expression interface must have a method called flatten that modifies the target Expression in the following way: whenever a child c has a type (AdditiveExpression, MultiplicativeExpression, etc.) that is the same as the type of its parent p, you should replace c with its own children, which thereby become children of p. For example, by flattening the first parse tree shown above, we obtain the second parse tree. The flatten method should recursively flatten the entire Expression tree as much as possible. Note that you are only required to flatten the AdditiveExpression and MultiplicativeExpression objects. Project 5 https://ia.wpi.edu/cs2103/resources.php?page=show_project&id=23 4 of 9 12/13/2018, 12:41 PM R2: Editing Mathematical Expressions The overall goal of R2 is to replicate all the functionality in the demo video above as closely as possible. In the sections below, you will see specific functionality marked with “F1”, “B1”, etc.; these represent the specific functionality that will be graded. There are several key features of the GUI-based editor: The user can enter an expression in the textbox, click the Parse button, and have it displayed within the window. The user can click on an expression and thereby change the focus. The user can drag+drop the focused expression into a different location among its siblings. Drag+drop affects not only the visual representation of the expression, but also the underlying treebased representation. In particular, you should be able to observe the change in the order of the siblings when you call parent.convertToString(). Parsing and displaying the Expression When the expression string typed by the user is parsed, the SimpleExpressionParser should return an object of type Expression. The ExpresssionEditor class will then call the getNode() method of this Expression object and display it within the window (B1). Note that, since you actually need to display a JavaFX Node for every (sub-)expression, you should pass a value of true for withJavaFXControls. Focus The user can select a subexpression and thereby give it the “focus”, denoted by a red box around the focused node. Focus is important because it denotes the subexpression that can be dragged+dropped among its siblings. The focus behavior you implement must adhere to the following rules: Initially (after parsing a string), there is no focus. If there is no current focus, and if the user clicks on location (x,y) that is contained within the rectangular bounds b of some child expression c whose parent is the root of the entire expression tree, then c receives the focus (F1). (Note: the reason why the root itself never receives the focus is that, since the root has no parent, then it cannot be moved anywhere.) Suppose the currently focused subexpression p has rectangular bounds b: If the user clicks on an (x,y) location that is not contained within b, then the focus is cleared — i.e., nothing is focused anymore (F2). If the user clicks on an (x,y) location that is contained within b; if there exists a direct child expression c of p; and if the rectangular bounds of c contains (x,y), then the focus is set to c (F3). (“Direct child” means that c’s parent is p.) If the user clicks on an (x,y) location that is contained within b, but there does not exist any child expression of p whose bounds also contains (x,y), then the focus is cleared (F4). Important note: In an additive or multiplicative expression, the operator symbol itself (+,*, or *) should not count as part of the child expression (F5). For example, the expression 1+2 is an additive expression with two child nodes, 1 and 2. Clicking on the + symbol should clear the focus since an (x, y) positioned directly on top of the + is not contained within the rectangular bounds of any child expression of 1+2. Project 5 https://ia.wpi.edu/cs2103/resources.php?page=show_project&id=23 5 of 9 12/13/2018, 12:41 PM Drag+drop Drag As soon as the user presses the mouse button on a subexpression that already has the focus, then a deep copy of that focused expression should be made. One copy should remain at the same location where the subexpression already was and should become ghosted, i.e., displayed in a light-grey color (G1). The other copy should be moved according to where the user moves the mouse, i.e., is dragged across the GUI (D1). Drop A child expression c that is currently being dragged can be relocated (through “dropping” it) to any index among its siblings. Note, however, that dragging+dropping c should not affect the relative ordering of its siblings (D2). As an example, suppose the child expression 2 in the expression 1+2+3 is being dragged. Then, depending on the (x,y) location of where 2 is dropped, the expression could be rearranged into one of three possible “configurations”: 1+2+3 2+1+3 1+3+2 Note that dragging+dropping the 2 should not result in any of the following expressions (since they would require a change in the relative ordering of 2’s siblings): 3+2+1 2+3+1 3+1+2 To decide when, based on the current (x,y) position of the dragged child expression c, to update the index of c among its siblings (D3), you should implement the following strategy (D3): When the user first begins dragging c, compute the set of all valid configurations of c’s parent that could result by dragging and dropping c. (In the example above, these would be 1+2+3, 2+1+3, and 1+3+2.) 1. Compute the (x,y) location of where c would appear within each of the possible configurations computed during the previous step. You will actually only need the x values; let xi denote the x coordinate where the c appears in configuration i. 2. Whenever c is dragged to position (x,y), find the configuration i (among all the configurations) whose xi value is closest to x. 3. Note that getting feature D3 exactly right is tricky. Below is an example of a configuration that should not occur if the mouse is at rest (i.e., not moving) and your program is implemented correctly. Project 5 https://ia.wpi.edu/cs2103/resources.php?page=show_project&id=23 6 of 9 12/13/2018, 12:41 PM Notice how the ghosted expression of 3*y is not where it should be. This situation was triggered (in a buggy implementation) by dragging the 3*y expression very fast. (It took me several tries to generate this.) Also, in a fully correct implementation, there should be a “critical point” (x coordinate) when the expression shifts back and forth between positions in its parent. If you don’t quite implement this correctly, then you may have to move the expression back and forth a considerable distance before the swap occurs. Finally, at all times, the “ghost” expression should be moved to reflect where c would be moved if the user released the mouse (i.e., “dropped” c) (G2). Modifying the underlying expression tree After the user has dragged+dropped a child expression to a different location among its siblings, the expression tree should reflect this change. In particular, the order of the lines of output of convertToString() should reflect the new ordering (E1). As an example, suppose we drag+drop the 2 in the expression 1+2 to be to the left of the 1, so that the new expression becomes 2+1. Then calling convertToString() on the modified expression tree should produce: + 2 1 In order to enable us to test whether you implemented this correctly, you are required to call convertToString(0) and print the results (using System.out.println()) whenever the user “drops” an expression. Requirements R2 (50 points): Build a GUI-based interactive drag-and-drop mathematical expression editor, based on the parser you coded in R1. In particular, we will manually verify that you implement the following aspects of the project correctly: B1: 7 points F1: 2 points F2: 2 points F3: 2 points F4: 2 points 1. Project 5 https://ia.wpi.edu/cs2103/resources.php?page=show_project&id=23 7 of 9 12/13/2018, 12:41 PM F5: 1 points G1: 2 points G2: 2 points D1: 4 points D2: 2 points D3: 6 points E1: 8 points We will also assign 10 points for design & style. Design and Style Your code must adhere to reasonable Java style. In particular, please adhere to the following guidelines: Factor out the logic that is common to the various Expression classes. Each class name should be a singular noun that can be easily pluralized. Class names should be in CamelCase; variables should be in mixedCase. Avoid “magic numbers” in your code (e.g., for (int i = 0; i < 999 /*magic number*/; i++)). Instead, use constants, e.g., private static final int NUM_ELEPHANTS_IN_THE_ROOM = 999;, defined at the top of your class file. Use whitespace consistently. No method should exceed 50 lines of code (for a “reasonable” maximum line length, e.g., 100 characters). If your method is larger than that, it’s probably a sign it should be decomposed into a few helper methods. Use comments to explain non-trivial aspects of code. Use a Javadoc comment to explain what each method does, what parameters it takes, and what it returns. Use the /**…*/ syntax along with @param and @return tags, as appropriate. Use the final keyword whenever possible. Use the most restrictive access modifiers (e.g., private, default, protected>, public), for both variables and methods, that you can. Note that this does not mean you can never use non-private access; it just means you should have a good reason for doing so. Declare variables using the weakest type (e.g., an interface rather than a specific class implementation) you can; ithen instantiate new objects according to the actual class you need. This will help to ensure maximum flexibility of your code. For example, instead of final ArrayList list = new ArrayList(); use final List list = new ArrayList(); If, on the other hand, you have a good reason for using the actual type of the object you instantiate (e.g., you need to access specific methods of ArrayList that are not part of the List interface), then it’s fine to declare the variable with a stronger type. Teamwork You may work as a team on this project; the maximum team size is 2. Getting started R2 Project 5 https://ia.wpi.edu/cs2103/resources.php?page=show_project&id=23 8 of 9 12/13/2018, 12:41 PM 1. Please download the R2 starter file. 2. Have a look at the ExpressionEditor.java file, which includes some starter code for the GUI. How, What, and When to Submit R2 Create a Zip file containing only and all those files necessary to finish implementing the ExpressionEditor.java. Submission deadline for R2: Thursday, Dec 13, at 11:59pm EDT. Project 5 https://ia.wpi.edu/cs2103/resources.php?page=show_project&id=23 9 of 9 12/13/2018, 12:41 PM