计算太阳角度代码

时间:2018-06-20 04:42:07

标签: python

我的目标是编写一个代码来测量太阳的角度,该角度在6:00处的角度为0,在18:00处的角度为180度。我试图使时间输入一个字符串,然后遍历其字符并挑选出整数,然后以避免冒号的方式将其放入列表。看来这仍然是一个问题。有人可以告诉我这段代码有什么问题吗?为什么我不断收到“不受支持的操作数类型错误”?

def sun_angle(time):

    lis = []
    time = str(time)
    for i in time:
        if i.isdigit():
            lis.append(i)
        else: 
            continue
    a = int(lis[0]*10 + lis[1] + ((lis[2] + lis[3])/60))
    b = a - 6
    if b < 6 or b > 18:
        return "I can't see the sun!"
    else:
        return b * 15
print(sun_angle("12:12"))

4 个答案:

答案 0 :(得分:1)

Michael's answer is a great explanation for why what you're doing isn't working (need to convert string to int before manipulating with * and +).

However, there are a lot of ways to parse the time that will be easier to work with than what you're doing here. I'd consider splitting and then parsing the two parts, or you could use the datetime library for more complexity:

# option 1
def parse_time_as_hour(time_str):
  hour_str, min_str = time_str.split(':')
  return int(hour_str) + int(min_str) / 60.0

# option 2
import datetime
def parse_time_as_hour(time_str):
  parsed = datetime.datetime.strptime(time_str, '%H:%M')
  return parsed.hour + parsed.minute / 60.0

def sun_angle(time):
  fractional_hour = parse_time_as_hour(time)
  if fractional_hour < 6 or fractional_hour >= 18:
    return "I can't see the sun!"
  else:
    return (fractional_hour - 6) * 15

答案 1 :(得分:0)

如果将上述类似的行更改为:

a = int(lis[0]) * 10 + int(lis[1]) + ((int(lis[2]) + int(lis[3]))/60)

然后您得到结果。该行的问题是您正在混合intstr类型。而且,由于您已经传递了字符串,因此可以将time = str(time)更改为time = time。将time强制转换为字符串是多余的。

答案 2 :(得分:0)

Your error line is:

a = int(lis[0]*10 + lis[1] + ((lis[2] + lis[3])/60))

since time is a string type

def sun_angle(time):

    lis = []
    time = str(time)
    for i in time:
        if i.isdigit():
            lis.append(int(i)) #cast it to type int
        else: 
            continue
    a = int(lis[0]*10 + lis[1] + ((lis[2] + lis[3])/60))
    b = a - 6
    if b < 0 or b >= 12:
        return "I can't see the sun!"
    else:
        return b * 15
print(sun_angle("12:12"))

output: 90

答案 3 :(得分:0)

在计算lis[i]的值时,需要将a强制转换为整数。 07:00表示太阳升起,您的逻辑失败,而18:01表示太阳降落。

def sun_angle(time_):
    lis = []
    time_ = str(time_)
    for i in time_:
        if i.isdigit():
            lis.append(i)
        else: 
            continue
    a = int(lis[0])*10 
    a += int(lis[1]) 
    bb = (int(lis[2])*10 + int(lis[3]))
    #print a
    #print bb
    #b = a - 6
    if (a < 6 or a > 18) or (a == 18  and bb > 0):
        return "I can't see the sun!"
    else:
        return (float(a)-6.0) * 15.0 + (15.0*float(bb))/60.0
相关问题