文字列を受け取る関数を作成する必要があります。これは、入力が繰り返される文字シーケンスで構成されるかどうかに基づいて返されるか、true
それにfalse
基づいている必要があります。指定された文字列の長さは常により大きく1
、文字シーケンスには少なくとも1回の繰り返しが必要です。
"aa" // true(entirely contains two strings "a")
"aaa" //true(entirely contains three string "a")
"abcabcabc" //true(entirely containas three strings "abc")
"aba" //false(At least there should be two same substrings and nothing more)
"ababa" //false("ab" exists twice but "a" is extra so false)
以下の関数を作成しました:
function check(str){
if(!(str.length && str.length - 1)) return false;
let temp = '';
for(let i = 0;i<=str.length/2;i++){
temp += str[i]
//console.log(str.replace(new RegExp(temp,"g"),''))
if(!str.replace(new RegExp(temp,"g"),'')) return true;
}
return false;
}
console.log(check('aa')) //true
console.log(check('aaa')) //true
console.log(check('abcabcabc')) //true
console.log(check('aba')) //false
console.log(check('ababa')) //false
これのチェックは、実際の問題の一部です。このような非効率的なソリューションを買う余裕はありません。まず、文字列の半分をループします。
2番目の問題はreplace()
、各ループで使用しているために遅くなることです。パフォーマンスに関するより良い解決策はありますか?