如何在python中为变量显示加号

Dom*_*aft 0 python binomial-coefficients python-2.7

我目前正在研究Python中的程序,它将三项式方程式分解为二项式方程.然而,问题是每当我计算二项式时,如果它是正数,那么+符号就不会出现.例如,当我为b输入2和为c输入-15时,我得到输出

二项式是:(x-3)(x5)

如您所见,+符号未显示第二个二项式.我怎样才能解决这个问题?

这是我的代码:

import math
print " This program will find the binomials of an equation."
a = int(raw_input('Enter the first coefficient'))
b = int(raw_input('Enter the second coefficient'))
c = int(raw_input('Enter the third term'))
firstbinomial=str(int((((b*-1)+math.sqrt((b**2)-(4*a*c)))/(2*a))*-1))
secondbinomial=str(int((((b*-1)-math.sqrt((b**2)-(4*a*c)))/(2*a))*-1))  
print"The binomials are: (x"+firstbinomial+")(x"+secondbinomial")"
Run Code Online (Sandbox Code Playgroud)

我试过做:

import math
    print " This program will find the binomials of an equation."
    a = int(raw_input('Enter the first coefficient'))
    b = int(raw_input('Enter the second coefficient'))
    c = int(raw_input('Enter the third term'))
    firstbinomial=str(int((((b*-1)+math.sqrt((b**2)-(4*a*c)))/(2*a))*-1))
if firstbinomial<=0:
     sign=""
else:
     sign="+"
    secondbinomial=str(int((((b*-1)-math.sqrt((b**2)-(4*a*c)))/(2*a))*-1))  
if secondbinomial<=0:
     sign=""
else:
     sign="+"
    print"The binomials are: (x"+sign+firstbinomial+")(x"+sign+secondbinomial")"
Run Code Online (Sandbox Code Playgroud)

但是我最终得到了:

二项式是:(x + -3)(x + 5)

Mar*_*ers 6

您需要使用字符串格式来显示正号,或者+在字符串中明确使用:

firstbinomial =  (((b * -1) + math.sqrt((b ** 2) - (4 * a * c))) / (2 * a)) * -1
secondbinomial = (((b * -1) - math.sqrt((b ** 2) - (4 * a * c))) / (2 * a)) * -1

print "The binomials are: (x{:+.0f})(x{:+.0f})".format(firstbinomial, secondbinomial)

# prints "The binomials are: (x-3)(x+5)"
Run Code Online (Sandbox Code Playgroud)

(将值保留为浮点数但格式不带小数点),或者

print "The binomials are: (x+{})(x+{})".format(firstbinomial, secondbinomial)

# prints "The binomials are: (x+-3)(x+5)"
Run Code Online (Sandbox Code Playgroud)

-只显示因为负值总是印有其标志.