JS 陣列排序範例

馬老師離開待了約十幾年的教學界,目前在外商科技公司擔任Senior Consultant的工作,原因當然很多,未來有空再慢慢發文章分享,剛好最近有點時間,怕以後忘記,把最近專案中用到的一些程式筆記下來,如果大家有需要,也可以參考使用,這一篇是關於Javascript陣列排序的部分。

通常若有較多的內容需要儲存,變數就沒有陣列來的好用,所以陣列是拿來儲存大量的資料時所使用的,且儲存在裡面的資料,還可以選擇經過排序之後再呈現至畫面上,例如:

var name = ["stanley", "jack", "anita" , "mary"];

name.sort() //依照字母排序
console.log(name); // 輸出 ["anita", "jack", "mary", "stanley"]

names.reverse() //反轉陣列內容
console.log(name); //輸出 ["stanley", "mary", "jack", "anita"]

但若我們同時有多個陣列,但希望以其中之一的內容排序時,也可以同步更新到另外一個陣列,該如何處理呢?可以參考以下的方式:

var name = ["stanley", "jack", "anita" , "mary"];
var gender = ["male" , "male" , "female" , "female"];
var score = [30, 10, 40 , 80];
var ID = ["S1" , "S2" , "S3" , "S4"];

console.log("name : " + name + "; score : " + score + "; gender : " + gender + "; ID : " + ID);
/*
排序前
name : stanley,jack,anita,mary;
score : 30,10,40,80;
gender : male,male,female,female;
ID : S1,S2,S3,S4;
*/

var list = [];
for (var i = 0; i < name.length; i++){
  list.push({
    'name': name[i],
    'score': score[i],
    'gender': gender[i],
    'ID': ID[i]
  });
}

list.sort(function(a, b) {
  return ((a.name < b.name) ? -1 : ((a.name == b.name) ? 0 : 1));
});

for (var i = 0; i < list.length; i++) {
  name[i] = list[i].name;
  score[i] = list[i].score;
  gender[i] = list[i].gender;
  ID[i] = list[i].ID;
}

console.log("name : " + name + "; score : " + score + "; gender : " + gender + "; ID : " + ID);
/*
排序後
name : anita,jack,mary,stanley;
score : 40,10,80,30;
gender : female,male,female,male;
ID : S3,S2,S4,S1;
*/

若是希望按照分數排序,則可以將sort function 修改為下:

//score 由小到大
list.sort(function(a, b) {
  return a.score - b.score
});

//score 由大到小
list.sort(function(a, b) {
  return b.score - a.score
});

補充:

上述的排序內容均以英文和數字為主,若是遇到中文可使用localeCompare進行,而排序的方式是漢語拼音順序,以下為範例:

var arr = ["二","五","四","一","三"];
//漢語拼音:一[yi], 二[er], 三[san], 四[si], 五[wu]
console.log("排序前:" + arr); // 排序前:二,五,四,一,三
arr.sort(function(a,b){
	return a.localeCompare(b, 'zh'); //排序後:二,三,四,五,一
});
console.log("排序後:" + arr); 

var arr = ["中文","英語","法國話", "京片子", "中國"];
//中文[zhong wen], 英語[ying yu], 法國話[fa guo hua], 京片子[jing pian zi], 中國[zhong guo]
console.log("排序前:" + arr); //排序前:中文,英語,法國話,京片子,中國
arr.sort(function(a,b){
	return a.localeCompare(b, 'zh');
});
console.log("排序後:" + arr); //排序後:法國話,京片子,英語,中國,中文


var arr = ["中文","英语","法国话", "京片子", "中国"];
console.log("排序前:" + arr); //排序前:中文,英语,法国话,京片子,中国
arr.sort(function(a,b){
	return a.localeCompare(b, 'zh');
});
console.log("排序後:" + arr); //排序後:法国话,京片子,英语,中国,中文

You may also like...

