search
HomeWeb Front-endJS TutorialThe sort method in JavaScript that you don't know

The sort method in JavaScript that you don't know

In daily business development, array (Array) is a data type we often use, so sorting arrays is also very common. In addition to using the method of looping through the array to arrange Data is arranged using the native method sort in JS arrays (yes, I prefer the power of native JS).

[Recommended courses: JavaScript video tutorial]

1. For example,

can be used directly in an array The sorting methods are: reverse() and sort(). Because the reverse() method is not flexible enough, the sort() method is introduced. By default, the sort() method sorts the array in ascending order.

var arr=[1,3,5,9,4];
console.log(arr.sort());
// 输出: [1, 3, 4, 5, 9]

At this time, I found that the data was arranged from small to large, no problem; so I changed the array to: var arr=[101,1,3,5,9,4,11];, and then called sort () method prints the sorting results.

var arr=[101,1,3,5,9,4,11];
console.log(arr.sort());
// 输出: [1, 101, 11, 3, 4, 5, 9]

At this time, it was found that arrays 101 and 11 were all ranked in front of 3. This is because the sort() method will call the toString() transformation method of the array, and then compare the obtained strings to determine How to sort? Even if each item in the array is a numerical value, the sort() method compares strings.

So how are strings sorted? They are sorted from small to large according to the unicode encoding of the strings. Next we try to print out the unicode encoding of each item in the array to take a look.

...
// 转码方法
function getUnicode (charCode) {
    return charCode.charCodeAt(0).toString(16);
}
// 打印转码
arr.forEach((n)=>{
  console.log(getUnicode(String(n)))
});
// 输出: 31 31 31 33 34 35 39

I was surprised to find that the unicode encoding of the strings 1,101,11 are all 31

2. Pass in the comparison function in the specified order

or above It is found that the sort() method is not sorted in the order we want, so how to solve it? The sort() method can receive a comparison function as a parameter to specify which value is in front of which value.

The comparison function (compare) receives two parameters. If the first parameter is before the second parameter, it returns a negative number. If the two parameters are equal, it returns 0. If the first parameter is after the second parameter, it returns then returns an integer.

function compare(value1,value2){
  if (value1 < value2){
    return -1;
  } else if (value1 > value2){
    return 1;
  } else{
    return 0;
  }
}

We pass the comparison function to the sort() method, and then arrange the arr array. The print result is as follows:

var arr=[101,1,3,5,9,4,11];
console.log(arr.sort(compare));
// 输出: [1, 3, 4, 5, 9, 11, 101];

It can be found that there is no problem in sorting from small to large.

3. Sorting of object arrays

The sort() method sorts the numeric array by passing in a comparison function, but in development, we will sort an object array Sort by a certain attribute, such as id, age, etc., so how to solve it?

To solve this problem: we can define a function, let it receive an attribute name, and then create a comparison function based on this attribute name and return it as a return value (functions in JS can be used as values, Not only can you pass a function to another function like a parameter, but you can also return a function as the result of another function. There is a reason why functions are first-class citizens in JS. It is indeed very flexible.), the code is as follows .

function compareFunc(prop){
  return function (obj1,obj2){
    var value1=obj1[prop];
    var value2=obj2[prop];
    if (value1 < value2){
        return -1;
    } else if (value1 > value2){
        return 1;
    } else{
        return 0;
    }
  }
}

Define an array users, call the sort() method and pass in compareFunc(prop) to print the output results:

