输入单词是否按字母顺序排列?

我正在编写一个函数,该函数将返回或关于输入字符串是否按字母顺序排列。我得到了,但不确定我错过了什么truefalseundefined


function is_alphabetic(str) {

  let result = true;

  for (let count = 1, other_count = 2; count >= str.length - 1, other_count >= str.length; count++,

    other_count++) {

    if (str.at[count] > str.at[other_count]) {

      let result = false

    }

    return result

  }

}

console.log(is_alphabetic('abc'));


拉风的咖菲猫
浏览 106回答 4
4回答

胡子哥哥

你已经把语句放在for循环内,它应该在循环体之外。return您的代码也不正确。 应从 0 开始,应从 1 开始。countother_countcount >= str.length - 1应该是(此条件在代码中是完全不必要的,因为应该是循环中的终止条件)count < str.length - 1other_count < str.length和other_count >= str.length应该是other_count < str.length这是您更正的代码function is_alphabetic(str) {&nbsp; let result = true;&nbsp; for (let count = 0, other_count = 1; other_count < str.length; count++, other_count++) {&nbsp; &nbsp; &nbsp; if (str[count] > str[other_count]) {&nbsp; &nbsp; &nbsp; &nbsp; &nbsp;result = false&nbsp; &nbsp; &nbsp; }&nbsp; }&nbsp; return result;}console.log(is_alphabetic('abc'));这是一种替代方法function is_alphabetic(str){&nbsp; &nbsp;return str.split('')&nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp;.every((c, idx) => str[idx + 1] ? c < str[idx + 1] : true);}console.log(is_alphabetic('abc'));请记住,如果希望字符之间的比较不区分大小写,请在比较字符之前将字符串转换为小写。

当年话下

代码中存在两个问题:您的返回语句位于您的 for 循环中。为了避免这样的错误,你可以得到一个更漂亮的代码格式化程序;您的 for 循环条件无效。请记住,for-loop 语句的第二部分应该是执行迭代并停止执行迭代。在这种情况下,您的条件将首先计算,由于逗号运算符而丢弃结果,评估立即解析为 。truefalsecount >= str.length-1, other_count >= str.lengthcount >= str.length-1other_count >= str.lengthfalse这两件事结合在一起,使得你的函数永远不会返回,javascript 运行时将其解释为 .undefined希望这有助于您了解出了什么问题。但正如许多其他人指出的那样,有更好的方法来解决你试图解决的问题。

慕运维8079593

我认为如果您使用此函数比较字符串会更容易:var sortAlphabets = function(text) {&nbsp; &nbsp; return text.split('').sort().join('');};这将产生如下结果:sortAlphabets("abghi")output: "abghi"艺术sortAlphabets("ibvjpqjk")output: "bijjkpqv"如果你想知道你的字符串是否按字母顺序排序,你可以使用:var myString = "abcezxy"sortAlphabets(myString) == myStringoutput: false或者,如果您想创建一个特定的函数:function isSorted(myString) {&nbsp; &nbsp; return sortAlphabets(myString) == myString}在这种情况下,您可以使用:isSorted("abc")var sortAlphabets = function(text) {&nbsp; &nbsp; &nbsp; &nbsp; return text.split('').sort().join('');&nbsp; &nbsp; };function isSorted(myString) {&nbsp; &nbsp; &nbsp; &nbsp; return sortAlphabets(myString) == myString&nbsp; &nbsp; }&nbsp; &nbsp;&nbsp;&nbsp;alert("is abc sorted: " + isSorted("abc"));&nbsp; alert("is axb sorted: " + isSorted("axb"));

隔江千里

您只需要将字符串与其相应的“排序”字符串进行比较即可let string = 'abc'.split('').join('');let sortedString = 'abc'.split('').sort().join('');console.log(sortedString === sortedString)let string2 = 'dbc'.split('').join('');let sortedString2 = 'dbc'.split('').sort().join('');console.log(string2 === sortedString2)
打开App,查看更多内容
随时随地看视频慕课网APP

相关分类

JavaScript