题目地址:https://leetcode.com/problems/baseball-game/description/open in new window

题目描述

You're now a baseball game point recorder.

Given a list of strings, each string can be one of the 4 following types:

1、 Integer(oneround'sscore):Directlyrepresentsthenumberofpointsyougetinthisround.;
2、 "+"(oneround'sscore):Representsthatthepointsyougetinthisroundarethesumofthelasttwovalidround'spoints.;
3、 "D"(oneround'sscore):Representsthatthepointsyougetinthisroundarethedoubleddataofthelastvalidround'spoints.;
4、 "C"(anoperation,whichisn'taround'sscore):Representsthelastvalidround'spointsyougetwereinvalidandshouldberemoved.;

Each round's operation is permanent and could have an impact on the round before and the round after.

Youneed to return the sum of the points you could get in all the rounds.

Example 1:

Input: ["5","2","C","D","+"]
Output: 30
Explanation: 
Round 1: You could get 5 points. The sum is: 5.
Round 2: You could get 2 points. The sum is: 7.
Operation 1: The round 2's data was invalid. The sum is: 5.  
Round 3: You could get 10 points (the round 2's data has been removed). The sum is: 15.
Round 4: You could get 5 + 10 = 15 points. The sum is: 30.

Example 2:

Input: ["5","-2","4","C","D","9","+","+"]
Output: 27
Explanation: 
Round 1: You could get 5 points. The sum is: 5.
Round 2: You could get -2 points. The sum is: 3.
Round 3: You could get 4 points. The sum is: 7.
Operation 1: The round 3's data is invalid. The sum is: 3.  
Round 4: You could get -4 points (the round 3's data has been removed). The sum is: -1.
Round 5: You could get 9 points. The sum is: 8.
Round 6: You could get -4 + 9 = 5 points. The sum is 13.
Round 7: You could get 9 + 5 = 14 points. The sum is 27.

Note:

1、 Thesizeoftheinputlistwillbebetween1and1000.;
2、 Everyintegerrepresentedinthelistwillbebetween-30000and30000.;

题目大意

模拟棒球游戏,游戏规则是:

1、 如果是数字,那么代表本局得分;
2、 如果是"+",代表本局得分是前两局的和;
3、 如果是"C",代表上一轮的得分是无效的;
4、 如果是"D",代表本轮得分是上一轮的二倍;

解题方法

使用栈模拟

这个题貌似困难,其实只要用了一个栈就很简单了。

只需要判断本局的操作,然后对应的移除栈顶、栈顶翻倍、栈顶求和、数字进栈等等。最后对栈的所有元素进行求和。

class Solution(object):
    def calPoints(self, ops):
        """
        :type ops: List[str]
        :rtype: int
        """
        valid = []
        for op in ops:
            if op == 'C':
                valid.pop()
            elif op == 'D':
                valid.append(valid[-1] * 2)
            elif op == '+':
                valid.append(valid[-1] + valid[-2])
            else:
                valid.append(int(op))
        return sum(valid)

1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17

DDKK.COM 弟弟快看-教程,程序员编程资料站,版权归原作者所有

本文经作者:负雪明烛 授权发布,任何组织或个人未经作者授权不得转发