LeetCode //C - 736. Parse Lisp Expression

736. Parse Lisp Expression

You are given a string expression representing a Lisp-like expression to return the integer value of.

The syntax for these expressions is given as follows.

  • An expression is either an integer, let expression, add expression, mult expression, or an assigned variable. Expressions always evaluate to a single integer.
  • (An integer could be positive or negative.)
  • A let expression takes the form “ ( l e t   v 1 e 1 v 2 e 2 . . . v n e n e x p r ) (let \ v_1 e_1 v_2 e_2 ... v_n e_n expr) (let v1e1v2e2...vnenexpr)”, where let is always the string “let”, then there are one or more pairs of alternating variables and expressions, meaning that the first variable v 1 v_1 v1 is assigned the value of the expression e 1 e_1 e1, the second variable v 2 v_2 v2 is assigned the value of the expression e 2 e_2 e2, and so on sequentially; and then the value of this let expression is the value of the expression expr.
  • An add expression takes the form “ ( a d d   e 1 e 2 ) (add \ e_1 e_2) (add e1e2)” where add is always the string “add”, there are always two expressions e 1 e_1 e1, e 2 e_2 e2 and the result is the addition of the evaluation of e 1 e_1 e1 and the evaluation of e 2 e_2 e2.
  • A mult expression takes the form “ ( m u l t   e 1 e 2 ) (mult \ e_1 e_2) (mult e1e2)” where mult is always the string “mult”, there are always two expressions e 1 e_1 e1, e 2 e_2 e2 and the result is the multiplication of the evaluation of e 1 e_1 e1 and the evaluation of e 2 e_2 e2.
  • For this question, we will use a smaller subset of variable names. A variable starts with a lowercase letter, then zero or more lowercase letters or digits. Additionally, for your convenience, the names “add”, “let”, and “mult” are protected and will never be used as variable names.
  • Finally, there is the concept of scope. When an expression of a variable name is evaluated, within the context of that evaluation, the innermost scope (in terms of parentheses) is checked first for the value of that variable, and then outer scopes are checked sequentially. It is guaranteed that every expression is legal. Please see the examples for more details on the scope.
     
Example 1:

Input: expression = “(let x 2 (mult x (let x 3 y 4 (add x y))))”
Output: 14
Explanation: In the expression (add x y), when checking for the value of the variable x,
we check from the innermost scope to the outermost in the context of the variable we are trying to evaluate.
Since x = 3 is found first, the value of x is 3.

Example 2:

Input: expression = “(let x 3 x 2 x)”
Output: 2
Explanation: Assignment in let statements is processed sequentially.

Example 3:

Input: expression = “(let x 1 y 2 x (add x y) (add x y))”
Output: 5
Explanation: The first (add x y) evaluates as 3, and is assigned to x.
The second (add x y) evaluates as 3+2 = 5.

Constraints:
  • 1 <= expression.length <= 2000
  • There are no leading or trailing spaces in expression.
  • All tokens are separated by a single space in expression.
  • The answer and all intermediate calculations of that answer are guaranteed to fit in a 32-bit integer.
  • The expression is guaranteed to be legal and evaluate to an integer.

From: LeetCode
Link: 736. Parse Lisp Expression


Solution:

Ideas:
  • Recursive Parser: Uses recursive descent parsing to handle nested Lisp expressions with proper tokenization
  • Scope Stack Management: Maintains a stack of scopes where each scope contains variable-value pairs, with new scopes pushed for each let expression
  • Variable Lookup Order: Searches for variables from innermost to outermost scope, and within each scope searches backwards to get the most recent assignment
  • Expression Types: Handles four types - numbers (return value), variables (lookup value), binary operations (add/mult), and let expressions
  • Sequential Assignment: The critical fix was ensuring that within the same let expression, later variable assignments override earlier ones (e.g., in (let x 3 x 2 x), the second x 2 overrides x 3)
  • Memory Management: Properly allocates and frees tokens during parsing to avoid memory leaks
Code:
// Structure to represent variable-value pairs in scope
typedef struct {
    char var[100];
    int val;
} VarVal;

// Structure to represent a scope (list of variable-value pairs)
typedef struct {
    VarVal vars[100];
    int count;
} Scope;

// Global scope stack
Scope scopes[100];
int scopeCount = 0;

