HTML+JavaScript案例分享: 打造经典俄罗斯方块,详解实现全过程
myzbx 2024-12-11 15:56 23 浏览
大家好,我是魏大帅,今天教大家一个装[啤酒]的方法。你说你不懂前端,没关系我教你。打开你的电脑,新建一个txt文档,把我文章最后面的完整代码复制到文档里面,然后把txt文档的后缀名改成.html 就ok啦,你可以直接把这个html文件发给你朋友,说这是哥们我做的,[给力]不!
哈哈,前面这段纯属开玩笑的,主要还是给各位前端开发,或者想从事前端开发的帅哥美女们,一个可以借鉴的案例。有大神觉得自己有更厉害的案例,也可以告诉我,我也学习学习,咱们互相学习互相进步。话不多说,上干货!
这是俄罗斯方块的效果图:
一、游戏界面与布局
我们最先借助 HTML 和 CSS 来打造游戏的界面。这页面主要涵盖了一个游戏区域,也就是 (<canvas>元素),还有一个包含“开始游戏”按钮以及得分展示的区域。
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>俄罗斯方块</title>
<style>
body {
background-color: #e0e0e0;
display: flex;
flex-direction: column;
align-items: center;
justify-content: center;
height: 100vh;
overflow: hidden;
}
#game-container {
background-color: #fff;
padding: 20px;
border-radius: 10px;
box-shadow: 0 0 15px rgba(0, 0, 0, 0.3);
display: flex;
flex-direction: column;
align-items: center;
}
#game-board {
border: 3px solid #333;
box-shadow: 0 0 10px rgba(0, 0, 0, 0.2);
width: 350px;
height: 700px;
}
#startButtonAndScore {
display: flex;
justify-content: center;
align-items: center;
gap: 20px;
margin-top: 15px;
}
#startButton {
padding: 12px 20px;
font-size: 16px;
background-color: #4CAF50;
color: white;
border: none;
border-radius: 8px;
cursor: pointer;
transition: background-color 0.3s ease;
}
#startButton:hover {
background-color: #45a049;
}
#scoreContainer {
font-size: 18px;
font-weight: bold;
color: #555;
}
</style>
</head>
<body>
<div id="game-container">
<canvas id="game-board" width="350" height="700"></canvas>
<div id="startButtonAndScore">
<button id="startButton">开始游戏</button>
<div id="scoreContainer">得分:0</div>
</div>
</div>
<script>
// 以下是 JavaScript 代码部分
</script>
</body>
</html>
二、游戏逻辑实现
1. 定义方块形状和颜色
我们先把各种各样可能会出现的方块形状和相对应的颜色给定义好了。
const shapes = [
[
[1, 1],
[1, 1]
],
[
[0, 1, 0],
[1, 1, 1]
],
[
[1, 0],
[1, 0],
[1, 1]
],
[
[0, 1],
[0, 1],
[1, 1]
],
[
[1, 1, 1],
[0, 1, 0]
],
[
[1, 1, 0],
[0, 1, 1]
],
[
[0, 1, 1],
[1, 1, 0]
]
];
// 不同形状对应的颜色数组
const colors = ['red', 'blue', 'green', 'yellow', 'orange', 'purple', 'cyan'];
2. 游戏状态变量
设置了一连串的游戏状态变量,用来追踪游戏板的状况、当下正在下落的方块、所在位置、得分情况,还有游戏是不是结束了之类的信息。
let board = []; // 游戏板状态,二维数组表示游戏区域的方块分布
let currentShape = null; // 当前正在下落的形状
let currentShapeColor = null; // 当前形状的颜色
let currentX = 0; // 当前形状在游戏板上的横坐标
let currentY = 0; // 当前形状在游戏板上的纵坐标
let intervalId = null; // 游戏循环的定时器 ID
let score = 0; // 玩家得分
let gameOver = false; // 游戏是否结束的标志
3. 创建游戏板
用一个函数来把游戏板初始化,把每个格子都初始化成 0 ,意思就是都为空。
function createBoard() {
// 遍历每一行
for (let i = 0; i < 20; i++) {
board[i] = [];
// 遍历每一列,将每个格子初始化为 0
for (let j = 0; j < 10; j++) {
board[i][j] = 0;
}
}
}
4. 绘制游戏板
这个函数负责在<canvas>上面画游戏板和当下正在掉落的方块。要是格子里有方块,那就依据方块的颜色把对应的区域填满。
function drawBoard() {
const canvas = document.getElementById('game-board');
const ctx = canvas.getContext('2d');
ctx.clearRect(0, 0, canvas.width, canvas.height);
// 遍历游戏板的每一行和每一列
for (let i = 0; i < 20; i++) {
for (let j = 0; j < 10; j++) {
if (board[i][j] > 0) {
// 根据格子中的值确定颜色并填充方块
ctx.fillStyle = colors[board[i][j] - 1];
ctx.fillRect(j * (canvas.width / 10), i * (canvas.height / 20), canvas.width / 10, canvas.height / 20);
}
}
}
// 如果有正在下落的方块且游戏未结束,绘制该方块
if (currentShape &&!gameOver) {
for (let i = 0; i < currentShape.length; i++) {
for (let j = 0; j < currentShape[i].length; j++) {
if (currentShape[i][j]) {
ctx.fillStyle = currentShapeColor;
ctx.fillRect((currentX + j) * (canvas.width / 10), (currentY + i) * (canvas.height / 20), canvas.width / 10, canvas.height / 20);
}
}
}
}
}
5. 生成新的形状
随便挑一个方块的形状和颜色,把它的初始位置定在游戏板中央靠上的地方。
function newShape() {
const randomShapeIndex = Math.floor(Math.random() * shapes.length);
// 随机选择一个形状并设置为当前形状
currentShape = shapes[randomShapeIndex];
// 选择对应的颜色
currentShapeColor = colors[randomShapeIndex];
// 计算初始横坐标使其在游戏板中央
currentX = Math.floor(10 / 2 - currentShape[0].length / 2);
currentY = 0;
}
6. 检查是否可以移动
判断一下当前的方块能不能在给定的那个方向上移动,如果移动后的位置超过了游戏板的边界,或者已经有别的方块占着了,那就不能移动。
function canMove(x, y) {
for (let i = 0; i < currentShape.length; i++) {
for (let j = 0; j < currentShape[i].length; j++) {
if (currentShape[i][j]) {
const newX = currentX + j + x;
const newY = currentY + i + y;
// 检查新位置是否合法
if (newX < 0 || newX >= 10 || newY >= 20 || (newY >= 0 && board[newY][newX])) {
return false;
}
}
}
}
return true;
}
7. 移动形状
要是能移动,那就把方块的位置更新一下。
function moveShape(x, y) {
if (canMove(x, y)) {
for (let i = 0; i < currentShape.length; i++) {
for (let j = 0; j < currentShape[i].length; j++) {
if (currentShape[i][j]) {
// 将当前位置在游戏板上的值设置为 0,表示该位置不再有方块
board[currentY + i][currentX + j] = 0;
}
}
}
// 更新横坐标和纵坐标
currentX += x;
currentY += y;
}
}
8. 旋转形状
用转换矩阵的办法来让方块旋转。先弄出一个新的形状的数组,然后看看旋转后的形状能不能放在游戏板上,如果能,就把当前的形状更新成旋转后的形状。
function rotateShape() {
const newShape = [];
for (let i = 0; i < currentShape[0].length; i++) {
newShape[i] = [];
for (let j = 0; j < currentShape.length; j++) {
// 实现形状的旋转
newShape[i][j] = currentShape[currentShape.length - 1 - j][i];
}
}
if (canMove(0, 0)) {
for (let i = 0; i < currentShape.length; i++) {
for (let j = 0; j < currentShape[i].length; j++) {
if (currentShape[i][j]) {
board[currentY + i][currentX + j] = 0;
}
}
}
// 更新当前形状为旋转后的形状
currentShape = newShape;
}
}
9. 固定形状到游戏板
判断一下方块是不是该停止往下落了,如果是,那就把方块固定在游戏板上,再检查检查有没有完整的行能消除掉。要是有,就把这些行删掉,得分也增加,然后生成新的方块。要是方块还能往下落,那就接着往下落。
function fixShape() {
let shouldStop = false;
for (let i = 0; i < currentShape.length; i++) {
for (let j = 0; j < currentShape[i].length; j++) {
if (currentShape[i][j]) {
const newY = currentY + i;
if (newY + 1 >= 20 || (newY + 1 >= 0 && board[newY + 1][currentX + j])) {
shouldStop = true;
break;
}
}
}
if (shouldStop) break;
}
if (shouldStop) {
for (let i = 0; i < currentShape.length; i++) {
for (let j = 0; j < currentShape[i].length; j++) {
if (currentShape[i][j]) {
if (currentY + i < 20 && currentX + j >= 0 && currentX + j < 10 && board[currentY + i][currentX + j] === 0) {
board[currentY + i][currentX + j] = colors.indexOf(currentShapeColor) + 1;
}
}
}
}
removeFullLines();
newShape();
checkGameOver();
} else {
moveShape(0, 1);
}
}
10. 检查是否有满行并删除
把游戏板的每一行都走一遍,检查检查有没有完整的行。要是有,就把那行删掉,在顶部加上一行空的,同时得分也增加。
function removeFullLines() {
let linesRemoved = 0;
for (let i = board.length - 1; i >= 0; i--) {
if (board[i].every(cell => cell > 0)) {
board.splice(i, 1);
board.unshift(new Array(10).fill(0));
linesRemoved++;
}
}
if (linesRemoved > 0) {
score += linesRemoved * 10;
document.getElementById('scoreContainer').innerText = '得分:' + score;
}
}
11. 检查游戏是否结束
检查游戏板的第一行有没有方块,要是有,那游戏就结束啦
function checkGameOver() {
for (let j = 0; j < 10; j++) {
if (board[0][j] > 0) {
gameOver = true;
clearInterval(intervalId);
alert('游戏结束!你的得分是:' + score);
break;
}
}
}
12. 游戏循环
游戏循环的那个函数不停地查看方块能不能下落,要是不能下落或者游戏已经结束了,那就调用 fixShape 函数把方块给定住;要是能下落,就让方块接着往下落,并且把游戏板给画出来。
function gameLoop() {
if (!canMove(0, 1) || gameOver) {
fixShape();
} else {
moveShape(0, 1);
}
drawBoard();
}
13. 开始游戏
要是点击“开始游戏”这个按钮,就调用这个函数。要是已经有游戏正在进行当中,那就先把旧游戏停下,接着把游戏状态重置了,创建一个新的游戏板,生成新的方块,启动游戏循环,然后把得分显示也更新一下。
function startGame() {
if (intervalId) {
clearInterval(intervalId);
}
board = [];
currentShape = null;
currentShapeColor = null;
currentX = 0;
currentY = 0;
score = 0;
gameOver = false;
createBoard();
newShape();
intervalId = setInterval(gameLoop, 1000);
document.getElementById('scoreContainer').innerText = '得分:' + score;
}
14. 按键事件处理
咱们监听键盘事件,要是按了左、右、下、上箭头键,那就分别对应着方块的左移、右移、下落和旋转这些操作。要是游戏已经结束了,那就不响应按键事件。
document.addEventListener('keydown', event => {
if (gameOver) return;
switch (event.keyCode) {
case 37: // 左箭头
moveShape(-1, 0);
break;
case 39: // 右箭头
moveShape(1, 0);
break;
case 40: // 下箭头
moveShape(0, 1);
break;
case 38: // 上箭头
rotateShape();
break;
}
drawBoard();
});
三、完整代码
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>俄罗斯方块</title>
<style>
body {
background-color: #e0e0e0;
display: flex;
flex-direction: column;
align-items: center;
justify-content: center;
height: 100vh;
overflow: hidden;
}
#game-container {
background-color: #fff;
padding: 20px;
border-radius: 10px;
box-shadow: 0 0 15px rgba(0, 0, 0, 0.3);
display: flex;
flex-direction: column;
align-items: center;
}
#game-board {
border: 3px solid #333;
box-shadow: 0 0 10px rgba(0, 0, 0, 0.2);
width: 350px;
height: 700px;
}
#startButtonAndScore {
display: flex;
justify-content: center;
align-items: center;
gap: 20px;
margin-top: 15px;
}
#startButton {
padding: 12px 20px;
font-size: 16px;
background-color: #4CAF50;
color: white;
border: none;
border-radius: 8px;
cursor: pointer;
transition: background-color 0.3s ease;
}
#startButton:hover {
background-color: #45a049;
}
#scoreContainer {
font-size: 18px;
font-weight: bold;
color: #555;
}
</style>
</head>
<body>
<div id="game-container">
<canvas id="game-board" width="350" height="700"></canvas>
<div id="startButtonAndScore">
<button id="startButton">开始游戏</button>
<div id="scoreContainer">得分:0</div>
</div>
</div>
<script>
// 定义方块形状和颜色数组
const shapes = [
[
[1, 1],
[1, 1]
],
[
[0, 1, 0],
[1, 1, 1]
],
[
[1, 0],
[1, 0],
[1, 1]
],
[
[0, 1],
[0, 1],
[1, 1]
],
[
[1, 1, 1],
[0, 1, 0]
],
[
[1, 1, 0],
[0, 1, 1]
],
[
[0, 1, 1],
[1, 1, 0]
]
];
const colors = ['red', 'blue', 'green', 'yellow', 'orange', 'purple', 'cyan'];
// 游戏状态变量
let board = []; // 游戏板状态
let currentShape = null; // 当前正在下落的形状
let currentShapeColor = null; // 当前形状的颜色
let currentX = 0; // 当前形状的横坐标
let currentY = 0; // 当前形状的纵坐标
let intervalId = null; // 游戏循环的定时器 ID
let score = 0; // 得分
let gameOver = false; // 游戏是否结束标志
// 创建游戏板
function createBoard() {
for (let i = 0; i < 20; i++) {
board[i] = [];
for (let j = 0; j < 10; j++) {
board[i][j] = 0;
}
}
}
// 绘制游戏板
function drawBoard() {
const canvas = document.getElementById('game-board');
const ctx = canvas.getContext('2d');
ctx.clearRect(0, 0, canvas.width, canvas.height);
for (let i = 0; i < 20; i++) {
for (let j = 0; j < 10; j++) {
if (board[i][j] > 0) {
ctx.fillStyle = colors[board[i][j] - 1];
ctx.fillRect(j * (canvas.width / 10), i * (canvas.height / 20), canvas.width / 10, canvas.height / 20);
}
}
}
if (currentShape &&!gameOver) {
for (let i = 0; i < currentShape.length; i++) {
for (let j = 0; j < currentShape[i].length; j++) {
if (currentShape[i][j]) {
ctx.fillStyle = currentShapeColor;
ctx.fillRect((currentX + j) * (canvas.width / 10), (currentY + i) * (canvas.height / 20), canvas.width / 10, canvas.height / 20);
}
}
}
}
}
// 生成新的形状
function newShape() {
const randomShapeIndex = Math.floor(Math.random() * shapes.length);
currentShape = shapes[randomShapeIndex];
currentShapeColor = colors[randomShapeIndex];
currentX = Math.floor(10 / 2 - currentShape[0].length / 2);
currentY = 0;
}
// 检查是否可以移动
function canMove(x, y) {
for (let i = 0; i < currentShape.length; i++) {
for (let j = 0; j < currentShape[i].length; j++) {
if (currentShape[i][j]) {
const newX = currentX + j + x;
const newY = currentY + i + y;
if (newX < 0 || newX >= 10 || newY >= 20 || (newY >= 0 && board[newY][newX])) {
return false;
}
}
}
}
return true;
}
// 移动形状
function moveShape(x, y) {
if (canMove(x, y)) {
for (let i = 0; i < currentShape.length; i++) {
for (let j = 0; j < currentShape[i].length; j++) {
if (currentShape[i][j]) {
board[currentY + i][currentX + j] = 0;
}
}
}
currentX += x;
currentY += y;
}
}
// 旋转形状
function rotateShape() {
const newShape = [];
for (let i = 0; i < currentShape[0].length; i++) {
newShape[i] = [];
for (let j = 0; j < currentShape.length; j++) {
newShape[i][j] = currentShape[currentShape.length - 1 - j][i];
}
}
if (canMove(0, 0)) {
for (let i = 0; i < currentShape.length; i++) {
for (let j = 0; j < currentShape[i].length; j++) {
if (currentShape[i][j]) {
board[currentY + i][currentX + j] = 0;
}
}
}
currentShape = newShape;
}
}
// 固定形状到游戏板
function fixShape() {
let shouldStop = false;
for (let i = 0; i < currentShape.length; i++) {
for (let j = 0; j < currentShape[i].length; j++) {
if (currentShape[i][j]) {
const newY = currentY + i;
if (newY + 1 >= 20 || (newY + 1 >= 0 && board[newY + 1][currentX + j])) {
shouldStop = true;
break;
}
}
}
if (shouldStop) break;
}
if (shouldStop) {
for (let i = 0; i < currentShape.length; i++) {
for (let j = 0; j < currentShape[i].length; j++) {
if (currentShape[i][j]) {
if (currentY + i < 20 && currentX + j >= 0 && currentX + j < 10 && board[currentY + i][currentX + j] === 0) {
board[currentY + i][currentX + j] = colors.indexOf(currentShapeColor) + 1;
}
}
}
}
removeFullLines();
newShape();
checkGameOver();
} else {
moveShape(0, 1);
}
}
// 检查是否有满行并删除
function removeFullLines() {
let linesRemoved = 0;
for (let i = board.length - 1; i >= 0; i--) {
if (board[i].every(cell => cell > 0)) {
board.splice(i, 1);
board.unshift(new Array(10).fill(0));
linesRemoved++;
}
}
if (linesRemoved > 0) {
score += linesRemoved * 10;
document.getElementById('scoreContainer').innerText = '得分:' + score;
}
}
// 检查游戏是否结束
function checkGameOver() {
for (let j = 0; j < 10; j++) {
if (board[0][j] > 0) {
gameOver = true;
clearInterval(intervalId);
alert('游戏结束!你的得分是:' + score);
break;
}
}
}
// 游戏循环
function gameLoop() {
if (!canMove(0, 1) || gameOver) {
fixShape();
} else {
moveShape(0, 1);
}
drawBoard();
}
// 开始游戏
function startGame() {
if (intervalId) {
// 如果已经有游戏在进行,先停止旧的游戏
clearInterval(intervalId);
}
// 重置游戏状态
board = [];
currentShape = null;
currentShapeColor = null;
currentX = 0;
currentY = 0;
score = 0;
gameOver = false;
createBoard();
newShape();
intervalId = setInterval(gameLoop, 1000);
document.getElementById('scoreContainer').innerText = '得分:' + score;
}
document.getElementById('startButton').addEventListener('click', startGame);
// 按键事件处理
document.addEventListener('keydown', event => {
if (gameOver) return;
switch (event.keyCode) {
case 37: // 左箭头
moveShape(-1, 0);
break;
case 39: // 右箭头
moveShape(1, 0);
break;
case 40: // 下箭头
moveShape(0, 1);
break;
case 38: // 上箭头
rotateShape();
break;
}
drawBoard();
});
</script>
</body>
</html>
凭借上面这些代码,咱们顺利做成了一个挺简单的俄罗斯方块游戏。
希望这篇文章能对你有所帮助![赞][比心]
相关推荐
- 一键生成高颜值图表!让你的文字瞬间有画面感,职场人必备!
-
哈喽,打工人们!忙碌的周中,大熊又来给你们带来一个超实用的效率神器啦!这次的宝藏网站绝对是那种用过就离不开的"真香"型产品!假设你明天就要做重要汇报,可面对一大堆密密麻麻的文字材料,你...
- 批量将 Word 转换为 PDF/Excel/Txt/图片等多种格式
-
Word文档是我们工作中经常会打交道的一种文档格式,我们也经常会有需要对Word文档进行格式转换的需求,比如将Word格式转换为PDF、将Word文档转换为Excel、将Word...
- 绝了!一键用AI生成高颜值动态PPT(附详细步骤+Prompt)
-
大家好,我是一名酷爱研究AI的产品经理,最近我有个新发现:那些花了你3天做出来的PPT,现在用AI可以1小时搞定!而且颜值还高!为什么AI做PPT比传统方式效率高10倍?我用一张图就能告诉你:AI生成...
- ztext - 简单几行代码创建酷炫3D特效文字的开源JS库
-
把网页上的文字变成酷炫的3D风格,还能制作旋转动效,有了ztext.js,只需要几行代码。ztext能做什么ztext.js是一个能把常规的平面文字变成3D样式的前端开源代码库,让开发者...
- 文字内插入小图片,也太可爱了吧(文字中怎么插图片)
-
图文排版H5手机版秀米有小伙伴留言问添加图片的时候可不可以把图片添加到文字之间比如下面这句话中的小贴纸图片后面可以接着输入文字其实吧这就是咱们的『文字内插入小图片』功能嘛可以用来在文字内加个表情包又...
- Linux环境下C++代码性能分析方法(linux怎么写c++代码)
-
技术背景在开发C++应用程序时,找出代码中运行缓慢的部分是进行性能优化的关键。在Linux系统上,有多种工具和方法可用于对C++代码进行性能分析,每种方法都有其特点和适用场景。实现步骤手动中断调试法在...
- SVG互动图文,让你的文章更有趣!教你4种简单易学的黑科技玩法!
-
如果你是一个公众号创作者,那么你一定想知道如何让你的文章更加吸引人,更加有趣,更加有创意。你可能已经尝试过各种图文排版技巧,但是你是否知道,有一种黑科技可以让你的文章变得更加酷炫,更加互动,更加爆款?...
- Videoscribe怎么实现实心中文汉字的手绘制作
-
很多朋友在制作手绘视频的时候,不知道怎么输入实心的中文汉字,之前我们已经给大家分享了怎么输入汉字的方法,但是有一点遗憾的是输出的汉字是空心的手绘展示,在视觉上并不是非常的美观。经过大家不断的探索,终于...
- 一款用于将文本转化成图表的现代化脚本语言
-
大家好,又见面了,我是GitHub精选君!今天要给大家推荐一个GitHub开源项目terrastruct/d2,该项目在GitHub有超过10.3kStar,用一句话介绍该项目就是:...
- 探秘 Web 水印技术(制作水印网站)
-
作者:fransli,腾讯PCG前端开发工程师Web水印技术在信息安全和版权保护等领域有着广泛的应用,对防止信息泄露或知识产品被侵犯有重要意义。水印根据可见性可分为可见水印和不可见水印(盲水印)...
- 不忍心卸载的五款神仙工具(不忍心卸载的五款神仙工具是什么)
-
001.效率工具uTools-装机必备的生产力工具集uTools是一款非常强大的可以装下几乎所有效率工具的电脑生产力工具集,目前拥有Windows、Mac和Linux三个版本。软件界面...
- 「SVG」飞花令!这份最高检工作报告“超有料”
-
原标题:【SVG】飞花令!这份最高检工作报告“超有料”栏目主编:秦红文字编辑:沈佳灵来源:作者:最高人民检察院...
- svg|2025政府工作报告,有没有你关心的数据?
-
··<setattributeName="visibility"begin="click+0s"dur="1ms"fill="freeze"restart="never"to="hi...
- videoscribe只能输入英文,如何输入中文文本?
-
videoscribe只能输入英文,如何输入中文文本?打开VideoScribe软件,打开要添加中文字体的位置。打开Photoshop并在文件中创建一个新的透明背景图层。注意:必须是透明背景层。...
- 五个流行的SVG在线编辑器(svg编辑工具)
-
随着响应网络的发展,越来越多的高质量的SVG在线编辑器被公众所熟知。SVG矢量图形也越来越受欢迎,以便在任何设备上呈现图像,甚至一些易于使用的SVG在线编辑器,可以替代PS,本文总结了五种流行的SVG...
- 一周热门
- 最近发表
- 标签列表
-
- HTML 简介 (30)
- HTML 响应式设计 (31)
- HTML URL 编码 (32)
- HTML Web 服务器 (31)
- HTML 表单属性 (32)
- HTML 音频 (31)
- HTML5 支持 (33)
- HTML API (36)
- HTML 总结 (32)
- HTML 全局属性 (32)
- HTML 事件 (31)
- HTML 画布 (32)
- HTTP 方法 (30)
- 键盘快捷键 (30)
- CSS 语法 (35)
- CSS 选择器 (30)
- CSS 轮廓 (30)
- CSS 轮廓宽度 (31)
- CSS 谷歌字体 (33)
- CSS 链接 (31)
- CSS 中级教程 (30)
- CSS 定位 (31)
- CSS 图片库 (32)
- CSS 图像精灵 (31)
- SVG 文本 (32)