最新消息:雨落星辰是一个专注网站SEO优化、网站SEO诊断、搜索引擎研究、网络营销推广、网站策划运营及站长类的自媒体原创博客

javascript - How to write a function that returns true if a portion of str1 can be rearranged to str2? - Stack Overflow

programmeradmin2浏览0评论

I am having trouble with below question. I basically have to write a code/function that returns true if a portion of str1 can be rearraged to str2.

Write function scramble(str1,str2) that returns true if a portion of str1 characters can be rearranged to match str2, otherwise returns false.

For example: str1 is 'rkqodlw' and str2 is 'world' the output should return true. str1 is 'cedewaraaossoqqyt' and str2 is 'codewars' should return true. str1 is 'katas' and str2 is 'steak' should return false.

Only lower case letters will be used (a-z). No punctuation or digits will be included. Performance needs to be considered.

Below is the current code I have:

function scramble(str1, str2) {
  var first; //longer string
  var second; //shorter string

  if(str1 || str2 === "undefined") {
    return false;
  }

  if(str1.length > str2.length) {
    first = str1;
    second = str2
  } else if(str2.length > str1.length) {
    first = str2;
    second = str1;
  }

  for (i=0; i<second.length; i++) {
    if (first.indexOf(second[i]) === -1) {
      return false;
    }
  }

  return true;

}

Could you please help me with this question?

I am having trouble with below question. I basically have to write a code/function that returns true if a portion of str1 can be rearraged to str2.

Write function scramble(str1,str2) that returns true if a portion of str1 characters can be rearranged to match str2, otherwise returns false.

For example: str1 is 'rkqodlw' and str2 is 'world' the output should return true. str1 is 'cedewaraaossoqqyt' and str2 is 'codewars' should return true. str1 is 'katas' and str2 is 'steak' should return false.

Only lower case letters will be used (a-z). No punctuation or digits will be included. Performance needs to be considered.

Below is the current code I have:

function scramble(str1, str2) {
  var first; //longer string
  var second; //shorter string

  if(str1 || str2 === "undefined") {
    return false;
  }

  if(str1.length > str2.length) {
    first = str1;
    second = str2
  } else if(str2.length > str1.length) {
    first = str2;
    second = str1;
  }

  for (i=0; i<second.length; i++) {
    if (first.indexOf(second[i]) === -1) {
      return false;
    }
  }

  return true;

}

Could you please help me with this question?

Share Improve this question asked Nov 26, 2016 at 20:55 TaeTae 1975 silver badges13 bronze badges 2
  • 2 I'm confused, wouldn't it just be as simple as checking if all the characters in str2 are in str1, and if so, return true ? – adeneo Commented Nov 26, 2016 at 20:59
  • 1 Also, if(str1 || str2 === "undefined") { isn't doing what you probably think its doing – Patrick Evans Commented Nov 26, 2016 at 21:00
Add a ment  | 

7 Answers 7

Reset to default 7

You could use a hash table with the count of the letters and check with count and decrement the count.

This proposal does not mutate the arrays.

function scramble(str1, str2) {
    var count = Object.create(null);

    Array.prototype.forEach.call(str1, function(a) {
        count[a] = (count[a] || 0) + 1;
    });

    return Array.prototype.every.call(str2, function(a) {
        return count[a]--;
    });
}

console.log(scramble('rkqodlw', 'world'));              // true
console.log(scramble('cedewaraaossoqqyt', 'codewars')); // true
console.log(scramble('katas', 'steak'));                // false
console.log(scramble('', 'o'));                // false

Here is the function with some tests:

function scramble(str1, str2) {
  var l = str2.length;
  for (var i = 0; i < l; i++) {
    if (str1.indexOf(str2[i]) > -1) {
      str1 = str1.replace(str2[i], '');
    } else {
      return false;
    }
  }
  return true;
}

function test(str1, str2) {
  console.log('testing "'+str1+'" w/ "'+str2+'": '+(scramble(str1, str2) ? 'true' : 'false'));
}

test('rkqodlw', 'world');
test('cedewaraaossoqqyt', 'codewars');
test('katas', 'steak');

The tests are returning:

testing "rkqodlw" w/ "world": true
testing "cedewaraaossoqqyt" w/ "codewars": true
testing "katas" w/ "steak": false

The function checks if every char of str2 is in str1 and removes it from str1 so that a char from str1 doesn't count twice.

Split the strings into arrays, and check if every character in the second array is inside the first array.

You probably want to splice of characters as you go, to account for mulitiples of the same character

function scramble(str1, str2) {
    var [arr1, arr2] = [str1.split(''), str2.split('')];
    return arr2.every(x=>arr1.indexOf(x)===-1?false:arr1.splice(arr1.indexOf(x),1));
}

console.log( scramble('rkqwodlw', 'world') );     // true
console.log( scramble('mgoaon', 'moon') );        // true
console.log( scramble('oijhnnassduda', 'moon') ); // false, only one "o"
console.log( scramble('test', 'unicorn') );       // false

function scramble(str1, str2) {
var [a,b,c] = [str1.split(''),str2.split(''),[]];
for (let i = 0; i < b.length; i++) {
    if (a.indexOf(b[i]) !== -1) {c.push(b[i]), a.splice(a.indexOf(b[i]), 1);}
}
return b.join('') === c.join('');}

I used hash table for good performance:

(There is a similar solution that has already been posted, but this solution in my opinion has a better performance.)

function scramble(str1, str2) {
  var hash = [];
  for (var i = 0; i < 26; i++) {
    hash.push(0);
  }
  for (let i of str1) {
    hash[i.charCodeAt(0)-97]++;
  }

  for (let i of str2) {
    if(hash[i.charCodeAt(0)-97] === 0) {
      return false;
    }
    hash[i.charCodeAt(0)-97]--;
  }
  return true;
}

console.log(scramble('rkqodlw','world')) //true
console.log(scramble('cedewaraaossoqqyt','codewars')) //true
console.log(scramble('katas','steak')) //false
console.log(scramble('scriptjavx','javascript')) //false
console.log(scramble('scriptingjava','javascript')) //true
console.log(scramble('scriptsjava','javascripts')) //true
console.log(scramble('javscripts','javascript')) //false
console.log(scramble('jscripts','javascript')) //false
console.log(scramble('aabbcamaomsccdd','mas')) //true
console.log(scramble('mas','mas')) //true
console.log(scramble('sammoc','mas')) //true

def StringScramble(str1, str2): # Initialize a dictionary to store character frequencies char_count = {}

# Populate char_count with character frequencies from str1
for char in str1:
    char_count[char] = char_count.get(char, 0) + 1

# Check if characters in str2 can be rearranged from str1
for char in str2:
    if char_count.get(char, 0) > 0:
        char_count[char] -= 1
    else:
        return False

return True
function scramble(str1, str2) {
    if(chckCode(str1) && chckCode(str2) ){
        return str2.split("").every(char => str1.includes(char))
    }else{
        return false
    }
}
function chckCode(str){
    return str.split("").every((chr,index) => {
        let code = str.charCodeAt(index);
        if((97 <= code && code <= 122)){
            return true;
        }else{
            return false;
        }
    })
}

与本文相关的文章

发布评论

评论列表(0)

  1. 暂无评论