// Function to add a variable to current scope
void addVar(char* var, int val) {
    strcpy(scopes[scopeCount-1].vars[scopes[scopeCount-1].count].var, var);
    scopes[scopeCount-1].vars[scopes[scopeCount-1].count].val = val;
    scopes[scopeCount-1].count++;
}

// Function to lookup a variable value (from innermost to outermost scope)
// Within each scope, we need to find the LAST occurrence of the variable
int lookupVar(char* var) {
    for (int i = scopeCount - 1; i >= 0; i--) {
        // Search backwards within the scope to get the most recent assignment
        for (int j = scopes[i].count - 1; j >= 0; j--) {
            if (strcmp(scopes[i].vars[j].var, var) == 0) {
                return scopes[i].vars[j].val;
            }
        }
    }
    return 0; // Should never reach here for valid expressions
}

// Function to push a new scope
void pushScope() {
    scopes[scopeCount].count = 0;
    scopeCount++;
}

// Function to pop current scope
void popScope() {
    scopeCount--;
}

// Function to check if a string is a number
int isNumber(char* str) {
    int i = 0;
    if (str[0] == '-') i = 1;
    if (str[i] == '\0') return 0;
    while (str[i] != '\0') {
        if (!isdigit(str[i])) return 0;
        i++;
    }
    return 1;
}

// Function to parse and evaluate expression
int parseExpression(char* expr, int* pos);

// Function to get next token
char* getNextToken(char* expr, int* pos) {
    // Skip whitespace
    while (expr[*pos] == ' ') (*pos)++;
    
    if (expr[*pos] == '\0') return NULL;
    
    int start = *pos;
    
    if (expr[*pos] == '(' || expr[*pos] == ')') {
        (*pos)++;
        char* token = (char*)malloc(2);
        token[0] = expr[start];
        token[1] = '\0';
        return token;
    }
    
    // Read until space or parenthesis
    while (expr[*pos] != '\0' && expr[*pos] != ' ' && expr[*pos] != '(' && expr[*pos] != ')') {
        (*pos)++;
    }
    
    int len = *pos - start;
    char* token = (char*)malloc(len + 1);
    strncpy(token, expr + start, len);
    token[len] = '\0';
    return token;
}

int parseExpression(char* expr, int* pos) {
    char* token = getNextToken(expr, pos);
    
    if (token == NULL) return 0;
    
    // If it's a number, return its value
    if (isNumber(token)) {
        int val = atoi(token);
        free(token);
        return val;
    }
    
    // If it's not '(', it must be a variable
    if (strcmp(token, "(") != 0) {
        int val = lookupVar(token);
        free(token);
        return val;
    }
    
    free(token);
    
    // It's a '(', so we expect an operation
    char* op = getNextToken(expr, pos);
    
    if (strcmp(op, "add") == 0) {
        int val1 = parseExpression(expr, pos);
        int val2 = parseExpression(expr, pos);
        // Skip closing ')'
        char* closing = getNextToken(expr, pos);
        free(closing);
        free(op);
        return val1 + val2;
    }
    else if (strcmp(op, "mult") == 0) {
        int val1 = parseExpression(expr, pos);
        int val2 = parseExpression(expr, pos);
        // Skip closing ')'
        char* closing = getNextToken(expr, pos);
        free(closing);
        free(op);
        return val1 * val2;
    }
    else if (strcmp(op, "let") == 0) {
        pushScope();
        
        // Parse variable-value pairs until we hit the final expression
        while (1) {
            // Check if next token starts an expression (either '(' or a number or final variable)
            int savedPos = *pos;
            char* nextToken = getNextToken(expr, pos);
            *pos = savedPos; // Reset position
            
            // If it's '(' or a number, it's the final expression
            if (strcmp(nextToken, "(") == 0 || isNumber(nextToken)) {
                free(nextToken);
                break;
            }
            
            // Check if it's the final variable by looking ahead
            int tempPos = *pos;
            char* var = getNextToken(expr, &tempPos);
            char* possibleExpr = getNextToken(expr, &tempPos);
            
            // If the next token after variable is ')', then this variable is the final expression
            if (strcmp(possibleExpr, ")") == 0) {
                free(var);
                free(possibleExpr);
                free(nextToken);
                break;
            }
            
            // Otherwise, it's a variable-value pair
            *pos = savedPos; // Reset position
            char* variable = getNextToken(expr, pos);
            int value = parseExpression(expr, pos);
            addVar(variable, value);
            
            free(variable);
            free(possibleExpr);
            free(nextToken);
        }
        
        // Parse the final expression
        int result = parseExpression(expr, pos);
        
        // Skip closing ')'
        char* closing = getNextToken(expr, pos);
        free(closing);
        
        popScope();
        free(op);
        return result;
    }
    
    free(op);
    return 0;
}

