私はJavaの初心者です。Java char by charの2つの文字列を比較し、次のコードでそれらが持つ異なる文字の数を見つけようとしていますが、機能しません。
min is the min between the 2 strings
for(int i=0; i<min-1; i++){
s1 = w1.substring(j,j++);
s2 = w2.substring(j,j++);
if (! s1.equalsIgnoreCase(s2) ){
counter++;
}
}`
任意のヒント?
これを使って:
char[] first = w1.toLowerCase().toCharArray();
char[] second = w2.toLowerCase().toCharArray();
int minLength = Math.min(first.length, second.length);
for(int i = 0; i < minLength; i++)
{
if (first[i] != second[i])
{
counter++;
}
}
CharAt(index)メソッドを使用し、2つの文字に「==」演算子を使用します。
c1 = w1.charAt(j);
c2 = w2.charAt(j);
if (c1 == c2) ){
counter++;
}
int i =0;
for(char c : w1.toCharArray())){
if(i < w2.length() && w2.charAt(i++) != c)
counter++;
}
substring
で問題を解決できます。しかし、最初にコードを見てみましょう。
// assuming, min is the minimum length of both strings,
// then you don't check the char at the last position
for(int j=0; j < min-1; j++) {
// s1, s2 will always be empty strings, because j++ is post-increment:
// it will be incremented *after* it has been evaluated
s1 = w1.substring(j,j++);
s2 = w2.substring(j,j++);
if (!s1.equalsIgnoreCase(s2) ){
counter++;
}
}
substring
に基づくソリューションは次のようになります。
for(int j=0; j < min; j++) {
s1 = w1.substring(j,j+1);
s2 = w2.substring(j,j+1);
if (!s1.equalsIgnoreCase(s2) ){
counter++;
}
}
JavaトレーニングチュートリアルのcharAt()およびネストされたループとの文字列比較を必要とするトレーニングチュートリアル...メソッドは、ソース文字列から一致しない文字を返すように簡単に変更できます...それはあなたにお任せします... ;-)
public class SubString {
public static boolean findTarget( String target, String source ) {
int target_len = target.length();
int source_len = source.length();
boolean found = false;
for(int i = 0; ( i < source_len && !found ); ++i) {
int j = 0;
while( !found ) {
if( j >= target_len ) {
break;
}
/**
* Learning Concept:
*
* String target = "for";
* String source = "Searching for a string within a string the hard way.";
*
* 1 - target.charAt( j ) :
* The character at position 0 > The first character in 'Target' > character 'f', index 0.
*
* 2 - source.charAt( i + j) :
*
* The source strings' array index is searched to determine if a match is found for the
* target strings' character index position. The position for each character in the target string
* is then compared to the position of the character in the source string.
*
* If the condition is true, the target loop continues for the length of the target string.
*
* If all of the source strings' character array element position matches the target strings' character array element position
* Then the condition succeeds ..
*/
else if( target.charAt( j ) != source.charAt( i + j ) ) {
break;
} else {
++j;
if( j == target_len ) {
found = true;
}
}
}
}
return found;
}
public static void main ( String ... args ) {
String target = "for";
String source = "Searching for a string within a string the hard way.";
System.out.println( findTarget(target, source) );
}
}