Complete-Preparation

πŸŽ‰ One-stop destination for all your technical interview Preparation πŸŽ‰

View the Project on GitHub

682. Baseball Game 🌟🌟

You are keeping score for a baseball game with strange rules. The game consists of several rounds, where the scores of past rounds may affect future rounds’ scores.

At the beginning of the game, you start with an empty record. You are given a list of strings ops, where ops[i] is the ith operation you must apply to the record and is one of the following:

Stack Solution

Code

class Solution {
public:
    int calPoints(vector<string>& ops) {
        stack<int> st;
        int sum = 0;
        for (auto op : ops) {
            if (op == "C") {
                sum -= st.top();
                st.pop();
            } else if (op == "D") {
                st.push(st.top() * 2);
                sum += st.top();
            } else if (op == "+") {
                int a = st.top();
                st.pop();
                int b = st.top();
                st.push(a);
                st.push(a + b);
                sum += a + b;
            } else {
                st.push(stoi(op));
                sum += stoi(op);
            }
        }
        return sum;
    }
};