ตัวเลขผลรวมในรายการ แต่เปลี่ยนเครื่องหมายหลังจากพบศูนย์


9

ฉันต้องรวมตัวเลขทั้งหมดในรายการ หาก 0 เกิดขึ้นเริ่มลบจนกระทั่งอีก 0 เริ่มต้นเพิ่ม

ตัวอย่างเช่น:

[1, 2, 0, 3, 0, 4] -> 1 + 2 - 3 + 4 = 4
[0, 2, 1, 0, 1, 0, 2] -> -2 - 1 + 1 - 2 = -4
[1, 2] -> 1 + 2 = 3
[4, 0, 2, 3] = 4 - 2 - 3 = -1

นี่คือสิ่งที่ฉันได้ลอง:

sss = 0

for num in numbers:
    if 0 == num:
        sss = -num
    else:
        sss += num
return sss

คำตอบ:


17

เปลี่ยนเครื่องหมายเมื่อองค์ประกอบของรายการเท่ากับ 0

result = 0
current_sign = 1
for element in your_list:
    if element == 0:
       current_sign *= -1
    result += current_sign*element

2

นี่คือโซลูชันที่วนรอบระหว่างตัวดำเนินการสองตัว (การบวกและการลบ) เมื่อใดก็ตามที่ค่าในรายการเป็นศูนย์:

from operator import add, sub
from itertools import cycle

cycler = cycle([add, sub])
current_operator = next(cycler)

result = 0
my_list = [1, 2, 0, 3, 0, 4]

for number in my_list:
    if number == 0:
        current_op = next(cycler)
    else:
        result = current_operator(result, number)

1

ลองสิ่งนี้:

d = [1, 2, 0, 3, 0, 4]

sum = 0
sign = False
for i in d:
    if i == 0:
        if sign == False:
            sign = True
        else:
            sign = False
    else:
        if sign == False:
            sum += i
        else:
            sum -= i
print(sum)

แทนที่จะของคุณถ้าประโยคหนึ่งในคุณก็สามารถใช้if i == 0: sign = not signดูrepl.it/repls/RigidCrazyDeletions
Jab

1
ยังไม่เขียนทับsumฟังก์ชั่นbuiltin !! ฉันคิดว่านั่นเป็นเหตุผลที่ OP ใช้sssแทนsum
Jab

1

อีกรูปแบบหนึ่งที่มีoperatorโมดูลและการลบล้างระดับบิต~:

import operator

def accum_on_zero(lst):
    res = 0
    ops, pos = (operator.add, operator.sub), 0
    for i in lst:
        if i == 0:
            pos = ~pos
        res = ops[pos](res, i)
    return res


print(accum_on_zero([1, 2, 0, 3, 0, 4]))     # 4
print(accum_on_zero([0, 2, 1, 0, 1, 0, 2]))  # -4 

โดยการใช้ไซต์ของเรา หมายความว่าคุณได้อ่านและทำความเข้าใจนโยบายคุกกี้และนโยบายความเป็นส่วนตัวของเราแล้ว
Licensed under cc by-sa 3.0 with attribution required.