vue實現2048
小雨,在家養生,無聊想寫點小遊戲玩玩,就想到了2048
使用方法:
git clone
npm i
npm run dev
複製程式碼
實現思路
- 用vue-cli搭建專案,對這個專案可能有點笨重,但是也懶的再搭一個
- 4X4的方格用一個二維陣列存放,繫結好後只關心這個二維陣列,其他事交給vue
- 監聽鍵盤事件
- 2048的核心部分就是移動合併的演算法,因為是一個4X4的矩陣,所以只要實現左移的演算法,其他方向的移動只需要將矩陣旋轉,移動合併,再旋轉回來,渲染dom即可
- 繫結不同數值的樣式
- 分值計算,以及用localstorage存放最高分
關鍵實現
DOM
<div class="box">
<div class="row" v-for="row in list">
<div class="col" :class="`n-`+col" v-for="col in row">{col}}</div>
</div>
</div>
複製程式碼
主要的遊戲部分的DOM,很簡單,用一個二維陣列渲染,並動態繫結樣式
左移
主要由以下幾種情況:
-
2 2 2 2 => 4 4 0 0
-
4 2 2 2 => 4 4 2 0
-
0 4 2 2=> 4 4 0 0
-
2 2 4 2 => 4 4 2 0
按單行資料舉例,
- 遍歷單行陣列,若存在資料,記為cell,尋找cell往左可移到的最遠空位置farthest
- 判斷farthest的左邊是否存在,不存在則直接移到到farthest
- 若存在,則判斷farthest – 1的值和cell是否相同
- 相同=> 合併
- 不相同=>移到farthest位置
- 移動完後,清空cell
- 下一輪
因為一輪移動中,一個數只能合併一次,所以每個格子要有merged引數來記錄是否已經合併過。
主要程式碼:
_list.forEach(item => {
let farthest = this.farthestPosition(list, item)
let next = list[farthest - 1]
if (next && next === item.value && !_list[farthest - 1].merged) {
//合併
list[farthest - 1] = next * 2
list[item.x] = undefined
item = {
x: farthest - 1,
merged: true,
value: next * 2
}
this.score += next * 2
} else {
if (farthest != item.x) {
list[farthest] = item.value
list[item.x] = undefined
item.x = farthest
}
}
})
複製程式碼
矩陣旋轉
因為上移,下移,左移,右移實際上是相同的,寫4遍也可以,但是容易出錯,所以我直接旋轉將矩陣旋轉,再進行移動。
以上移為例,只要將矩陣逆時針旋轉一次,上移就變成了左移,移動合併成之後,只要再將矩陣逆時針旋轉4-1次,矩陣就和單純上移一樣了。
逆時針旋轉演算法:
rotate(arr, n) {
n = n % 4
if (n === 0) return arr
let tmp = Array.from(Array(this.size)).map(() => Array(this.size).fill(undefined))
for (let i = 0; i < this.size; i++) {
for (let j = 0; j < this.size; j++) {
tmp[this.size - 1 - i][j] = arr[j][i]
}
}
if (n > 1) tmp = this.rotate(tmp, n - 1)
return tmp
},
複製程式碼
到這時候已經完成了80%了,只要再完善一下,加入分值,重新開始等功能就可以了。
寫得比較粗糙,有好的意見歡迎提issue。