Javascript custom sort algorithm according to another array

后端 未结 4 1949
余生分开走
余生分开走 2021-01-25 18:55

I have this two arrays

var refArray = [\'India\',\'Pakistan\',\'Nepal\',\'Bhutan\',\'SreeLanka\',\'Singapore\',\'Thailand\',\'China\',\'Russia\']
var beenThere          


        
4条回答
  •  臣服心动
    2021-01-25 19:57

    since the data are strings, and the strings don't have commas, you can avoid all user-land iteration with a dynamic RegExp:

    var refArray = ['India','Pakistan','Nepal','Bhutan','SreeLanka','Singapore','Thailand','China','Russia']
    var beenThere = ['Russia','Bhutan','India'];
    
    
    (","+refArray+",").match(RegExp(",("+beenThere.join("|")+"),","g")).join(",").split(/,+/).slice(1,-1); 
    // ==  ["India", "Bhutan", "Russia"]
    

    that one is nice in that it doesn't need [].indexOf(), so it works in older browsers. you can use another delimeter besides comma if the data has commas, with some slightly uglier code...

    or, using filter for the iteration, but with a native method instead of a user-land function:

    var refArray = ['India','Pakistan','Nepal','Bhutan','SreeLanka','Singapore','Thailand','China','Russia']
    var beenThere = ['Russia','Bhutan','India'];
    
    refArray.filter(/./.test, RegExp("("+beenThere.join("|")+")","g"));
    // == ["India", "Bhutan", "Russia"]
    

    these would probably perform faster than indexOf(), but sorting is a weird operation, with lots of opportunity for behind-the-scenes optimization, so results may vary.

提交回复
热议问题