算術運算是對數值資料型別進行的數學計算。以下是Python允許的算術運算。
加法 ( )
#減法 (-)
#乘法 (*)
#Division (/)
#地板除法 (//)
Modulo (%)
指數運算 (**)
有幾種方法可以從字串中計算算術運算。讓我們逐一來看。
在Python中,eval()函數會評估作為字串傳遞的表達式,並傳回結果。我們可以使用這個函數來計算字串中的算術運算。
在這個方法中,eval() 函數評估表達式"2 3 * 4 - 6 / 2"並傳回結果,然後將結果儲存在變數"result"中。
def compute_operation(expression): result = eval(expression) return result expression = "2 + 3 * 4 - 6 / 2" result = compute_operation(expression) print("The result of the given expression:",result)
The result of the given expression: 11.0
如果我們希望對解析和評估過程有更多的控制,我們可以實現自己的算術解析和評估邏輯。這種方法涉及將字串表達式分割為單一操作數和運算符,對它們進行解析,並相應地執行算術運算。
在這個例子中,表達式使用split()方法被分割成單一的標記。然後,根據操作符字典中指定的算術運算符,逐一解析和評估這些標記。透過將適當的操作符應用於累積的結果和當前操作數,計算出結果。
def compute_operation(expression): operators = {'+': lambda x, y: x + y, '-': lambda x, y: x - y, '*': lambda x, y: x * y, '/': lambda x, y: x / y} tokens = expression.split() result = float(tokens[0]) for i in range(1, len(tokens), 2): operator = tokens[i] operand = float(tokens[i+1]) result = operators[operator](result, operand) return result expression = "2 + 3 * 4 - 6 / 2" result = compute_operation(expression) print("The result of given expression",result)
The result of given expression 7.0
在Python中,我們有operator模組,它提供了與內建Python運算子對應的函數。我們可以使用這些函數根據字串表達式中的運算子執行算術運算。
在這個範例中,我們定義了一個字典,將操作符對應到它們在operator模組中對應的函數。我們將表達式分割成標記,其中操作符和操作數被分開。然後,我們遍歷這些標記,將對應的操作符函數應用於結果和下一個操作數。
import operator expression = "2 + 3 * 4" ops = { '+': operator.add, '-': operator.sub, '*': operator.mul, '/': operator.truediv, } tokens = expression.split() result = int(tokens[0]) for i in range(1, len(tokens), 2): operator_func = ops[tokens[i]] operand = int(tokens[i + 1]) result = operator_func(result, operand) print("The arithmetic operation of the given expression:",result)
The arithmetic operation of the given expression: 20
以上是Python程式用於從字串中計算算術操作的詳細內容。更多資訊請關注PHP中文網其他相關文章!