LeetCode-383. Ransom Note

weixin_34391445發表於2017-07-21

問題描述
Given an arbitrary ransom note string and another string containing letters from all the magazines, write a function that will return true if the ransom note can be constructed from the magazines ; otherwise, it will return false.

Each letter in the magazine string can only be used once in your ransom note.

Note:
You may assume that both strings contain only lowercase letters.

canConstruct("a", "b") -> false
canConstruct("aa", "ab") -> false
canConstruct("aa", "aab") -> true

題目分析
本題要求對比兩個字串ransomNote和magazine,如果ransomNote中的字元均可從magazine中找到,並且對應的字元個數不小於magazine,則返回true,否則false。假設:

ransomNot= "fffbfg" 
magazine= "effjfggbffjdgbjjhhdegh"

ransomNot中的所有字元均可以從magazine找到,並且相應的字元個數均小於magazine中的個數,故返回true。
注意:字串可認為只含有小寫字母。

解題思路
本題需要滿足兩個條件:
(1)magazine需要包含ransomNot中所有的字元。
(2)magazine所包含的ransomNot字元相對應的數量不小於ransomNot。

首先從ransomNot中的首個字元開始,與magazine中的字元逐個比較,若找到第一相同的,則將magazine中的這個相同的字元替換為除小寫字母外的其他字元(題目中所有字元均只有小寫字母),然後將ransomNot中的下一個字元與magazine比較,找到相同的就替換,依次完成ransomNot中所有字元的比較查詢,如果某個字元沒有在magazine中找到,則結束比較,返回false。
需要注意的是,當ransomNot為空時,需返回true。若magazine為空,而ransomNot不為空,則返回false。

程式碼(C語言)

#include <stdio.h>
#include <string.h>
#include <stdlib.h>
#include <stdbool.h>                          //bool型別

bool canConstruct(char* ransomNote, char* magazine) 
{
    int i=0,j=0;
    bool flag=true;
    int size1=strlen(ransomNote);
    int size2=strlen(magazine);
    if(size1==0)                               //ransomNot為空
        return true;
    if(size1!=0 && size2==0)                   //magazine為空
        return false;
          
    char result[size2];
    printf("sizez1=%d",size1);
    for (j=0;j<size2;j++)          
    {
        result[j]=magazine[j];                 //strcpy(result,magazine)
    }
    

                                               //result = (char* )malloc(sizeof(char)*(size2+1));
    for (i=0;i<size1;i++)
    {
        
        for (j=0;j<size2;j++)
        {
            if(ransomNote[i]==result[j])        //逐個比較
                {
                    result[j]='0';              //找到到相同就替換
                    break;  
                }
        }

        if(j==size2)                           //未找到相同字元,結束比較,返回false
            flag=false;
            
        if(flag==false)
            break;
    }
     return flag;
}

int main()
{
    char* ransomNote="a" ;
    char* magazine="";
    bool flag;
    flag=canConstruct( ransomNote,  magazine);
    printf("flag=%d",flag);
    return 0;
}

參考文獻

[1] https://leetcode.com/problems/ransom-note/#/description
[2] http://codecloud.net/16807.html

相關文章