百度360必应搜狗淘宝本站头条
当前位置:网站首页 > 技术文章 > 正文

HTML+JavaScript案例分享: 打造经典俄罗斯方块,详解实现全过程

myzbx 2024-12-11 15:56 16 浏览

大家好,我是魏大帅,今天教大家一个装[啤酒]的方法。你说你不懂前端,没关系我教你。打开你的电脑,新建一个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>

凭借上面这些代码,咱们顺利做成了一个挺简单的俄罗斯方块游戏。

希望这篇文章能对你有所帮助![赞][比心]

相关推荐

Django零基础速成指南:快速打造带用户系统的博客平台

#python##服务器##API##编程##学习#不是所有教程都值得你花时间!这篇实战指南将用5分钟带你解锁Django核心技能,手把手教你从零搭建一个具备用户注册登录、文章管理功能的完整...

iOS 17.0 Bootstrap 1.2.9 半越狱来啦!更新两点

这款Bootstrap半越狱工具终于更新,离上一次更新已相隔很久,现在推出1.2.9版本,主要为内置两点功能进行更新,也是提升半越狱的稳定性。如果你正在使用这款半越狱工具的,建议你更新。注意!...

iOS 16.x Bootstrap 1.2.3 发布,支持运行清理工具

本文主要讲Bootstrap半越狱工具更新相关内容。如果你是iOS16.0至16.6.1和17.0系统的,想体验半越狱的果粉,请继续往下看。--知识点科普--Bootstrap...

SpringBoot整合工作流引擎Acticiti系统,适用于ERP、OA系统

今日推荐:SpringBoot整合工作流引擎Acticiti的源码推荐理由:1、SpringBoot整合工作流引擎Acticiti系统2、实现了三级权限结构3、持久层使用了mybatis框架4、流程包...

SpringCloud自定义Bootstrap配置指南

在SpringCloud中自定义Bootstrap配置需要以下步骤,以确保在应用启动的早期阶段加载自定义配置:1.添加依赖(针对新版本SpringCloud)从SpringCloud2020...

Python使用Dash开发网页应用(三)(python网页开发教程)

PlotlyDash开发Web应用示例一个好的网页设计通常都需要编写css甚至js来定制前端内容,例如非常流行的bootstrap框架。我们既然想使用Dash来搭建web应用,很大的一个原因是不熟悉...

Oxygen XML Editor 27.1 中的新功能

OxygenXMLEditor27.1版是面向内容作者、开发者、合作者和出版商的行业领先工具包的增量版本。在27.1版本中,AIPositronAssistant得到了增强,包括用于...

【LLM-多模态】Mini-Gemini:挖掘多模态视觉语言模型的潜力

一、结论写在前面论文提出了Mini-Gemini,一个精简而强大的多模态VLM框架。Mini-Gemini的本质在于通过战略性框架设计、丰富的数据质量和扩展的功能范围,发掘VLM的潜在能力。其核心是补...

谐云课堂 | 一文详解分布式改造理论与实战

01微服务与分布式什么是分布式?首先,我们对上图提到的部分关键词进行讲解。单体,是指一个进程完成全部的后端处理;水平拆分,是同一个后端多环境部署,他们都处理相同的内容,使用反向代理来均衡负载,这种也叫...

基于Abaqus的手动挡换挡机构可靠性仿真

手动挡,也称手动变速器,英文全称为Manualtransmission,简称MT,即用手拨动换挡操纵总成才能改变变速器内的齿轮啮合位置,改变传动比,从而达到变速的目的。家用轿车主要采用软轴连接的换挡...

【pytorch】目标检测:彻底搞懂YOLOv5详解

YOLOv5是GlennJocher等人研发,它是Ultralytics公司的开源项目。YOLOv5根据参数量分为了n、s、m、l、x五种类型,其参数量依次上升,当然了其效果也是越来越好。从2020...

超实用!50个非常实用的PS快捷键命令大全分享

今天,给大家介绍50个非常实用的快捷键命令大全,大家伙都是设计师,关于软件使用那是越快越好啊。一、常用的热键组合1、图层混合模式快捷键:正常(Shift+Option+N),正片叠底(Shif...

Pohtoshop中深藏不露的小技巧(科目一考试技巧记忆口诀看完必过)

邢帅教育ps教程为大家总结了一些Pohtoshop中深藏不露的小技巧,可以帮助到大家在设计时减少不必要的麻烦,提高工作效率哦~~~1.设置网格线保持像素完美不在1:1分辨率下也能保持像素完美,可以...

Ganglia监控安装总结(监控安装工作总结)

一、ganglia简介:Ganglia是一个跨平台可扩展的,高性能计算系统下的分布式监控系统,如集群和网格。它是基于分层设计,它使用广泛的技术,如XML数据代表,便携数据传输,RRDtool用于数据...

谁说Adobe XD做不出好看的设计?那是你没搞懂这些功能

AdobeXD的美化栏具有将设计视图美化的功能,它能使界面设计和原型设计更漂亮、更吸引眼球。美化栏的7个功能包括竖线布局设计、横线布局设计、重复网格、图形大小和位置设置、响应式调整大小、文字美化以及...