6

我在Coding Bat中做一些练习题,遇到了这个..

Given 3 int values, a b c, return their sum. However, if one of the values is the same as another of the values, it does not count towards the sum. 

lone_sum(1, 2, 3) → 6
lone_sum(3, 2, 3) → 2
lone_sum(3, 3, 3) → 0 

我的解决方案如下。

def lone_sum(a, b, c):
   sum = a+b+c
   if a == b:
     if a == c:
         sum -= 3 * a
     else:
         sum -= 2 * a
   elif b == c:
     sum -= 2 * b
   elif a == c:
     sum -= 2 * a
   return sum

有没有更蟒蛇的方式来做到这一点?

4

7 回答 7

13

另一种适用于任意数量参数的可能性:

from collections import Counter

def lone_sum(*args):
    return sum(x for x, c in Counter(args).items() if c == 1)

请注意,在 Python 2 中,您应该使用iteritems来避免构建临时列表。

于 2012-05-30T13:09:10.267 回答
8

对于任意数量的参数,一个更通用的解决方案是

def lone_sum(*args):
    seen = set()
    summands = set()
    for x in args:
        if x not in seen:
            summands.add(x)
            seen.add(x)
        else:
            summands.discard(x)
    return sum(summands)
于 2012-05-30T13:04:59.600 回答
8

怎么样:

def lone_sum(*args):
      return sum(v for v in args if args.count(v) == 1)
于 2012-05-30T14:12:13.427 回答
3

可以使用 defaultdict 筛选出多次出现的任何元素。

from collections import defaultdict

def lone_sum(*args):
  d = defaultdict(int)
  for x in args:
    d[x] += 1

  return sum( val for val, apps in d.iteritems() if apps == 1 )
于 2012-05-30T13:10:07.640 回答
1
def lone_sum(a, b, c):
    z = (a,b,c)
    x = []
    for item in z:
        if z.count(item)==1:
            x.append(item)
    return sum(x)
于 2019-02-16T15:50:29.883 回答
0

我在 Codingbat 上试过这个,但它不起作用,虽然它在代码编辑器上起作用。

def lone_sum(a, b, c): s = set([a,b,c]) 返回 sum(s)

于 2020-06-05T04:11:04.243 回答
0

与您所拥有的方法非常相似:

def lone_sum(a, b, c):

  if a != b and b != c and c != a:
    return a + b + c

  elif a == b == c:
    return 0 

  elif a == b:
    return c
  elif b == c:
    return a
  elif c == a:
    return b

因为如果 2 个值相同,代码将自动返回剩余的值。

于 2020-06-15T13:36:37.280 回答