Unit 3 Lesson 3 Assignment Operator

Total Page:16

File Type:pdf, Size:1020Kb

Unit 3 Lesson 3 Assignment Operator UnitUnit 3,3, LessonLesson 33 MathMath Operations,Operations, AssignmentAssignment Operators,Operators, andand ArithmeticArithmetic OperatorsOperators Mr.Mr. DaveDave ClausenClausen LaLa CañadaCañada HighHigh SchoolSchool AssignmentAssignment OperatorOperator •• YouYou havehave usedused thethe assignmentassignment operatoroperator (=)(=) toto initializeinitialize variables,variables, soso youyou alreadyalready knowknow mostmost ofof whatwhat therethere isis toto knowknow aboutabout thethe assignmentassignment operatoroperator •• TheThe assignmentassignment operatoroperator changeschanges thethe valuevalue ofof thethe variablevariable toto thethe leftleft ofof thethe operator.operator. •• ForFor example:example: ii == 25;25; //changes//changes thethe valuevalue ofof ii toto 2525 Mr. Dave Clausen 2 CodeCode ListList 33--11 #include#include <iostream.h><iostream.h> ////iassign.cppiassign.cpp iassign.txtiassign.txt //declaring//declaring andand initializinginitializing variablesvariables inin twotwo stepssteps intint mainmain ()() {{ int i; // declare i as an integer i=1000; // assign the value 1000 to i cout << i << endl; i=25; // assign the value 25 to i cout << i << endl; return 0; } Mr. Dave Clausen 3 CodeCode ListList 33--22 #include#include <iostream.h><iostream.h> ////multint.cppmultint.cpp multint.txtmultint.txt ////declaringdeclaring multiplemultiple variablesvariables inin oneone stepstep //initializing//initializing multiplemultiple variablesvariables inin oneone stepstep intint mainmain ()() {{ int i, j, k; // declare i, j, and k as integers i =j=k=10; //initialize all of the variables to 10 cout << i << ‘\n’; cout << j << ‘\n’; cout << k << ‘\n’; return 0; } Mr. Dave Clausen 4 DeclareDeclare && InitializeInitialize •• ConstantsConstants MUSTMUST bebe declareddeclared andand initializedinitialized inin thethe samesame statement.statement. •• VariablesVariables MAYMAY bebe declareddeclared andand initializedinitialized inin thethe samesame statement.statement. •• ForFor example:example: intint numbernumber == 10;10; doubledouble resultresult == 0.0;0.0; charchar letterletter == ‘‘ ‘;‘; //// aa spacespace Mr. Dave Clausen 5 ArithmeticArithmetic OperatorsOperators •• AA specificspecific setset ofof arithmeticarithmetic operatorsoperators isis usedused toto performperform calculationscalculations inin C++C++ •• TheseThese arithmeticarithmetic operators,operators, shownshown inin TableTable 33--1,1, maymay bebe somewhatsomewhat familiarfamiliar toto youyou •• AdditionAddition andand subtractionsubtraction andand performedperformed withwith thethe familiarfamiliar ++ andand -- operatorsoperators Mr. Dave Clausen 6 TableTable 33--11 TheThe arithmeticarithmetic operatorsoperators areare usedused withwith twotwo operands,operands, asas inin thethe examplesexamples inin TableTable 33--11 Mr. Dave Clausen 7 UsingUsing ArithmeticArithmetic OperatorsOperators ArithmeticArithmetic operatorsoperators areare mostmost oftenoften usedused onon thethe rightright ofof anan assignmentassignment operatoroperator asas shownshown inin thethe examplesexamples inin TableTable 33--22 Mr. Dave Clausen 8 AssignmentAssignment OperatorOperator vs.vs. TheThe EqualEqual SignSign •• TheThe assignmentassignment operatoroperator (=)(=) functionsfunctions differentlydifferently inin C++C++ fromfrom thethe wayway thethe equalequal signsign functionsfunctions inin Algebra.Algebra. •• LookLook atat thethe followingfollowing statement:statement: xx == xx ++ 10;10; •• ThisThis statementstatement isis FalseFalse inin Algebra.Algebra. •• InIn C++,C++, thethe oldold valuevalue ofof xx isis incrementedincremented byby 1010 andand thenthen assignedassigned toto thethe newnew valuevalue ofof x.x. Mr. Dave Clausen 9 CodeCode ListList 33--33 // assign.cpp assign.txt #include <iostream.h> int main () { int i = 2; //declare and initialize in one step int j = 3; //declare and initialize in one step int k = 4; //declare and initialize in one step int l; float a = 0.5; //declare and initialize in one step float b = 3.0; //declare and initialize in one step float c; 1 = i + 2; cout << 1 << ‘\n’; 1 = 1- j; cout << 1 << ‘\n’; 1 = i * j * k; cout << 1 << ‘\n’; 1 = k / i; cout << 1<< ‘\n’; c = b * a; cout << c << '\n'; c = b / a; cout << c << '\n'; getch(); return 0; } Mr. Dave Clausen 10 ArithmeticArithmetic operatorsoperators areare usedused toto createcreate expressionsexpressions Expression Result of expression cost = price + tax cost is assigned the value of price plus tax owed = total – discount owed is assigned the value of total minus discount area = l * w area is assigned the value of l times w one_eighth = 1 / 8 one_eighth is assigned the value of 1 divided by 8 r = 5 % 2 r is assigned the integer remainder of 5 divided by 2 by using the modulus operator x = -y x is assigned the value of -y Mr. Dave Clausen 11 AssignmentAssignment StatementsStatements •• AA MethodMethod ofof puttingputting valuesvalues intointo memorymemory locationslocations variablevariable namename == value;value; aa variablevariable namename == expression;expression; •• AssignmentAssignment isis mademade fromfrom rightright toto leftleft •• ConstantsConstants can’tcan’t bebe onon leftleft sideside ofof statementstatement •• ExpressionExpression isis aa constantconstant oror variablevariable oror combinationcombination thereofthereof Mr. Dave Clausen 12 AssignmentAssignment StatementsStatements •• ValuesValues onon rightright sideside notnot normallynormally changedchanged •• VariableVariable andand expressionexpression mustmust bebe ofof compatiblecompatible datadata typestypes (more(more later)later) •• PreviousPrevious valuevalue ofof variablevariable discardeddiscarded toto makemake roomroom forfor thethe newnew valuevalue •• ForFor nownow char,char, int,int, andand doubledouble areare compatiblecompatible withwith eacheach otherother Mr. Dave Clausen 13 AssignmentAssignment ExamplesExamples •• score1score1 == 72.3;72.3; •• score2score2 == 89.4;89.4; •• score3score3 == 95.6;95.6; •• averageaverage == (score1(score1 ++ score2score2 ++ score3)score3) // 3.03.0 whywhy notnot dividedivide byby 33 insteadinstead ofof 3.0?3.0? Mr. Dave Clausen 14 TheThe ModulusModulus operatoroperator • The Modulus Operator, which can be used only for integer division, returns the remainder rather than the quotient. • As shown in figure 3-1, integer division is similar to the way you divide manually Mr. Dave Clausen 15 CodeCode ListList 33--44 // remain.cpp remain.txt // Calculations using assignment statements #include <iostream.h> int main () { int dividend, divisor, quotient, remainder; / / ------------------------Input---------------------------- cout << “Enter the dividend “; cin >> dividend; cout << “Enter the divisor “; cin >> divisor; / / ----------------------Calculations------------------------ quotient = dividend / divisor; remainder = dividend % divisor; / / -------------------------Output------------------------------ cout << “the quotient is “ << quotient; cout << “ with a remainder of “ << remainder << ‘\n’; return 0; } Mr. Dave Clausen 16 CodeCode ListList 33--55 // remain2.cpp remain2.txt //calculations in cout statements - while it can be done, please DON’T DO THIS #include <iostream.h> int main() { int dividend, divisor; // ---------------------Input------------------------------- cout << “enter the dividend”; cin >> dividend; cout << “Enter the divisor”; cin >> divisor; // ---------------Calculations in the Output------------Don’t Do This For My Class cout << “the quotient is “ << dividend/divisor; cout << “with a remainder of “ << dividend % divisor << ‘\n’; return 0; } Mr. Dave Clausen 17 IncrementingIncrementing andand DecrementingDecrementing •• AddingAdding oror subtractingsubtracting 11 fromfrom aa variablevariable isis veryvery commoncommon inin programs.programs. AddingAdding 11 toto aa variablevariable isis calledcalled incrementing,incrementing, andand subtractingsubtracting 11 fromfrom aa variablevariable isis calledcalled decrementing.decrementing. Mr. Dave Clausen 18 TheThe ++++ andand ---- OperatorsOperators •• C++C++ providesprovides operatorsoperators forfor incrementingincrementing andand decrementing.decrementing. InIn C++,C++, youyou cancan incrementincrement anan integerinteger variablevariable usingusing thethe ++++ operator,operator, andand decrementdecrement usingusing thethe ---- operator,operator, asas shownshown inin TableTable 33--33 Mr. Dave Clausen 19 CodeCode ListList 33--66 // inc_dec.cpp inc_dec.txt #include <iostream.h> int main() { int j; // declare j as int j=1; // initialize j to 1 cout << “j = “ << j << ‘\n’; j++; //increment j cout << “j = “ << j << ‘\n’; j--; //decrement j cout << “j = “ << j << ‘\n’; return 0; } Mr. Dave Clausen 20 VariationsVariations ofof IncrementIncrement andand DecrementDecrement AtAt firstfirst glance,glance, thethe ++++ andand –– operatorsoperators seemseem veryvery simple.simple. ButBut therethere areare twotwo waysways thatthat eacheach ofof thesethese operatorsoperators cancan bebe used.used. TheThe operatorsoperators cancan bebe placedplaced eithereither beforebefore oror afterafter thethe variable.variable. TheThe locationlocation ofof thethe operatorsoperators affectsaffects thethe wayway theythey work.work. c++c++ oror ++c++c cc-- -- oror -- -- cc WeWe willwill useuse c++c++ andand cc-- -- forfor thisthis classclass Mr. Dave Clausen 21 OrderOrder ofof OperationsOperations • You may recall from your math classes the rules related to the order in which operations are performed. These rules are called the order of operations.
Recommended publications
  • Unit of Study: Activity Sheet Three
    Activity Sheet Three – Programming One Revised October, 2010 Your Name:_______________________________________ Class Period: _______________ Date: ______________________ UNIT OF STUDY: ACTIVITY SHEET THREE POINT BREAKDOWN ASSIGNMENT POINT VALUE EARNED VOCABULARY 20 POINTS _________ SECTION CHECKPOINT PAGE 49 – NEW BOOK 10 POINTS _________ SECTION CHECKPOINT PAGE 54 – NEW BOOK 10 POINTS _________ SECTION CHECKPOINT PAGE 61 – NEW BOOK 10 POINTS _________ CHAPTER 3 REVIEW ?’ TRUE/FALSE – PAGE 62-63 10 POINTS _________ NEW BOOK PROJECT 3-1 – PAGE 63 10 POINTS _________ NEW BOOK PROJECT 3-2 – PAGE 64 10 POINTS _________ NEW BOOK PROJECT 3-3 – PAGE 64 10 POINTS _________ NEW BOOK PROJECT 3-4 – PAGE 64 10 POINTS _________ NEW BOOK ACTIVITY 3-1 PAGE 66 NEW BOOK 25 POINTS _________ 1 Activity Sheet Three – Programming One Revised October, 2010 PURPLE BOOK LESSON 3 WRITTEN QUESTIONS 14 POINTS _________ Page 125 LESSON 3 PROJ.3-1 10 POINTS _________ LESSON 3 PROJ.3-2 10 POINTS _________ LESSON 3 PROJ.3-3 10 POINTS _________ LESSON 3 PROJ.3-5 10 POINTS _________ LESSON 3 PROJ3-7 10 POINTS _________ LESSON 3 PROJ.3-9 10 POINTS _________ LESSON 3 PROJ.3-10 10 POINTS _________ CRITICAL THINKING 3-1 Essay 25 POINTS _________ **The topic has changed – see inside of packet for change TOTAL POINTS POSSIBLE 234 _________ GENERAL COMMENTS… 2 Activity Sheet Three – Programming One Revised October, 2010 YOUR NAME: CLASS PERIOD: Activity Sheet One - This activity will incorporate reading and activities from Fundamentals of C++ (Introductor y) and, Introduction to Computer Science Using C++. Both books can be found in the Programming area of the classroom, and must be returned at the end of the period.
    [Show full text]
  • The Order of Operations Agreement Page 1
    Lecture Notes The Order of Operations Agreement page 1 The order of operations rule is an agreement among mathematicians, it simplies notation. P stands for parentheses, E for exponents, M and D for multiplication and division, A and S for addition and subtraction. Notice that M and D are written next to each other. This is to suggest that multiplication and division are equally strong. Similarly, A and S are positioned to suggest that addition and subtraction are equally strong. This is the hierarchy, and there are two basic rules. 1. Between two operations that are on different levels of the hierarchy, we start with the operation that is higher. For example, between a division and a subtraction, we start with the division since it is higher in the hierarchy than subtraction. 2. Between two operations that are on the same level of the hierarchy, we start with the operation that comes rst from reading left to right. Example 1. Perform the indicated operations. 20 3 4 Solution: We observe two operations, a subtraction and a multiplication. Multiplication is higher in the hierarchy than subtraction, so we start there. 20 3 4 = multiplication 20 12 = subtraction = 8 Example 2. Perform the indicated operations. 36 3 2 Solution: It is a common mistake to start with the multiplication. The letters M and D are in the same line because they are equally strong; among them we proceed left to right. From left to right, the division comes rst. 36 3 2 = division 12 2 = multiplication = 24 Example 2v. Perform the indicated operations.
    [Show full text]
  • Order of Operations with Brackets
    Order Of Operations With Brackets When Zachery overblows his molting eructs not statedly enough, is Tobie catenate? When Renato euchring his groveller depreciating not malignly enough, is Ingemar unteachable? Trap-door and gingerly Ernest particularizes some morwong so anally! Recognise that order of operations with brackets when should be a valid email. Order of Operations Task Cards with QR codes! As it grows a disagreement with order operations brackets and division requires you were using polish notation! What Is A Cube Number? The activities suggested in this series of lessons can form the basis of independent practice tasks. Are you getting the free resources, and the border around each problem. We need an agreed order. Payment gateway connection error. Boom Cards can be played on almost any device with Internet access. It includes a place for the standards, Exponents, even if it contains operations that are of lower precendence. The driving principle on this side is that implied multiplication via juxtaposition takes priority. What is the Correct Order of Operations in Maths? Everyone does math, brackets and parentheses, with an understanding of equality. Take a quick trip to the foundations of probability theory. Order of Operations Cards: CANDY THEMED can be used as review or test prep for practicing the order of operations and numerical expressions! Looking for Graduate School Test Prep? Use to share the drop in order the commutative law of brackets change? Evaluate inside grouping symbols. Perform more natural than the expression into small steps at any ambiguity of parentheses to use parentheses, bingo chips ending up all operations of with order of a strong emphasis on.
    [Show full text]
  • Answers Solving Problems Using Order of Operations
    Solving Problems Using Order of Operations Name: Solve the following problems using the order of operations. Answers Step 1: Parenthesis () Solve all problems in parenthesis FIRST. 1. Step 2: Exponents 2,3,4 Next solve any numbers that have exponents. 2. Step 3: Multiply or Divide ×, ÷ Then solve any multiplication or division problems (going from left to right). Step 4: Add or Subtract +, - Finally solve any addition or subtraction problems (going from left to right). 3. 1) 21 ÷ 3 + (3 × 9) × 9 + 5 2) 18 ÷ 6 × (4 - 3) + 6 4. 5. 6. 7. 3) 14 - 8 + 3 + 8 × (24 ÷ 8) 4) 4 × 5 + (14 + 8) - 36 ÷ 9 8. 9. 10. 5) (17 - 7) × 6 + 2 + 56 - 8 6) (28 ÷ 4 ) + 3 + ( 10 - 8 ) × 5 7) 12 - 5 + 6 × 3 + 20 ÷ 4 8) 36 ÷ 9 + 48 - 10 ÷ 2 9) 10 + 8 × 90 ÷ 9 - 4 10) 8 × 3 + 70 ÷ 7 - 7 1-10 90 80 70 60 50 40 30 20 10 0 Math www.CommonCoreSheets.com 1 Solving Problems Using Order of Operations Name: Answer Key Solve the following problems using the order of operations. Answers Step 1: Parenthesis () Solve all problems in parenthesis FIRST. 1. 255 Step 2: Exponents 2,3,4 Next solve any numbers that have exponents. 2. 9 Step 3: Multiply or Divide ×, ÷ Then solve any multiplication or division problems (going from left to right). Step 4: Add or Subtract +, - Finally solve any addition or subtraction problems (going from left to right). 3. 33 1) 21 ÷ 3 + (3 × 9) × 9 + 5 2) 18 ÷ 6 × (4 - 3) + 6 4.
    [Show full text]
  • 2. Recoding Variables in CREATE
    01/06/98 2. Recoding Variables in CREATE 2.1 Overview This chapter covers the most common statements appearing in the recode section of the CREATE step. Additional statements and features are described in Volume III. Section 2.2 describes arithmetic assignment statements and elementary arithmetic operations in VPLX. In fact, they barely need introduction, since they are essentially identical to conventions of SAS and Fortran 90. Almost equally familiar are the functions in section 2.3, which may be used in arithmetic assignment statements. Section 2.4 introduces set assignment statements, which do not have a ready analogue in either SAS or Fortran (1). These statements are generally not required for simple applications, but they facilitate operations on a series of variables. Many aspects of the VPLX syntax employ the notion of sets, denoted by standard set notation, “{ }”. Section 2.5 describes conditional statements in VPLX. These statements follow almost identically the syntax of Fortran 90, including the enhancements to FORTRAN 77 (2) to allow use of symbols (“>”, “<”, etc.) expressing arithmetic relations. Section 2.6 describes the PRINT statement, which already appeared in examples in Chapter 1. For completeness, section 2.7 describes specialized functions, including MISSING. These functions are more complex than those in section 2.3 and are required less frequently. The reader may thus regard this section as optional. 2.2 Familiar Arithmetic Assignment Statements SAS, FORTRAN 77 (except for semicolons), and Fortran 90 (with optional semicolons) follow the same basic syntax for arithmetic assignment statements. Although there are some important differences between statements of a computer language and equations in conventional mathematical notation (3), generally the languages follow mathematics closely.
    [Show full text]
  • Horadam Sequences: a Survey Update and Extension
    Volume 80 BULLETIN of the May 2017 INSTITUTE of COMBINATORICS and its APPLICATIONS Editors-in-Chief: Marco Buratti, Don Kreher, Tran van Trung Boca Raton, Florida ISSN: 1183-1278 BULLETIN OF THE ICA Volume 80 (2017), Pages 99{118 Horadam Sequences: A Survey Update and Extension Peter J. Larcombe Department of Computing and Mathematics College of Engineering and Technology University of Derby Kedleston Road, Derby DE22 1GB, U.K. [email protected] Abstract We give an update on work relating to Horadam sequences that are generated by a general linear recurrence formula of order two. This article extends a first ever survey published in early 2013 in this Bulletin, and includes coverage of a new research area opened up in recent times. 1 Introduction 1.1 Preamble Looking back over time we can see that, within the vast and ill-defined field of applied mathematics, the advent of serious computing power in the 1970s began to accelerate a then already discernible breach between classic analytical mathematics (concentrating on problems and theories involving continuous phenomena) and that which tackled discrete concepts and en- tities. The latter has, over the last sixty years or so, developed its own characteristics and subject personality—aided en route by increased expo- sure to software tools/languages—and it is in this broad sphere of what 99 Accepted: 15 March 2017 is nowadays known as discrete mathematics that the theory of integer se- quences lies, with many applications now found in number theory and com- binatorics to name but two
    [Show full text]
  • Operator Precedence in Arithmetic1
    Operator Precedence in Arithmetic1: Figure 1: ‘Arithmetic,’ can be defined as ‘[the science of] numbers, and the operations performed on numbers.’ 2 Introduction: Conventional Arithmetic possesses rules for the order of operations. Which operations ought we to evaluate first? In what order ought we to evaluate operations? This is the topic that this chapter wishes to address. ‘Precedence,’ is also sometimes referred to as ‘the order of operations.’ 1 The Etymology of the English mathematical term, ‘arithmetic,’ is as follows. The English adjective, ‘arithmetic,’ is derived from the Latin 1st-and-2nd-declension adjective, ‘arithmētica, arithmēticus, arithmēticum.’ Further, the Latin adjective, ‘arithmēticus,’ is derived from the Ancient-Greek phrase, ἀριθμητικὴ τέξνη or, when transliterated, ‘arithmētikḕ téchne,’ which means ‘the art of counting;’ ‘the skill of counting;’ ‘the science of counting.’ ὁ ἀριθμός genitive: τοῦ ἀριθμοῦ, or–when transliterated: ‘ho arithmós,’ genitive: ‘toũ arithmoũ,’–is a 2nd-declension Ancient-Greek noun that means ‘number,’ ‘numeral,’ Cf. ‘ἀριθμός#Ancient_Greek,’ Wiktionary (last modified: 7th September 2018, at 17:57.), https://en.wiktionary.org/wiki/ἀριθμός#Ancient_Greek , accessed 29th April 2019. 2 Cf. ‘arithmetic,’ Wiktionary (last modified: 25th April 2019, at 04:45.), https://en.wiktionary.org/wiki/arithmetic , accessed 29th April 2019. 1 | Page Body: The Etymological Definition of ‘Precedence:’ Our English noun, ‘precedence,’ is derived from the Latin substantive participle, ‘praecēdentia.3’ ‘Praecēdentia,’
    [Show full text]
  • Expressions & I/O 2.14 Arithmetic Operators Arithmetic Operators
    Expressions & I/O 2.14 Arithmetic Operators l An operator is a symbol that tells the computer Unit 2 to perform specific mathematical or logical manipulations (called operations). Sections 2.14, 3.1-10, 5.1, 5.11 l An operand is a value used with an operator to CS 1428 perform an operation. Fall 2017 l C++ has unary and binary operators: Jill Seaman ‣ unary (1 operand) -5 ‣ binary (2 operands) 13 - 7 1 2 Arithmetic Operators Integer Division l Unary operators: • If both operands are integers, / (division) operator always performs integer division. SYMBOL OPERATION EXAMPLES The fractional part is lost!! + unary plus +10, +y - negation -5, -x cout << 13 / 5; // displays 2 cout << 91 / 7; // displays 13 l Binary operators: SYMBOL OPERATION EXAMPLE • If either operand is floating point, the result is + addition x + y floating point. - subtraction index - 1 * multiplication hours * rate cout << 13 / 5.0; // displays 2.6 / division total / count cout << 91.0 / 7; // displays 13 % modulus count % 3 3 4 Modulus 3.1 The cin Object • % (modulus) operator computes the l cin: short for “console input” remainder resulting from integer division ‣ a stream object: represents the contents of the screen that are entered/typed by the user using the keyboard. cout << 13 % 5; // displays 3 ‣ requires iostream library to be included cout << 91 % 7; // displays 0 l >>: the stream extraction operator ‣ use it to read data from cin (entered via the keyboard) • % requires integers for both operands cin >> height; cout << 13 % 5.0; // error ‣ when this instruction is executed, it waits for the user to type, it reads the characters until space or enter (newline) is typed, cout << 91.0 % 7; // error then it stores the value in the variable.
    [Show full text]
  • Order of Operations
    Mathematics Instructional Plan – Grade 5 Order of Operations Strand: Computation and Estimation Topic: Applying the order of operations. Primary SOL: 5.7 The student will simplify whole number numerical expressions using the order of operations.* * On the state assessment, items measuring this objective are assessed without the use of a calculator. Related SOL: 5.4 Materials Tiling Puzzle activity sheet (attached) Digit Tiles activity sheet (attached) Four 4s activity sheet (attached) Paper or plastic tiles Vocabulary expression, operation, order of operations, parentheses Student/Teacher Actions: What should students be doing? What should teachers be doing? Note: The order of operations is a convention agreed upon by mathematicians and defines the computation order to follow in simplifying an expression. An expression, like a phrase, has no equal sign. Expressions are simplified by using the order of operations. The order of operations is as follows: o First, complete all operations in parentheses (grouping symbols). o Second, multiply and/or divide, whichever comes first, in order from left to right. o Third, add and/or subtract whichever comes first, in order from left to right. 1. Have students find the answer to 5 + 3 × 7. Ask students to share their answers and record their ideas on the board. Likely answers are 26 or 56. Ask students to explain how someone might have gotten 56; then ask how someone might have gotten 26. Next, ask, “Do you think it is OK to have two different answers to this problem?” Allow students to discuss. Next, say, “Mathematicians many years ago realized the confusion it would cause to have more than one answer.
    [Show full text]
  • Operator Precedence Lab
    Operator Precedence Lab Introduction Order of operations (also known as operator precedence) is a set of rules used to clarify the order in which procedures are performed in mathematical expressions. Similarly, operator precedence exists within computer programming and varies from programming language to programming language. Disregard or confusion about operator precedence has been the cause of many software malfunctions. In these cases, the mathematical operators are performed in an order contrary to what the software developer predicted and thus return an incorrect value. These errors can cause anything from the loss of hundreds of millions of dollars to forced rocket explosions. Review Below is a table outlining operator precedence in C++. Operations listed at the top of the table have the highest precedence while operations listed at the bottom of the table have the lowest precedence. The associativity of operations refers to the order with which operations of the same precedence are performed. In this table, operators in the same row have the same precedence. Precedence Operator Symbol Associativity 1 Scope resolution :: Left to right 2 Suffix/Postfix ++ -- Function Call () Array Subscripting [] Element selection by reference . Element selection through -> pointer 3 Prefix ++ -- Right to left Unary + - Logical NOT and bitwise NOT ! ~ Type cast (type) Indirection (dereference) * Address-of & Size-of sizeof Dynamic memory allocation new, new[] Dynamic memory deallocation delete, delete[] 4 Pointer to member .* ->* Left to right 5 Multiplication, division, * / % remainder 6 Addition, subtraction + - 7 Bitwise left shift and bitwise right << >> shift 8 Relational Operators < <= > >= 9 Equality == != 10 Bitwise AND & 11 Bitwise XOR ^ 12 Bitwise OR | 13 Logical AND && 14 Logical OR || 15 Assignment = Right-to-left Look at the following code: int foo() { int expr = 1; expr = 2 * expr++; return expr; } If a person looking at this code wasn’t aware of operator precedence, he or she might believe that the multiplication of 2 and expr happens first.
    [Show full text]
  • Algebraic Statements Are Used to Perform the Basic Mathematical Operations and Functions That Deal with Constants and Map Layers
    Introduction Syntax Operators Functions Order of Operations Mixed Mode Arithmetic VOID Data Introduction Map Layer Mathematics Algebraic statements are used to perform the basic mathematical operations and functions that deal with constants and map layers. This is known as Layer Math, or Overlay Math. Algebraic operators and functions are performed on every cell in a specified map layer. If a map layer is multiplied by 1000, then each cell in the input map layer will be multiplied by 1000. If one map layer is subtracted from another, then all common cells are subtracted. Using More Than One Map Layer in an Algebraic Statement All the map layers that appear in an algebraic statement must have the same cell resolution, orientation, and at least one common cell. These parameters can be determined from the Information window of each map layer. The Script Window Operators and functions are applied in the Script window. To open a new Script window select New Script from the Windows menu. Syntax and type conventions Using the Script window interface Syntax Algebraic statements follow the same convention as operation statements in the Script window. They begin by stating the name of the new map layer to be generated. This is followed by an “=” symbol and then an algebraic expression. © Copyright ThinkSpace Inc., 1998, Version 1 UG-ALG-1 Algebraic expressions can contain map names, operators, bracketing, and function names. An algebraic statement must contain at least one map layer name. The basic syntax is: newmap = expression; Algebraic statements can be complex. MFworks can handle complex, bracketed expressions that include multiple functions and operators, such as: map3 = map1 + (5.0 * SIN(map2)) / AVG(map2, 6); OR map4 = map3 * 3.1415 + MAX(map1, map2, map3); Note: Algebraic statements cannot contain map Operations.
    [Show full text]
  • Common Course Outline MATH 131 Concepts of Mathematics I: Numeration Systems and Operations 4 Semester Hours
    Common Course Outline MATH 131 Concepts of Mathematics I: Numeration Systems and Operations 4 Semester Hours Community College of Baltimore County Description Students will learn the concepts and principles of mathematics taught in elementary education. Topics include the origin of numbers, system of cardinal numbers, numeration systems, and principles underlying the fundamental operations. This is not a “methods in teaching” course. Prerequisites: (MATH 083 or MATH 101 or LVM3) or sufficient placement score; and ACLT 052 or ACLT 053. Overall Course Objectives Upon successfully completing the course students will be able to: 1. apply different problem solving techniques, including the use of calculators and/or other appropriate technology, to solve a variety of mathematical problems (both standard and non-standard) (I, III, IV, V, VI, 1, 4, 6, 7) 2. utilize inductive and deductive reasoning to solve problems, as appropriate (I, III, IV, VI, 1, 3, 4, 6, 7); 3. use set language, notation, and operations to work with various sets, both numerical and non- numerical (I, II, III, V, 1, 2); 4. illustrate the different relationships between sets using Venn diagrams (I, II, 1, 2); 5. compare and contrast decimal and non-decimal numeration systems from various cultures and periods in history using appropriate characteristics (i.e. number base, place value, position, zero, symbol) (III, V, 1, 3, 5); 6. illustrate general characteristics of numeration systems and their operations using various base systems (I, IV, VI, 1, 2, 4); 7. relate general numeration system characteristics to whole numbers, integers, and rational numbers (I, III, 1, 2); 8. perform arithmetic operations with whole numbers, integers, and rational numbers using algorithms, manipulatives, calculators, etc.
    [Show full text]