hdu 3351 Seinfeld / poj 3991 括号匹配2

来源:互联网 发布:药品中标数据 编辑:程序博客网 时间:2024/05/20 14:25

题意:给出一个由'{' , '}' 组成的字符串,通过改变最少括号的方向使其匹配。

思路:一开始用区间dp,TLE了,贪心才能过。贪心方法:从左向右遍历,遇到左括号lef++,遇到右括号,若lef>0,lef--,否则右括号变为左括号,ans++,lef++,最后再加上多下来的左括号,即lef/2。

 

先给出TLE代码:

#include<cstdio>#include<cstring>#include<iostream>#include<cmath>#include<algorithm>using namespace std;const int maxn=2005;char str[maxn];int dp[maxn][maxn], len;int match(int x, int y){    return (str[x]=='}') + (str[y]=='{');}int solve(int x, int y){    if(x>y)return 0;    if(dp[x][y]!=-1)return dp[x][y];    int i, tmp=maxn;    for(i=x+1; i<y-1; i+=2){        if(solve(x, i)+solve(i+1, y)<tmp){            tmp=solve(x, i)+solve(i+1, y);        }    }    if(match(x, y)+solve(x+1, y-1)<tmp){        tmp=match(x, y)+solve(x+1, y-1);    }    dp[x][y]=tmp;    return tmp;}int main(){    int cas=1;    while(scanf("%s", str)&&str[0]!='-'){        memset(dp, -1, sizeof(dp));        len=strlen(str);        printf("%d. %d\n", cas++, solve(0, len-1));    }    return 0;}


 

下面是贪心的AC代码:

#include<cstdio>#include<cstring>#include<iostream>#include<cmath>#include<algorithm>using namespace std;const int maxn=2005;char str[maxn];int main(){    int cas=1;    while(scanf("%s", str)&&str[0]!='-'){        int i, ans=0, lef=0;        for(i=0; str[i]!='\0'; i++){            if(str[i]=='{'){                lef++;            }            else if(lef>0){                lef--;            }            else {                ans++;lef++;            }        }        printf("%d. %d\n", cas++, ans+lef/2);    }    return 0;}


 

原创粉丝点击