Most_Frequent_Logs
题目如下:
Time Limit: 10000ms
Case Time Limit: 3000ms
Memory Limit: 256MB
Description
In a running system, there’re many logs produced within a short period of time, we’d like to know the count of the most frequent logs.
Logs are produced by a few non-empty format strings, the number of logs is N(1=N=20000), the maximum length of each log is 256.
Here we consider a log same with another when their edit distance (see note) is = 5.
Also we have
a) logs are all the same with each other produced by a certain format string
b) format strings have edit distance 5 of each other.
Your program will be dealing with lots of logs, so please try to keep the time cost close to O(nl), where n is the number of logs, and l is the average log length.
Note edit distance is the minimum number of operations (insert/delete/replace a character) required to transform one string into the other, please refer to httpen.wikipedia.orgwikiEdit_distance for more details.
Input
Multiple lines of non-empty strings.
Output
The count of the most frequent logs.
Sample In
Logging started for id:1
Module ABC has completed its job
Module XYZ has completed its job
Logging started for id:10
Module ? has completed its job
Sample Out
3
题目的起源是在一个运行着的系统中很短时间内会产生许多条日志,我们需要知道最频繁出现的那条日志出现的次数。两条日志相似的条件是他们之间的编辑距离小于等于5。编辑距离的定义在后面也给了出来:编辑距离就是将一个字符串变为另外一个字符串需要的最少的操作数,操作数包括增加/删除/替换一个字符。举个例子:”abcd”和”abcdef”编辑距离为2,因为把”abcd”变成”abcdef”,需要在后面做2次增加操作。
首先我们需要考虑的就是计算编辑距离了,编辑距离肯定不超过其中较长的字符串的长度,也就意味着编辑距离是有限的,我们可以这样考虑:假设有两个字符串,字符串A的长度为n,字符串B的长度为m,A和B的编辑距离是如何来的?我们可以分成三种情况来讨论:
(1)当A[1]…A[n-1]与B[1]…B[m-1]的编辑距离已知时,如果A[n]和B[m]相同,那么A[1…n]和B[1…m]的编辑距离等于A[1…n]和B[1…m]的编辑距离;如果A[n]和B[m]不同,那么A[1…n]和B[1…m]的编辑等于A[1…n]和B[1…m]的编辑距离加1(把A[n]变成B[m]或者把B[m]变成A[n]的距离为1);
(2)当A[1]…A[n]与B[1]…B[m-1]的编辑距离已知时,A[1…n]和B[1…m]的编辑距离等于A[1]…A[n]与B[1]…B[m-1]的编辑距离加1(A中在增加1个字符或者B中减少1个字符);
(3)当A[1]…A[n-1]与B[1]…B[m]的编辑距离已知时,A[1…n]和B[1…m]的编辑距离等于A[1]…A[n-1]与B[1]…B[m]的编辑距离加1(B中在增加1个字符或者A中减少1个字符).
A和B的编辑距离是从这3中情况中取最小的那个,所以可以看出这就是一个典型的动态规划问题(最优子结构,重叠子问题),我们可以用一个二维数组ed[i][j]表示A中前i个字符到B中前j个字符的最短编辑距离,首先我们初始化ed[i][0]=i,ed[0][j]=j,因为ed[i][0]代表A中有i个字符,B中有0个字符,那么把A变到B需要做i次删除操作,同理可以得到ed[0][j]=j。由上面的分析可以得到状态迁移公式:
ed[i][j] = min (ed[i - 1][j - 1] + (A[i] == B[j] ? 0 : 1) , ed[i - 1][j] + 1 , ed[i][j - 1] + 1)
编辑距离的计算解决之后,就要考虑这个问题的实际实际场景了,首先我想到的最笨的方法就是用两次循环,对于每一条日志求出它和其他所有的日志的编辑距离,用一个值来记录相似日志的条数。可是这种方法效率实在让人捉急。那么能不能将模板记录下来,每次输入日志的时候,让它和模板中的模板进行比较,当和模板距离小于5时,就说明它与模板类似,把模板对应的日志数加1,否则就为它新建一个模板,这样效率会提高很多。思路有了接下来就是如何实现了,模板一开始我采用的是二维数组template[MAX_NUM][256],MAX_NUM代表日志的条数,256代表日志的最大吃那个度,当需要增加模板时,就将对应的字符串拷贝到这个二维数组中,比如说第一条日志就将它拷贝到template[0]中。后来review的时候发现这种拷贝操作完全不必要,只需要使用指针数组,将模板的指针存放到该指针数组中去,因为比较的时候只需要提供和长度即可,这样又减少了空间消耗,源码如下。
##源代码