如何确保两个字符串在C ++中仅具有某些字母

时间:2018-11-13 21:11:02

标签: c++ string dynamic char lcs

目标是确保用户输入的字符串1输入和字符串2仅包含任意顺序的字符A,T,G或C。如果任一字符串包含另一个字符,则应显示错误。示例:

输入包含错误

字符串#1中的错误:aacgttcOgMa

字符串#2中的错误:ggataccaSat

这是我对LCS.cpp文件代码的尝试:

#include "LCS.h"
#include <string>

using namespace std;

bool validate(string strX, string strY)
{

string x = strX;
string y = strY;
char searchItem = 'A';
char searchItem = 'C';
char searchItem = 'G';
char searchItem = 'T';
int numOfChar = 0;
int m = strX.length();
int n = strY.length();
for (int i = 0; i < m; i++)
{
    if (x[i] == searchItem)
    {
        numOfChar++;

    }
for (int i = 0; i < n; i++)
    {
        if (y[i] == searchItem)
        {
            numOfChar++;

        }
}

}

这是我的LCS.h文件代码:

#pragma once
#ifndef LCS_H
#define LCS_H

#include <string>

using namespace std;

bool validate(string strX, string strY);
#endif

我的驱动程序文件“ Driver6.cpp”具有以下代码:

#include "LCS.h"
#include <iostream>
#include <string>


using namespace std;

int main()
{
string strX, strY;

cout << "String #1: ";
cin >> strX;
cout << "String #2: ";
cin >> strY;

//validate the input two strings
if (validate(strX, strY) == false)
{
    return 0;
}

int m = strX.length();
int n = strY.length();

}

2 个答案:

答案 0 :(得分:0)

不是真的想这样做,但似乎是最好的选择,而不是在评论中四处逛逛:

#include <string>
#include <iostream>

bool validate( const std::string & s ) {
    for ( auto c : s ) {
        if ( c != 'A' && c != 'T' && c != 'C' && c != 'G' ) {
            return false;
        }
    }
    return true;
}

int main() {
    std::string s1 = "ATGCCCG";
    std::string s2 = "ATGfooCCCG";

    if ( validate( s1 ) ) {
        std::cout << "s1 is valid\n";
    }
    else {
        std::cout << "s1 is not valid\n";
    } 
    if ( validate( s2 ) ) {
        std::cout << "s2 is valid\n";
    }
    else {
        std::cout << "s2 is not valid\n";
    } 
}

答案 1 :(得分:0)

另一种技术:

bool validate(const std::string& s)
{
  const static std::string valid_letters("ATCGatcg");
  for (auto c: s)
  {
     std::string::size_type position = valid_letters.find_first_of(c);
     if (position == std::string::npos)
     {
        return false;
     }
  }
  return true;
}

以上代码搜索有效字母的容器。