leetcode 937. Reorder Log Files (简单模拟)

You have an array of logs.  Each log is a space delimited string of words.

For each log, the first word in each log is an alphanumeric identifier.  Then, either:

  • Each word after the identifier will consist only of lowercase letters, or;
  • Each word after the identifier will consist only of digits.

We will call these two varieties of logs letter-logs and digit-logs.  It is guaranteed that each log has at least one word after its identifier.

Reorder the logs so that all of the letter-logs come before any digit-log.  The letter-logs are ordered lexicographically ignoring identifier, with the identifier used in case of ties.  The digit-logs should be put in their original order.

Return the final order of the logs.

Example 1:

Input: ["a1 9 2 3 1","g1 act car","zo4 4 7","ab1 off key dog","a8 act zoo"]
Output: ["g1 act car","a8 act zoo","ab1 off key dog","a1 9 2 3 1","zo4 4 7"]

Note:

  1. 0 <= logs.length <= 100
  2. 3 <= logs[i].length <= 100
  3. logs[i] is guaranteed to have an identifier, and a word after the identifier.

思路: 将第一小段去掉后,判断第一个字符是字母还是数字。

           若是数字,直接放到一个vector里面即可

          若是字母,只保留后面部分,并建立map映射关系

          最后,排序,输出即可。

代码:

#include <bits/stdc++.h>
typedef long long ll;
using namespace std;
class Solution {
public:
    vector<string> reorderLogFiles(vector<string>& logs) {
        vector<string> vec1,vec2;
        int n=logs.size();
        map<string,string> mp;
        mp.clear();
        for(int i=0;i<n;i++)
        {
            int j=0;
            while(logs[i][j]!=' ')
            {
                j++;
            }
            while(logs[i][j]==' ')
            {
                j++;
            }
            if(logs[i][j]>='0'&&logs[i][j]<='9')
            {
                vec1.push_back(logs[i]);
            }
            else
            {
                string tmp;
                for(int k=j;k<logs[i].size();k++) tmp.push_back(logs[i][k]);
                mp[tmp] = logs[i];
                vec2.push_back(tmp);
            }
        }
        sort(vec2.begin(),vec2.end());
        vector<string> ans;
        for(auto &t: vec2) {
           ans.push_back(mp[t]);
        }
        for(auto &t : vec1) ans.push_back(t);
        return ans;
    }
};

猜你喜欢

转载自blog.csdn.net/qq_40774175/article/details/85008648