如何随机选择数学运算符并用它来回答重复的数学问题?

时间:2014-10-08 15:39:05

标签: python math random

我有一个简单的数学任务,我在执行时遇到问题,涉及随机导入。 这个想法是有10个随机生成的问题的测验。我使用random.randint函数得到的数字范围为(0,12),工作正常。下一步选择随机运算符我遇到了问题[' +',' - ',' *',&# 39 /'。]

我在学校有更复杂的编码,但这是我的实践,我需要的是能够随机创建问题并提出问题,同时也能够自己回答以确定给出的答案是否是正确。 这是我的代码:

import random

ops = ['+', '-', '*', '/']
num1 = random.randint(0,12)
num2 = random.randint(0,10)
operation = random.choice(ops)

print(num1)
print(num2)
print(operation)

maths = num1, operation, num2

print(maths)

截至目前,我的输出有点搞砸了。 例如:

3
6
*
(3, '*', 6)

显然,它无法确定(3,' *',6)的答案。我将此操作转换为我的其他程序中的子程序,但它需要先工作!

请原谅我,如果做得不好,这是我在学校完成的任务的快速再现,而且我对这方面的知识有限也很新。提前谢谢!

3 个答案:

答案 0 :(得分:18)

如何制作一个字典,将运算符的字符(例如' +')映射到运算符(例如operator.add)。然后对其进行采样,格式化您的字符串,然后执行操作。

import random
import operator

生成随机数学表达式

def randomCalc():
    ops = {'+':operator.add,
           '-':operator.sub,
           '*':operator.mul,
           '/':operator.truediv}
    num1 = random.randint(0,12)
    num2 = random.randint(1,10)   # I don't sample 0's to protect against divide-by-zero
    op = random.choice(list(ops.keys()))
    answer = ops.get(op)(num1,num2)
    print('What is {} {} {}?\n'.format(num1, op, num2))
    return answer

询问用户

def askQuestion():
    answer = randomCalc()
    guess = float(input())
    return guess == answer

最后进行多题测验

def quiz():
    print('Welcome. This is a 10 question math quiz\n')
    score = 0
    for i in range(10):
        correct = askQuestion()
        if correct:
            score += 1
            print('Correct!\n')
        else:
            print('Incorrect!\n')
    return 'Your score was {}/10'.format(score)

一些测试

>>> quiz()
Welcome. This is a 10 question math quiz

What is 8 - 6?
2
Correct!

What is 10 + 6?
16
Correct!

What is 12 - 1?
11
Correct!

What is 9 + 4?
13
Correct!

What is 0 - 8?
-8
Correct!

What is 1 * 1?
5
Incorrect!

What is 5 * 8?
40
Correct!

What is 11 / 1?
11
Correct!

What is 1 / 4?
0.25
Correct!

What is 1 * 1?
1
Correct!

'Your score was 9/10'

答案 1 :(得分:0)

使用运营商列表,例如operator = [' +',' ',' - ',' /'] 然后你可以使用 然后你可以在列表上使用随机选择来调用随机运算符(+, - ,,/)x =(random.choice(operator)) 最后你需要转换你的num1& num2到字符串 像这样的eval(str(num1)+ x + str(num2))这应该使你的测验完全随机

答案 2 :(得分:-5)

Python中有一个名为eval()的函数,用于计算包含数学表达式的字符串。

import random

ops = ['+', '-', '*', '/']
num1 = random.randint(0,12)
num2 = random.randint(0,10)
operation = random.choice(ops)

print(num1)
print(num2)
print(operation)

maths = eval(str(num1) + operation + str(num2))

print(maths)

您需要将您的数字转换为字符串,因为该功能需要类似字符串' 4 * 2',' 3 + 1'等等。