int evaluate(char* expression) {
    scopeCount = 0;
    int pos = 0;
    return parseExpression(expression, &pos);
}
### 回答1: 好的,我来用中文回复这个链接:https://leetcode-cn.com/tag/dynamic-programming/ 这个链接是 LeetCode 上关于动态规划的题目集合。动态规划是一种常用的算法思想,可以用来解决很多实际问题,比如最长公共子序列、背包问题、最短路径等等。在 LeetCode 上,动态规划也是一个非常重要的题型,很多题目都需要用到动态规划的思想来解决。 这个链接里包含了很多关于动态规划的题目,按照难度从简单到困难排列。每个题目都有详细的题目描述、输入输出样例、题目解析和代码实现等内容,非常适合想要学习动态规划算法的人来练习和提高自己的能力。 总之,这个链接是一个非常好的学习动态规划算法的资源,建议大家多多利用。 ### 回答2: 动态规划是一种算法思想,通常用于优化具有重叠子问题和最优子结构性质的问题。由于其成熟的数学理论和强大的实用效果,动态规划在计算机科学、数学、经济学、管理学等领域均有重要应用。 在计算机科学领域,动态规划常用于解决最优化问题,如背包问题、图像处理、语音识别、自然语言处理等。同时,在计算机网络和分布式系统中,动态规划也广泛应用于各种优化算法中,如链路优化、路由算法、网络流量控制等。 对于算法领域的程序员而言,动态规划是一种必要的技能和知识点。在LeetCode这样的程序员平台上,题目分类和标签设置十分细致和方便,方便程序员查找并深入学习不同类型的算法LeetCode的动态规划标签下的题目涵盖了各种难度级别和场景的问题。从简单的斐波那契数列、迷宫问题到可以用于实际应用的背包问题、最长公共子序列等,难度不断递进且话题丰富,有助于开发人员掌握动态规划的实际应用技能和抽象思维模式。 因此,深入LeetCode动态规划分类下的题目学习和练习,对于程序员的职业发展和技能提升有着重要的意义。 ### 回答3: 动态规划是一种常见的算法思想,它通过将问题拆分成子问题的方式进行求解。在LeetCode中,动态规划标签涵盖了众多经典和优美的算法问题,例如斐波那契数列、矩阵链乘法、背包问题等。 动态规划的核心思想是“记忆化搜索”,即将中间状态保存下来,避免重复计算。通常情况下,我们会使用一张二维表来记录状态转移过程中的中间值,例如动态规划求解斐波那契数列问题时,就可以定义一个二维数组f[i][j],代表第i项斐波那契数列中,第j个元素的值。 在LeetCode中,动态规划标签下有众多难度不同的问题。例如,经典的“爬楼梯”问题,要求我们计算到n级楼梯的方案数。这个问题的解法非常简单,只需要维护一个长度为n的数组,记录到达每一级楼梯的方案数即可。类似的问题还有“零钱兑换”、“乘积最大子数组”、“通配符匹配”等,它们都采用了类似的动态规划思想,通过拆分问题、保存中间状态来求解问题。 需要注意的是,动态规划算法并不是万能的,它虽然可以处理众多经典问题,但在某些场景下并不适用。例如,某些问题的状态转移过程比较复杂,或者状态转移方程中存在多个参数,这些情况下使用动态规划算法可能会变得比较麻烦。此外,动态规划算法也存在一些常见误区,例如错用贪心思想、未考虑边界情况等。 总之,掌握动态规划算法对于LeetCode的学习和解题都非常重要。除了刷题以外,我们还可以通过阅读经典的动态规划书籍,例如《算法竞赛进阶指南》、《算法与数据结构基础》等,来深入理解这种算法思想。
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包

打赏作者

Navigator_Z

你的鼓励将是我创作的最大动力

¥1 ¥2 ¥4 ¥6 ¥10 ¥20
扫码支付:¥1
获取中
扫码支付

您的余额不足,请更换扫码支付或充值

打赏作者

实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值