9,006 Responses

  1. JeffreyDab表示:

    Look of the Week: Forget the naked dress, Kendall Jenner makes the case for underwear as outerwear
    kraken onion

    On Monday, Kendall Jenner stepped out onto the L’Oreal Paris womenswear runway in a scarlet red Mugler gown that might have looked familiar to anyone with a sharp memory of 1999.

    The front of the dress was slashed open across Jenner’s right shoulder, exposing a matching denier bra. The peekaboo moment conjured up memories of another example of fashionable flashing: Lil’ Kim’s purple embellished jumpsuit at the VMAs 26 years earlier. On the red carpet, Kim’s left breast was almost entirely revealed by an asymmetrical cut — a mirror image of Jenner’s neckline — save for a matching purple nipple pasty.
    Jenner’s Mugler moment was just the latest example of a resurging tendency for underwear as outerwear. At the Nensi Dojaka runway show in London earlier this month, boxy blazers were shrugged over strappy bras while paneled bustiers in sheer fabric were paired with capri trousers and reimagined as going out tops. Brasseries were even left exposed to the elements at Erdem — a departure for a house beloved by both British acting royalty (Kristen Scott Thomas) and actual royalty (the Duchess of Cambridge). Dolce & Gabbana got the memo, too, showing satin corsets, garter belts and Madonna-esque cone bras at Milan Fashion Week on Saturday. Florence Pugh even wore one of the label’s risque designs in her first British Vogue cover last week — the circle neckline of her puff-shouldered black dress scooping just above the belly button, acting as a full-frontal frame for her bra.
    But the trend extends beyond just the runways. During the first performance of her “Short n’ Sweet” tour on Monday, singer Sabrina Carpenter took to the stage in a custom Victoria’s Secret bodysuit and stockings. Hand-adorned with over 150,000 crystals, the strapless pink lace-trimmed leotard took over 140 hours to make. On Monday,YouTube star and singer Jojo Siwa inverted the fad by donning a codpiece for a headline-grabbing cover shoot with LadyGunn magazine. The 15th century undergarment was bedazzled with flesh-colored gemstones.

  2. Jeffreygef表示:

    Arrowheads reveal the presence of a mysterious army in Europe’s oldest battle
    порно жесток бесплатно
    Today, the lush, green valley surrounding the Tollense River in northeast Germany appears to be a serene place to appreciate nature.

    But to archaeologists, the Tollense Valley is considered Europe’s oldest battlefield.

    An amateur archaeologist first spotted a bone sticking out of the riverbank in 1996.

    A series of ongoing site excavations since 2008 has shown that the thousands of bones and hundreds of weapons preserved by the valley’s undisturbed environment were part of a large-scale battle 3,250 years ago.

    The biggest mysteries that researchers aim to uncover are why the battle occurred and who fought in it. These are questions that they are now one step closer to answering.
    ozens of bronze and flint arrowheads recovered from the Tollense Valley are revealing details about the able-bodied warriors who fought in the Bronze Age battle.

    The research team analyzed and compared the arrowheads, some of which were still embedded in the remains of the fallen. While many of these weapons were locally produced, some bearing different shapes came from a region that now includes modern Bavaria and Moravia.

    The outliers’ presence suggests that a southern army clashed with local tribes in the valley, and researchers suspect the conflict began at a key landmark along the river.

    Back to the future
    Scientists are harnessing the power of artificial intelligence to detect hidden archaeological sites buried below the sand of the sprawling Rub‘ al-Khali desert.

    The desert spans 250,000 square miles (650,000 square kilometers) on the Arabian Peninsula, and its name translates to “the Empty Quarter” in English. To unravel the secrets of the desolate terrain, researchers are combining machine learning with a satellite imagery technique that uses radio waves to spot objects that may be concealed beneath surfaces.

    The technology will be tested in October when excavations assess whether predicted structures are present at the Saruq Al Hadid complex in Dubai, United Arab Emirates.

    Separately, an AI-assisted analysis uncovered a trove of ancient symbols in Peru’s Nazca Desert, nearly doubling the number of known geoglyphs, or stone and gravel arranged into giant shapes that depict animals, humans and geometric designs.

  3. RobertWaf表示:

    Arrowheads reveal the presence of a mysterious army in Europe’s oldest battle
    домашний анальный секс
    Today, the lush, green valley surrounding the Tollense River in northeast Germany appears to be a serene place to appreciate nature.

    But to archaeologists, the Tollense Valley is considered Europe’s oldest battlefield.

    An amateur archaeologist first spotted a bone sticking out of the riverbank in 1996.

    A series of ongoing site excavations since 2008 has shown that the thousands of bones and hundreds of weapons preserved by the valley’s undisturbed environment were part of a large-scale battle 3,250 years ago.

    The biggest mysteries that researchers aim to uncover are why the battle occurred and who fought in it. These are questions that they are now one step closer to answering.
    ozens of bronze and flint arrowheads recovered from the Tollense Valley are revealing details about the able-bodied warriors who fought in the Bronze Age battle.

    The research team analyzed and compared the arrowheads, some of which were still embedded in the remains of the fallen. While many of these weapons were locally produced, some bearing different shapes came from a region that now includes modern Bavaria and Moravia.

    The outliers’ presence suggests that a southern army clashed with local tribes in the valley, and researchers suspect the conflict began at a key landmark along the river.

    Back to the future
    Scientists are harnessing the power of artificial intelligence to detect hidden archaeological sites buried below the sand of the sprawling Rub‘ al-Khali desert.

    The desert spans 250,000 square miles (650,000 square kilometers) on the Arabian Peninsula, and its name translates to “the Empty Quarter” in English. To unravel the secrets of the desolate terrain, researchers are combining machine learning with a satellite imagery technique that uses radio waves to spot objects that may be concealed beneath surfaces.

    The technology will be tested in October when excavations assess whether predicted structures are present at the Saruq Al Hadid complex in Dubai, United Arab Emirates.

    Separately, an AI-assisted analysis uncovered a trove of ancient symbols in Peru’s Nazca Desert, nearly doubling the number of known geoglyphs, or stone and gravel arranged into giant shapes that depict animals, humans and geometric designs.

  4. Scottsog表示:

    Уборка квартир после пожара цена в Москве https://ubiraem-posle-pozhara-moskva.ru/

  5. Gartandabsex表示:

    Ржачные приколы
    История приколов в интернете. Узнайте, как улучшить себе настроение!

  6. Timothystoft表示:

    canadian pharmacy king reviews: Canadian Pharmacy – canadian pharmacy 1 internet online drugstore

  7. StephanTet表示:

    покупка тканей https://kupit-tkan-optom.ru/

  8. See What Double Glazed Window Repairs Near Me Tricks The Celebs Are Using window repairs near me

  9. Stewart表示:

    What’s The Current Job Market For Tilt And Turn Window Repair
    London Professionals Like? tilt and turn window repair london (Stewart)

  10. sky88表示:

    {Tôi khá hài lòng khám phá trang web này. Tôi muốn cảm ơn bạn {vì đã|dành thời gian cho|chỉ vì điều này|vì điều này|cho bài đọc tuyệt vời này!! Tôi chắc chắn thích từng của nó và tôi đã đã đánh dấu trang để xem thông tin mới trong trang web của bạn.|Tôi có thể chỉ nói rằng thật thoải mái để tìm thấy một người mà thực sự hiểu họ là gì thảo luận trên internet. Bạn chắc chắn biết cách đưa một rắc rối ra ánh sáng và làm cho nó trở nên quan trọng. Nhiều người hơn nữa cần xem điều này và hiểu khía cạnh này của. Tôi đã ngạc nhiên rằng bạn không nổi tiếng hơn vì bạn chắc chắn có món quà.|Xuất sắc bài đăng. Tôi hoàn toàn yêu thích trang web này. Tiếp tục với nó!|Thật khó tìm những người có học thức cho điều này, nhưng bạn có vẻ bạn biết mình đang nói gì! Cảm ơn|Bạn nên tham gia một cuộc thi dành cho một blog trên web hữu ích nhất. Tôi sẽ Rất khuyến nghị trang web này!|Một động lực đáng giá bình luận. Tôi nghĩ rằng bạn cần xuất bản thêm về chủ đề này, nó có thể không là một điều cấm kỵ chủ đề nhưng thường xuyên mọi người không thảo luận những chủ đề như vậy. Đến phần tiếp theo! Chúc mọi điều tốt đẹp nhất!|Chào buổi sáng! Tôi chỉ muốn đề nghị rất to cho thông tin tuyệt vời bạn có ngay tại đây trên bài đăng này. Tôi sẽ là quay lại blog của bạn để biết thêm thông tin sớm nhất.|Khi tôi ban đầu bình luận tôi có vẻ như đã nhấp hộp kiểm -Thông báo cho tôi khi có bình luận mới- và từ bây giờ mỗi lần được thêm vào tôi nhận được bốn email có cùng nội dung. Có một cách bạn có thể xóa tôi khỏi dịch vụ đó không? Chúc mừng.|Lần sau nữa Tôi đọc một blog, Hy vọng rằng nó sẽ không làm tôi thất vọng nhiều như bài này. Rốt cuộc, Tôi biết điều đó là sự lựa chọn của tôi để đọc, dù sao thì tôi thực sự nghĩ bạn sẽ có điều gì đó thú vị để nói về. Tất cả những gì tôi nghe được là một loạt khóc lóc về điều gì đó mà bạn có thể sửa nếu bạn không quá bận tìm kiếm sự chú ý.|Đúng với bài viết này, tôi thành thật nghĩ trang web này cần nhiều hơn nữa sự chú ý.

  11. Steveninela表示:


    Новые методы лечения болезни Паркинсона в клинике Neuro Implant Clinic.
    Акупунктура уха – новый метод лечения болезни Паркинсона, Альцгеймера, Рассеянного Склероза.
    Выездное лечение в разные Страны.
    Отзывы нашего метода на официальном сайте Neuro Implant Clinic.

  12. Успейте воспользоваться промокодом для cryptoboss casino|Уникальный шанс с промокодом на cryptoboss casino
    Бонусный код для cryptoboss casino|Получите дополнительные бонусы с cryptoboss casino промокодом
    Только сегодня! cryptoboss casino промокод|Секретный код для cryptoboss casino
    Увеличьте свои шансы на победу в cryptoboss casino промокодом|Играйте в cryptoboss casino с эксклюзивным промокодом
    криптобосс промокод на бонус при регистрации cryptoboss casino промокод .

    Получите уникальный бонус с cryptoboss casino промокодом
    Получите бонусный приз с cryptoboss casino промокодом
    Регулярные акции и промокоды для cryptoboss casino|Эксклюзивный cryptoboss casino промокод – ваш шанс на победу
    Успейте воспользоваться cryptoboss casino промокодом и выиграть больше|Получите дополнительные бонусы с cryptoboss casino промокодом|cryptoboss casino промокод – ваш путь к успеху|Играйте с выгодой: cryptoboss casino промокод|Получите уникальные бонусы в cryptoboss casino по промокоду|Успейте активировать промокод для увеличения выигрыша|Получите дополнительные бонусы с cryptoboss casino промокодом|Уникальное предложение для игроков cryptoboss casino: промокод|cryptoboss casino – ваша удача по промокоду|Увеличьте свои шансы на победу с промокодами от cryptoboss casino|Действуйте прямо сейчас с cryptoboss casino промокодом|Используйте промокод в cryptoboss casino для больших выигрышей|Уникальное предложение от cryptoboss casino с промокодом|Успейте активировать cryptoboss casino промокод для дополнительных выигрышей|Используйте cryptoboss casino промокод для увеличения шансов на победу|cryptoboss casino – ваш ключ к успеху с промокодами|Увеличьте свои шансы на победу в cryptoboss casino с промокодом|Получите дополнительные бонусы в crypt

  13. Shanel表示:

    10 Easy Ways To Figure Out The Kia Sportage Key Replacement
    In Your Body. kia key replacement near me (Shanel)

  14. Taylah表示:

    What’s The Job Market For Anxiety Disorder Physical Symptoms Professionals
    Like? anxiety disorder physical symptoms (Taylah)

  15. AgbHesia表示:

    MOST READ NEWS Previous Comments 28 Share what you think View all The comments below have not been moderated.
    Many online pharmacies you can levitra (vardenafil) for consumers.
    Who are you seeking cancer care for?

  16. AfsdHesia表示:

    Flu-related pneumonia nearly always occurs in high-risk individuals.
    Getting the real deal at generic vardenafil from one of these pharmacies
    If there were compelling scientific and medical data supporting marijuana’s medical benefits that would be one thing.

  17. Профессиональный сервисный центр по ремонту моноблоков в Москве.
    Мы предлагаем: профессиональный ремонт моноблоков
    Наши мастера оперативно устранят неисправности вашего устройства в сервисе или с выездом на дом!

  18. Профессиональный сервисный центр по ремонту гироскутеров в Москве.
    Мы предлагаем: гарантийный ремонт гироскутеров
    Наши мастера оперативно устранят неисправности вашего устройства в сервисе или с выездом на дом!

  19. Лучшие стили для тактичной одежды, весенние.
    Где найти тактичный стиль в одежде, которые должен знать каждый.
    Топовые тренды тактичной одежды, для города и природы.
    Как сделать акцент на тактичной одежде, для добавления индивидуальности.
    Как не ошибиться с выбором тактичной одежды, чтобы быть в центре внимания.
    військова тактична одежа https://alphakit.com.ua/ .

  20. the best vacation homes are those that are located near the beaches, they are really cool”

  21. Very interesting info!Perfect just what I was looking for!. “The true miracle is not walking on water or walking in air, but simply walking on this earth.” by Thich Nhat Hanh..

  22. Профессиональный сервисный центр по ремонту кондиционеров в Москве.
    Мы предлагаем: ремонт кондиционера в москве
    Наши мастера оперативно устранят неисправности вашего устройства в сервисе или с выездом на дом!

  23. dafabet表示:

    {Tôi đã rất vui khám phá trang web này. Tôi muốn cảm ơn bạn {vì đã|dành thời gian cho|chỉ vì điều này|vì điều này|cho bài đọc tuyệt vời này!! Tôi chắc chắn thích thú từng của nó và tôi đã đánh dấu để xem những thứ mới trên trang web của bạn.|Tôi có thể chỉ nói rằng thật nhẹ nhõm để tìm thấy một người mà thực sự biết họ là gì đang nói về trên mạng. Bạn thực sự biết cách đưa một rắc rối ra ánh sáng và làm cho nó trở nên quan trọng. Nhiều người hơn nên kiểm tra điều này và hiểu khía cạnh này của. Tôi đã ngạc nhiên bạn không nổi tiếng hơn cho rằng bạn chắc chắn có món quà.|Rất hay bài viết trên blog. Tôi hoàn toàn đánh giá cao trang web này. Tiếp tục làm tốt!|Thật gần như không thể tìm thấy những người hiểu biết về điều này, nhưng bạn có vẻ bạn biết mình đang nói gì! Cảm ơn|Bạn nên là một phần của một cuộc thi dành cho một trang web trực tuyến có chất lượng cao nhất. Tôi sẽ Rất khuyến nghị trang web này!|Một hấp dẫn đáng giá bình luận. Tôi nghĩ rằng bạn nên xuất bản thêm về chủ đề này, nó có thể không là một điều cấm kỵ chủ đề nhưng nói chung mọi người không thảo luận những chủ đề như vậy. Đến phần tiếp theo! Chúc mừng!|Xin chào! Tôi chỉ muốn cho bạn một rất to cho thông tin xuất sắc bạn có ở đây trên bài đăng này. Tôi đang quay lại trang web của bạn để biết thêm thông tin sớm nhất.|Sau khi tôi ban đầu để lại bình luận tôi có vẻ như đã nhấp vào hộp kiểm -Thông báo cho tôi khi có bình luận mới- và bây giờ bất cứ khi nào có bình luận được thêm vào tôi nhận được 4 email cùng chính xác một bình luận. Phải có một phương tiện bạn có thể xóa tôi khỏi dịch vụ đó không? Cảm ơn rất nhiều.|Lần sau Tôi đọc một blog, Tôi hy vọng rằng nó sẽ không làm tôi thất vọng nhiều như bài này. Rốt cuộc, Vâng, đó là sự lựa chọn của tôi để đọc, tuy nhiên tôi thực sự nghĩ bạn sẽ có điều gì đó hữu ích để nói. Tất cả những gì tôi nghe được là một loạt tiếng rên rỉ về điều gì đó mà bạn có thể sửa nếu bạn không quá bận tìm kiếm sự chú ý.|Đúng với bài viết này, tôi thành thật cảm thấy trang web này cần nhiều hơn nữa sự chú ý.

  24. Immersions表示:

    This could be the appropriate blog for everyone who hopes to be familiar with this topic. You are aware of a great deal of its practically hard to argue along (not too I personally would want…HaHa). You definitely put a brand new spin on a topic thats been written about for several years. Great stuff, just excellent!

  25. hello!,I really like your writing very a lot! proportion we keep up a correspondence extra about your article on AOL? I require an expert in this house to resolve my problem. Maybe that is you! Having a look forward to see you.

  26. I would like to convey my admiration for your generosity in support of men and women that have the need for help with this particular concern. Your special dedication to getting the message all over had been wonderfully productive and have all the time made professionals much like me to attain their dreams. Your own invaluable tutorial means a great deal to me and additionally to my office workers. Thank you; from everyone of us.

  27. An example of this can be Atypical Mole Syndrome. This syndrome brings about a tendency within the body to type an excessive amount of moles on our skin. This really is something that we could have obtained from our parents or our grandparents and we’ve no manage over whether or not we receive it or not.

  28. Успейте воспользоваться промокодом для cryptoboss casino|Уникальный шанс с промокодом на cryptoboss casino
    Секретный промокод от cryptoboss casino|Получите дополнительные бонусы с cryptoboss casino промокодом
    Эксклюзивная акция для игроков cryptoboss casino|Уникальное предложение от cryptoboss casino с промокодом
    Увеличьте свои шансы на победу в cryptoboss casino промокодом|cryptoboss casino – играйте со скидкой по промокоду
    криптобосс промокод при регистрации криптобосс промокод hds5 .

    Получите уникальный бонус с cryptoboss casino промокодом
    Получите бонусный приз с cryptoboss casino промокодом
    Играйте в cryptoboss casino с дополнительными бонусами от промокодов|Эксклюзивный cryptoboss casino промокод – ваш шанс на победу
    Играйте в cryptoboss casino с бонусным промокодом для победы|cryptoboss casino – ваши шансы на победу с промокодами|Специальное предложение для игроков cryptoboss casino: промокод|Играйте с выгодой: cryptoboss casino промокод|Получите уникальные бонусы в cryptoboss casino по промокоду|cryptoboss casino – играйте с преимуществами промокода|Получите дополнительные бонусы с cryptoboss casino промокодом|Используйте промокод в cryptoboss casino для больших побед|Играйте в cryptoboss casino с преимуществом промокода|Бонусная программа cryptoboss casino с уникальными промокодами|Получите уникальные бонусы с cryptoboss casino промокодом|cryptoboss casino – ваш шанс на успех с промокодом|Уникальное предложение от cryptoboss casino с промокодом|cryptoboss casino – ваш путь к успеху с промокодом|Используйте cryptoboss casino промокод для увеличения шансов на победу|cryptoboss casino – ваш ключ к успеху с промокодами|Играйте в cryptoboss casino с дополнительными преимуществами промокода|Получите дополнительные бонусы в crypt

  29. Guide To Cost Of Private ADHD Assessment
    UK: The Intermediate Guide To Cost Of Private ADHD Assessment UK
    cost of private adhd assessment uk (bookmarkspiral.com)

  30. Тактичный гардероб для стильных людей, как носить.
    Где найти тактичный стиль в одежде, для модных мужчин и женщин.
    Тактичные наряды для повседневной носки, для города и природы.
    Когда лучше всего носить тактичную одежду, для создания армейского образа.
    Секреты удачного выбора тактичной одежды, чтобы быть в центре внимания.
    тактичний одяг купити тактичний одяг купити .

發佈留言

發佈留言必須填寫的電子郵件地址不會公開。