(模拟)CF7B Memory Manager

一、算法分析

模拟类题目,思路都在代码和注释里了。读题难度不大,其中一个小坑是erase后面跟的是任意整数,也就是说可能是负数。个人觉得难点在于对于alloc操作的优化和deflagment操作的实现,其中deflagment自己想了很久才想到只要记录左边空位数量就能移了。

二、代码及注释

//内存块的编号为连续的正整数编号
//一道纯模拟题
#include
#include
#include
#include
using namespace std;
int t,m;
const int N=105;
int st[N];                                         //记录内存区域的状态
int l[N],r[N];
//几个重要思想:
//1.因为内存块的独占性,所以可以用两个数组l和r来标记内存块的左右端点,在这种情况下,判断一个内存是否存在即直接判断其l或者r是否为0或-1即可
//2.对于alloc操作也可以进行优化,即当两端点之间的点被占用时,下一步直接跳到右端点的下一个作为新的左端点开始进行判断
//3.对于向左归并的操作,则直接利用l和r重新计算即可
int main(){
    
    cin>>t>>m;
    int cnt=0;                                     //分配的内存块的编号
    while(t--){
        string str;
        int state;
        cin>>str;
        if(str[0]!='d') cin>>state;
        if(str[0]=='a'){                           //执行alloc操作
            int alloc_ok=0;
            for(int i=1;i<=m-state+1;i++){         //枚举左端点
                int ok=1;
                for(int j=i;j<=i+state-1;j++){     //枚举右端点
                    if(st[j]){ok=0;i=j+1-1;break;} //这里减一是因为循环结束后要i++
                }
                if(ok){
                    alloc_ok=1;
                    l[++cnt]=i;
                    r[cnt]=i+state-1;
                    for(int k=l[cnt];k<=r[cnt];k++) st[k]=1;
                    break;
                }
            }
            if(alloc_ok) cout<<cnt<<endl;
            else cout<<"NULL"<<endl;
        }
        else if(str[0]=='e'){                       //注意erase后面跟任意整数,可能是负数
            if(state>0 && l[state]!=-1 && r[state]!=-1 && state<=cnt){//可以erase的条件
                for(int i=l[state];i<=r[state];i++) st[i]=0;
                l[state]=-1;
                r[state]=-1;
            }
            else cout<<"ILLEGAL_ERASE_ARGUMENT"<<endl;
        }
        else if(str[0]=='d'){                        //此时要注意偏移量
            for(int i=1;i<=cnt;i++){
                if(l[i]==-1) continue;               //对于每个还存在的内存,只要知道其左边有多少个空位,就能知道往左移多少
                int pos=0;                           //空位的数量
                for(int j=1;j<=l[i];j++) if(!st[j]) pos++;
                l[i]-=pos;
                r[i]-=pos;
            }
            memset(st,0,sizeof(st));                 //然后重排st数组
            for(int i=1;i<=cnt;i++){
                if(l[i]==-1) continue;
                for(int j=l[i];j<=r[i];j++) st[j]=1;
            }
        }
    }
    
    
    
    
    return 0;
    
}

你可能感兴趣的:(模拟)