首页 > Edit Distance

Edit Distance

    题意是求俩字符串的编辑距离,编辑定义有三种1、插入字符 2、删除字符 3、替换字符。

int minDistance(string word1, string word2) 
{ 
    if (word1.size() == 0) return (int)word2.size();
    if (word2.size() == 0) return (int)word1.size();
    
    int result = 0;
    int *dist = new int[(word1.size() + 1) * (word2.size() + 1)];
    
    for (size_t i = 0; i <= word1.size(); ++i)
    { 
        dist[i] = (int)i;
    }
    
    for (size_t j = 0; j <= word2.size(); ++j)
    { 
        dist[j * word1.size()] = (int)j;
    }
    
    for (size_t i = 1; i <= word1.size(); ++i)
    { 
        for (size_t j = 1; j <= word2.size(); ++j)
        { 
            if (word1[i - 1] == word2[j - 1])
            { 
                // dist[i, j] = dist[i - 1, j - 1]
                dist[j * word1.size() + i] = 
                        dist[(j - 1) * word1.size() + i - 1];
            }
            else
            { 
                // minDist = min(dist[i - 1, j], dist[i, j - 1])
                const int minDist = min(
                        dist[j * word1.size() + (i - 1)],
                        dist[(j - 1) * word1.size() + i]);
                
                // dist[i, j] = min(minDist, dist[i - 1, j - 1]) + 1
                dist[j * word1.size() + i] = min(minDist,
                        dist[(j - 1) * word1.size() + i - 1]) + 1;
            }
        }
    }
    
    result = dist[word2.size() * word1.size() + word1.size()];
    
    delete[] dist;
    
    return result;
}

转载于:https://www.cnblogs.com/codingmylife/archive/2012/09/09/2677301.html

更多相关:

  • 官方帮助文档http://www.electronjs.org/docs  有时候运行安装依赖包会很慢建议在(c)npm config edit之后弹出的.(c)npmrc记事本里面加入 electron_mirror=https://npm.taobao.org/mirrors/electron/ electron-bui...

  •         Apache POI是一个开源的利用Java读写Excel,WORD等微软OLE2组件文档的项目。        我的需求是对Excel的数据进行导入或将数据以Excel的形式导出。先上简单的测试代码:package com.xing.studyTest.poi;import java.io.FileInputSt...

  • 要取得[a,b)的随机整数,使用(rand() % (b-a))+ a; 要取得[a,b]的随机整数,使用(rand() % (b-a+1))+ a; 要取得(a,b]的随机整数,使用(rand() % (b-a))+ a + 1; 通用公式:a + rand() % n;其中的a是起始值,n是整数的范围。 要取得a到b之间的...

  • 利用本征图像分解(Intrinsic Image Decomposition)算法,将图像分解为shading(illumination) image 和 reflectance(albedo) image,计算图像的reflectance image。 Reflectance Image 是指在变化的光照条件下能够维持不变的图像部分...

  • 题目:面试题39. 数组中出现次数超过一半的数字 数组中有一个数字出现的次数超过数组长度的一半,请找出这个数字。 你可以假设数组是非空的,并且给定的数组总是存在多数元素。 示例 1: 输入: [1, 2, 3, 2, 2, 2, 5, 4, 2] 输出: 2 限制: 1 <= 数组长度 <= 50000 解题: cl...

  • 题目:二叉搜索树的后序遍历序列 输入一个整数数组,判断该数组是不是某二叉搜索树的后序遍历结果。如果是则返回 true,否则返回 false。假设输入的数组的任意两个数字都互不相同。 参考以下这颗二叉搜索树:      5     /    2   6   /  1   3示例 1: 输入: [1,6,3,2,5] 输出...