必要なことを行うための既存の Array メソッドはありませんが、 Array.prototype.slice
andを使用して簡単に定義できますArray.prototype.concat
。
// move i elements from the start of the array to the end of the array
Array.prototype.lcycle = function(i) {
var xs = this.slice(0,i);
var ys = this.slice(i);
return ys.concat(xs)
};
// move i elements from the end of the array to the start of the array
Array.prototype.rcycle = function(i) {
var xs = this.slice(0,-i);
var ys = this.slice(-i);
return ys.concat(xs);
};
そして、 通常の配列メソッドとしてlcycle
andを使用できます。rcycle
>>> alltones.lcycle(3)
[ "D#" , "E" , "F" , "F#" , "G" , "G#" , "A" , "A#" , "B" , "C" , "C#" , "D" ]
>>> alltones.rcycle(4)
[ "G#" , "A" , "A#" , "B" , "C" , "C#" , "D" , "D#" , "E" , "F" , "F#" , "G" ]
これらのメソッドはどちらも新しい配列を返すことに注意してください。元の配列を変更したい場合は、 を使用して同様のメソッドを定義できますArray.prototype.splice
。
// move i elements from the start of the array to the end of the array, mutating the original array
Array.prototype.lcycle_m = function(i) {
var args = this.splice(0,i);
args.unshift(0);
args.unshift(this.length);
this.splice.apply(this, args);
};
// move i elements from the end of the array to the start of the array, mutating the original array
Array.prototype.rcycle_m = function(i) {
var args = this.splice(-i);
args.unshift(0);
args.unshift(0);
this.splice.apply(this, args);
};
また、通常の配列メソッドとしてlcycle_m
andを使用できます。rcycle_m
>>> alltones.lcycle_m(3)
>>> alltones
[ "D#" , "E" , "F" , "F#" , "G" , "G#" , "A" , "A#" , "B" , "C" , "C#" , "D" ]
>>> alltones.rcycle_m(3)
>>> alltones
[ "C" , "C#" , "D" , "D#" , "E" , "F" , "F#" , "G" , "G#" , "A" , "A#" , "B" ]