var users=[
    {name:&#39;tom&#39;,age:18},
    {name:&#39;lucy&#39;,age:24},
    {name:&#39;jhon&#39;,age:17},
];
console.log(users.sort(compareFunc(&#39;age&#39;)));
// 输出结果
[{name: "jhon", age: 17},
{name: "tom", age: 18},
{name: "lucy", age: 24}]

By default, when the sort() method is called without passing in the comparison function , the sort() method will call the toString() method of each object to determine their order. When we call the compareFunc('age') method to create a comparison function, the sorting is sorted according to the age attribute of the object.

4. Sorting of XML nodes

Although many background return data are now in JSON format, it is very lightweight and easy to parse. However, there was a previous project because all the data returned by the background were XML strings. After the front-end got the data, it had to be serialized, and some needed to be sorted. The previous sorting was to convert XML into array objects for sorting. There is no problem in doing so. , but I feel that the code is very redundant and troublesome. Later, I suddenly thought that the xml obtained was also an array-like object. If the array-like object was converted into an array, wouldn't it be possible to sort directly?

// 1.模拟后端返回的XML字符串
var str=`
<root>
  <user>
    <name>tom</name>
    <age>18</age>
  </user>
  <user>
    <name>lucy</name>
    <age>24</age>
  </user>
  <user>
    <name>jhon</name>
    <age>17</age>
  </user>
<root>
`   
// 2.定义比较函数
function compareFunction(prop){
  return function (a, b) {
      var value1= a.getElementsByTagName(prop)[0].textContent;
      var value2= b.getElementsByTagName(prop)[0].textContent;
      if (value1 < value2){
        return -1;
      } else if (value1 > value2){
        return 1;
      } else{
        return 0;
    }
  }
}
// 3.xml字符串转换成xml对象
var domParser = new DOMParser();
var xmlDoc = domParser.parseFromString(str, &#39;text/xml&#39;);
var userElements=xmlDoc.getElementsByTagName(&#39;user&#39;));
// 4.userElements类数组对象转换成数组再排序
var userElements=Array.prototype.slice.call(xmlDoc.getElementsByTagName(&#39;user&#39;));
var _userElements=userElements.sort(compareFunction(&#39;age&#39;));
// 5.打印排序后的结果
_userElements.forEach((user)=>{
  console.log(user.innerHTML);
});

Print the sorted results

It can be found that the XML nodes have been sorted from small to large according to age.

5. Summary

The sort method of JS array makes the sorting much more flexible because of the incoming comparison function. It can also be sorted according to time, the first letter of Chinese pinyin, etc. Etc., we just need to remember to explicitly compare the attribute values ​​​​of the two objects by passing in the comparison function, and determine the sorting order of the objects by comparing the attribute values. I also encountered problems at work and found new ideas to solve them. This is a brief summary. If there are any shortcomings, please correct me.

Reference materials:

"JavaScript Advanced Tutorial"

This article comes from the js tutorial column, welcome to learn!

The above is the detailed content of The sort method in JavaScript that you don't know. For more information, please follow other related articles on the PHP Chinese website!

Statement
This article is reproduced at:博客园. If there is any infringement, please contact admin@php.cn delete
uniapp中如何实现拖拽排序和拖拽操作uniapp中如何实现拖拽排序和拖拽操作Oct 19, 2023 am 09:39 AM

Uniapp是一款跨平台的开发框架,其强大的跨端能力使得开发者可以快速方便地开发出各种应用。在Uniapp中实现拖拽排序和拖拽操作也是非常简单的,并且可以支持多种组件和元素的拖拽操作。本文将介绍如何使用Uniapp实现拖拽排序和拖拽操作,并提供具体的代码示例。拖拽排序功能在很多应用中都非常常见,例如可以用于实现列表的拖拽排序,图标的拖拽排序等。下面我们以列表

探究C++sort函数的底层原理与算法选择探究C++sort函数的底层原理与算法选择Apr 02, 2024 pm 05:36 PM

C++sort函数底层采用归并排序,其复杂度为O(nlogn),并提供不同的排序算法选择,包括快速排序、堆排序和稳定排序。

js字符串转数组js字符串转数组Aug 03, 2023 pm 01:34 PM

js字符串转数组的方法:1、使用“split()”方法,可以根据指定的分隔符将字符串分割成数组元素;2、使用“Array.from()”方法,可以将可迭代对象或类数组对象转换成真正的数组;3、使用for循环遍历,将每个字符依次添加到数组中;4、使用“Array.split()”方法,通过调用“Array.prototype.forEach()”将一个字符串拆分成数组的快捷方式。

使用C#中的Array.Sort函数对数组进行排序使用C#中的Array.Sort函数对数组进行排序Nov 18, 2023 am 10:37 AM

标题:C#中使用Array.Sort函数对数组进行排序的示例正文:在C#中,数组是一种常用的数据结构,经常需要对数组进行排序操作。C#提供了Array类,其中有Sort方法可以方便地对数组进行排序。本文将演示如何使用C#中的Array.Sort函数对数组进行排序,并提供具体的代码示例。首先,我们需要了解一下Array.Sort函数的基本用法。Array.So

用JavaScript模拟实现打字小游戏!用JavaScript模拟实现打字小游戏!Aug 07, 2022 am 10:34 AM

这篇文章主要为大家详细介绍了js实现打字小游戏,文中示例代码介绍的非常详细,具有一定的参考价值,感兴趣的小伙伴们可以参考一下。

php可以读js内部的数组吗php可以读js内部的数组吗Jul 12, 2023 pm 03:41 PM

php在特定情况下可以读js内部的数组。其方法是:1、在JavaScript中,创建一个包含需要传递给PHP的数组的变量;2、使用Ajax技术将该数组发送给PHP脚本。可以使用原生的JavaScript代码或者使用基于Ajax的JavaScript库如jQuery等;3、在PHP脚本中,接收传递过来的数组数据,并进行相应的处理即可。

js是什么编程语言?js是什么编程语言?May 05, 2019 am 10:22 AM

js全称JavaScript,是一种具有函数优先的轻量级,直译式、解释型或即时编译型的高级编程语言,是一种属于网络的高级脚本语言;JavaScript基于原型编程、多范式的动态脚本语言,并且支持面向对象、命令式和声明式,如函数式编程。

如何使用C#中的List.Sort函数对列表进行排序如何使用C#中的List.Sort函数对列表进行排序Nov 17, 2023 am 10:58 AM

如何使用C#中的List.Sort函数对列表进行排序在C#编程语言中,我们经常需要对列表进行排序操作。而List类的Sort函数正是为此设计的一个强大工具。本文将介绍如何使用C#中的List.Sort函数对列表进行排序,并提供具体的代码示例,帮助读者更好地理解和应用该函数。List.Sort函数是List类的一个成员函数,用于对列表中的元素进行排序。该函数接

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

Repo: How To Revive Teammates
1 months agoBy尊渡假赌尊渡假赌尊渡假赌
R.E.P.O. Energy Crystals Explained and What They Do (Yellow Crystal)
2 weeks agoBy尊渡假赌尊渡假赌尊渡假赌
Hello Kitty Island Adventure: How To Get Giant Seeds
1 months agoBy尊渡假赌尊渡假赌尊渡假赌

Hot Tools

Dreamweaver Mac version

Dreamweaver Mac version

Visual web development tools

MinGW - Minimalist GNU for Windows

MinGW - Minimalist GNU for Windows

This project is in the process of being migrated to osdn.net/projects/mingw, you can continue to follow us there. MinGW: A native Windows port of the GNU Compiler Collection (GCC), freely distributable import libraries and header files for building native Windows applications; includes extensions to the MSVC runtime to support C99 functionality. All MinGW software can run on 64-bit Windows platforms.

MantisBT

MantisBT

Mantis is an easy-to-deploy web-based defect tracking tool designed to aid in product defect tracking. It requires PHP, MySQL and a web server. Check out our demo and hosting services.

Atom editor mac version download

Atom editor mac version download

The most popular open source editor

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor