code
stringlengths
1
1.05M
repo_name
stringlengths
6
83
path
stringlengths
3
242
language
stringclasses
222 values
license
stringclasses
20 values
size
int64
1
1.05M
/** * 这里是uni-app内置的常用样式变量 * * uni-app 官方扩展插件及插件市场(https://ext.dcloud.net.cn)上很多三方插件均使用了这些样式变量 * 如果你是插件开发者,建议你使用scss预处理,并在插件代码中直接使用这些变量(无需 import 这个文件),方便用户通过搭积木的方式开发整体风格一致的App * */ /** * 如果你是App开发者(插件使用者),你可以通过修改这些变量来定制自己的插件主题,实现自定义主题功能 * * 如果你的项目同样使用了scss预处理,你也可以直接在你的 scss 代码中使用如下变量,同时无需 import 这个文件 */ /* 颜色变量 */ /* 行为相关颜色 */ $uni-color-primary: #007aff; $uni-color-success: #4cd964; $uni-color-warning: #f0ad4e; $uni-color-error: #dd524d; /* 文字基本颜色 */ $uni-text-color:#333;//基本色 $uni-text-color-inverse:#fff;//反色 $uni-text-color-grey:#999;//辅助灰色,如加载更多的提示信息 $uni-text-color-placeholder: #808080; $uni-text-color-disable:#c0c0c0; /* 背景颜色 */ $uni-bg-color:#ffffff; $uni-bg-color-grey:#f8f8f8; $uni-bg-color-hover:#f1f1f1;//点击状态颜色 $uni-bg-color-mask:rgba(0, 0, 0, 0.4);//遮罩颜色 /* 边框颜色 */ $uni-border-color:#c8c7cc; /* 尺寸变量 */ /* 文字尺寸 */ $uni-font-size-sm:12px; $uni-font-size-base:14px; $uni-font-size-lg:16px; /* 图片尺寸 */ $uni-img-size-sm:20px; $uni-img-size-base:26px; $uni-img-size-lg:40px; /* Border Radius */ $uni-border-radius-sm: 2px; $uni-border-radius-base: 3px; $uni-border-radius-lg: 6px; $uni-border-radius-circle: 50%; /* 水平间距 */ $uni-spacing-row-sm: 5px; $uni-spacing-row-base: 10px; $uni-spacing-row-lg: 15px; /* 垂直间距 */ $uni-spacing-col-sm: 4px; $uni-spacing-col-base: 8px; $uni-spacing-col-lg: 12px; /* 透明度 */ $uni-opacity-disabled: 0.3; // 组件禁用态的透明度 /* 文章场景相关 */ $uni-color-title: #2C405A; // 文章标题颜色 $uni-font-size-title:20px; $uni-color-subtitle: #555555; // 二级标题颜色 $uni-font-size-subtitle:26px; $uni-color-paragraph: #3F536E; // 文章段落颜色 $uni-font-size-paragraph:15px;
2401_83208066/demo
uni.scss
SCSS
unknown
2,217
#include "GameArea.h" #include <QTimerEvent> #include <QMessageBox> #include <QKeyEvent> #include <QTime> //默认游戏区域为15*20的单元格,每个单元格尺寸40*40像素 #define MAX_COLUME 15 #define MAX_ROW 20 #define RECT_WIDTH 40 #define RECT_HEIGHT 40 //默认出生点水平中心处 #define DEFAULT_X_POS (MAX_COLUME / 2 - 1) GameArea::GameArea(QWidget *parent) : QWidget(parent) { mScore = 0; mLevel = 1; mPaused = false; setMinimumSize(MAX_COLUME*RECT_WIDTH, MAX_ROW*RECT_HEIGHT); } void GameArea::NewGame() { mFixItems.ClearPoints(); //mCurItem 和 mNextItem 使用不同随机因子,避免初始一样 mCurItem.New(QTime::currentTime().msec()); mCurItem.MoveTo(DEFAULT_X_POS, 1); mNextItem.New(QTime::currentTime().second()); emit sigUpdateNextItem(mNextItem.Type(), mNextItem.Direction()); mScore = 0; mLevel = 1; mTimerID = startTimer(GetLevelTime(mLevel)); } void GameArea::KeyPressed(int key) { int x = 0; int y = 0; switch (key) { case Qt::Key_Left: { x = -1; break; } case Qt::Key_Up: { mCurItem.ChangeDirection(1); if (HitSide() || HitBottom()) { mCurItem.ChangeDirection(-1); } return; } case Qt::Key_Right: { x = 1; break; } case Qt::Key_Down: { y = 1; break; } case Qt::Key_Space: { //空格键直接移到底部 while (1) { mCurItem.Move(0, 1); if (HitSide() || HitBottom()) { mCurItem.Move(0, -1); break; } } return; } case Qt::Key_Return: case Qt::Key_Enter: { //暂停 mPaused = !mPaused; break; } } mCurItem.Move(x, y); if (HitSide() || HitBottom()) { mCurItem.Move(-x, -y); } } void GameArea::paintEvent(QPaintEvent *) { //绘制左侧游戏区域 DrawBKRects(); DrawFixedRects(); DrawCurItem(); //如果暂停了,游戏区中间显示"暂停"大字 if(mPaused) { QFont font; font.setPixelSize(100); QPainter painter(this); painter.setFont(font); painter.setBrush(Qt::NoBrush); painter.setPen(QPen(QColor("#FF3333"), 1)); painter.drawText(rect(), Qt::AlignCenter, "暂停"); } update(); } void GameArea::DrawBKRects() { //画背景边框 QPainter painter(this); painter.setBrush(QColor("#696969")); painter.setPen(Qt::NoPen); for (int i = 0; i < MAX_COLUME; i++) { for (int j = 0; j < MAX_ROW; j++) { if (i == 0 || i == MAX_COLUME - 1 || j == 0 || j == MAX_ROW - 1) { painter.drawRect(i*RECT_WIDTH, j*RECT_HEIGHT, RECT_WIDTH, RECT_HEIGHT); } } } } void GameArea::DrawFixedRects() { QPainter painter(this); painter.setBrush(QColor("#D3D3D3")); painter.setPen(QPen(QColor(Qt::black), 1)); mFixItems.Draw(painter, 0, 0, RECT_WIDTH, RECT_HEIGHT); } void GameArea::DrawCurItem() { QPainter painter(this); painter.setBrush(QColor("#FFDEAD")); painter.setPen(QPen(QColor(Qt::black), 1)); mCurItem.Draw(painter, 0, 0, RECT_WIDTH, RECT_HEIGHT); } void GameArea::timerEvent(QTimerEvent* e) { if(mPaused) { return; } if (e->timerId() == mTimerID) { mCurItem.Move(0, 1); if (HitBottom()) { mCurItem.Move(0, -1); AddToFixedRects(); DeleteFullRows(); if (HitTop()) { killTimer(mTimerID); QMessageBox::information(NULL, "GAME OVER", "GAME OVER", QMessageBox::Yes, QMessageBox::Yes); NewGame(); return; } mCurItem = mNextItem; mCurItem.MoveTo(DEFAULT_X_POS, 1); mNextItem.New(QTime::currentTime().msec()); emit sigUpdateNextItem(mNextItem.Type(), mNextItem.Direction()); } } } bool GameArea::HitSide() { for (QPoint p : mCurItem.Points()) { if (p.x() <= 0 || p.x() >= MAX_COLUME - 1) { return true; } } return false; } bool GameArea::HitBottom() { for (QPoint p : mCurItem.Points()) { if (p.y() >= MAX_ROW - 1) { return true; } if (mFixItems.Contains(p)) { return true; } } return false; } bool GameArea::HitTop() { for (QPoint p : mFixItems.Points()) { if (p.y() <= 1) { return true; } } return false; } void GameArea::AddToFixedRects() { PointList points = mCurItem.Points(); mFixItems.AddPoints(points); } void GameArea::DeleteFullRows() { int nRowsDeleted = 0; for (int i = 1; i < MAX_ROW - 1; i++) { int nCount = 0; for (int j = 1; j < MAX_COLUME - 1; j++) { if (mFixItems.Contains(j, i)) { nCount++; } } if (nCount >= MAX_COLUME - 2) { mFixItems.DeleteRow(i); mFixItems.MoveDown(i, 1); //消除行之上的内容下移一个单位 nRowsDeleted++; } } //一次元素落下,最多可能消4行 //一次消除的越多,得分越多 if (nRowsDeleted == 1) { mScore += 100; } else if (nRowsDeleted == 2) { mScore += 300; } else if (nRowsDeleted == 3) { mScore += 500; } else if (nRowsDeleted == 4) { mScore += 700; } emit sigUpdateScore(mScore); //更新MainWindow界面得分 //粗略使用每1000分一关 if (mScore >= 1000 * mLevel) { mLevel++; //随关卡增加下落速度,即把定时器加快 killTimer(mTimerID); mTimerID = startTimer(GetLevelTime(mLevel)); emit sigUpdateLevel(mLevel); //更新MainWindow界面关卡 } } int GameArea::GetLevelTime(int level) { //第1关=1000ms,第2关=900ms 越来越快 第8关=300ms //关卡>8后,速度不再增加,保持200ms if (level > 8) { return 200; } if (level > 0) { return (11 - level) * 100; } }
2303_806435pww/Tetris_moved
untitled5/GameArea.cpp
C++
unknown
6,690
#ifndef GAMEAREA_H #define GAMEAREA_H #include "Item.h" #include <QWidget> class GameArea : public QWidget { Q_OBJECT public: explicit GameArea(QWidget *parent = nullptr); void DrawBKRects(); //背景的方块 void DrawFixedRects(); //下落后已固定不动的方块 void DrawCurItem(); //下落中的方块 void NewGame(); void KeyPressed(int key); bool HitSide(); //判断下落方块是否超左右边界 bool HitBottom(); //判断下落方块是否达到底部 bool HitTop(); //判断下落方块是否达到顶部 void AddToFixedRects(); //把方块加入到 固定方块 void DeleteFullRows(); //删除完整的行 int GetLevelTime(int level); //获取不同等级关卡对应的定时器时间,关卡越高,时间越快(短)。比如1关=1s,2关=900ms,3关=800ms signals: void sigUpdateNextItem(ItemType type, ItemDirection direction); void sigUpdateScore(int nScore); void sigUpdateLevel(int nSpeed); void sigPause(bool bPaused); protected: void paintEvent(QPaintEvent *); void timerEvent(QTimerEvent*); private: Item mFixItems; //已落下、固定住了的方块们 Item mCurItem; //当前移动中的方块 Item mNextItem; //下一个方块 int mTimerID; //定时器ID int mScore; //得分 int mLevel; //关卡 bool mPaused; //是否暂停 }; #endif
2303_806435pww/Tetris_moved
untitled5/GameArea.h
C++
unknown
1,539
#include "NextArea.h" NextArea::NextArea(QWidget *parent) : QWidget(parent) { } void NextArea::paintEvent(QPaintEvent *) { QPainter painter(this); painter.setBrush(QColor("#FFDEAD")); painter.setPen(QPen(QColor(Qt::black), 1)); int xStart = 80; //为了绘制在显示下一个方块区域的中部 int yStart = 10; int w = 20; int h = 20; for(QPoint pt : mItem.Points()) { int x = xStart + pt.x() * w; int y = yStart + pt.y() * h; painter.drawRect(x, y, w, h); } update(); } void NextArea::slotUpdateNextItem(ItemType type, ItemDirection direction) { mItem.InitPoints(type, direction); }
2303_806435pww/Tetris_moved
untitled5/NextArea.cpp
C++
unknown
699
#ifndef NEXTAREA_H #define NEXTAREA_H #include "item.h" #include <QWidget> //右侧显示下一个元素的自绘widget class NextArea : public QWidget { Q_OBJECT public: explicit NextArea(QWidget *parent = nullptr); protected: void paintEvent(QPaintEvent *); public slots: void slotUpdateNextItem(ItemType t, ItemDirection direction); private: Item mItem; }; #endif // NEXTAREA_H
2303_806435pww/Tetris_moved
untitled5/NextArea.h
C++
unknown
433
#include "about.h" #include "ui_about.h" about::about(QWidget *parent) : QWidget(parent), ui(new Ui::about) { ui->setupUi(this); // 设置窗口标志,禁用最小化按钮 setWindowFlags(windowFlags() & ~Qt::WindowMinimizeButtonHint); setFixedSize(400, 300); } about::~about() { delete ui; }
2303_806435pww/Tetris_moved
untitled5/about.cpp
C++
unknown
344
#ifndef ABOUT_H #define ABOUT_H #include <QWidget> namespace Ui { class about; } class about : public QWidget { Q_OBJECT public: explicit about(QWidget *parent = nullptr); ~about(); private: Ui::about *ui; }; #endif // ABOUT_H
2303_806435pww/Tetris_moved
untitled5/about.h
C++
unknown
271
#include "gamestart.h" #include "ui_gamestart.h" gamestart::gamestart(QWidget *parent) : QMainWindow(parent), ui(new Ui::gamestart) { ui->setupUi(this); setFixedSize(1000, 800); //widgetGameArea 和 widgetNextArea 已在界面设计器内由普通QWidget分别提升成GameArea和NextArea //GameArea: 左侧游戏区域,自绘widget //NextArea: 右侧显示下个item的widget,也是自绘widget //游戏主运行逻辑在GameArea内,不过按键消息因为是MainWindow接受,通过ui->widgetGameArea->KeyPressed()函数调用传递下去 //GameArea通过信号sigUpdateScore、sigUpdateLevel 通知MainWindow更新界面的得分和关卡 //GameArea通过信号sigUpdateNextItem 通知 NextArea 刷新下一个元素 connect(ui->widgetGameArea, &GameArea::sigUpdateScore, this, &gamestart::slotUpdateScore); connect(ui->widgetGameArea, &GameArea::sigUpdateLevel, this, &gamestart::slotUpdateLevel); connect(ui->widgetGameArea, &GameArea::sigUpdateNextItem, ui->widgetNextArea, &NextArea::slotUpdateNextItem); ui->widgetGameArea->NewGame(); } gamestart::~gamestart() { delete ui; } void gamestart::keyPressEvent(QKeyEvent *e) { ui->widgetGameArea->KeyPressed(e->key()); QMainWindow::keyPressEvent(e); } void gamestart::slotUpdateScore(int nScore) { ui->labelScore->setText(QString::number(nScore)); } void gamestart::slotUpdateLevel(int nSpeed) { ui->labelSpeed->setText(QString::number(nSpeed)); } void gamestart::openWindow() { gamestart *startWindow = new gamestart; startWindow->show(); }
2303_806435pww/Tetris_moved
untitled5/gamestart.cpp
C++
unknown
1,630
#ifndef GAMESTART_H #define GAMESTART_H #include <QKeyEvent> #include <QMainWindow> namespace Ui { class gamestart; } class gamestart : public QMainWindow { Q_OBJECT public: explicit gamestart(QWidget *parent = nullptr); ~gamestart(); protected: void keyPressEvent(QKeyEvent *e); public slots: void slotUpdateScore(int nScore); void slotUpdateLevel(int nSpeed); void openWindow(); private: Ui::gamestart *ui; }; #endif
2303_806435pww/Tetris_moved
untitled5/gamestart.h
C++
unknown
496
#include "Item.h" #include <QTime> Item::Item(ItemType type, ItemDirection directon) { mPosition = QPoint(0, 0); InitPoints(type, directon); } Item::~Item() { } ItemType Item::Type() { return mType; } ItemDirection Item::Direction() { return mDirection; } PointList Item::Points() { return mPoints; } void Item::New(int nRandomFactor) { //设置随机因子 qsrand(nRandomFactor); //随机初始化元素类型、方向 ItemType type = (ItemType)(qrand() % ItemType_MAX); ItemDirection direction = (ItemDirection)(qrand() % ItemDirection_MAX); InitPoints(type, direction); } void Item::InitPoints(ItemType type, ItemDirection direction) { //根据元素的类型、方向,初始化对应形状的4个坐标点(在4*4的矩阵中) //这里先以4行文本描述坐标点位置,然后再翻译成QPoint列表 QString text = GetPointPostionText(type, direction); PointList points = TextToPointList(text); mPoints.clear(); for (QPoint pt : points) { //真实坐标需要加上起始位置mPos mPoints.append(mPosition + pt); } mType = type; mDirection = direction; } QString Item::GetPointPostionText(ItemType type, ItemDirection direction) { QString text; switch (type) { case ItemType_Line: { if (direction == ItemDirection_Up || direction == ItemDirection_Down) { //直线型元素第1、3种方向(横向)的坐标点位如下: text = QString("0 0 0 0/") + QString("0 0 0 0/") + QString("1 1 1 1/") + QString("0 0 0 0/"); } else if (direction == ItemDirection_Left || direction == ItemDirection_Right) { //直线型元素第2、4种方向(竖向)的坐标点位如下: text = QString("0 0 1 0/") + QString("0 0 1 0/") + QString("0 0 1 0/") + QString("0 0 1 0/"); } break; } case ItemType_T: { if (direction == ItemDirection_Up) { //T型元素第1种方向的坐标点位如下: text = QString("0 1 0 0/") + QString("1 1 1 0/") + QString("0 0 0 0/") + QString("0 0 0 0/"); } else if (direction == ItemDirection_Right) { //T型元素第2种方向的坐标点位如下: text = QString("0 1 0 0/") + QString("0 1 1 0/") + QString("0 1 0 0/") + QString("0 0 0 0/"); } else if (direction == ItemDirection_Down) { //T型元素第3种方向的坐标点位如下: text = QString("0 0 0 0/") + QString("1 1 1 0/") + QString("0 1 0 0/") + QString("0 0 0 0/"); } else if (direction == ItemDirection_Left) { //T型元素第4种方向的坐标点位如下: text = QString("0 1 0 0/") + QString("1 1 0 0/") + QString("0 1 0 0/") + QString("0 0 0 0/"); } break; } case ItemType_L1: { if (direction == ItemDirection_Up) { //L1型元素第1种方向的坐标点位如下: text = QString("0 1 0 0/") + QString("0 1 0 0/") + QString("0 1 1 0/") + QString("0 0 0 0/"); } else if (direction == ItemDirection_Right) { //L1型元素第2种方向的坐标点位如下: text = QString("0 0 0 0/") + QString("0 1 1 1/") + QString("0 1 0 0/") + QString("0 0 0 0/"); } else if (direction == ItemDirection_Down) { //L1型元素第3种方向的坐标点位如下: text = QString("0 0 0 0/") + QString("0 1 1 0/") + QString("0 0 1 0/") + QString("0 0 1 0/"); } else if (direction == ItemDirection_Left) { //L1型元素第4种方向的坐标点位如下: text = QString("0 0 0 0/") + QString("0 0 1 0/") + QString("1 1 1 0/") + QString("0 0 0 0/"); } break; } case ItemType_L2: { if (direction == ItemDirection_Up) { //L2型元素第1种方向的坐标点位如下: text = QString("0 0 1 0/") + QString("0 0 1 0/") + QString("0 1 1 0/") + QString("0 0 0 0/"); } else if (direction == ItemDirection_Right) { //L2型元素第2种方向的坐标点位如下: text = QString("0 0 0 0/") + QString("0 1 0 0/") + QString("0 1 1 1/") + QString("0 0 0 0/"); } else if (direction == ItemDirection_Down) { //L2型元素第3种方向的坐标点位如下: text = QString("0 0 0 0/") + QString("0 1 1 0/") + QString("0 1 0 0/") + QString("0 1 0 0/"); } else if (direction == ItemDirection_Left) { //L2型元素第4种方向的坐标点位如下: text = QString("0 0 0 0/") + QString("1 1 1 0/") + QString("0 0 1 0/") + QString("0 0 0 0/"); } break; } case ItemType_Square: { //田字型元素只有一种坐标: text = QString("1 1 0 0/") + QString("1 1 0 0/") + QString("0 0 0 0/") + QString("0 0 0 0/"); break; } case ItemType_Z: { if (direction == ItemDirection_Up) { //Z型元素第1种方向的坐标点位如下: text = QString("0 1 0 0/") + QString("0 1 1 0/") + QString("0 0 1 0/") + QString("0 0 0 0/"); } else if (direction == ItemDirection_Right) { //Z型元素第2种方向的坐标点位如下: text = QString("0 0 0 0/") + QString("0 1 1 0/") + QString("1 1 0 0/") + QString("0 0 0 0/"); } else if (direction == ItemDirection_Down) { //Z型元素第3种方向的坐标点位如下: text = QString("0 0 1 0/") + QString("0 1 1 0/") + QString("0 1 0 0/") + QString("0 0 0 0/"); } else if (direction == ItemDirection_Left) { //Z型元素第4种方向的坐标点位如下: text = QString("0 0 0 0/") + QString("1 1 0 0/") + QString("0 1 1 0/") + QString("0 0 0 0/"); } break; } default: break; } return text; } void Item::ClearPoints() { mPoints.clear(); } void Item::ChangeDirection(int nDirection) { ItemDirection newDirection = (ItemDirection)((mDirection + nDirection) % ItemDirection_MAX); InitPoints(mType, newDirection); } void Item::Draw(QPainter& painter, int nStartX, int nStartY, int nWidth, int nHeight) { for (int i = 0; i < mPoints.size(); i++) { QPoint pt = mPoints[i]; painter.drawRect(QRect(nStartX + pt.x() * nWidth, nStartY + pt.y() * nHeight, nWidth, nHeight)); } } void Item::AddPoints(const PointList& points) { for (int i = 0; i < points.size(); i++) { if (!mPoints.contains(points[i])) { mPoints.append(points[i]); } } } bool Item::Contains(QPoint& point) { return mPoints.contains(point); } bool Item::Contains(int x, int y) { QPoint point(x, y); return mPoints.contains(point); } void Item::Move(int x, int y) { for (int i = 0; i < mPoints.size(); i++) { int x1 = mPoints[i].x() + x; int y1 = mPoints[i].y() + y; mPoints[i].setX(x1); mPoints[i].setY(y1); } mPosition += QPoint(x, y); } void Item::MoveTo(int x, int y) { for (int i = 0; i < mPoints.size(); i++) { int x1 = mPoints[i].x() - mPosition.x() + x; int y1 = mPoints[i].y() - mPosition.y() + y; mPoints[i].setX(x1); mPoints[i].setY(y1); } mPosition = QPoint(x, y); } void Item::DeleteRow(int y) { PointList newPoints; for (int i = 0; i < mPoints.size(); i++) { if (mPoints[i].y() != y) { newPoints.append(mPoints[i]); } } mPoints = newPoints; } PointList Item::TextToPointList(QString strFormat) { PointList points; QStringList rows = strFormat.split('/'); //先以斜杠拆分为4行 for (int i = 0; i < rows.size(); i++) { QString strRowText = rows.at(i); QStringList columns = strRowText.split(' '); //每行内容又以空格拆分为4列 for (int j = 0; j < columns.size(); j++) { if (columns.at(j) == "1") { points.append(QPoint(i, j)); } } } return points; } void Item::MoveDown(int nRow, int y) { for (int i = 0; i < mPoints.size(); i++) { if (mPoints[i].y() < nRow) { mPoints[i].setY(mPoints[i].y() + y); } } }
2303_806435pww/Tetris_moved
untitled5/item.cpp
C++
unknown
10,163
#pragma once #include <QList> #include <QPoint> #include <QMap> #include <QPainter> #include <QString> //元素有6种类型 enum ItemType { ItemType_Line = 0, //直线形 ItemType_T, //T形 ItemType_L1, //L形1 ItemType_L2, //L形2 ItemType_Square, //正方形、田字形 ItemType_Z, //Z形 ItemType_MAX, }; //每种类型的元素都有上下左右4种朝向,一般每种朝向是一个不同形状 //长条元素一共只有2个形状 //田字元素一共只有1个形状 enum ItemDirection { ItemDirection_Up = 0, ItemDirection_Right, ItemDirection_Down, ItemDirection_Left, ItemDirection_MAX, //方向总数4 }; typedef QList<QPoint> PointList; class Item { public: Item() {} Item(ItemType type, ItemDirection direction); ~Item(); ItemType Type(); ItemDirection Direction(); PointList Points(); void New(int nRandomFactor); //随机生成新元素,nRandomFactor随机因子 void InitPoints(ItemType type, ItemDirection direction); //根据元素类型、方向,初始化4个坐标点 void ClearPoints(); void AddPoints(const PointList& points); bool Contains(QPoint& point); bool Contains(int x, int y); void ChangeDirection(int nDirection); //传1就把方向状态+1,代表旋转90度 void Move(int x, int y); //横向移动x格,竖向移动y格 void MoveTo(int x, int y); //移动到位置(x,y)格 void MoveDown(int nRow, int y); //第nRow行以上的部分下移y个单位,用在消除之后 void DeleteRow(int y); void Draw(QPainter& painter, int nStartX, int nStartY, int nWidth, int nHeight); private: QString GetPointPostionText(ItemType type, ItemDirection direction); //将坐标位置的描述文本,转换为坐标点 PointList TextToPointList(QString strFormat); private: ItemType mType; //元素类型(6种) ItemDirection mDirection; //每种类型又有4种方向 QPoint mPosition; //元素当前的位置 PointList mPoints; //元素内4个坐标点,每个点代表一个格子坐标 };
2303_806435pww/Tetris_moved
untitled5/item.h
C++
unknown
2,188
#include "mainwindow.h" #include <QApplication> int main(int argc, char *argv[]) { QApplication a(argc, argv); a.setApplicationName("俄罗斯方块");//设置应用程序名 a.setWindowIcon(QIcon("qrc:/PNG/buttonSquare_beige_pressed.png"));//设置应用程序图标 MainWindow w; w.show(); return a.exec(); }
2303_806435pww/Tetris_moved
untitled5/main.cpp
C++
unknown
352
#include "mainwindow.h" #include "ui_mainwindow.h" #include "about.h" #include "option.h" #include "gamestart.h" #include <QDesktopWidget> MainWindow::MainWindow(QWidget *parent) : QMainWindow(parent), ui(new Ui::MainWindow) { ui->setupUi(this); setFixedSize(1000, 800); about=new class about(); option=new class option(); //gamestart=new class gamestart(); connect(ui->pushButton_3, &QPushButton::clicked, this, [this](){ openWindow(about); }); connect(ui->pushButton_2, &QPushButton::clicked, this, [this](){ openWindow(option); }); connect(ui->pushButton, &QPushButton::clicked, this, [this]() { class gamestart *startWindow = new class gamestart; startWindow->show(); }); } void MainWindow::openWindow(QWidget *window) { window->setWindowModality(Qt::ApplicationModal); QRect screenGeometry = QApplication::desktop()->screenGeometry(); int x = (screenGeometry.width() - window->width()) / 2; int y = (screenGeometry.height() - window->height()) / 2; window->setGeometry(x, y, window->width(), window->height()); window->show(); } MainWindow::~MainWindow() { delete ui; }
2303_806435pww/Tetris_moved
untitled5/mainwindow.cpp
C++
unknown
1,190
#ifndef MAINWINDOW_H #define MAINWINDOW_H #include <QMainWindow> #include <about.h> #include <option.h> #include <gamestart.h> QT_BEGIN_NAMESPACE namespace Ui { class MainWindow; } QT_END_NAMESPACE class MainWindow : public QMainWindow { Q_OBJECT public: MainWindow(QWidget *parent = nullptr); ~MainWindow(); private slots: void openWindow(QWidget *window); private: Ui::MainWindow *ui; class about *about; class option *option; class gamestart *gamestart; }; #endif // MAINWINDOW_H
2303_806435pww/Tetris_moved
untitled5/mainwindow.h
C++
unknown
548
#include "option.h" #include "ui_option.h" #include <QMediaPlayer> option::option(QWidget *parent) : QWidget(parent), ui(new Ui::option) { ui->setupUi(this); player = new QMediaPlayer(this); player->setMedia(QUrl("qrc:/rescoures/ssb.mp3")); // 设置窗口标志,禁用最小化按钮 setWindowFlags(windowFlags() & ~Qt::WindowMinimizeButtonHint); setFixedSize(400, 300); // 初始状态:水平滑块不启用 //ui->horizontalSlider->setEnabled(false); // 连接复选框的状态更改信号到 music 函数 connect(ui->checkBox, &QCheckBox::stateChanged, this, &option::music); // 连接水平滑块的值更改信号到 music_volume 函数 connect(ui->horizontalSlider, &QSlider::valueChanged, this, &option::music_volume); } void option::music(int state) { if(state == Qt::Checked) { // 播放音乐 player->play(); // 当复选框被选中时启用option类中的水平滑块 ui->horizontalSlider->setEnabled(true); } else { if(player) { // 当复选框未被选中时禁用option类中的水平滑块 ui->horizontalSlider->setEnabled(false); // 暂停音乐播放 player->pause(); } } } void option::music_volume(int volume) { ui->horizontalSlider->setMinimum(0); ui->horizontalSlider->setMaximum(100); ui->label_4->setText(QString::number(volume) + "%"); if (player != nullptr) { player->setVolume(volume); } } option::~option() { delete ui; }
2303_806435pww/Tetris_moved
untitled5/option.cpp
C++
unknown
1,640
#ifndef OPTION_H #define OPTION_H #include <QWidget> #include <QSlider> #include <QLabel> #include <QMediaPlayer> #include <QCheckBox> namespace Ui { class option; } class option : public QWidget { Q_OBJECT public: explicit option(QWidget *parent = nullptr); ~option(); QSlider *horizontalSlider; QLabel *label_4; private slots: void music(int state); void music_volume(int volume); private: Ui::option *ui; QMediaPlayer *player; //QCheckBox *checkbox; }; #endif // OPTION_H
2303_806435pww/Tetris_moved
untitled5/option.h
C++
unknown
550
QT += core gui \ quick QT += multimedia greaterThan(QT_MAJOR_VERSION, 4): QT += widgets CONFIG += c++11 # The following define makes your compiler emit warnings if you use # any Qt feature that has been marked deprecated (the exact warnings # depend on your compiler). Please consult the documentation of the # deprecated API in order to know how to port your code away from it. DEFINES += QT_DEPRECATED_WARNINGS # You can also make your code fail to compile if it uses deprecated APIs. # In order to do so, uncomment the following line. # You can also select to disable deprecated APIs only up to a certain version of Qt. #DEFINES += QT_DISABLE_DEPRECATED_BEFORE=0x060000 # disables all the APIs deprecated before Qt 6.0.0 SOURCES += \ GameArea.cpp \ Item.cpp \ NextArea.cpp \ about.cpp \ gamestart.cpp \ main.cpp \ mainwindow.cpp \ option.cpp HEADERS += \ GameArea.h \ Item.h \ NextArea.h \ about.h \ gamestart.h \ mainwindow.h \ option.h FORMS += \ about.ui \ gamestart.ui \ mainwindow.ui \ option.ui # Default rules for deployment. qnx: target.path = /tmp/$${TARGET}/bin else: unix:!android: target.path = /opt/$${TARGET}/bin !isEmpty(target.path): INSTALLS += target RESOURCES += \ re.qrc
2303_806435pww/Tetris_moved
untitled5/untitled5.pro
QMake
unknown
1,347
<template> <view class="container"> <!-- 1. 本地图片选择与预览功能 --> <view class="section"> <text class="title">本地图片选择预览</text> <button @click="chooseLocalImage" type="primary" class="btn">选择本机图片</button> <button @click="previewSelectedImage" type="default" class="btn" :disabled="!selectedImage">预览图片</button> <image :src="selectedImage" mode="widthFix" class="image-preview" v-if="selectedImage" /> </view> <!-- 2. 天气预报功能 --> <view class="section"> <text class="title">明天天气预报</text> <button @click="getWeather" type="primary" class="btn">获取天气预报</button> <view class="weather-card" v-if="tomorrowWeather"> <text class="weather-item">日期:{{ tomorrowWeather.date }}</text> <text class="weather-item">星期:{{ tomorrowWeather.week }}</text> <text class="weather-item">最高温:{{ tomorrowWeather.high }}℃</text> <text class="weather-item">最低温:{{ tomorrowWeather.low }}℃</text> </view> <text class="tip" v-if="weatherTip">{{ weatherTip }}</text> </view> <!-- 3. 网络图片下载功能 --> <view class="section"> <text class="title">网络图片下载</text> <button @click="downloadNetImage" type="primary" class="btn">下载网络图片</button> <text class="progress-tip" v-if="downloadProgress">下载进度:{{ downloadProgress }}%</text> <image :src="downloadedImage" mode="widthFix" class="image-preview" v-if="downloadedImage" /> </view> </view> </template> <script> export default { data() { return { selectedImage: '', // 选中的本地图片路径 tomorrowWeather: null, // 明天天气预报数据 weatherTip: '', // 天气提示文字 downloadProgress: 0, // 图片下载进度 downloadedImage: '', // 下载后的网络图片路径 netImageUrl: 'https://cdn.pixabay.com/photo/2025/11/05/20/57/monastery-9939590_1280.jpg', // 网络图片地址 weatherApiUrl: 'https://t.weather.sojson.com/api/weather/city/101230501' // 天气预报接口 }; }, methods: { // 选择本地图片 chooseLocalImage() { uni.chooseImage({ count: 1, // 仅选择1张图片 sizeType: ['original', 'compressed'], // 支持原图和压缩图 sourceType: ['album'], // 仅从相册选择 success: (res) => { this.selectedImage = res.tempFilePaths[0]; // 保存图片路径 console.log('本地图片选择成功,路径:', this.selectedImage); }, fail: (err) => { console.error('本地图片选择失败:', err); } }); }, // 预览选中的图片 previewSelectedImage() { if (!this.selectedImage) return; uni.previewImage({ urls: [this.selectedImage], // 预览图片列表 current: this.selectedImage // 当前预览图片 }); }, // 获取天气预报 getWeather() { this.weatherTip = '正在获取天气预报...'; uni.request({ url: this.weatherApiUrl, method: 'GET', success: (res) => { if (res.statusCode === 200 && res.data.status === 200) { const tomorrowData = res.data.data.forecast[1]; // 第2项为明天数据(索引1) this.tomorrowWeather = { date: tomorrowData.date, week: tomorrowData.week, high: tomorrowData.high.replace('高温', '').replace('℃', ''), low: tomorrowData.low.replace('低温', '').replace('℃', '') }; this.weatherTip = ''; } else { this.weatherTip = '天气预报获取失败,请重试'; console.error('天气预报接口返回异常:', res.data); } }, fail: (err) => { this.weatherTip = '网络错误,无法获取天气预报'; console.error('天气预报请求失败:', err); } }); }, // 下载网络图片 downloadNetImage() { this.downloadProgress = 0; const downloadTask = uni.downloadFile({ url: this.netImageUrl, success: (res) => { if (res.statusCode === 200) { this.downloadedImage = res.tempFilePaths[0]; // 保存下载后的图片路径 console.log('网络图片下载成功,路径:', this.downloadedImage); // 自动预览下载后的图片 uni.previewImage({ urls: [this.downloadedImage] }); } else { console.error('网络图片下载失败,状态码:', res.statusCode); } }, fail: (err) => { console.error('网络图片下载失败:', err); } }); // 监听下载进度 downloadTask.onProgressUpdate((progressRes) => { this.downloadProgress = progressRes.progress; console.log(`图片下载进度:${progressRes.progress}%,已下载:${progressRes.totalBytesWritten}字节,总大小:${progressRes.totalBytesExpectedToWrite}字节`); }); } } }; </script> <style scoped> .container { padding: 20rpx; background-color: #f5f5f5; } .section { background-color: #fff; border-radius: 16rpx; padding: 30rpx; margin-bottom: 20rpx; } .title { font-size: 32rpx; font-weight: bold; margin-bottom: 20rpx; display: block; } .btn { margin-bottom: 20rpx; } .image-preview { width: 100%; height: auto; border-radius: 8rpx; margin-top: 10rpx; } .weather-card { margin-top: 20rpx; background-color: #f8f9fa; padding: 20rpx; border-radius: 8rpx; } .weather-item { display: block; font-size: 28rpx; margin-bottom: 10rpx; } .tip { font-size: 28rpx; color: #ff4d4f; margin-top: 20rpx; } .progress-tip { font-size: 28rpx; margin-top: 20rpx; color: #1890ff; } </style>
2401_82882503/SmartUI_zlx012
App.vue
Vue
unknown
5,945
<template> <view class="content"> <text style="font-size: 50rpx;">子组件A</text> <view class="coma_box"> <text>父组件传进来的值:</text> <text style="font-weight: bold; color: red;">{{intent}}</text> </view> <button type="primary" @click="sendData()">传值给CompB组件</button> </view> </template> <script> export default { props: ['intent'], name:"compA", data() { return {} }, methods: { sendData(){ console.warn("---CompA---sendData------>" + this.intent); uni.$emit('getIntent',this.intent); } } } </script> <style> .content { margin: 20rpx; } .coma_box { margin: 20rpx 0; } </style>
2401_82882503/SmartUI_zlx012
components/compA.vue
Vue
unknown
655
<template> <view class="content"> <view class="title"> 子组件B </view> <view class = "b-box"> CompA组件传进来的值: <text class="intent-text-box">{{result}}</text> </view> <view class="b-box" style="margin: 10rpx;"> <text>回传值:</text> <input type="text" v-model="callbackValue" style="color: yellow;"/> <button @click="sendOutside()" size="mini">回传</button> </view> </view> </template> <script> export default { name:"compB", data() { return { result:'', callbackValue:'' } }, created(){ uni.$on('getIntent',(msg) =>{ console.error("---CompB---getIntent----->" + msg); this.result = msg; }); }, methods:{ sendOutside(){ console.warn("---CompB---sendOutside----->" + this.callbackValue); this.$emit('callBackFun',this.callbackValue); } } } </script> <style> .content { margin: 20rpx; } .title { font-size: 50rpx; margin-bottom: 20rpx; } .b-box { margin: 10rpx 0; } .intent-text-box { font-weight: bold; color: red; } </style>
2401_82882503/SmartUI_zlx012
components/compB.vue
Vue
unknown
1,050
<template> <view class ="cardstyle" :style="{'background-color':bgColor}"> <view class="titlebox"> <view class="imgbox"> <image :src="showImage" v-if="mode == 2" @error="handleImageException()"></image> </view> <view> <text v-if = "mode == 3" style="color: #aaa;">{{title}}</text> <text v-else>{{title}}</text> </view> </view> <view class="adbox" v-if = "mode == 3" style="margin-top: 5rpx;"> <view v-for="(item,index) in imges"> <image :src="item" mode="aspectFill" @error="handleImageError(index)"></image> </view> </view> <view class="tipbox"> <view style="display: flex; margin: 5rpx; " > <text class="texttips" v-if="isTop" style="color: red; margin-left: 0px;"> 置顶 </text> <text style="color: #00f;" v-if="mode==3">广告</text> <text class="texttips">{{author}}</text> <text v-if="mode != 3">{{comments}}评</text> </view> <view style="flex:1; display: flex; justify-content: flex-end;color: #aaa;"> <text>{{ timedata }}</text> </view> </view> <slot name="tips"></slot> </view> </template> <script> export default { name:"xinwen", data() { return { }; }, props:{ bgColor:{ type:String, default:'#f0f8ff' //aff 粉色 }, title:{ type:String, default:"新闻标题", require:true }, author:{ type:String, default:"来源", require:true }, comments:{ type:String, default:0, require:true }, timedata:{ type:String, default:"2000.0.0", require:true }, isTop:{ type:Boolean, default:false, require:true }, images:{ type:Array, default:() => [] }, showSearch:{ type:Boolean, default:false } } } </script> <style> .texttips{ font-size: 15px; color: #aaa; margin-right: 10rpx; } .cardstyle{ font-size: 35rpx; margin: 10rpx; padding: 15rpx; border-radius: 10px; } .tipbox{ display: flex; font-size: 30rpx; } </style>
2401_82882503/SmartUI_zlx012
components/xinwen.vue
Vue
unknown
2,012
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8" /> <script> var coverSupport = 'CSS' in window && typeof CSS.supports === 'function' && (CSS.supports('top: env(a)') || CSS.supports('top: constant(a)')) document.write( '<meta name="viewport" content="width=device-width, user-scalable=no, initial-scale=1.0, maximum-scale=1.0, minimum-scale=1.0' + (coverSupport ? ', viewport-fit=cover' : '') + '" />') </script> <title></title> <!--preload-links--> <!--app-context--> </head> <body> <div id="app"><!--app-html--></div> <script type="module" src="/main.js"></script> </body> </html>
2401_82882503/SmartUI_zlx012
index.html
HTML
unknown
675
.smart-container{ padding: 15rpx; background-color: #f8f894; } .smart-panel{ margin-bottom: 12px; } .smart-panel-title{ background-color: #f1f1f1; font-size: 14px; font-weight: normal; padding: 12px; flex-direction: row; } .smart-panel-h{ background-color: #ffffff; flex-direction: row; align-items: center; padding: 12px; margin-bottom: 2px; } .smart-page-head{ padding: 35rpx; text-align: center; } .smart-page-head-title{ font-size: 30rpx; height: 88rpx; line-height: 88rpx; color: #bebebe; border-bottom: 2rpx solid #d8d8d8; padding: 0 40rpx; box-sizing: border-box; display:inline-block; } .smart-padding-wrap{ padding: 0 30rpx; } .smart-flex{ display: flex; } .smart-row{ flex-direction: row; } .flex-item{ width: 33.3%; height: 200rpx; line-height: 200rpx; text-align: center; } .smart-bg-red{ background: #f76260; color: #ffffff; } .smart-bg-green{ background: #09bb07; color:#ffffff; } .smart-bg-blue{ background: #007aff; color: #ffffff; } .smart-column{ flex-direction: column; } .flex-item-100{ width:100%; height: 200rpx; line-height: 200rpx; text-align: center; } .text-box{ margin-bottom: 40rpx; padding: 40rpx 0; display: flex; min-height: 300rpx; background-color: #d8d8d8; justify-content: center; align-items: center; text-align: center; font-size: 30rpx; color: #353535; line-height: 1.8; } .smart-input{ height: 28px; line-height: 28px; font-size: 15px; flex:1; background-color: #d8d8d8; padding: 3px; }
2401_82882503/SmartUI_zlx012
lib/CSS/SmartUI.css
CSS
unknown
1,498
import App from './App' // #ifndef VUE3 import Vue from 'vue' import './uni.promisify.adaptor' Vue.config.productionTip = false App.mpType = 'app' const app = new Vue({ ...App }) app.$mount() // #endif // #ifdef VUE3 import { createSSRApp } from 'vue' export function createApp() { const app = createSSRApp(App) return { app } } // #endif
2401_82882503/SmartUI_zlx012
main.js
JavaScript
unknown
352
<template> <view> </view> </template> <script> export default { data() { return { } }, methods: { } } </script> <style> </style>
2401_82882503/SmartUI_zlx012
pages/APIpages/APIpages.vue
Vue
unknown
162
<template> <view style="padding: 30rpx;"> <!-- 实现log打印 --> <button @click="onLog()">console.log</button> <button @click="onDebug()">console.debug</button> <button @click="oninfo()">console.info</button> <button @click="onwarn()" type="warn">console.warn</button> <button @click="onError()" type="warn">console.error</button> </view> </template> <script> export default { data() { return { title:'打印日志' } }, methods: { onLog(){ //常规写法 console.log("onLog()-->" + this.title); //clog console.log("clog"); //clogv console.log('------this.title: ',this.title); //, console.log('------this.title: '+ this.title); console.log('-------this.title:',this.title,this.name,this.pwd) }, onwarn(){ if(name === 'zlx') { console.log("onwarn ---> 登录验证成功"); } else { console.warn("onwarn --->this is warn log") } }, onError(){ console.error("onError ---> this is error"); }, } } </script> <style> button{ margin: 30rpx; } </style>
2401_82882503/SmartUI_zlx012
pages/APIpages/Logpage/Logpage.vue
Vue
unknown
1,083
<template> <view> <button @click="goRsd()">刷新</button> <view v-for="index in 30"> <view style="height:100rpx;background-color:aquamarine;margin: 5rpx;"> 测试数据{{}}</view> </view> <view style="height: 100rpx;text-align: center;">-----真的没了-----</view> </view> </template> <script> export default { data() { return { } }, onPullDownRefresh(){ console.log("onPullDownRefresh 开始刷新"); setTimeout(()=>{ console.log("onPullDownRefresh 数据刷新完了"); uni.stopPullDownRefresh() },2000) }, onReachBottom(){ console.log("onReachBottom"); }, methods: { goRsd(){ uni.startPullDownRefresh({ success() { console.log("startPullDownRefresh success"); }, fail(){ console.log("startPullDownRefresh fail"); },complete(){ console.log("startPullDownRefresh complete"); } }) } } } </script> <style> </style>
2401_82882503/SmartUI_zlx012
pages/APIpages/RefreshPage/RefreshPage.vue
Vue
unknown
960
<template> <view style="padding: 30rpx;"> <button @click="callSetStorage()">setStorage</button> <button @click="callGetStorage()">获取缓存</button> <button @click="callStoInfo()" type="primary">获取字段列表</button> <button @click="callRemove()" type="warn" plain="true">删除</button> <button @click="callClear()" type="warn">清空</button> </view> </template> <script> export default { data() { return { } }, methods: { callSetStorage(){ console.log("callSetStorage --> userName zhanglixia") uni.setStorage({ key:"className", data:"23计本", success(){ console.log("存储userName 成功回调"); }, fail(){ console.error("存储userName 成功失败"); } }) }, callGetStorage(){ uni.getStorage({ key:"Account", success:function(result){ console.log("获取本地缓存成功 result.data:" + result.data); }, fail:function(result) { console.error("获取本地缓存失败:" + JSON.stringify(result)); console.error("获取本地缓存失败:" + result.errMsg); } }) }, callStoInfo(){ console.log("callStoInfo-->"); uni.getStorageInfo({ success:function(result){ console.log("callStoInfo-->" + JSON.stringify(result)); console.log("callStoInfo-->" + result.keys); } }) }, callRemove(){ uni.removeStorage({ key:"xingming", success: () => { console.log("removeStorage success>"); }, fail: () => { console.log("removeStorage fail>"); } }) }, callClear() { uni.clearStorage(); } } } </script> <style> button{ margin: 30rpx; } </style>
2401_82882503/SmartUI_zlx012
pages/APIpages/StoragePage/StoragePage.vue
Vue
unknown
1,704
<template> <view style="padding: 30rpx;"> <button @click="onSetTimeCall()">单词定时器setTimeout</button> <button @click="onSetTimeCallxy(userName,passward)">带参数setTimeout</button> <button @click="onSetTimeoutClear()" type="warn">取消定时器</button> <button @click="onInteral()" type="primary">周期打印</button> <button @click="onClearInter()" type="warn" plain="true">取消周期打印</button> </view> </template> <script> export default { data() { return { userName:'zlx', passward:'666', timeoutID:null, count:0, interalID:null } }, methods: { onSetTimeCall(){ console.log("onSetTimeCall -->"); //setTimeout(callback,ms,ayn[]) //箭头函数(匿名函数)()=>{ } this.timeoutId = setTimeout(()=>{ //延时之后要执行的代码 2000ms=2s console.log("我延时3s才会打印"); },3000) }, onSetTimeCallxy(name,pwd) { console.log("onSetTimeCallxy --> name:" + name +",pwd:" +pwd); //console.log("onSetTimeCallxy --> name:" + this.userName +",pwd:" +this.pwd); setTimeout((x,y)=>{ console.log("我可以传参数了 > x:" +x+",y:"+y); }, 2000, name, pwd) }, onSetTimeoutClear() { clearTimeout("onTimeoutClear ------->定时器被我取消了:" + this.timeoutID); clearTimeout(this.timeoutID); }, onInteral(){ this.interalID = setInterval(()=>{ this.count++; console.log("周期打印 count:" ,this.count); },1000) }, onClearInter() { console.log("onClearInter:",this.interalID); clearInterval(this.interalID) } } } </script> <style> button{ margin: 30rpx; } </style>
2401_82882503/SmartUI_zlx012
pages/APIpages/TimePage/TimePage.vue
Vue
unknown
1,682
<template> <view> <view class="section"> <button @click="downloadNetworkImage" class="custom-btn download-btn">下载网络图片</button> <!-- 下载进度提示(居中显示,补充进度条样式) --> <view v-if="downloadProgress > 0 && downloadProgress < 100" class="progress-container"> <text class="progress-text">下载进度:{{ downloadProgress }}%</text> <!-- 进度条背景 --> <view class="progress-bg"> <!-- 进度条填充(随进度变化) --> <view class="progress-fill" :style="{ width: downloadProgress + '%' }"></view> </view> </view> <!-- 图片居中显示 --> <image v-if="networkImageUrl" :src="networkImageUrl" mode="widthFix" class="preview-image"></image> </view> </view> </template> <script> export default { data() { return { networkImageUrl: '', downloadProgress: 0 } }, methods: { downloadNetworkImage() { // 重置状态:清空旧图片、重置进度 this.networkImageUrl = ''; this.downloadProgress = 0; const downloadTask = uni.downloadFile({ url: 'https://cdn.pixabay.com/photo/2025/11/05/20/57/monastery-9939590_1280.jpg', // 不修改原地址 success: (res) => { if (res.statusCode === 200) { this.downloadProgress = 100; // 下载完成瞬间显示100% this.networkImageUrl = res.tempFilePath; uni.showToast({ title: '图片下载完成', icon: 'success' }); // 3秒后隐藏进度(保持原逻辑) setTimeout(() => { this.downloadProgress = 0; }, 3000); } }, fail: (err) => { console.error('下载图片失败', err); this.downloadProgress = 0; uni.showToast({ title: '图片下载失败', icon: 'none' }); } }); // 强化进度监听:确保实时更新(核心补充,不修改原有逻辑) downloadTask.onProgressUpdate((res) => { // 强制实时更新进度值,避免响应延迟 this.$nextTick(() => { this.downloadProgress = res.progress; }); console.log(`下载进度:${res.progress}%`); }); } } } </script> <style> /* 保持原有所有样式不变 */ .download-btn { background-color: #3CD6FF; } .section { width: 100%; display: flex; flex-direction: column; align-items: center; /* 图片和进度提示居中 */ gap: 20rpx; } .weather-card { padding: 30rpx; background-color: #fff; border-radius: 16rpx; box-shadow: 0 2rpx 10rpx rgba(0, 0, 0, 0.05); } .weather-item { font-size: 28rpx; color: #333; margin-bottom: 15rpx; } .weather-item:last-child { margin-bottom: 0; } .preview-image { width: 500rpx; height: 300rpx; border-radius: 16rpx; overflow: hidden; border: 1rpx solid #eee; } /* 新增进度条样式(不影响原有样式) */ .progress-container { width: 500rpx; /* 与图片宽度一致,视觉统一 */ display: flex; flex-direction: column; gap: 8rpx; } .progress-text { font-size: 24rpx; color: #666; text-align: center; } .progress-bg { width: 100%; height: 12rpx; background-color: #f5f5f5; border-radius: 6rpx; overflow: hidden; } .progress-fill { height: 100%; background-color: #3CD6FF; /* 与按钮颜色一致,风格统一 */ transition: width 0.3s ease; /* 进度变化平滑过渡 */ } </style>
2401_82882503/SmartUI_zlx012
pages/APIpages/download/download.vue
Vue
unknown
3,404
<template> <view class="container"> <view class="section"> <text class="title">本地图片选择预览</text> <button @click="chooseLocalImage" type="primary" class="btn">选择本机图片</button> <button @click="previewSelectedImage" type="default" class="btn" :disabled="!selectedImage">预览图片</button> <image :src="selectedImage" mode="widthFix" class="image-preview" v-if="selectedImage" /> </view> </view> </template> <script> export default { data() { return { selectedImage: '' }; }, methods: { chooseLocalImage() { uni.chooseImage({ count: 1, sizeType: ['original', 'compressed'], sourceType: ['album'], success: (res) => { this.selectedImage = res.tempFilePaths[0]; }, fail: (err) => { console.error('本地图片选择失败:', err); } }); }, previewSelectedImage() { if (!this.selectedImage) return; uni.previewImage({ urls: [this.selectedImage], current: this.selectedImage }); } } }; </script> <style scoped> .container { padding: 20rpx; background-color: #f5f5f5; } .section { background-color: #fff; border-radius: 16rpx; padding: 30rpx; margin-bottom: 20rpx; } .title { font-size: 32rpx; font-weight: bold; margin-bottom: 20rpx; display: block; } .btn { margin-bottom: 20rpx; } .image-preview { width: 100%; height: auto; border-radius: 8rpx; margin-top: 10rpx; } </style>
2401_82882503/SmartUI_zlx012
pages/APIpages/preview/preview.vue
Vue
unknown
1,527
<template> <view class="container"> <view class="section"> <text class="title">明天天气预报</text> <button @click="getWeather" type="primary" class="btn">获取天气预报</button> <view class="weather-card" v-if="tomorrowWeather"> <text class="weather-item">日期:{{ tomorrowWeather.date }}</text> <text class="weather-item">星期:{{ tomorrowWeather.week }}</text> <text class="weather-item">最高温:{{ tomorrowWeather.high }}℃</text> <text class="weather-item">最低温:{{ tomorrowWeather.low }}℃</text> </view> <text class="tip" v-if="weatherTip">{{ weatherTip }}</text> </view> </view> </template> <script> export default { data() { return { tomorrowWeather: null, weatherTip: '', weatherApiUrl: 'http://t.weather.sojson.com/api/weather/city/101230501' }; }, methods: { getWeather() { this.weatherTip = '正在获取天气预报...'; uni.request({ url: this.weatherApiUrl, method: 'GET', success: (res) => { if (res.statusCode === 200 && res.data.status === 200) { const tomorrowData = res.data.data.forecast[1]; this.tomorrowWeather = { date: tomorrowData.date, week: tomorrowData.week, high: tomorrowData.high.replace('高温', '').replace('℃', ''), low: tomorrowData.low.replace('低温', '').replace('℃', '') }; this.weatherTip = ''; } else { this.weatherTip = '天气预报获取失败,请重试'; console.error('天气预报接口返回异常:', res.data); } }, fail: (err) => { this.weatherTip = '网络错误,无法获取天气预报'; console.error('天气预报请求失败:', err); } }); } } }; </script> <style scoped> .container { padding: 20rpx; background-color: #f5f5f5; } .section { background-color: #fff; border-radius: 16rpx; padding: 30rpx; margin-bottom: 20rpx; } .title { font-size: 32rpx; font-weight: bold; margin-bottom: 20rpx; display: block; } .btn { margin-bottom: 20rpx; } .weather-card { margin-top: 20rpx; background-color: #f8f9fa; padding: 20rpx; border-radius: 8rpx; } .weather-item { display: block; font-size: 28rpx; margin-bottom: 10rpx; } .tip { font-size: 28rpx; color: #ff4d4f; margin-top: 20rpx; } </style>
2401_82882503/SmartUI_zlx012
pages/APIpages/sky/sky.vue
Vue
unknown
2,492
<template> <view class="auth-container"> <view class="auth-card"> <text class="auth-title">注册</text> <view class="input-group"> <input type="text" class="input-field" placeholder="请输入用户名" v-model="registerForm.username" /> <input type="password" class="input-field" placeholder="请输入密码" v-model="registerForm.password" /> <input type="password" class="input-field" placeholder="请确认密码" v-model="registerForm.confirmPassword" /> <text v-if="registerError" class="error-message">{{ registerError }}</text> </view> <button class="auth-btn" @click="handleRegister">注册</button> <view class="switch-tip"> <text>已有账号?</text> <text class="switch-link" @click="goToLogin">去登录</text> </view> </view> </view> </template> <script> export default { data() { return { registerForm: { username: '', password: '', confirmPassword: '' }, registerError: '' } }, methods: { handleRegister() { this.registerError = ''; if (!this.registerForm.username || !this.registerForm.password || !this.registerForm.confirmPassword) { this.registerError = '请填写完整信息'; return; } if (this.registerForm.password !== this.registerForm.confirmPassword) { this.registerError = '两次输入的密码不一致'; return; } if (this.registerForm.password.length < 6) { this.registerError = '密码长度至少6位'; return; } // 这里可以添加实际的注册逻辑 console.log('注册信息:', this.registerForm); uni.showToast({ title: '注册成功!', icon: 'success' }); // 注册成功后跳转到登录页面 setTimeout(() => { uni.navigateBack(); }, 1500); }, goToLogin() { uni.navigateBack(); } } } </script> <style scoped> .auth-container { width: 100%; height: 100vh; display: flex; justify-content: center; align-items: center; background-color: #f5f5f5; padding: 20px; } .auth-card { width: 100%; max-width: 400px; background: white; border-radius: 12px; box-shadow: 0 4px 20px rgba(0, 0, 0, 0.1); padding: 30px; } .auth-title { font-size: 24px; color: #333; text-align: center; margin-bottom: 30px; font-weight: 600; display: block; } .input-group { margin-bottom: 20px; } .input-field { width: 100%; padding: 15px; border: 1px solid #e0e0e0; border-radius: 8px; font-size: 16px; margin-bottom: 15px; } .input-field:focus { outline: none; border-color: #007AFF; } .auth-btn { width: 100%; background-color: #007AFF; color: white; border: none; border-radius: 8px; padding: 15px; font-size: 16px; font-weight: 600; margin-top: 10px; } .switch-tip { text-align: center; margin-top: 20px; font-size: 14px; color: #666; } .switch-link { color: #007AFF; margin-left: 5px; } .error-message { color: #ff3b30; font-size: 14px; margin-top: 5px; text-align: left; } </style>
2401_82882503/SmartUI_zlx012
pages/Register/Register.vue
Vue
unknown
4,036
<template> <view class="content"> <image class="logo" src="/static/logo.png"></image> <view class="text-area"> <text class="title">{{title}}</text> </view> </view> </template> <script> export default { data() { return { title: 'Hello' } }, onLoad() { }, methods: { } } </script> <style> .content { display: flex; flex-direction: column; align-items: center; justify-content: center; } .logo { height: 200rpx; width: 200rpx; margin-top: 200rpx; margin-left: auto; margin-right: auto; margin-bottom: 50rpx; } .text-area { display: flex; justify-content: center; } .title { font-size: 36rpx; color: #8f8f94; } </style>
2401_82882503/SmartUI_zlx012
pages/index/index.vue
Vue
unknown
694
<template> <view class="auth-container"> <view class="auth-card"> <text class="auth-title">登录</text> <view class="input-group"> <input type="text" class="input-field" placeholder="请输入用户名" v-model="loginForm.username" /> <input type="password" class="input-field" placeholder="请输入密码" v-model="loginForm.password" /> <text v-if="loginError" class="error-message">{{ loginError }}</text> </view> <button class="auth-btn" @click="handleLogin">登录</button> <view class="switch-tip"> <text>没有账号?</text> <text class="switch-link" @click="goToRegister">去注册</text> </view> </view> </view> </template> <script> export default { data() { return { loginForm: { username: '', password: '' }, loginError: '' } }, methods: { handleLogin() { this.loginError = ''; // if (!this.loginForm.username || !this.loginForm.password) { // this.loginError = '请输入用户名和密码'; // return; // } console.log('登录信息:', this.loginForm); uni.switchTab({ url: '/pages/tabBar/tabcompage/tabcompage' }); console.log('success回调完成'); }, goToRegister() { uni.navigateTo({ url: '/pages/Register/Register' }); } } } </script> <style scoped> .auth-container { width: 100%; height: 100vh; display: flex; justify-content: center; align-items: center; background-color: #f5f5f5; padding: 20px; } .auth-card { width: 100%; max-width: 400px; background: white; border-radius: 12px; box-shadow: 0 4px 20px rgba(0, 0, 0, 0.1); padding: 30px; } .auth-title { font-size: 24px; color: #333; text-align: center; margin-bottom: 30px; font-weight: 600; display: block; } .input-group { margin-bottom: 20px; } .input-field { width: 100%; padding: 15px; border: 1px solid #e0e0e0; border-radius: 8px; font-size: 16px; margin-bottom: 15px; } .input-field:focus { outline: none; border-color: #007AFF; } .auth-btn { width: 100%; background-color: #007AFF; color: white; border: none; border-radius: 8px; padding: 15px; font-size: 16px; font-weight: 600; margin-top: 10px; } .switch-tip { text-align: center; margin-top: 20px; font-size: 14px; color: #666; } .switch-link { color: #007AFF; margin-left: 5px; } .error-message { color: #ff3b30; font-size: 14px; margin-top: 5px; text-align: left; } </style>
2401_82882503/SmartUI_zlx012
pages/login/login.vue
Vue
unknown
2,500
<template> <view style="padding:30rpx;"> <navigator url="/pages/APIpages/Logpage/Logpage" ><button>打印日志</button></navigator> <navigator url = "/pages/APIpages/TimePage/TimePage" open-type="switchTab"><button>计时器</button></navigator> <!-- <navigator url="/pages/APIpages/StoragePage/StoragePage"><button>数据缓存</button></navigator> --> <button @click="goStoPage()">数据缓存</button> <navigator url="/pages/APIpages/RefreshPage/RefreshPage"><button>页面刷新</button></navigator> <navigator url="/pages/APIpages/sky/sky"><button>天气预报</button></navigator> <navigator url="/pages/APIpages/preview/preview"><button>图片预览</button></navigator> <navigator url="/pages/APIpages/download/download"><button>图片预览</button></navigator> </view> </template> <script> export default { data() { return { } }, onLoad(){ //预加载 uni.preloadPage({ url:"/pages/APIpages/StoragePage/StoragePage" }) }, methods: { goStoPage(){ uni.navigateTo({ url:"/pages/APIpages/StoragePage/StoragePage", success(){ console.log("navigateTo--->success"); }, fail(e){ console.log("navigateTo--->fail:" + JSON.stringify(e)); }, complete(){ console.log("navigateTo--->complete"); } }) // uni.uni.redirectTo({ // url:"/pages/APIpages/StoragePage/StoragePage" // }) // } } }, } </script> <style> button{ margin: 30rpx; } </style>
2401_82882503/SmartUI_zlx012
pages/tabBar/api/api.vue
Vue
unknown
1,471
<template> <scroll-view scroll-y="true" class="scroll-container"> <!-- 1. 泉州风光(轮播图) --> <view class="module-box"> <view class="module-title">泉州风光</view> <swiper indicator-dots="true" autoplay="true" interval="3000" duration="500" class="banner-swiper" > <swiper-item> <image src="/static/dengta.png" mode="aspectFill" class="banner-img" /> </swiper-item> <swiper-item> <image src="/static/qiang.png" mode="aspectFill" class="banner-img" /> </swiper-item> <swiper-item> <image src="/static/lou.png" mode="aspectFill" class="banner-img" /> </swiper-item> <swiper-item> <image src="/static/qiao.png" mode="aspectFill" class="banner-img" /> </swiper-item> <swiper-item> <image src="/static/xiang.png" mode="aspectFill" class="banner-img" /> </swiper-item> </swiper> </view> <!-- 2. 泉州介绍(富文本) --> <view class="module-box"> <view class="module-title">泉州介绍</view> <div class="rich-text" v-html="cityIntro"></div> </view> <!-- 3. 探索进度 --> <view class="module-box"> <view class="module-title">探索进度</view> <progress :percent="60" show-info stroke-width="6" class="progress-bar" /> </view> <!-- 4. 选择城市 --> <view class="module-box"> <view class="module-title">选择城市</view> <picker mode="region" :value="region" @change="onRegionChange" class="picker" > <view class="picker-text">{{ region[0] }} - {{ region[1] }} - {{ region[2] }}</view> </picker> </view> <!-- 5. 偏好设置 --> <view class="module-box"> <view class="module-title">偏好设置</view> <!-- 出行方式 --> <div class="preference-item"> <span>出行方式:</span> <radio-group @change="handleTravelModeChange" class="radio-group"> <label class="radio-label"> <radio value="bus" :checked="travelMode === 'bus'" />公交 </label> <label class="radio-label"> <radio value="drive" :checked="travelMode === 'drive'" />自驾 </label> <label class="radio-label"> <radio value="walk" :checked="travelMode === 'walk'" />步行 </label> </radio-group> </div> <!-- 显示推荐景点 --> <div class="preference-item"> <span>显示推荐景点:</span> <switch :checked="showRecommend" @change="handleShowRecommendChange" /> </div> <!-- 探索半径 --> <div class="preference-item"> <span>探索半径:{{ radius }}km</span> <slider :value="radius" :min="1" :max="20" @change="handleRadiusChange" class="slider" /> </div> </view> <!-- 6. 泉州宣传(视频+音频) --> <view class="module-box"> <view class="module-title">泉州宣传</view> <!-- 宣传视频 --> <view class="media-item"> <video src="/static/city-video.mp4" controls poster="/static/video-poster.jpg" class="video-player" ></video> </view> <!-- 泉州背景音乐 --> <view class="audio-box"> <view class="audio-title">泉州背景音乐</view> <button class="audio-btn" :class="{ 'playing': isPlaying }" @click="togglePlay" > {{ isPlaying ? '暂停' : '播放' }} </button> <view class="audio-desc">泉州南音 - 泉州传统乐团</view> <slider class="audio-slider" :value="audioCurrent" :max="audioDuration" @change="changeAudioProgress" /> </view> </view> </scroll-view> </template> <script> export default { data() { return { // 城市介绍富文本 cityIntro: ` <h4>海上丝绸之路起点 - 泉州</h4> <p>历史文化:<strong>泉州</strong>是国务院首批公布的24个历史文化名城之一,是古代"海上丝绸之路"起点,宋元时期被誉为"东方第一大港"。</p> <p>著名景点:清源山、开元寺、崇武古城、洛阳桥等。</p> <p>特色文化:拥有<span style="color: #007AFF;">南音</span>、<span style="color: #007AFF;">木偶戏</span>和闽南建筑等丰富的非物质文化遗产。</p> `, // 城市选择(默认值) region: ["福建省", "泉州市", "丰泽区"], // 出行方式 travelMode: "bus", // 显示推荐景点 showRecommend: true, // 探索半径 radius: 5, // 音频控制 audio: null, isPlaying: false, audioCurrent: 0, audioDuration: 100 }; }, onReady() { // 创建音频实例 this.audio = uni.createInnerAudioContext(); this.audio.src = "/static/city-music.mp3"; // 监听音频加载完成(获取正确时长) this.audio.onCanplay(() => { this.audioDuration = this.audio.duration || 100; }); // 监听音频进度变化 this.audio.onTimeUpdate(() => { this.audioCurrent = this.audio.currentTime; }); // 监听音频结束 this.audio.onEnded(() => { this.isPlaying = false; this.audioCurrent = 0; // 自动回到起点 this.audio.seek(0); }); // 监听音频错误 this.audio.onError((err) => { console.error('音频播放错误:', err); uni.showToast({ title: '音频加载失败', icon: 'none' }); }); }, onUnload() { // 页面销毁时清理音频实例 if (this.audio) { this.audio.stop(); this.audio.destroy(); } }, methods: { // 城市选择变更 onRegionChange(e) { this.region = e.detail.value; }, // 出行方式变更 handleTravelModeChange(e) { this.travelMode = e.detail.value; }, // 显示推荐景点开关变更 handleShowRecommendChange(e) { this.showRecommend = e.detail.value; }, // 探索半径变更 handleRadiusChange(e) { this.radius = e.detail.value; }, // 音频播放/暂停切换 togglePlay() { if (!this.audio) return; if (this.isPlaying) { this.audio.pause(); } else { this.audio.play(); } this.isPlaying = !this.isPlaying; }, // 音频进度调整 changeAudioProgress(e) { if (!this.audio) return; const value = e.detail.value; this.audio.seek(value); // 跳转到指定时间点 this.audioCurrent = value; } } }; </script> <style scoped> /* 滚动容器 */ .scroll-container { height: 100vh; width: 100%; background-color: #f5f5f5; padding: 15rpx; box-sizing: border-box; } /* 模块通用样式(独立框) */ .module-box { background-color: #fff; border-radius: 12rpx; padding: 25rpx; margin-bottom: 20rpx; box-shadow: 0 2rpx 10rpx rgba(0, 0, 0, 0.05); } /* 模块标题 */ .module-title { font-size: 34rpx; font-weight: bold; color: #333; margin-bottom: 20rpx; padding-bottom: 15rpx; border-bottom: 1rpx solid #eee; } /* 轮播图 */ .banner-swiper { width: 100%; height: 400rpx; border-radius: 8rpx; overflow: hidden; } .banner-img { width: 100%; height: 100%; } /* 富文本 */ .rich-text { line-height: 1.8; color: #666; font-size: 28rpx; } .rich-text h4 { font-size: 30rpx; color: #333; margin-bottom: 15rpx; } .rich-text strong { color: #333; } /* 进度条 */ .progress-bar { width: 100%; margin-top: 10rpx; } /* 城市选择器 */ .picker { width: 100%; padding: 20rpx; background-color: #f9f9f9; border-radius: 8rpx; box-sizing: border-box; } .picker-text { font-size: 28rpx; color: #333; } /* 偏好设置 */ .preference-item { display: flex; align-items: center; margin-bottom: 25rpx; font-size: 28rpx; } .preference-item:last-child { margin-bottom: 0; } .preference-item span { width: 200rpx; color: #666; } .radio-group { display: flex; gap: 30rpx; } .radio-label { display: flex; align-items: center; gap: 8rpx; } .slider { flex: 1; margin-left: 20rpx; } /* 宣传媒体(视频) */ .media-item { margin-bottom: 25rpx; } .video-player { width: 100%; height: 400rpx; border-radius: 8rpx; } /* 音频控制样式 */ .audio-box { padding: 20rpx; background-color: #f9f9f9; border-radius: 8rpx; display: flex; flex-direction: column; gap: 15rpx; } .audio-title { font-size: 28rpx; color: #333; font-weight: 500; } .audio-btn { width: 200rpx; height: 60rpx; line-height: 60rpx; padding: 0; background-color: #007AFF; color: #fff; font-size: 26rpx; border-radius: 8rpx; } .audio-btn.playing { background-color: #FF3B30; } .audio-desc { font-size: 24rpx; color: #666; } .audio-slider { width: 100%; margin-top: 10rpx; } </style>
2401_82882503/SmartUI_zlx012
pages/tabBar/demos/CityDiscovery/CityDiscovery.vue
Vue
unknown
9,080
<template> <view> <view class = "content"> <navigator url = "/pages/index/index"> <button>初始页面index</button> </navigator> <navigator url = "/pages/login/login"> <button>登录注册页</button> </navigator> <navigator url = "/pages/tabBar/demos/CityDiscovery/CityDiscovery"> <button>城市探索</button> </navigator> <navigator url = "/pages/xinwenPage/xinwenPage"> <button>新闻页面</button> </navigator> </view> </view> </template> <script> export default { data() { return { } }, methods: { } } </script> <style> </style>
2401_82882503/SmartUI_zlx012
pages/tabBar/demos/demos.vue
Vue
unknown
623
<template> <view style="padding-top: 100rpx;"> <view class = "text-area"> <text>输入值:</text> <input type="text" v-model="title" style="color: red;" /> </view> <view class = "text-area"> <text>回传值:</text><input type="text" :value="callBackValue" style="color:yellow"/> </view> <comA :intent="title"></comA> <comB @callBackFun = "calllBack"></comB> </view> </template> <script> import comA from '/components/compA.vue' import comB from '/components/compB.vue'; export default { components:{ comA, comB } data() { return title:'', callBackValue: '' } }, methods: { callBack(msg){ console.warn("---index---callBack-->" + msg); this.callBackValue = msg; } } } </script> <style> .text-area { margin: 20rpx; } </style>
2401_82882503/SmartUI_zlx012
pages/tabBar/demos/intentPage/intentPage.vue
Vue
unknown
805
<template> <view class="content"> <image class = "logo" src = "/static/logo.png"></image> <view class = "text-area"> <text class = "title">{{title}}</text> </view> <view> <view >{{ number + 1}}</view> <view >{{ok ? 'YES' : 'NO' }} </view> <view >{{message.split('').reverse().join('')}}</view> </view> <button @click="handleClick('参数1')">按钮1</button> <button @click="handleClick(dynamicParam)">按钮2</button> <button @click="handleClick('参数A','参数B',$event)">按钮3</button> <button @click="(e) => handleButton('点击事件',e)">带事件对象</button> <view v-if ="!raining">今天天气真好</view> <view v-if = "raining">下雨天,只能在家呆着了</view> <view v-if ="state === 'vue'">state的值是Vue</view> <view>State is {{state?'vue':'APP'}} </view> <view> <view v-if = "state === 'vue'">uni-app</view> <view v-else-if = "state === 'html'">HTML</view> <view v-else>APP</view> </view> <view v-for = "item in arr" style = "color: #ff0000;"> {{item}} </view> <view v-for = "(item,index) in 4" style="color: #00ff00;"> <view :class = "'list-' + index%2">{{index%2}}</view> </view> <view v-for = "(value,name,index) in Object"> {{index}}.{{name}}:{{value}} </view> <view v-for = "item in arr" :key = "item.id"> <view style = "color : #0000ff;"> {{item.id}}:{{item,name}} </view> </view> </view> </template> <script> export default { data() { return { arr:[ {id:1,name:'uni-app'}, {id:2,name:'HTML'} ], object:{ title: 'How to do lists in Vue', author:'Jane Doe', publishedAt:'2020-04-10' }, raining : false, state:'vue', title:'Hello', number:1, ok:true, message:'Hello Vue!' } }, methods: { handleClick(param1,param2,event){ console.log("参数1:",param1) console.log("参数2:",param2) console.log("事件对象:",event) }, handleButton(msg,event){ console.log('接受的消息:',msg) console.log('事件对象:',event) console.log('按钮文本:',event.target.textContent) } } } </script> <style> .content{ text-align: center; padding: 200rpx; } .logo{ height: 200rpx; width: 200rpx; } .title{ color: #888; font-size :50rpx; text-align: center; display: block; } </style>
2401_82882503/SmartUI_zlx012
pages/tabBar/grammar/grammar.vue
Vue
unknown
2,353
<template> <view> <page-head title = "button,按钮"></page-head> <view class="smart-padding-wrap"> <button type="primary"> 页面主操作 normal </button> <button type="primary" :loading="true"> 页面主操作</button> <button type="primary" disabled="false"> 页面主操作 disabled</button> <button type ="default"> 页面次操作 normal</button> <button type="default" disabled="false"> 页面次操作 disabled</button> <button type="warn"> 页面警告操作 warn </button> <button type="default" disabled="false"> 页面警告操作 warn</button> <button type="primary" plain = "true"> 镂空按钮 plain</button> <button type="primary" plain = "true" disabled="false">镂空按钮 plain disabled</button> <button type="primary" size="mini" class="mini-btn"> 按钮 </button> <button type="default" size = "mini" class="mini-btn"> 按钮 </button> <button type="warn" size = "mini" class = "mini-btn"> 按钮 </button> </view> </view> </template> <script> export default { data() { return { }; }, methods: { } }; </script> <style> button { margin-top: 30rpx; margin-bottom: 30rpx; } .mini-btn{ margin-right: 30rpx; } </style>
2401_82882503/SmartUI_zlx012
pages/tabBar/tabcompage/button/button.vue
Vue
unknown
1,241
<template> <view> <view class="smart-page-head"> <view class="smart-page-head-title"> checkbox,多选按钮 </view> </view> <view class="smart-padding-wrap"> <view class="item"> <checkbox checked="true"></checkbox> 选中 <checkbox></checkbox> 未选中 </view> <view class="item"> <checkbox checked="true" color="#f0ad4e" style="transform: scale(0.7);"></checkbox> 选中 <checkbox color="#f0ad4e" style="transform: scale(0.7);"></checkbox> 未选中 </view> <view class="item"> 推荐展示样式: <checkbox-group> <label class="list"> <view> <checkbox></checkbox> 中国 </view> </label> <label class="list"> <view> <checkbox></checkbox> 美国 </view> </label> <label class="list"> <view> <checkbox></checkbox> 日本 </view> </label> </checkbox-group> </view> </view> </view> </template> <script> export default { data() { return { }; }, methods: { } }; </script> <style> .item{ margin-bottom: 30rpx; } .list{ justify-content: flex-start; padding: 22rpx 30rpx; } .list view{ padding-bottom: 20rpx; border-bottom: 1px solid #d8d8d8; } </style>
2401_82882503/SmartUI_zlx012
pages/tabBar/tabcompage/checkbox/checkbox.vue
Vue
unknown
1,272
<template> <view class="container"> <form @submit="formSubmit" @reset="formReset"> <view class="item uni-column"> <view class="title"> switch </view> <view> <switch name="switch" /> </view> </view> <view class="item uni-column"> <view class="title">radio</view> <radio-group name="radio"> <label> <radio value="radio1" /><text> 选项一 </text> </label> <label> <radio value="radio2" /><text> 选项二 </text> </label> </radio-group> </view> <view class="item uni-column"> <view class="title">checkbox</view> <checkbox-group name = "checkbox"> <label> <checkbox value="checkbox1" /><text> 选项一 </text> </label> <label> <checkbox value="checkbox2" /><text> 选项二 </text> </label> </checkbox-group> </view> <view class="titl uni-column"> <view class="title">slider</view> <slider value="50" name="slider" show-value></slider> </view> <view class="item uni-column"> <view class="title">input</view> <input class="uni-input" name="input" placeholder="这是一个输入框" /> </view> <view> <button form-type = "submit">Submit</button> <button type = "default" form-type="reset">Reset</button> </view> </form> </view> </template> <script> export default { data() { return { } }, methods: { formSubmit:function(e){ console.log('form发生了submit事件,携带数据为:' + JSON.stringify(e.detail.value)) var formdata = e.detail.value uni.showModal({ content:'表单数据内容:' + JSON.stringify(formdata), showCancel:false }); }, formReset:function(e){ console.log('清空数据') } } } </script> <style> switch{ transform:scale(0.7); } radio { transform: scale(0.7); } checkbox { transform: scale(0.7); } button{ } .container{ padding: 40upx; } .item.title{ padding: 20rpx 0; } </style>
2401_82882503/SmartUI_zlx012
pages/tabBar/tabcompage/form/form.vue
Vue
unknown
1,964
<template> <view> <view style = "display:flex; flex-direction: column; align-items: center;"> <icon type="waiting"/> <icon type = "waiting" size = "32" color="red" /> </view> </view> </template> <script> export default { data() { return { S } }, methods: { } } </script> <style> </style>
2401_82882503/SmartUI_zlx012
pages/tabBar/tabcompage/icon/icon.vue
Vue
unknown
327
<template> <view> <view class="smart-page-head"> <view class="smart-page-head-title">input,输入框</view> </view> <view class="smart-padding-wrap"> <view class="item"> 可自动获取焦点的 </view> <view><input class="smart-input" focus="true" placeholder="自动获取焦点"/></view> <view> 右下角显示搜索 </view> <view><input class="smart-input" confirm-type="search" placeholder="右下角显示搜索"/></view> <view> 控制最大输入长度 </view> <view><input class="smart-input" maxlength="10" placeholder="控制最大输入长度为10"/></view> <view> 同步获取输入值 <text style="color: #007aff;">{{ inputValue }}</text> </view> <view><input class="smart-input" @input="onKeyInput" placeholder="同步获取输入值" /></view> <view> 数字输入 </view> <view><input class="smart-input" type="number" placeholder="这是一个数字输入框" /></view> <view> 密码输入 </view> <view><input class="smart-input" type="text" password="true" placeholder="这是一个密码输入框"/></view> <view>带小数点输入输入框</view> <view><input class="smart-input" type="digit" placeholder="这是一个带小数点输入框 "/></view> <view> 身份证输入 </view> <view><input class="smart-input" type="idcard" placeholder="这是一个身份证输入框" /></view> <view>带清楚按钮</view> <view class="wrapper"> <input class="smart-input" :value="clearinputValue" @input="clearInput" placeholder="这是一个带清除按钮输入框"/> <text v-if="showClearIcon" @click="clearIcon" class="uni-icon">&#xe568;</text> </view> </view> </view> </template> <script> export default { data() { return { inputValue:'', showPassword:true, clearinputValue:'', showClearIcon:false }; }, methods: { onKetInput:function(event){ this.inputValue = event.detail.value; }, clearInput:function(event){ this.clearinputValue = event.detail.value; if(event.detail.value.length > 0) this.showClearIcon = true; else this.showClearIcon = false; }, ClearIcon: function(event){ this.clearinputValue = ''; this.showClearIcon = false; }, changePassword : function(){ this.showPassword = !this.showPassword; } } }; </script> <style> .item { margin-bottom: 40rpx; } .uni-icon{ font-family: uniicons; font-size: 24px; font-weight: normal; font-style: normal; width: 24px; height: 24px; line-height: 24px; color:#999999; margin-top: 5px; } .wrapper{ /* #ifdef */ display: flex; /* #endif */ flex-direction: row; flex-wrap: nowrap; background-color: #d8d8d8; } .eye-active{ color:#007aff; } </style>
2401_82882503/SmartUI_zlx012
pages/tabBar/tabcompage/input/input.vue
Vue
unknown
2,724
<template> <view> <page-head :title></page-head> </view> </template> <script> import { ColorGradient } from 'XrFrame/components/particle/gradient'; export default { data() { return { title:'新建的页面', username: " ", userid:0 } }, onLoad(options){ console.log("navigate--->onLoad--->" + JSON.stringify(options)); console.log("navigate--->onLoad--->" + options.Account); console.log("navigate--->onLoad--->" + options.cid); this.username = options.Account; this.userid = options.cid; }, onShow(){ console.log("navigate--->onShow--->"); }, onReady(){ }, onHide(){ }, onUnload(){ } methods: { } } </script> <style> </style>
2401_82882503/SmartUI_zlx012
pages/tabBar/tabcompage/navigator/navigate/navigate.vue
Vue
unknown
733
<template> <view> <!-- 页面标题区域 --> <view class="smart-page-head"> <view class="smart-page-head-title">navigator, 链接</view> </view> <!-- 1. 跳转到新页面(补全根路径,确保层级正确) --> <navigator url="/pages/tabBar/tabcompage/newpage/newpage" hover-class="navigator-hover" > <button type="default">跳转到新页面</button> </navigator> <!-- 2. 在当前页打开(补全完整路径,避免找不到页面) --> <navigator url="/pages/tabBar/tabcompage/newpage/newpage?title=redirect" open-type="redirect" hover-class="other-navigator-hover" > <button type="default">在当前页打开</button> </navigator> <!-- 3. 跳转tab页面(路径与tabBar配置保持一致,无需修改) --> <navigator url="/pages/tabBar/api/api" open-type="switchTab" hover-class="other-navigator-hover" > <button type="default">跳转tab页面</button> </navigator> <!-- 4. 跳转到登录页面(路径格式正确,无需修改) --> <navigator url="/pages/Login/Login" hover-class="other-navigator-hover" > <button type="default">跳转到登录页面</button> </navigator> <!-- 5. 新增:触发JS跳转的按钮(原代码缺少触发入口) --> <button type="default" @click="gonavigate" style="margin-top: 20rpx;" > </button> </view> </template> <script> export default { data() { return { title: 'navigator', Account: 'cyy', // 要传递的账号参数 CID: 44322 // 要传递的ID参数 } }, methods: { // 修复:补充函数体大括号,修正路径层级(补全tabBar目录) gonavigate() { uni.navigateTo({ // 用模板字符串简化参数拼接,路径与组件跳转保持一致 url: `/pages/tabBar/tabcompage/newpage/newpage?Account=${this.Account}&cid=${this.CID}` }) } } } </script> <!-- 可选:添加样式隔离,避免污染其他页面 --> <style scoped> .smart-page-head { padding: 20rpx 30rpx; border-bottom: 1px solid #f5f5f5; } .smart-page-head-title { font-size: 34rpx; font-weight: 600; color: #333; } /* 给每个跳转按钮添加间距,布局更美观 */ navigator, button { margin: 15rpx 30rpx; display: block; } </style>
2401_82882503/SmartUI_zlx012
pages/tabBar/tabcompage/navigator/navigator.vue
Vue
unknown
2,422
<template> <view> </view> </template> <script> export default { data() { return { } }, methods: { } } </script> <style> </style>
2401_82882503/SmartUI_zlx012
pages/tabBar/tabcompage/navigator/redirect/redirect.vue
Vue
unknown
162
<template> <view> <page-head :title="title"></page-head> <view>用户名:{{username}}</view> <view>用户ID:{{userid}}</view> </view> </template> <script> export default { data() { return { title: '新建的页面', username: "", userid: 0 } }, onLoad(options) { console.log("navigate--->onLoad--->" + JSON.stringify(options)); }, onShow() { console.log("navigate-->onShow-->"); }, onReady() { }, onHide() { }, onUnload() { //页面卸载 }, methods: { } } </script> <style> </style>
2401_82882503/SmartUI_zlx012
pages/tabBar/tabcompage/newpage/newpage.vue
Vue
unknown
569
<template> <view class = "smart-container"> <view class = "smart-panel-title">1.容器</view> <view class = "smart-panel-h" @click="goDetailPage('view')"><text>view视图</text></view> <view class = "smart-panel-h" @click="goDetailPage('scroll-view')"><text>scroll-view滚动代码</text></view> <view class = "smart-panel-h" @click="goDetailPage('swipter')"><text>swiper可滑动视图</text></view> <view class="smart-panel-title"> 2.基础内容 </view> <view class="smart-panel-h" @click="goDetailPage('text')"><text>text文本编辑</text></view> <view class="smart-panel-h" @click="goDetailPage('icon')"><text>icon图标</text></view> <view class = "smart-panel-title" > 3.表单组件 </view> <view class="smart-panel-h" @click="goDetailPage('button')"><text> button按钮 </text></view> <view class="smart-panel-h" @click="goDetailPage('checkbox')"><text> checkbox多选框 </text></view> <view class="smart-panel-h" @click="goDetailPage('label')"><text> label标签组件 </text></view> <view class="smart-panel-h" @click="goDetailPage('input')"><text> input输入框 </text></view> <view class="smart-panel-h" @click="goDetailPage('textarea')"><text> textarea多行文本输入框 </text></view> <view class="smart-panel-h" @click="goDetailPage('form')"><text> form表单 </text></view> <view class="smart-panel-title"> 4.导航 </view> <view class="smart-panel-h" @click="goDetailPage('navigator')"><text> navigator导航 </text></view> </view> </template> <script> export default { data() { return { } }, onShow() { const name = uni.getStorageSync('userName'); console.log("tabcomnpage--->"); }, methods: { goDetailPage(e){ if(typeof e === 'string'){ uni.navigateTo({ url:'/pages/tabBar/tabcompage/' + e + '/' + e }); }else{ uni.navigateTo({ url: e.url }); } } } } </script> <style> </style>
2401_82882503/SmartUI_zlx012
pages/tabBar/tabcompage/tabcompage.vue
Vue
unknown
1,935
<template> <view> <view class="smart-page-head"> <view class = "smart-page-head-title">text 文本组件</view> </view> <view class = "smart-padding-wrap"> <view class = "text-box" scroll-y = "true"> <text>{{ text }}</text> </view> <button type = "primary" :disabled="!canAdd" @click="add"> add line </button> <button type = "warn" :disabled="!canRemove" @click="remove"> remove line</button> </view> </view> </template> <script> export default { data() { return { texts:[ 'HBuilder,400万开发者选择的IDE', 'HBuilderX,轻巧、极速, 极客编辑器', 'uni-app,终极跨平台方案', 'HBuilder,400万开发者选择的IDE', 'HBuilderX,轻巧、极速, 极客编辑器', 'uni-app,终极跨平台方案', 'HBuilder,400万开发者选择的IDE', 'HBuilderX,轻巧、极速, 极客编辑器', 'uni-app,终极跨平台方案', '......' ], text:'', canAdd: true, canRemove: false, extraLine:[] }; }, methods: { add:function(e){ this.extraLine.push(this.texts[this.extraLine.length % 12]); this.text = this.extraLine.join('\n'); this.canAdd = this.extraLine.length < 12; this.canRemove = this.extraLine.length > 0; }, remove : function(e){ if(this.extraLine.length > 0){ this.extraLine.pop(); this.text = this.extraLine.join('\n'); this.canAdd = this.extraLine.length < 12; this.canRemove = this.extraLine.length > 0; } } } }; </script> <style> </style>
2401_82882503/SmartUI_zlx012
pages/tabBar/tabcompage/text/text.vue
Vue
unknown
1,547
<template> <view> <view class="smart-page-head"> <view class="smart-page-head-title"> textarea,多行文本 </view> </view> <view class="smart-padding-wrap"> <view>输入区域高度自适应,不会出现滚动条</view> <textarea class="text-area" auto-height/> <view>占位符字体是红色的</view> <textarea class="text-area" placeholder-style="color:#f76260" placeholder="占位符字体是红色的"/> </view> </view> </template> <script> export default { data() { return { } }, methods: { } } </script> <style> .text-area{ border: 1px solid #d8d8d8; width: 100%; line-height: 60rpx; } </style>
2401_82882503/SmartUI_zlx012
pages/tabBar/tabcompage/textarea/textarea.vue
Vue
unknown
663
<template> <view> <view class="smart-page-head"> <view class="smart-page-head-title">view</view> </view> <view class="smart-padding-wrap"> <view>flex-direction:row 横向布局</view> </view> <view class="smart-flex smart-row"> <view class="flex-item smart-bg-blue">A</view> <view class="flex-item smart-bg-green">B</view> <view class="flex-item smart-bg-red">C</view> </view> <view>flex-direction:row 纵向布局</view> <view class="smart-flex smart-column"> <view class="flex-item-100 smart-bg-blue">A</view> <view class="flex-item-100 smart-bg-green">B</view> <view class="flex-item-100 smart-bg-red">C</view> </view> </view> </template> <script> export default { data() { return { } }, methods: { } } </script> <style> </style>
2401_82882503/SmartUI_zlx012
pages/tabBar/tabcompage/view/view.vue
Vue
unknown
826
<template> <view> <view v-for="item in newslist" style="margin: 10rpx;"> <xinwen :title = "item.title" :author = "item.author" :comments = "item.comments" :timedata = "item.timedata" :isTop="item.isTop" :mode="item.newstype" :image="item.imagelist[0]" @click="goDetailPage()"> <template v-slot:tips> <view class="slotcontent" v-if="item.showSearch"> <text style="color: blue;">搜索:</text> <view class="borderbox" style="color: blue;"><text>精选报道</text></view> </view> </template> </xinwen> </view> </view> </template> <script> import xinwen from "../../components/xinwen.vue" export default { components:{ xinwen }, data() { return { newslist:[ { newstype:1, //无图 title:"中共中央关于制定国民经济和社会发展第十五个五年规划的建议", author:"人民日报", comments:555, timedata:"2025.10.25", isTop:true, showSearch:true, imagelist:[], }, { newstype:1, title:"20光年外发现“超级地球”,比地球更大,或有地外生命存在", author:"常观", comments:565, timedata:"2025.10.29", isTop:true, imagelist:[ ], }, { newstype:2, //单图 title:"正式确认,终老火箭!杜兰特官宣退役声明,太阳终究是错付了", author:"九七体育", comments:529, timedata:"2025.10.28", isTop:false, imagelist:["/static/new1.png"] }, { newstype:2, title:"自带“青霉素”的5种蔬菜,建议:天冷经 常吃,提高免疫力少生病", author:"爱享美食家", comments:417, timedata:"2025.10.14", isTop:false, imagelist:["/static/new3.png"] }, { newstype:2, title:"71岁钟睒睒拿下中国首富,身家5300亿,创造历史", author:"读者", comments:198, timedata:"2025.10.29", isTop:false, imagelist:["/static/new2.png"] }, { newstype:1, //多图(广告) title:"加微信交友群,喜欢就聊,找喜欢的人", author:"广告", comments:0, timedata:"2025.11.5", isTop:false, imagelist:[], } ] } }, onLoad() { this.xinwen = getAppp().globalData.datalist; console.log("onLoad --> user" + getApp().globalData.username); console.log("onLoad --> xinwen: " + this.xinwen.length); }, methods: { goDetailPage(){ } } } </script> <style> .slotcontent{ font-size: 30rpx; } </style>
2401_82882503/SmartUI_zlx012
pages/xinwenPage/xinwenPage.vue
Vue
unknown
2,551
<template> <view> </view> </template> <script> export default { data() { return { } }, methods: { } } </script> <style> </style>
2401_82882503/SmartUI_zlx012
testPage/testPage.vue
Vue
unknown
162
uni.addInterceptor({ returnValue (res) { if (!(!!res && (typeof res === "object" || typeof res === "function") && typeof res.then === "function")) { return res; } return new Promise((resolve, reject) => { res.then((res) => { if (!res) return resolve(res) return res[0] ? reject(res[0]) : resolve(res[1]) }); }); }, });
2401_82882503/SmartUI_zlx012
uni.promisify.adaptor.js
JavaScript
unknown
373
/** * 这里是uni-app内置的常用样式变量 * * uni-app 官方扩展插件及插件市场(https://ext.dcloud.net.cn)上很多三方插件均使用了这些样式变量 * 如果你是插件开发者,建议你使用scss预处理,并在插件代码中直接使用这些变量(无需 import 这个文件),方便用户通过搭积木的方式开发整体风格一致的App * */ /** * 如果你是App开发者(插件使用者),你可以通过修改这些变量来定制自己的插件主题,实现自定义主题功能 * * 如果你的项目同样使用了scss预处理,你也可以直接在你的 scss 代码中使用如下变量,同时无需 import 这个文件 */ /* 颜色变量 */ /* 行为相关颜色 */ $uni-color-primary: #007aff; $uni-color-success: #4cd964; $uni-color-warning: #f0ad4e; $uni-color-error: #dd524d; /* 文字基本颜色 */ $uni-text-color:#333;//基本色 $uni-text-color-inverse:#fff;//反色 $uni-text-color-grey:#999;//辅助灰色,如加载更多的提示信息 $uni-text-color-placeholder: #808080; $uni-text-color-disable:#c0c0c0; /* 背景颜色 */ $uni-bg-color:#ffffff; $uni-bg-color-grey:#f8f8f8; $uni-bg-color-hover:#f1f1f1;//点击状态颜色 $uni-bg-color-mask:rgba(0, 0, 0, 0.4);//遮罩颜色 /* 边框颜色 */ $uni-border-color:#c8c7cc; /* 尺寸变量 */ /* 文字尺寸 */ $uni-font-size-sm:12px; $uni-font-size-base:14px; $uni-font-size-lg:16px; /* 图片尺寸 */ $uni-img-size-sm:20px; $uni-img-size-base:26px; $uni-img-size-lg:40px; /* Border Radius */ $uni-border-radius-sm: 2px; $uni-border-radius-base: 3px; $uni-border-radius-lg: 6px; $uni-border-radius-circle: 50%; /* 水平间距 */ $uni-spacing-row-sm: 5px; $uni-spacing-row-base: 10px; $uni-spacing-row-lg: 15px; /* 垂直间距 */ $uni-spacing-col-sm: 4px; $uni-spacing-col-base: 8px; $uni-spacing-col-lg: 12px; /* 透明度 */ $uni-opacity-disabled: 0.3; // 组件禁用态的透明度 /* 文章场景相关 */ $uni-color-title: #2C405A; // 文章标题颜色 $uni-font-size-title:20px; $uni-color-subtitle: #555555; // 二级标题颜色 $uni-font-size-subtitle:26px; $uni-color-paragraph: #3F536E; // 文章段落颜色 $uni-font-size-paragraph:15px;
2401_82882503/SmartUI_zlx012
uni.scss
SCSS
unknown
2,217
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="404"> <meta property="og:url" content="https://xingwangzhe.fun/404/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:published_time" content="2024-09-20T09:53:21.000Z"> <meta property="article:modified_time" content="2024-09-20T10:11:56.607Z"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/404/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>404 | 姓王者的博客 </title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> </head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content page posts-expand"> <div class="post-block" lang="zh-CN"> <header class="post-header"> <h1 class="post-title" itemprop="name headline">404 </h1> <div class="post-meta"> </div> </header> <div class="post-body"> <!DOCTYPE HTML> <html> <head> <meta http-equiv="content-type" content="text/html;charset=utf-8;"/> <meta http-equiv="X-UA-Compatible" content="IE=edge,chrome=1" /> <meta name="robots" content="all" /> <meta name="robots" content="index,follow"/> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <script type="text/javascript" src="//qzonestyle.gtimg.cn/qzone/hybrid/app/404/search_children.js" charset="utf-8" homePageUrl="http://xingwangzhe.fun" homePageName="回到我的主页"></script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html> </div> </div> </div> <div class="tabs tabs-comment"> <ul class="nav-tabs"> <li class="tab"><a href="#comment-gitalk">gitalk</a></li> <li class="tab"><a href="#comment-livere">livere</a></li> </ul> <div class="tab-content"> <div class="tab-pane gitalk" id="comment-gitalk"> <div class="comments" id="gitalk-container"></div> </div> <div class="tab-pane livere" id="comment-livere"> <div class="comments"> <div id="lv-container" data-id="city" data-uid="MTAyMC81OTkzNi8zNjM5OQ=="></div> </div> </div> </div> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <link rel="stylesheet" href="//cdn.jsdelivr.net/npm/gitalk@1/dist/gitalk.min.css"> <script> NexT.utils.loadComments(document.querySelector('#gitalk-container'), () => { NexT.utils.getScript('//cdn.jsdelivr.net/npm/gitalk@1/dist/gitalk.min.js', () => { var gitalk = new Gitalk({ clientID : 'Ov23lifXHoq97dbVMtsq', clientSecret: '5b1323c3b64bd4fef3f3a56e2c7ada191b416bf4', repo : 'xingwangzhe.github.io', owner : 'xingwangzhe', admin : ['xingwangzhe'], id : '4c9b0f983ae256a9d61fcacf2b0f71a3', language: 'zh-CN', distractionFreeMode: true }); gitalk.render('gitalk-container'); }, window.Gitalk); }); </script> <script> NexT.utils.loadComments(document.querySelector('#lv-container'), () => { window.livereOptions = { refer: location.pathname.replace(CONFIG.root, '').replace('index.html', '') }; (function(d, s) { var j, e = d.getElementsByTagName(s)[0]; if (typeof LivereTower === 'function') { return; } j = d.createElement(s); j.src = 'https://cdn-city.livere.com/js/embed.dist.js'; j.async = true; e.parentNode.insertBefore(j, e); })(document, 'script'); }); </script> </body> </html>
2303_806435pww/xingwangzhe.github.io
404/index.html
HTML
unknown
26,036
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/archives/2024/06/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/archives/2024/06/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>归档 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content archive"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <span class="collection-header">还行! 目前共计 44 篇日志。 继续努力。</span> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-06-23T16:33:26+08:00" content="2024-06-23"> 06-23 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/f5bf34a0/" itemprop="url"> <span itemprop="name">forever</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-06-21T21:15:25+08:00" content="2024-06-21"> 06-21 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/e855e869/" itemprop="url"> <span itemprop="name">哈基米</span> </a> </div> </header> </article> </div> </div> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
archives/2024/06/index.html
HTML
unknown
24,617
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/archives/2024/09/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/archives/2024/09/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>归档 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content archive"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <span class="collection-header">还行! 目前共计 44 篇日志。 继续努力。</span> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-30T21:19:04+08:00" content="2024-09-30"> 09-30 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/b0f770c3/" itemprop="url"> <span itemprop="name">Vue:watch监视</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-29T18:19:17+08:00" content="2024-09-29"> 09-29 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/ffe80f36/" itemprop="url"> <span itemprop="name">Vue:计算属性</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-29T13:13:39+08:00" content="2024-09-29"> 09-29 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/36c34667/" itemprop="url"> <span itemprop="name">learn Markdown</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-28T20:48:54+08:00" content="2024-09-28"> 09-28 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/90edeb6d/" itemprop="url"> <span itemprop="name">信息技术基数实训-焊接爱心花灯</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:19:55+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/218fcad3/" itemprop="url"> <span itemprop="name">初识Vue3,有趣</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/d8587a7c/" itemprop="url"> <span itemprop="name">通过创建资产负债表学习 CSS 伪选择器</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/544543f1/" itemprop="url"> <span itemprop="name">通过创建营养标签学习排版</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/fcbe0bf5/" itemprop="url"> <span itemprop="name">学了点js</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/b6e6b630/" itemprop="url"> <span itemprop="name">玩文明六玩爽了</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/38c422a2/" itemprop="url"> <span itemprop="name">我的第一个博客</span> </a> </div> </header> </article> </div> </div> <nav class="pagination"> <span class="page-number current">1</span><a class="page-number" href="/archives/2024/09/page/2/">2</a><span class="space">&hellip;</span><a class="page-number" href="/archives/2024/09/page/4/">4</a><a class="extend next" rel="next" href="/archives/2024/09/page/2/"><i class="fa fa-angle-right" aria-label="下一页"></i></a> </nav> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
archives/2024/09/index.html
HTML
unknown
29,375
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/archives/2024/09/page/2/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/archives/2024/09/page/2/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>归档 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content archive"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <span class="collection-header">还行! 目前共计 44 篇日志。 继续努力。</span> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/6ec2376e/" itemprop="url"> <span itemprop="name">hexo创建公益404界面</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/2283d3b7/" itemprop="url"> <span itemprop="name">本来想搬fishport_serverwiki来着</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/ca82fca4/" itemprop="url"> <span itemprop="name">工业博物馆游览</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/f899f771/" itemprop="url"> <span itemprop="name">LeetCode:2. 两数相加</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-25T20:42:35+08:00" content="2024-09-25"> 09-25 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/58ad3c48/" itemprop="url"> <span itemprop="name">连不上网了?可能的DNS解决方法</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-25T18:02:21+08:00" content="2024-09-25"> 09-25 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/c0981903/" itemprop="url"> <span itemprop="name">通过创建钢琴学习响应式网页设计</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-25T17:49:56+08:00" content="2024-09-25"> 09-25 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/52b92bfc/" itemprop="url"> <span itemprop="name">通过创建猫咪绘画学习中级 CSS</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-23T15:01:26+08:00" content="2024-09-23"> 09-23 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/6af33c89/" itemprop="url"> <span itemprop="name">神人有感:先礼礼礼礼礼礼后兵</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-21T21:01:13+08:00" content="2024-09-21"> 09-21 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/9f32bac9/" itemprop="url"> <span itemprop="name">通过创建小测验学习无障碍</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-21T17:38:24+08:00" content="2024-09-21"> 09-21 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/42cabe35/" itemprop="url"> <span itemprop="name">hexo压缩资源,优化访问</span> </a> </div> </header> </article> </div> </div> <nav class="pagination"> <a class="extend prev" rel="prev" href="/archives/2024/09/"><i class="fa fa-angle-left" aria-label="上一页"></i></a><a class="page-number" href="/archives/2024/09/">1</a><span class="page-number current">2</span><a class="page-number" href="/archives/2024/09/page/3/">3</a><a class="page-number" href="/archives/2024/09/page/4/">4</a><a class="extend next" rel="next" href="/archives/2024/09/page/3/"><i class="fa fa-angle-right" aria-label="下一页"></i></a> </nav> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
archives/2024/09/page/2/index.html
HTML
unknown
29,624
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/archives/2024/09/page/3/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/archives/2024/09/page/3/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>归档 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content archive"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <span class="collection-header">还行! 目前共计 44 篇日志。 继续努力。</span> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-20T18:58:27+08:00" content="2024-09-20"> 09-20 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/8403dd78/" itemprop="url"> <span itemprop="name">在hexo-next配置gitalk</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-20T17:22:58+08:00" content="2024-09-20"> 09-20 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/f513b372/" itemprop="url"> <span itemprop="name">为hexo-next建立静态说说</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-19T21:27:46+08:00" content="2024-09-19"> 09-19 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/e90bb5b9/" itemprop="url"> <span itemprop="name">探路:雨课堂的字体加密。</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-19T07:59:02+08:00" content="2024-09-19"> 09-19 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/261d7eb2/" itemprop="url"> <span itemprop="name">为Hexo博客提供订阅服务</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-16T13:27:19+08:00" content="2024-09-16"> 09-16 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/d09c70b/" itemprop="url"> <span itemprop="name">通过创建照片集学习 CSS 弹性盒子</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-16T11:18:02+08:00" content="2024-09-16"> 09-16 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/5129f3bd/" itemprop="url"> <span itemprop="name">通过创作罗斯科绘画学习 CSS 盒子模型</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-15T20:31:15+08:00" content="2024-09-15"> 09-15 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/2f3d653d/" itemprop="url"> <span itemprop="name">LeetCode:1. 两数之和</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-15T16:43:40+08:00" content="2024-09-15"> 09-15 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/f7250b56/" itemprop="url"> <span itemprop="name">独立地写了一个调查表:)</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-15T15:00:41+08:00" content="2024-09-15"> 09-15 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/5e40dbcf/" itemprop="url"> <span itemprop="name">通过创建注册表单学习 HTML 表单</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-15T12:28:24+08:00" content="2024-09-15"> 09-15 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/e10534d7/" itemprop="url"> <span itemprop="name">通过创建一组彩色笔学习 CSS 颜色</span> </a> </div> </header> </article> </div> </div> <nav class="pagination"> <a class="extend prev" rel="prev" href="/archives/2024/09/page/2/"><i class="fa fa-angle-left" aria-label="上一页"></i></a><a class="page-number" href="/archives/2024/09/">1</a><a class="page-number" href="/archives/2024/09/page/2/">2</a><span class="page-number current">3</span><a class="page-number" href="/archives/2024/09/page/4/">4</a><a class="extend next" rel="next" href="/archives/2024/09/page/4/"><i class="fa fa-angle-right" aria-label="下一页"></i></a> </nav> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
archives/2024/09/page/3/index.html
HTML
unknown
29,648
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/archives/2024/09/page/4/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/archives/2024/09/page/4/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>归档 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content archive"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <span class="collection-header">还行! 目前共计 44 篇日志。 继续努力。</span> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-15T10:08:12+08:00" content="2024-09-15"> 09-15 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/fc7dd4b4/" itemprop="url"> <span itemprop="name">为github主页设计美化介绍</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-14T19:16:27+08:00" content="2024-09-14"> 09-14 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/62fedd1e/" itemprop="url"> <span itemprop="name">hexo创建一个友情链接页面</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-14T18:38:52+08:00" content="2024-09-14"> 09-14 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/69cc9e5f/" itemprop="url"> <span itemprop="name">hexo-next在侧边栏添加IP信息</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-13T21:17:36+08:00" content="2024-09-13"> 09-13 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/36b96013/" itemprop="url"> <span itemprop="name">通过创建咖啡店菜单学习基础CSS</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-13T19:36:15+08:00" content="2024-09-13"> 09-13 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/dad78c45/" itemprop="url"> <span itemprop="name">第一次Pull requests :)</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-11T17:28:10+08:00" content="2024-09-11"> 09-11 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/c42bc0f8/" itemprop="url"> <span itemprop="name">给博客右上角添加github跳转图标</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-11T17:09:40+08:00" content="2024-09-11"> 09-11 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/6273631e/" itemprop="url"> <span itemprop="name">通过创建猫咪相册应用学习HTML</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-04T16:03:03+08:00" content="2024-09-04"> 09-04 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/50aa0545/" itemprop="url"> <span itemprop="name">hexo-next在文章下添加版权信息</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-04T15:02:00+08:00" content="2024-09-04"> 09-04 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/59a1e261/" itemprop="url"> <span itemprop="name">hexon:hexo的可视化编辑</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-03T20:55:09+08:00" content="2024-09-03"> 09-03 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/ceb862dd/" itemprop="url"> <span itemprop="name">whatgalgame</span> </a> </div> </header> </article> </div> </div> <nav class="pagination"> <a class="extend prev" rel="prev" href="/archives/2024/09/page/3/"><i class="fa fa-angle-left" aria-label="上一页"></i></a><a class="page-number" href="/archives/2024/09/">1</a><span class="space">&hellip;</span><a class="page-number" href="/archives/2024/09/page/3/">3</a><span class="page-number current">4</span> </nav> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
archives/2024/09/page/4/index.html
HTML
unknown
29,466
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/archives/2024/10/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/archives/2024/10/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>归档 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content archive"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <span class="collection-header">还行! 目前共计 44 篇日志。 继续努力。</span> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-10-11T18:09:21+08:00" content="2024-10-11"> 10-11 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/93f836cb/" itemprop="url"> <span itemprop="name">开往 友链接力!</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-10-08T15:21:09+08:00" content="2024-10-08"> 10-08 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/37f315ff/" itemprop="url"> <span itemprop="name">解决国外人机验证不显示问题</span> </a> </div> </header> </article> </div> </div> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
archives/2024/10/index.html
HTML
unknown
24,660
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/archives/2024/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/archives/2024/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>归档 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content archive"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <span class="collection-header">还行! 目前共计 44 篇日志。 继续努力。</span> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-10-11T18:09:21+08:00" content="2024-10-11"> 10-11 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/93f836cb/" itemprop="url"> <span itemprop="name">开往 友链接力!</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-10-08T15:21:09+08:00" content="2024-10-08"> 10-08 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/37f315ff/" itemprop="url"> <span itemprop="name">解决国外人机验证不显示问题</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-30T21:19:04+08:00" content="2024-09-30"> 09-30 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/b0f770c3/" itemprop="url"> <span itemprop="name">Vue:watch监视</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-29T18:19:17+08:00" content="2024-09-29"> 09-29 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/ffe80f36/" itemprop="url"> <span itemprop="name">Vue:计算属性</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-29T13:13:39+08:00" content="2024-09-29"> 09-29 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/36c34667/" itemprop="url"> <span itemprop="name">learn Markdown</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-28T20:48:54+08:00" content="2024-09-28"> 09-28 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/90edeb6d/" itemprop="url"> <span itemprop="name">信息技术基数实训-焊接爱心花灯</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:19:55+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/218fcad3/" itemprop="url"> <span itemprop="name">初识Vue3,有趣</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/d8587a7c/" itemprop="url"> <span itemprop="name">通过创建资产负债表学习 CSS 伪选择器</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/544543f1/" itemprop="url"> <span itemprop="name">通过创建营养标签学习排版</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/fcbe0bf5/" itemprop="url"> <span itemprop="name">学了点js</span> </a> </div> </header> </article> </div> </div> <nav class="pagination"> <span class="page-number current">1</span><a class="page-number" href="/archives/2024/page/2/">2</a><span class="space">&hellip;</span><a class="page-number" href="/archives/2024/page/5/">5</a><a class="extend next" rel="next" href="/archives/2024/page/2/"><i class="fa fa-angle-right" aria-label="下一页"></i></a> </nav> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
archives/2024/index.html
HTML
unknown
29,377
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/archives/2024/page/2/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/archives/2024/page/2/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>归档 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content archive"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <span class="collection-header">还行! 目前共计 44 篇日志。 继续努力。</span> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/b6e6b630/" itemprop="url"> <span itemprop="name">玩文明六玩爽了</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/38c422a2/" itemprop="url"> <span itemprop="name">我的第一个博客</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/6ec2376e/" itemprop="url"> <span itemprop="name">hexo创建公益404界面</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/2283d3b7/" itemprop="url"> <span itemprop="name">本来想搬fishport_serverwiki来着</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/ca82fca4/" itemprop="url"> <span itemprop="name">工业博物馆游览</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/f899f771/" itemprop="url"> <span itemprop="name">LeetCode:2. 两数相加</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-25T20:42:35+08:00" content="2024-09-25"> 09-25 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/58ad3c48/" itemprop="url"> <span itemprop="name">连不上网了?可能的DNS解决方法</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-25T18:02:21+08:00" content="2024-09-25"> 09-25 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/c0981903/" itemprop="url"> <span itemprop="name">通过创建钢琴学习响应式网页设计</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-25T17:49:56+08:00" content="2024-09-25"> 09-25 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/52b92bfc/" itemprop="url"> <span itemprop="name">通过创建猫咪绘画学习中级 CSS</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-23T15:01:26+08:00" content="2024-09-23"> 09-23 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/6af33c89/" itemprop="url"> <span itemprop="name">神人有感:先礼礼礼礼礼礼后兵</span> </a> </div> </header> </article> </div> </div> <nav class="pagination"> <a class="extend prev" rel="prev" href="/archives/2024/"><i class="fa fa-angle-left" aria-label="上一页"></i></a><a class="page-number" href="/archives/2024/">1</a><span class="page-number current">2</span><a class="page-number" href="/archives/2024/page/3/">3</a><span class="space">&hellip;</span><a class="page-number" href="/archives/2024/page/5/">5</a><a class="extend next" rel="next" href="/archives/2024/page/3/"><i class="fa fa-angle-right" aria-label="下一页"></i></a> </nav> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
archives/2024/page/2/index.html
HTML
unknown
29,613
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/archives/2024/page/3/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/archives/2024/page/3/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>归档 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content archive"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <span class="collection-header">还行! 目前共计 44 篇日志。 继续努力。</span> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-21T21:01:13+08:00" content="2024-09-21"> 09-21 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/9f32bac9/" itemprop="url"> <span itemprop="name">通过创建小测验学习无障碍</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-21T17:38:24+08:00" content="2024-09-21"> 09-21 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/42cabe35/" itemprop="url"> <span itemprop="name">hexo压缩资源,优化访问</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-20T18:58:27+08:00" content="2024-09-20"> 09-20 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/8403dd78/" itemprop="url"> <span itemprop="name">在hexo-next配置gitalk</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-20T17:22:58+08:00" content="2024-09-20"> 09-20 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/f513b372/" itemprop="url"> <span itemprop="name">为hexo-next建立静态说说</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-19T21:27:46+08:00" content="2024-09-19"> 09-19 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/e90bb5b9/" itemprop="url"> <span itemprop="name">探路:雨课堂的字体加密。</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-19T07:59:02+08:00" content="2024-09-19"> 09-19 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/261d7eb2/" itemprop="url"> <span itemprop="name">为Hexo博客提供订阅服务</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-16T13:27:19+08:00" content="2024-09-16"> 09-16 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/d09c70b/" itemprop="url"> <span itemprop="name">通过创建照片集学习 CSS 弹性盒子</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-16T11:18:02+08:00" content="2024-09-16"> 09-16 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/5129f3bd/" itemprop="url"> <span itemprop="name">通过创作罗斯科绘画学习 CSS 盒子模型</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-15T20:31:15+08:00" content="2024-09-15"> 09-15 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/2f3d653d/" itemprop="url"> <span itemprop="name">LeetCode:1. 两数之和</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-15T16:43:40+08:00" content="2024-09-15"> 09-15 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/f7250b56/" itemprop="url"> <span itemprop="name">独立地写了一个调查表:)</span> </a> </div> </header> </article> </div> </div> <nav class="pagination"> <a class="extend prev" rel="prev" href="/archives/2024/page/2/"><i class="fa fa-angle-left" aria-label="上一页"></i></a><a class="page-number" href="/archives/2024/">1</a><a class="page-number" href="/archives/2024/page/2/">2</a><span class="page-number current">3</span><a class="page-number" href="/archives/2024/page/4/">4</a><a class="page-number" href="/archives/2024/page/5/">5</a><a class="extend next" rel="next" href="/archives/2024/page/4/"><i class="fa fa-angle-right" aria-label="下一页"></i></a> </nav> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
archives/2024/page/3/index.html
HTML
unknown
29,666
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/archives/2024/page/4/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/archives/2024/page/4/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>归档 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content archive"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <span class="collection-header">还行! 目前共计 44 篇日志。 继续努力。</span> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-15T15:00:41+08:00" content="2024-09-15"> 09-15 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/5e40dbcf/" itemprop="url"> <span itemprop="name">通过创建注册表单学习 HTML 表单</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-15T12:28:24+08:00" content="2024-09-15"> 09-15 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/e10534d7/" itemprop="url"> <span itemprop="name">通过创建一组彩色笔学习 CSS 颜色</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-15T10:08:12+08:00" content="2024-09-15"> 09-15 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/fc7dd4b4/" itemprop="url"> <span itemprop="name">为github主页设计美化介绍</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-14T19:16:27+08:00" content="2024-09-14"> 09-14 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/62fedd1e/" itemprop="url"> <span itemprop="name">hexo创建一个友情链接页面</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-14T18:38:52+08:00" content="2024-09-14"> 09-14 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/69cc9e5f/" itemprop="url"> <span itemprop="name">hexo-next在侧边栏添加IP信息</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-13T21:17:36+08:00" content="2024-09-13"> 09-13 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/36b96013/" itemprop="url"> <span itemprop="name">通过创建咖啡店菜单学习基础CSS</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-13T19:36:15+08:00" content="2024-09-13"> 09-13 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/dad78c45/" itemprop="url"> <span itemprop="name">第一次Pull requests :)</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-11T17:28:10+08:00" content="2024-09-11"> 09-11 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/c42bc0f8/" itemprop="url"> <span itemprop="name">给博客右上角添加github跳转图标</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-11T17:09:40+08:00" content="2024-09-11"> 09-11 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/6273631e/" itemprop="url"> <span itemprop="name">通过创建猫咪相册应用学习HTML</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-04T16:03:03+08:00" content="2024-09-04"> 09-04 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/50aa0545/" itemprop="url"> <span itemprop="name">hexo-next在文章下添加版权信息</span> </a> </div> </header> </article> </div> </div> <nav class="pagination"> <a class="extend prev" rel="prev" href="/archives/2024/page/3/"><i class="fa fa-angle-left" aria-label="上一页"></i></a><a class="page-number" href="/archives/2024/">1</a><span class="space">&hellip;</span><a class="page-number" href="/archives/2024/page/3/">3</a><span class="page-number current">4</span><a class="page-number" href="/archives/2024/page/5/">5</a><a class="extend next" rel="next" href="/archives/2024/page/5/"><i class="fa fa-angle-right" aria-label="下一页"></i></a> </nav> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
archives/2024/page/4/index.html
HTML
unknown
29,680
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/archives/2024/page/5/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/archives/2024/page/5/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>归档 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content archive"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <span class="collection-header">还行! 目前共计 44 篇日志。 继续努力。</span> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-04T15:02:00+08:00" content="2024-09-04"> 09-04 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/59a1e261/" itemprop="url"> <span itemprop="name">hexon:hexo的可视化编辑</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-03T20:55:09+08:00" content="2024-09-03"> 09-03 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/ceb862dd/" itemprop="url"> <span itemprop="name">whatgalgame</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-06-23T16:33:26+08:00" content="2024-06-23"> 06-23 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/f5bf34a0/" itemprop="url"> <span itemprop="name">forever</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-06-21T21:15:25+08:00" content="2024-06-21"> 06-21 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/e855e869/" itemprop="url"> <span itemprop="name">哈基米</span> </a> </div> </header> </article> </div> </div> <nav class="pagination"> <a class="extend prev" rel="prev" href="/archives/2024/page/4/"><i class="fa fa-angle-left" aria-label="上一页"></i></a><a class="page-number" href="/archives/2024/">1</a><span class="space">&hellip;</span><a class="page-number" href="/archives/2024/page/4/">4</a><span class="page-number current">5</span> </nav> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
archives/2024/page/5/index.html
HTML
unknown
26,057
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/archives/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/archives/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>归档 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content archive"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <span class="collection-header">还行! 目前共计 44 篇日志。 继续努力。</span> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-10-11T18:09:21+08:00" content="2024-10-11"> 10-11 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/93f836cb/" itemprop="url"> <span itemprop="name">开往 友链接力!</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-10-08T15:21:09+08:00" content="2024-10-08"> 10-08 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/37f315ff/" itemprop="url"> <span itemprop="name">解决国外人机验证不显示问题</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-30T21:19:04+08:00" content="2024-09-30"> 09-30 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/b0f770c3/" itemprop="url"> <span itemprop="name">Vue:watch监视</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-29T18:19:17+08:00" content="2024-09-29"> 09-29 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/ffe80f36/" itemprop="url"> <span itemprop="name">Vue:计算属性</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-29T13:13:39+08:00" content="2024-09-29"> 09-29 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/36c34667/" itemprop="url"> <span itemprop="name">learn Markdown</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-28T20:48:54+08:00" content="2024-09-28"> 09-28 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/90edeb6d/" itemprop="url"> <span itemprop="name">信息技术基数实训-焊接爱心花灯</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:19:55+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/218fcad3/" itemprop="url"> <span itemprop="name">初识Vue3,有趣</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/d8587a7c/" itemprop="url"> <span itemprop="name">通过创建资产负债表学习 CSS 伪选择器</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/544543f1/" itemprop="url"> <span itemprop="name">通过创建营养标签学习排版</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/fcbe0bf5/" itemprop="url"> <span itemprop="name">学了点js</span> </a> </div> </header> </article> </div> </div> <nav class="pagination"> <span class="page-number current">1</span><a class="page-number" href="/archives/page/2/">2</a><span class="space">&hellip;</span><a class="page-number" href="/archives/page/5/">5</a><a class="extend next" rel="next" href="/archives/page/2/"><i class="fa fa-angle-right" aria-label="下一页"></i></a> </nav> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
archives/index.html
HTML
unknown
29,352
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/archives/page/2/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/archives/page/2/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>归档 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content archive"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <span class="collection-header">还行! 目前共计 44 篇日志。 继续努力。</span> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/b6e6b630/" itemprop="url"> <span itemprop="name">玩文明六玩爽了</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/38c422a2/" itemprop="url"> <span itemprop="name">我的第一个博客</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/6ec2376e/" itemprop="url"> <span itemprop="name">hexo创建公益404界面</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/2283d3b7/" itemprop="url"> <span itemprop="name">本来想搬fishport_serverwiki来着</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/ca82fca4/" itemprop="url"> <span itemprop="name">工业博物馆游览</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/f899f771/" itemprop="url"> <span itemprop="name">LeetCode:2. 两数相加</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-25T20:42:35+08:00" content="2024-09-25"> 09-25 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/58ad3c48/" itemprop="url"> <span itemprop="name">连不上网了?可能的DNS解决方法</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-25T18:02:21+08:00" content="2024-09-25"> 09-25 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/c0981903/" itemprop="url"> <span itemprop="name">通过创建钢琴学习响应式网页设计</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-25T17:49:56+08:00" content="2024-09-25"> 09-25 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/52b92bfc/" itemprop="url"> <span itemprop="name">通过创建猫咪绘画学习中级 CSS</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-23T15:01:26+08:00" content="2024-09-23"> 09-23 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/6af33c89/" itemprop="url"> <span itemprop="name">神人有感:先礼礼礼礼礼礼后兵</span> </a> </div> </header> </article> </div> </div> <nav class="pagination"> <a class="extend prev" rel="prev" href="/archives/"><i class="fa fa-angle-left" aria-label="上一页"></i></a><a class="page-number" href="/archives/">1</a><span class="page-number current">2</span><a class="page-number" href="/archives/page/3/">3</a><span class="space">&hellip;</span><a class="page-number" href="/archives/page/5/">5</a><a class="extend next" rel="next" href="/archives/page/3/"><i class="fa fa-angle-right" aria-label="下一页"></i></a> </nav> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
archives/page/2/index.html
HTML
unknown
29,578
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/archives/page/3/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/archives/page/3/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>归档 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content archive"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <span class="collection-header">还行! 目前共计 44 篇日志。 继续努力。</span> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-21T21:01:13+08:00" content="2024-09-21"> 09-21 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/9f32bac9/" itemprop="url"> <span itemprop="name">通过创建小测验学习无障碍</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-21T17:38:24+08:00" content="2024-09-21"> 09-21 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/42cabe35/" itemprop="url"> <span itemprop="name">hexo压缩资源,优化访问</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-20T18:58:27+08:00" content="2024-09-20"> 09-20 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/8403dd78/" itemprop="url"> <span itemprop="name">在hexo-next配置gitalk</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-20T17:22:58+08:00" content="2024-09-20"> 09-20 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/f513b372/" itemprop="url"> <span itemprop="name">为hexo-next建立静态说说</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-19T21:27:46+08:00" content="2024-09-19"> 09-19 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/e90bb5b9/" itemprop="url"> <span itemprop="name">探路:雨课堂的字体加密。</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-19T07:59:02+08:00" content="2024-09-19"> 09-19 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/261d7eb2/" itemprop="url"> <span itemprop="name">为Hexo博客提供订阅服务</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-16T13:27:19+08:00" content="2024-09-16"> 09-16 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/d09c70b/" itemprop="url"> <span itemprop="name">通过创建照片集学习 CSS 弹性盒子</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-16T11:18:02+08:00" content="2024-09-16"> 09-16 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/5129f3bd/" itemprop="url"> <span itemprop="name">通过创作罗斯科绘画学习 CSS 盒子模型</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-15T20:31:15+08:00" content="2024-09-15"> 09-15 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/2f3d653d/" itemprop="url"> <span itemprop="name">LeetCode:1. 两数之和</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-15T16:43:40+08:00" content="2024-09-15"> 09-15 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/f7250b56/" itemprop="url"> <span itemprop="name">独立地写了一个调查表:)</span> </a> </div> </header> </article> </div> </div> <nav class="pagination"> <a class="extend prev" rel="prev" href="/archives/page/2/"><i class="fa fa-angle-left" aria-label="上一页"></i></a><a class="page-number" href="/archives/">1</a><a class="page-number" href="/archives/page/2/">2</a><span class="page-number current">3</span><a class="page-number" href="/archives/page/4/">4</a><a class="page-number" href="/archives/page/5/">5</a><a class="extend next" rel="next" href="/archives/page/4/"><i class="fa fa-angle-right" aria-label="下一页"></i></a> </nav> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
archives/page/3/index.html
HTML
unknown
29,626
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/archives/page/4/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/archives/page/4/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>归档 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content archive"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <span class="collection-header">还行! 目前共计 44 篇日志。 继续努力。</span> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-15T15:00:41+08:00" content="2024-09-15"> 09-15 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/5e40dbcf/" itemprop="url"> <span itemprop="name">通过创建注册表单学习 HTML 表单</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-15T12:28:24+08:00" content="2024-09-15"> 09-15 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/e10534d7/" itemprop="url"> <span itemprop="name">通过创建一组彩色笔学习 CSS 颜色</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-15T10:08:12+08:00" content="2024-09-15"> 09-15 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/fc7dd4b4/" itemprop="url"> <span itemprop="name">为github主页设计美化介绍</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-14T19:16:27+08:00" content="2024-09-14"> 09-14 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/62fedd1e/" itemprop="url"> <span itemprop="name">hexo创建一个友情链接页面</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-14T18:38:52+08:00" content="2024-09-14"> 09-14 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/69cc9e5f/" itemprop="url"> <span itemprop="name">hexo-next在侧边栏添加IP信息</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-13T21:17:36+08:00" content="2024-09-13"> 09-13 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/36b96013/" itemprop="url"> <span itemprop="name">通过创建咖啡店菜单学习基础CSS</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-13T19:36:15+08:00" content="2024-09-13"> 09-13 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/dad78c45/" itemprop="url"> <span itemprop="name">第一次Pull requests :)</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-11T17:28:10+08:00" content="2024-09-11"> 09-11 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/c42bc0f8/" itemprop="url"> <span itemprop="name">给博客右上角添加github跳转图标</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-11T17:09:40+08:00" content="2024-09-11"> 09-11 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/6273631e/" itemprop="url"> <span itemprop="name">通过创建猫咪相册应用学习HTML</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-04T16:03:03+08:00" content="2024-09-04"> 09-04 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/50aa0545/" itemprop="url"> <span itemprop="name">hexo-next在文章下添加版权信息</span> </a> </div> </header> </article> </div> </div> <nav class="pagination"> <a class="extend prev" rel="prev" href="/archives/page/3/"><i class="fa fa-angle-left" aria-label="上一页"></i></a><a class="page-number" href="/archives/">1</a><span class="space">&hellip;</span><a class="page-number" href="/archives/page/3/">3</a><span class="page-number current">4</span><a class="page-number" href="/archives/page/5/">5</a><a class="extend next" rel="next" href="/archives/page/5/"><i class="fa fa-angle-right" aria-label="下一页"></i></a> </nav> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
archives/page/4/index.html
HTML
unknown
29,645
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/archives/page/5/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/archives/page/5/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>归档 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content archive"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <span class="collection-header">还行! 目前共计 44 篇日志。 继续努力。</span> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-04T15:02:00+08:00" content="2024-09-04"> 09-04 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/59a1e261/" itemprop="url"> <span itemprop="name">hexon:hexo的可视化编辑</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-03T20:55:09+08:00" content="2024-09-03"> 09-03 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/ceb862dd/" itemprop="url"> <span itemprop="name">whatgalgame</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-06-23T16:33:26+08:00" content="2024-06-23"> 06-23 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/f5bf34a0/" itemprop="url"> <span itemprop="name">forever</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-06-21T21:15:25+08:00" content="2024-06-21"> 06-21 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/e855e869/" itemprop="url"> <span itemprop="name">哈基米</span> </a> </div> </header> </article> </div> </div> <nav class="pagination"> <a class="extend prev" rel="prev" href="/archives/page/4/"><i class="fa fa-angle-left" aria-label="上一页"></i></a><a class="page-number" href="/archives/">1</a><span class="space">&hellip;</span><a class="page-number" href="/archives/page/4/">4</a><span class="page-number current">5</span> </nav> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
archives/page/5/index.html
HTML
unknown
26,032
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/categories/CSS/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/categories/CSS/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>分类: CSS | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content category"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <h2 class="collection-header">CSS <small>分类</small> </h2> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-25T18:02:21+08:00" content="2024-09-25"> 09-25 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/c0981903/" itemprop="url"> <span itemprop="name">通过创建钢琴学习响应式网页设计</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-25T17:49:56+08:00" content="2024-09-25"> 09-25 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/52b92bfc/" itemprop="url"> <span itemprop="name">通过创建猫咪绘画学习中级 CSS</span> </a> </div> </header> </article> </div> </div> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
categories/CSS/index.html
HTML
unknown
24,666
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/categories/HTML/CSS/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/categories/HTML/CSS/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>分类: CSS | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content category"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <h2 class="collection-header">CSS <small>分类</small> </h2> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/d8587a7c/" itemprop="url"> <span itemprop="name">通过创建资产负债表学习 CSS 伪选择器</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-21T21:01:13+08:00" content="2024-09-21"> 09-21 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/9f32bac9/" itemprop="url"> <span itemprop="name">通过创建小测验学习无障碍</span> </a> </div> </header> </article> </div> </div> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
categories/HTML/CSS/index.html
HTML
unknown
24,677
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/categories/HTML/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/categories/HTML/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>分类: HTML | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content category"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <h2 class="collection-header">HTML <small>分类</small> </h2> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/d8587a7c/" itemprop="url"> <span itemprop="name">通过创建资产负债表学习 CSS 伪选择器</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-21T21:01:13+08:00" content="2024-09-21"> 09-21 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/9f32bac9/" itemprop="url"> <span itemprop="name">通过创建小测验学习无障碍</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-15T15:00:41+08:00" content="2024-09-15"> 09-15 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/5e40dbcf/" itemprop="url"> <span itemprop="name">通过创建注册表单学习 HTML 表单</span> </a> </div> </header> </article> </div> </div> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
categories/HTML/index.html
HTML
unknown
25,233
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/categories/Vue3/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/categories/Vue3/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>分类: Vue3 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content category"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <h2 class="collection-header">Vue3 <small>分类</small> </h2> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-29T18:19:17+08:00" content="2024-09-29"> 09-29 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/ffe80f36/" itemprop="url"> <span itemprop="name">Vue:计算属性</span> </a> </div> </header> </article> </div> </div> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
categories/Vue3/index.html
HTML
unknown
24,081
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/categories/Vue3/%E5%9F%BA%E7%A1%80/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/categories/Vue3/%E5%9F%BA%E7%A1%80/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>分类: 基础 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content category"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <h2 class="collection-header">基础 <small>分类</small> </h2> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-29T18:19:17+08:00" content="2024-09-29"> 09-29 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/ffe80f36/" itemprop="url"> <span itemprop="name">Vue:计算属性</span> </a> </div> </header> </article> </div> </div> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
categories/Vue3/基础/index.html
HTML
unknown
24,123
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/categories/github/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/categories/github/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>分类: github | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content category"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <h2 class="collection-header">github <small>分类</small> </h2> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-15T10:08:12+08:00" content="2024-09-15"> 09-15 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/fc7dd4b4/" itemprop="url"> <span itemprop="name">为github主页设计美化介绍</span> </a> </div> </header> </article> </div> </div> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
categories/github/index.html
HTML
unknown
24,106
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="整理好的分类"> <meta property="og:url" content="https://xingwangzhe.fun/categories/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:published_time" content="2024-06-23T03:58:28.000Z"> <meta property="article:modified_time" content="2024-06-25T10:41:11.571Z"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/categories/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>整理好的分类 | 姓王者的博客 </title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content page posts-expand"> <div class="post-block" lang="zh-CN"> <header class="post-header"> <h1 class="post-title" itemprop="name headline">整理好的分类 </h1> <div class="post-meta"> </div> </header> <div class="post-body"> <div class="category-all-page"> <div class="category-all-title"> 目前共计 29 个分类 </div> <div class="category-all"> <ul class="category-list"><li class="category-list-item"><a class="category-list-link" href="/categories/CSS/">CSS</a><span class="category-list-count">2</span></li><li class="category-list-item"><a class="category-list-link" href="/categories/HTML/">HTML</a><span class="category-list-count">3</span><ul class="category-list-child"><li class="category-list-item"><a class="category-list-link" href="/categories/HTML/CSS/">CSS</a><span class="category-list-count">2</span></li></ul></li><li class="category-list-item"><a class="category-list-link" href="/categories/Vue3/">Vue3</a><span class="category-list-count">1</span><ul class="category-list-child"><li class="category-list-item"><a class="category-list-link" href="/categories/Vue3/%E5%9F%BA%E7%A1%80/">基础</a><span class="category-list-count">1</span></li></ul></li><li class="category-list-item"><a class="category-list-link" href="/categories/github/">github</a><span class="category-list-count">1</span></li><li class="category-list-item"><a class="category-list-link" href="/categories/%E5%89%8D%E7%AB%AF/">前端</a><span class="category-list-count">10</span><ul class="category-list-child"><li class="category-list-item"><a class="category-list-link" href="/categories/%E5%89%8D%E7%AB%AF/CSS/">CSS</a><span class="category-list-count">3</span><ul class="category-list-child"><li class="category-list-item"><a class="category-list-link" href="/categories/%E5%89%8D%E7%AB%AF/CSS/%E5%93%88%E5%9F%BA%E7%B1%B3%E7%88%B1%E7%8C%ABtv/">哈基米爱猫tv</a><span class="category-list-count">1</span></li></ul></li><li class="category-list-item"><a class="category-list-link" href="/categories/%E5%89%8D%E7%AB%AF/HTML/">HTML</a><span class="category-list-count">3</span></li><li class="category-list-item"><a class="category-list-link" href="/categories/%E5%89%8D%E7%AB%AF/Vue3/">Vue3</a><span class="category-list-count">2</span></li><li class="category-list-item"><a class="category-list-link" href="/categories/%E5%89%8D%E7%AB%AF/js/">js</a><span class="category-list-count">1</span></li></ul></li><li class="category-list-item"><a class="category-list-link" href="/categories/%E5%9F%BA%E4%BA%8Ehexo%E7%9A%84%E5%8D%9A%E5%AE%A2%E6%90%AD%E5%BB%BA%E6%95%99%E7%A8%8B/">基于hexo的博客搭建教程</a><span class="category-list-count">11</span><ul class="category-list-child"><li class="category-list-item"><a class="category-list-link" href="/categories/%E5%9F%BA%E4%BA%8Ehexo%E7%9A%84%E5%8D%9A%E5%AE%A2%E6%90%AD%E5%BB%BA%E6%95%99%E7%A8%8B/gitalk/">gitalk</a><span class="category-list-count">1</span></li><li class="category-list-item"><a class="category-list-link" href="/categories/%E5%9F%BA%E4%BA%8Ehexo%E7%9A%84%E5%8D%9A%E5%AE%A2%E6%90%AD%E5%BB%BA%E6%95%99%E7%A8%8B/%E5%BC%80%E7%AF%87%E8%87%B4%E8%B0%A2/">开篇致谢</a><span class="category-list-count">1</span></li></ul></li><li class="category-list-item"><a class="category-list-link" href="/categories/%E5%9F%BA%E7%A1%80/">基础</a><span class="category-list-count">1</span></li><li class="category-list-item"><a class="category-list-link" href="/categories/%E6%8A%80%E6%9C%AF/">技术</a><span class="category-list-count">1</span></li><li class="category-list-item"><a class="category-list-link" href="/categories/%E6%97%A5%E8%AE%B0/">日记</a><span class="category-list-count">5</span><ul class="category-list-child"><li class="category-list-item"><a class="category-list-link" href="/categories/%E6%97%A5%E8%AE%B0/%E8%BF%B7/">迷</a><span class="category-list-count">1</span></li></ul></li><li class="category-list-item"><a class="category-list-link" href="/categories/%E6%B5%8F%E8%A7%88%E5%99%A8/">浏览器</a><span class="category-list-count">1</span></li><li class="category-list-item"><a class="category-list-link" href="/categories/%E6%B8%B8%E6%88%8F/">游戏</a><span class="category-list-count">1</span><ul class="category-list-child"><li class="category-list-item"><a class="category-list-link" href="/categories/%E6%B8%B8%E6%88%8F/%E6%88%91%E7%9A%84%E4%B8%96%E7%95%8C%E6%9C%8D%E5%8A%A1%E5%99%A8/">我的世界服务器</a><span class="category-list-count">1</span></li></ul></li><li class="category-list-item"><a class="category-list-link" href="/categories/%E7%AE%97%E6%B3%95%E9%A2%98/">算法题</a><span class="category-list-count">2</span><ul class="category-list-child"><li class="category-list-item"><a class="category-list-link" href="/categories/%E7%AE%97%E6%B3%95%E9%A2%98/LeetCode/">LeetCode</a><span class="category-list-count">2</span></li></ul></li><li class="category-list-item"><a class="category-list-link" href="/categories/%E8%83%A1%E6%80%9D%E4%B9%B1%E6%83%B3/">胡思乱想</a><span class="category-list-count">2</span><ul class="category-list-child"><li class="category-list-item"><a class="category-list-link" href="/categories/%E8%83%A1%E6%80%9D%E4%B9%B1%E6%83%B3/%E5%93%88%E5%9F%BA%E7%B1%B3%E7%88%B1%E7%8C%ABtv/">哈基米爱猫tv</a><span class="category-list-count">1</span><ul class="category-list-child"><li class="category-list-item"><a class="category-list-link" href="/categories/%E8%83%A1%E6%80%9D%E4%B9%B1%E6%83%B3/%E5%93%88%E5%9F%BA%E7%B1%B3%E7%88%B1%E7%8C%ABtv/%E5%A4%A7%E7%9F%B3%E7%A2%8E%E8%83%B8%E5%8F%A3/">大石碎胸口</a><span class="category-list-count">1</span></li></ul></li></ul></li><li class="category-list-item"><a class="category-list-link" href="/categories/%E8%BF%B7/">迷</a><span class="category-list-count">1</span><ul class="category-list-child"><li class="category-list-item"><a class="category-list-link" href="/categories/%E8%BF%B7/%E6%B8%B8%E6%88%8F/">游戏</a><span class="category-list-count">1</span></li></ul></li></ul> </div> </div> </div> </div> </div> <div class="tabs tabs-comment"> <ul class="nav-tabs"> <li class="tab"><a href="#comment-gitalk">gitalk</a></li> <li class="tab"><a href="#comment-livere">livere</a></li> </ul> <div class="tab-content"> <div class="tab-pane gitalk" id="comment-gitalk"> <div class="comments" id="gitalk-container"></div> </div> <div class="tab-pane livere" id="comment-livere"> <div class="comments"> <div id="lv-container" data-id="city" data-uid="MTAyMC81OTkzNi8zNjM5OQ=="></div> </div> </div> </div> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <link rel="stylesheet" href="//cdn.jsdelivr.net/npm/gitalk@1/dist/gitalk.min.css"> <script> NexT.utils.loadComments(document.querySelector('#gitalk-container'), () => { NexT.utils.getScript('//cdn.jsdelivr.net/npm/gitalk@1/dist/gitalk.min.js', () => { var gitalk = new Gitalk({ clientID : 'Ov23lifXHoq97dbVMtsq', clientSecret: '5b1323c3b64bd4fef3f3a56e2c7ada191b416bf4', repo : 'xingwangzhe.github.io', owner : 'xingwangzhe', admin : ['xingwangzhe'], id : 'a676607444a8bc8b150c9a3aff884e61', language: 'zh-CN', distractionFreeMode: true }); gitalk.render('gitalk-container'); }, window.Gitalk); }); </script> <script> NexT.utils.loadComments(document.querySelector('#lv-container'), () => { window.livereOptions = { refer: location.pathname.replace(CONFIG.root, '').replace('index.html', '') }; (function(d, s) { var j, e = d.getElementsByTagName(s)[0]; if (typeof LivereTower === 'function') { return; } j = d.createElement(s); j.src = 'https://cdn-city.livere.com/js/embed.dist.js'; j.async = true; e.parentNode.insertBefore(j, e); })(document, 'script'); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
categories/index.html
HTML
unknown
31,467
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/categories/%E5%89%8D%E7%AB%AF/CSS/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/categories/%E5%89%8D%E7%AB%AF/CSS/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>分类: CSS | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content category"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <h2 class="collection-header">CSS <small>分类</small> </h2> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-16T13:27:19+08:00" content="2024-09-16"> 09-16 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/d09c70b/" itemprop="url"> <span itemprop="name">通过创建照片集学习 CSS 弹性盒子</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-16T11:18:02+08:00" content="2024-09-16"> 09-16 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/5129f3bd/" itemprop="url"> <span itemprop="name">通过创作罗斯科绘画学习 CSS 盒子模型</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-13T21:17:36+08:00" content="2024-09-13"> 09-13 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/36b96013/" itemprop="url"> <span itemprop="name">通过创建咖啡店菜单学习基础CSS</span> </a> </div> </header> </article> </div> </div> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
categories/前端/CSS/index.html
HTML
unknown
25,274
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/categories/%E5%89%8D%E7%AB%AF/CSS/%E5%93%88%E5%9F%BA%E7%B1%B3%E7%88%B1%E7%8C%ABtv/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/categories/%E5%89%8D%E7%AB%AF/CSS/%E5%93%88%E5%9F%BA%E7%B1%B3%E7%88%B1%E7%8C%ABtv/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>分类: 哈基米爱猫tv | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content category"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <h2 class="collection-header">哈基米爱猫tv <small>分类</small> </h2> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-16T13:27:19+08:00" content="2024-09-16"> 09-16 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/d09c70b/" itemprop="url"> <span itemprop="name">通过创建照片集学习 CSS 弹性盒子</span> </a> </div> </header> </article> </div> </div> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
categories/前端/CSS/哈基米爱猫tv/index.html
HTML
unknown
24,266
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/categories/%E5%89%8D%E7%AB%AF/HTML/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/categories/%E5%89%8D%E7%AB%AF/HTML/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>分类: HTML | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content category"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <h2 class="collection-header">HTML <small>分类</small> </h2> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-15T16:43:40+08:00" content="2024-09-15"> 09-15 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/f7250b56/" itemprop="url"> <span itemprop="name">独立地写了一个调查表:)</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-15T12:28:24+08:00" content="2024-09-15"> 09-15 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/e10534d7/" itemprop="url"> <span itemprop="name">通过创建一组彩色笔学习 CSS 颜色</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-11T17:09:40+08:00" content="2024-09-11"> 09-11 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/6273631e/" itemprop="url"> <span itemprop="name">通过创建猫咪相册应用学习HTML</span> </a> </div> </header> </article> </div> </div> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
categories/前端/HTML/index.html
HTML
unknown
25,263
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/categories/%E5%89%8D%E7%AB%AF/Vue3/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/categories/%E5%89%8D%E7%AB%AF/Vue3/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>分类: Vue3 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content category"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <h2 class="collection-header">Vue3 <small>分类</small> </h2> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-30T21:19:04+08:00" content="2024-09-30"> 09-30 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/b0f770c3/" itemprop="url"> <span itemprop="name">Vue:watch监视</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:19:55+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/218fcad3/" itemprop="url"> <span itemprop="name">初识Vue3,有趣</span> </a> </div> </header> </article> </div> </div> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
categories/前端/Vue3/index.html
HTML
unknown
24,655
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/categories/%E5%89%8D%E7%AB%AF/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/categories/%E5%89%8D%E7%AB%AF/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>分类: 前端 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content category"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <h2 class="collection-header">前端 <small>分类</small> </h2> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-30T21:19:04+08:00" content="2024-09-30"> 09-30 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/b0f770c3/" itemprop="url"> <span itemprop="name">Vue:watch监视</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:19:55+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/218fcad3/" itemprop="url"> <span itemprop="name">初识Vue3,有趣</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/fcbe0bf5/" itemprop="url"> <span itemprop="name">学了点js</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-19T21:27:46+08:00" content="2024-09-19"> 09-19 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/e90bb5b9/" itemprop="url"> <span itemprop="name">探路:雨课堂的字体加密。</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-16T13:27:19+08:00" content="2024-09-16"> 09-16 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/d09c70b/" itemprop="url"> <span itemprop="name">通过创建照片集学习 CSS 弹性盒子</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-16T11:18:02+08:00" content="2024-09-16"> 09-16 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/5129f3bd/" itemprop="url"> <span itemprop="name">通过创作罗斯科绘画学习 CSS 盒子模型</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-15T16:43:40+08:00" content="2024-09-15"> 09-15 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/f7250b56/" itemprop="url"> <span itemprop="name">独立地写了一个调查表:)</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-15T12:28:24+08:00" content="2024-09-15"> 09-15 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/e10534d7/" itemprop="url"> <span itemprop="name">通过创建一组彩色笔学习 CSS 颜色</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-13T21:17:36+08:00" content="2024-09-13"> 09-13 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/36b96013/" itemprop="url"> <span itemprop="name">通过创建咖啡店菜单学习基础CSS</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-11T17:09:40+08:00" content="2024-09-11"> 09-11 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/6273631e/" itemprop="url"> <span itemprop="name">通过创建猫咪相册应用学习HTML</span> </a> </div> </header> </article> </div> </div> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
categories/前端/index.html
HTML
unknown
29,109
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/categories/%E5%89%8D%E7%AB%AF/js/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/categories/%E5%89%8D%E7%AB%AF/js/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>分类: js | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content category"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <h2 class="collection-header">js <small>分类</small> </h2> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/fcbe0bf5/" itemprop="url"> <span itemprop="name">学了点js</span> </a> </div> </header> </article> </div> </div> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
categories/前端/js/index.html
HTML
unknown
24,106
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/categories/%E5%9F%BA%E4%BA%8Ehexo%E7%9A%84%E5%8D%9A%E5%AE%A2%E6%90%AD%E5%BB%BA%E6%95%99%E7%A8%8B/gitalk/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/categories/%E5%9F%BA%E4%BA%8Ehexo%E7%9A%84%E5%8D%9A%E5%AE%A2%E6%90%AD%E5%BB%BA%E6%95%99%E7%A8%8B/gitalk/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>分类: gitalk | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content category"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <h2 class="collection-header">gitalk <small>分类</small> </h2> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-20T18:58:27+08:00" content="2024-09-20"> 09-20 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/8403dd78/" itemprop="url"> <span itemprop="name">在hexo-next配置gitalk</span> </a> </div> </header> </article> </div> </div> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
categories/基于hexo的博客搭建教程/gitalk/index.html
HTML
unknown
24,269
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/categories/%E5%9F%BA%E4%BA%8Ehexo%E7%9A%84%E5%8D%9A%E5%AE%A2%E6%90%AD%E5%BB%BA%E6%95%99%E7%A8%8B/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/categories/%E5%9F%BA%E4%BA%8Ehexo%E7%9A%84%E5%8D%9A%E5%AE%A2%E6%90%AD%E5%BB%BA%E6%95%99%E7%A8%8B/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>分类: 基于hexo的博客搭建教程 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content category"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <h2 class="collection-header">基于hexo的博客搭建教程 <small>分类</small> </h2> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/6ec2376e/" itemprop="url"> <span itemprop="name">hexo创建公益404界面</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-21T17:38:24+08:00" content="2024-09-21"> 09-21 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/42cabe35/" itemprop="url"> <span itemprop="name">hexo压缩资源,优化访问</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-20T18:58:27+08:00" content="2024-09-20"> 09-20 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/8403dd78/" itemprop="url"> <span itemprop="name">在hexo-next配置gitalk</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-20T17:22:58+08:00" content="2024-09-20"> 09-20 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/f513b372/" itemprop="url"> <span itemprop="name">为hexo-next建立静态说说</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-19T07:59:02+08:00" content="2024-09-19"> 09-19 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/261d7eb2/" itemprop="url"> <span itemprop="name">为Hexo博客提供订阅服务</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-14T19:16:27+08:00" content="2024-09-14"> 09-14 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/62fedd1e/" itemprop="url"> <span itemprop="name">hexo创建一个友情链接页面</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-14T18:38:52+08:00" content="2024-09-14"> 09-14 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/69cc9e5f/" itemprop="url"> <span itemprop="name">hexo-next在侧边栏添加IP信息</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-11T17:28:10+08:00" content="2024-09-11"> 09-11 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/c42bc0f8/" itemprop="url"> <span itemprop="name">给博客右上角添加github跳转图标</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-04T16:03:03+08:00" content="2024-09-04"> 09-04 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/50aa0545/" itemprop="url"> <span itemprop="name">hexo-next在文章下添加版权信息</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-04T15:02:00+08:00" content="2024-09-04"> 09-04 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/59a1e261/" itemprop="url"> <span itemprop="name">hexon:hexo的可视化编辑</span> </a> </div> </header> </article> </div> </div> <nav class="pagination"> <span class="page-number current">1</span><a class="page-number" href="/categories/%E5%9F%BA%E4%BA%8Ehexo%E7%9A%84%E5%8D%9A%E5%AE%A2%E6%90%AD%E5%BB%BA%E6%95%99%E7%A8%8B/page/2/">2</a><a class="extend next" rel="next" href="/categories/%E5%9F%BA%E4%BA%8Ehexo%E7%9A%84%E5%8D%9A%E5%AE%A2%E6%90%AD%E5%BB%BA%E6%95%99%E7%A8%8B/page/2/"><i class="fa fa-angle-right" aria-label="下一页"></i></a> </nav> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
categories/基于hexo的博客搭建教程/index.html
HTML
unknown
29,714
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/categories/%E5%9F%BA%E4%BA%8Ehexo%E7%9A%84%E5%8D%9A%E5%AE%A2%E6%90%AD%E5%BB%BA%E6%95%99%E7%A8%8B/page/2/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/categories/%E5%9F%BA%E4%BA%8Ehexo%E7%9A%84%E5%8D%9A%E5%AE%A2%E6%90%AD%E5%BB%BA%E6%95%99%E7%A8%8B/page/2/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>分类: 基于hexo的博客搭建教程 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content category"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <h2 class="collection-header">基于hexo的博客搭建教程 <small>分类</small> </h2> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-06-23T16:33:26+08:00" content="2024-06-23"> 06-23 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/f5bf34a0/" itemprop="url"> <span itemprop="name">forever</span> </a> </div> </header> </article> </div> </div> <nav class="pagination"> <a class="extend prev" rel="prev" href="/categories/%E5%9F%BA%E4%BA%8Ehexo%E7%9A%84%E5%8D%9A%E5%AE%A2%E6%90%AD%E5%BB%BA%E6%95%99%E7%A8%8B/"><i class="fa fa-angle-left" aria-label="上一页"></i></a><a class="page-number" href="/categories/%E5%9F%BA%E4%BA%8Ehexo%E7%9A%84%E5%8D%9A%E5%AE%A2%E6%90%AD%E5%BB%BA%E6%95%99%E7%A8%8B/">1</a><span class="page-number current">2</span> </nav> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
categories/基于hexo的博客搭建教程/page/2/index.html
HTML
unknown
24,721
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/categories/%E5%9F%BA%E4%BA%8Ehexo%E7%9A%84%E5%8D%9A%E5%AE%A2%E6%90%AD%E5%BB%BA%E6%95%99%E7%A8%8B/%E5%BC%80%E7%AF%87%E8%87%B4%E8%B0%A2/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/categories/%E5%9F%BA%E4%BA%8Ehexo%E7%9A%84%E5%8D%9A%E5%AE%A2%E6%90%AD%E5%BB%BA%E6%95%99%E7%A8%8B/%E5%BC%80%E7%AF%87%E8%87%B4%E8%B0%A2/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>分类: 开篇致谢 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content category"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <h2 class="collection-header">开篇致谢 <small>分类</small> </h2> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-06-23T16:33:26+08:00" content="2024-06-23"> 06-23 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/f5bf34a0/" itemprop="url"> <span itemprop="name">forever</span> </a> </div> </header> </article> </div> </div> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
categories/基于hexo的博客搭建教程/开篇致谢/index.html
HTML
unknown
24,324
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/categories/%E5%9F%BA%E7%A1%80/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/categories/%E5%9F%BA%E7%A1%80/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>分类: 基础 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content category"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <h2 class="collection-header">基础 <small>分类</small> </h2> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-10-11T18:09:21+08:00" content="2024-10-11"> 10-11 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/93f836cb/" itemprop="url"> <span itemprop="name">开往 友链接力!</span> </a> </div> </header> </article> </div> </div> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
categories/基础/index.html
HTML
unknown
24,117
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/categories/%E6%8A%80%E6%9C%AF/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/categories/%E6%8A%80%E6%9C%AF/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>分类: 技术 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content category"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <h2 class="collection-header">技术 <small>分类</small> </h2> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-25T20:42:35+08:00" content="2024-09-25"> 09-25 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/58ad3c48/" itemprop="url"> <span itemprop="name">连不上网了?可能的DNS解决方法</span> </a> </div> </header> </article> </div> </div> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
categories/技术/index.html
HTML
unknown
24,139
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/categories/%E6%97%A5%E8%AE%B0/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/categories/%E6%97%A5%E8%AE%B0/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>分类: 日记 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content category"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <h2 class="collection-header">日记 <small>分类</small> </h2> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-28T20:48:54+08:00" content="2024-09-28"> 09-28 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/90edeb6d/" itemprop="url"> <span itemprop="name">信息技术基数实训-焊接爱心花灯</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/b6e6b630/" itemprop="url"> <span itemprop="name">玩文明六玩爽了</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/38c422a2/" itemprop="url"> <span itemprop="name">我的第一个博客</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/ca82fca4/" itemprop="url"> <span itemprop="name">工业博物馆游览</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-13T19:36:15+08:00" content="2024-09-13"> 09-13 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/dad78c45/" itemprop="url"> <span itemprop="name">第一次Pull requests :)</span> </a> </div> </header> </article> </div> </div> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
categories/日记/index.html
HTML
unknown
26,308
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/categories/%E6%97%A5%E8%AE%B0/%E8%BF%B7/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/categories/%E6%97%A5%E8%AE%B0/%E8%BF%B7/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>分类: 迷 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content category"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <h2 class="collection-header">迷 <small>分类</small> </h2> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-13T19:36:15+08:00" content="2024-09-13"> 09-13 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/dad78c45/" itemprop="url"> <span itemprop="name">第一次Pull requests :)</span> </a> </div> </header> </article> </div> </div> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
categories/日记/迷/index.html
HTML
unknown
24,136
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/categories/%E6%B5%8F%E8%A7%88%E5%99%A8/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/categories/%E6%B5%8F%E8%A7%88%E5%99%A8/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>分类: 浏览器 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content category"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <h2 class="collection-header">浏览器 <small>分类</small> </h2> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-10-08T15:21:09+08:00" content="2024-10-08"> 10-08 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/37f315ff/" itemprop="url"> <span itemprop="name">解决国外人机验证不显示问题</span> </a> </div> </header> </article> </div> </div> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
categories/浏览器/index.html
HTML
unknown
24,160
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/categories/%E6%B8%B8%E6%88%8F/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/categories/%E6%B8%B8%E6%88%8F/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>分类: 游戏 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content category"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <h2 class="collection-header">游戏 <small>分类</small> </h2> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/2283d3b7/" itemprop="url"> <span itemprop="name">本来想搬fishport_serverwiki来着</span> </a> </div> </header> </article> </div> </div> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
categories/游戏/index.html
HTML
unknown
24,134
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/categories/%E6%B8%B8%E6%88%8F/%E6%88%91%E7%9A%84%E4%B8%96%E7%95%8C%E6%9C%8D%E5%8A%A1%E5%99%A8/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/categories/%E6%B8%B8%E6%88%8F/%E6%88%91%E7%9A%84%E4%B8%96%E7%95%8C%E6%9C%8D%E5%8A%A1%E5%99%A8/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>分类: 我的世界服务器 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content category"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <h2 class="collection-header">我的世界服务器 <small>分类</small> </h2> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/2283d3b7/" itemprop="url"> <span itemprop="name">本来想搬fishport_serverwiki来着</span> </a> </div> </header> </article> </div> </div> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
categories/游戏/我的世界服务器/index.html
HTML
unknown
24,292
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/categories/%E7%AE%97%E6%B3%95%E9%A2%98/LeetCode/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/categories/%E7%AE%97%E6%B3%95%E9%A2%98/LeetCode/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>分类: LeetCode | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content category"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <h2 class="collection-header">LeetCode <small>分类</small> </h2> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/f899f771/" itemprop="url"> <span itemprop="name">LeetCode:2. 两数相加</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-15T20:31:15+08:00" content="2024-09-15"> 09-15 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/2f3d653d/" itemprop="url"> <span itemprop="name">LeetCode:1. 两数之和</span> </a> </div> </header> </article> </div> </div> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
categories/算法题/LeetCode/index.html
HTML
unknown
24,705
<!DOCTYPE html> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=2"> <meta name="theme-color" content="#222"> <meta name="generator" content="Hexo 7.2.0"> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o63weqvwcw"); </script> <link rel="apple-touch-icon" sizes="180x180" href="/images/apple-touch-icon-next.png"> <link rel="icon" type="image/png" sizes="32x32" href="/images/favicon-32x32-next.png"> <link rel="icon" type="image/png" sizes="16x16" href="/images/favicon-16x16-next.png"> <link rel="mask-icon" href="/images/logo.svg" color="#222"> <link rel="stylesheet" href="/css/main.css"> <link rel="stylesheet" href="/lib/font-awesome/css/all.min.css"> <script id="hexo-configurations"> var NexT = window.NexT || {}; var CONFIG = {"hostname":"xingwangzhe.fun","root":"/","scheme":"Pisces","version":"7.8.0","exturl":false,"sidebar":{"position":"left","display":"post","padding":18,"offset":12,"onmobile":false},"copycode":{"enable":true,"show_result":true,"style":"mac"},"back2top":{"enable":true,"sidebar":false,"scrollpercent":false},"bookmark":{"enable":false,"color":"#222","save":"auto"},"fancybox":false,"mediumzoom":false,"lazyload":false,"pangu":false,"comments":{"text":true,"style":"tabs","count":true,"active":"gitalk","storage":true,"lazyload":false,"nav":{"gitalk":{"order":-1}},"activeClass":"gitalk"},"algolia":{"hits":{"per_page":10},"labels":{"input_placeholder":"Search for Posts","hits_empty":"We didn't find any results for the search: ${query}","hits_stats":"${hits} results found in ${time} ms"}},"localsearch":{"enable":true,"trigger":"auto","top_n_per_article":1,"unescape":false,"preload":false},"motion":{"enable":true,"async":false,"transition":{"post_block":"fadeIn","post_header":"slideDownIn","post_body":"slideDownIn","coll_header":"slideLeftIn","sidebar":"slideUpIn"}},"path":"search.xml"}; </script> <meta property="og:type" content="website"> <meta property="og:title" content="姓王者的博客"> <meta property="og:url" content="https://xingwangzhe.fun/categories/%E7%AE%97%E6%B3%95%E9%A2%98/index.html"> <meta property="og:site_name" content="姓王者的博客"> <meta property="og:locale" content="zh_CN"> <meta property="article:author" content="姓王者"> <meta property="article:tag" content="xingwangzhe,姓王者的博客,姓王者,姓王者的blog,姓王者无敌,王兴家,hexo,前端,web,js,html,css,vue,react,angular,node,python,java,go,rust,swift,php,mysql,mongodb,redis,linux,docker,kubernetes,git,github,markdown,seo,webpush,web-push,web-push-notification,web-push-api,web-push-protocol,web-push-service-worker,web-push-api-service-worker,web-push-api-service-worker-protocol,web-push-api-service-worker-specification,web-push-api-service-worker-specification-draft,web-push-api-service-worker-specification-draft-01,web-push-api-service-worker-specification-draft-02,web-push-api-service-worker-specification-draft-03,web-push-api-service-worker-specification-draft-04,web-push-api-service-worker-specification-draft"> <meta name="twitter:card" content="summary"> <link rel="canonical" href="https://xingwangzhe.fun/categories/%E7%AE%97%E6%B3%95%E9%A2%98/"> <script id="page-configurations"> // https://hexo.io/docs/variables.html CONFIG.page = { sidebar: "", isHome : false, isPost : false, lang : 'zh-CN' }; </script> <script async src="/lib/fireworks.js"></script> <title>分类: 算法题 | 姓王者的博客</title> <noscript> <style> .use-motion .brand, .use-motion .menu-item, .sidebar-inner, .use-motion .post-block, .use-motion .pagination, .use-motion .comments, .use-motion .post-header, .use-motion .post-body, .use-motion .collection-header { opacity: initial; } .use-motion .site-title, .use-motion .site-subtitle { opacity: initial; top: initial; } .use-motion .logo-line-before i { left: initial; } .use-motion .logo-line-after i { right: initial; } </style> </noscript> <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script> <script type="text/javascript"> (function(c,l,a,r,i,t,y){ c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)}; t=l.createElement(r);t.async=1;t.src="https://www.clarity.ms/tag/"+i; y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y); })(window, document, "clarity", "script", "o32sgd266v"); </script> <link rel="alternate" href="/atom.xml" title="姓王者的博客" type="application/atom+xml"> <link rel="alternate" href="/rss2.xml" title="姓王者的博客" type="application/rss+xml"> <style>.darkmode--activated{--body-bg-color:#282828;--content-bg-color:#333;--card-bg-color:#555;--text-color:#ccc;--blockquote-color:#bbb;--link-color:#ccc;--link-hover-color:#eee;--brand-color:#ddd;--brand-hover-color:#ddd;--table-row-odd-bg-color:#282828;--table-row-hover-bg-color:#363636;--menu-item-bg-color:#555;--btn-default-bg:#222;--btn-default-color:#ccc;--btn-default-border-color:#555;--btn-default-hover-bg:#666;--btn-default-hover-color:#ccc;--btn-default-hover-border-color:#666;--highlight-background:#282b2e;--highlight-foreground:#a9b7c6;--highlight-gutter-background:#34393d;--highlight-gutter-foreground:#9ca9b6}.darkmode--activated img{opacity:.75}.darkmode--activated img:hover{opacity:.9}.darkmode--activated code{color:#69dbdc;background:0 0}button.darkmode-toggle{z-index:9999}.darkmode-ignore,img{display:flex!important}.beian img{display:inline-block!important}</style></head> <body> <!-- start webpushr code --> <script>(function(w,d, s, id) {if(typeof(w.webpushr)!=='undefined') return;w.webpushr=w.webpushr||function(){(w.webpushr.q=w.webpushr.q||[]).push(arguments)};var js, fjs = d.getElementsByTagName(s)[0];js = d.createElement(s); js.id = id;js.async=1;js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window,document, 'script', 'webpushr-jssdk'));webpushr('setup',{'key':'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script><!-- end webpushr code --> <body itemscope itemtype="http://schema.org/WebPage"> <div class="container use-motion"> <div class="headband"></div> <a href="https://github.com/xingwangzhe/" rel="external nofollow noreferrer" target="_blank" class="github-corner" aria-label="View source on GitHub"><svg width="80" height="80" viewBox="0 0 250 250" style="fill:#151513; color:#fff; position: absolute; top: 0; border: 0; right: 0;" aria-hidden="true"><path d="M0,0 L115,115 L130,115 L142,142 L250,250 L250,0 Z"></path><path d="M128.3,109.0 C113.8,99.7 119.0,89.6 119.0,89.6 C122.0,82.7 120.5,78.6 120.5,78.6 C119.2,72.0 123.4,76.3 123.4,76.3 C127.3,80.9 125.5,87.3 125.5,87.3 C122.9,97.6 130.6,101.9 134.4,103.2" fill="currentColor" style="transform-origin: 130px 106px;" class="octo-arm"></path><path d="M115.0,115.0 C114.9,115.1 118.7,116.5 119.8,115.4 L133.7,101.6 C136.9,99.2 139.9,98.4 142.2,98.6 C133.8,88.0 127.5,74.4 143.8,58.0 C148.5,53.4 154.0,51.2 159.7,51.0 C160.3,49.4 163.2,43.6 171.4,40.1 C171.4,40.1 176.1,42.5 178.8,56.2 C183.1,58.6 187.2,61.8 190.9,65.4 C194.5,69.0 197.7,73.2 200.1,77.6 C213.8,80.2 216.3,84.9 216.3,84.9 C212.7,93.1 206.9,96.0 205.4,96.6 C205.1,102.4 203.0,107.8 198.3,112.5 C181.9,128.9 168.3,122.5 157.7,114.1 C157.9,116.9 156.7,120.9 152.7,124.9 L141.0,136.5 C139.8,137.7 141.6,141.9 141.8,141.8 Z" fill="currentColor" class="octo-body"></path></svg></a><style>.github-corner:hover .octo-arm{animation:octocat-wave 560ms ease-in-out}@keyframes octocat-wave{0%,100%{transform:rotate(0)}20%,60%{transform:rotate(-25deg)}40%,80%{transform:rotate(10deg)}}@media (max-width:500px){.github-corner:hover .octo-arm{animation:none}.github-corner .octo-arm{animation:octocat-wave 560ms ease-in-out}}</style> <header class="header" itemscope itemtype="http://schema.org/WPHeader"> <div class="header-inner"> <div class="site-brand-container"> <div class="site-nav-toggle"> <div class="toggle" aria-label="切换导航栏"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> </div> <div class="site-meta"> <a href="/" class="brand" rel="start"> <span class="logo-line-before"><i></i></span> <h1 class="site-title">姓王者的博客</h1> <span class="logo-line-after"><i></i></span> </a> <p class="site-subtitle" itemprop="description">记录学习生活的琐事,或者技术文章:)</p> </div> <div class="site-nav-right"> <div class="toggle popup-trigger"> <i class="fa fa-search fa-fw fa-lg"></i> </div> </div> </div> <nav class="site-nav"> <ul id="menu" class="main-menu menu"> <li class="menu-item menu-item-home"> <a href="/" rel="section"><i class="fa fa-home fa-fw"></i>首页</a> </li> <li class="menu-item menu-item-about"> <a href="/about/" rel="section"><i class="fa fa-user fa-fw"></i>关于</a> </li> <li class="menu-item menu-item-archives"> <a href="/archives/" rel="section"><i class="fa fa-archive fa-fw"></i>归档</a> </li> <li class="menu-item menu-item-tags"> <a href="/tags/" rel="section"><i class="fa fa-tags fa-fw"></i>标签</a> </li> <li class="menu-item menu-item-categories"> <a href="/categories/" rel="section"><i class="fa fa-th fa-fw"></i>分类</a> </li> <li class="menu-item menu-item-开往"> <a href="https://www.travellings.cn/go.html" rel="noopener external nofollow noreferrer" target="_blank"><i class="fa fa-train fa-fw"></i>开往</a> </li> <li class="menu-item menu-item-友情链接"> <a href="/%E5%8F%8B%E6%83%85%E9%93%BE%E6%8E%A5/" rel="section"><i class="fa fa-link fa-fw"></i>友情链接</a> </li> <li class="menu-item menu-item-推荐网站"> <a href="/%E6%8E%A8%E8%8D%90%E7%BD%91%E7%AB%99/" rel="section"><i class="fa fa-link fa-fw"></i>推荐网站</a> </li> <li class="menu-item menu-item-说说"> <a href="/essay/" rel="section"><i class="fas fa-pen fa-fw"></i>说说</a> </li> <li class="menu-item menu-item-rss"> <a href="/atom.xml" rel="section"><i class="fa fa-rss fa-fw"></i>RSS</a> </li> <li class="menu-item menu-item-search"> <a role="button" class="popup-trigger"><i class="fa fa-search fa-fw"></i>搜索 </a> </li> </ul> </nav> <div class="search-pop-overlay"> <div class="popup search-popup"> <div class="search-header"> <span class="search-icon"> <i class="fa fa-search"></i> </span> <div class="search-input-container"> <input autocomplete="off" autocapitalize="off" placeholder="搜索..." spellcheck="false" type="search" class="search-input"> </div> <span class="popup-btn-close"> <i class="fa fa-times-circle"></i> </span> </div> <div id="search-result"> <div id="no-result"> <i class="fa fa-spinner fa-pulse fa-5x fa-fw"></i> </div> </div> </div> </div> </div> </header> <div class="back-to-top"> <i class="fa fa-arrow-up"></i> <span>0%</span> </div> <div class="reading-progress-bar"></div> <main class="main"> <div class="main-inner"> <div class="content-wrap"> <div class="content category"> <div class="post-block"> <div class="posts-collapse"> <div class="collection-title"> <h2 class="collection-header">算法题 <small>分类</small> </h2> </div> <div class="collection-year"> <span class="collection-header">2024</span> </div> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-27T22:05:24+08:00" content="2024-09-27"> 09-27 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/f899f771/" itemprop="url"> <span itemprop="name">LeetCode:2. 两数相加</span> </a> </div> </header> </article> <article itemscope itemtype="http://schema.org/Article"> <header class="post-header"> <div class="post-meta"> <time itemprop="dateCreated" datetime="2024-09-15T20:31:15+08:00" content="2024-09-15"> 09-15 </time> </div> <div class="post-title"> <a class="post-title-link" href="/posts/2f3d653d/" itemprop="url"> <span itemprop="name">LeetCode:1. 两数之和</span> </a> </div> </header> </article> </div> </div> </div> <script> window.addEventListener('tabs:register', () => { let { activeClass } = CONFIG.comments; if (CONFIG.comments.storage) { activeClass = localStorage.getItem('comments_active') || activeClass; } if (activeClass) { let activeTab = document.querySelector(`a[href="#comment-${activeClass}"]`); if (activeTab) { activeTab.click(); } } }); if (CONFIG.comments.storage) { window.addEventListener('tabs:click', event => { if (!event.target.matches('.tabs-comment .tab-content .tab-pane')) return; let commentClass = event.target.classList[1]; localStorage.setItem('comments_active', commentClass); }); } </script> </div> <div class="toggle sidebar-toggle"> <span class="toggle-line toggle-line-first"></span> <span class="toggle-line toggle-line-middle"></span> <span class="toggle-line toggle-line-last"></span> </div> <aside class="sidebar"> <div class="sidebar-inner"> <ul class="sidebar-nav motion-element"> <li class="sidebar-nav-toc"> 文章目录 </li> <li class="sidebar-nav-overview"> 站点概览 </li> </ul> <!--noindex--> <div class="post-toc-wrap sidebar-panel"> </div> <!--/noindex--> <div class="site-overview-wrap sidebar-panel"> <div class="site-author motion-element" itemprop="author" itemscope itemtype="http://schema.org/Person"> <img class="site-author-image" itemprop="image" alt="姓王者" src="/images/avatar.jpg"> <p class="site-author-name" itemprop="name">姓王者</p> <div class="site-description" itemprop="description"></div> </div> <div class="site-state-wrap motion-element"> <nav class="site-state"> <div class="site-state-item site-state-posts"> <a href="/archives/"> <span class="site-state-item-count">44</span> <span class="site-state-item-name">归档</span> </a> </div> <div class="site-state-item site-state-categories"> <a href="/categories/"> <span class="site-state-item-count">29</span> <span class="site-state-item-name">分类</span></a> </div> <div class="site-state-item site-state-tags"> <a href="/tags/"> <span class="site-state-item-count">48</span> <span class="site-state-item-name">标签</span></a> </div> </nav> </div> <div class="links-of-author motion-element"> <span class="links-of-author-item"> <a href="https://github.com/xingwangzhe" title="GitHub → https:&#x2F;&#x2F;github.com&#x2F;xingwangzhe" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-github fa-fw"></i>GitHub</a> </span> <span class="links-of-author-item"> <a href="/xingwangzhe@outlook.com" title="E-Mail → xingwangzhe@outlook.com"><i class="fa fa-envelope fa-fw"></i>E-Mail</a> </span> <span class="links-of-author-item"> <a href="https://space.bilibili.com/1987297874" title="Bilibili → https:&#x2F;&#x2F;space.bilibili.com&#x2F;1987297874" rel="noopener external nofollow noreferrer" target="_blank"><i class="fab fa-youtube fa-fw"></i>Bilibili</a> </span> </div> <!-- CloudCalendar --> <div class="widget-wrap" style="width: 90%;margin-left: auto;margin-right: auto; opacity: 0.97;"> <div class="widget" id="CloudCalendar"></div> </div> </div> <div class="where is your ip"> <h3>访客信息</h3> <a target="_blank" rel="noopener external nofollow noreferrer" href="https://tool.lu/ip/"> <img src="https://tool.lu/netcard/"> </a> <a target="_blank" href="https://time.is/China" id="time_is_link" rel="nofollow noopener" style="font-size:20px">北京时间:</a> <span id="China_z43d" style="font-size:20px"></span> <script src="//widget.time.is/zh.js"></script> <script> time_is_widget.init({China_z43d:{template:"TIME<br>DATE<br>SUN", date_format:"year-monthnum-daynum dname", sun_format:"日出: srhour:srminute 日落: sshour:ssminute<br>昼长: dlhours时 dlminutes分", coords:"35.0000000,105.0000000"}}); </script> </div> </div> </aside> <div id="sidebar-dimmer"></div> </div> </main> <footer class="footer"> <div class="footer-inner"> <div class="copyright"> &copy; <span itemprop="copyrightYear">2024</span> <span class="with-love"> <i class="fa fa-heart"></i> </span> <span class="author" itemprop="copyrightHolder">姓王者</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-chart-area"></i> </span> <span class="post-meta-item-text">站点总字数:</span> <span title="站点总字数">116k</span> <span class="post-meta-divider">|</span> <span class="post-meta-item-icon"> <i class="fa fa-coffee"></i> </span> <span class="post-meta-item-text">站点阅读时长 &asymp;</span> <span title="站点阅读时长">1:45</span> </div> <div style="display: flex; align-items: center; justify-content: center;"> <a href="https://www.travellings.cn/go.html" target="_blank" rel="noopener external nofollow noreferrer" title="开往-友链接力"> <img src="https://www.travellings.cn/assets/logo.gif" alt="开往-友链接力" width="120"> </a> <a href="https://icp.dns163.cn/beian/ICP-2024100103.html" rel="external nofollow noreferrer" title="易AIA盟2024100103号" target="_blank" style="display: inline-flex; align-items: center; margin-right: 10px;"> <img src="https://icp.dns163.cn/static/picture/icplogoi.png" style="width: 20px; height: 20px; margin-right: 5px;"> 易AIA盟2024100103号 </a> <a target="_blank" href="https://beian.miit.cn.com/gov/search.php?query=xingwangzhe.fun" rel="external nofollow noreferrer" title="MIIT备20241054号" style="display: inline-flex; align-items: center;"> <img src="https://beian.miit.cn.com/logo.svg" alt="MIIT" width="20" style="margin-right: 5px;"> MIIT备20241054号 </a> <a href="https://www.gyfzlm.com/fanzha/NO-20240105.html" rel="external nofollow noreferrer" target="_blank"><img style="width:130px;height:45px;" src="https://www.gyfzlm.com/istatic/image/gyfzlogo.png" alt="公益反诈联盟成员单位"></a> </div> <span id="timeDate">载入天数...</span> <span id="times">载入时分秒...</span> <script> var now = new Date(); function createtime() { var grt= new Date("6/21/2024 6:30:00"); //修改为你的网站开始运行的时间 now.setTime(now.getTime()+250); days = (now - grt ) / 1000 / 60 / 60 / 24; dnum = Math.floor(days); hours = (now - grt ) / 1000 / 60 / 60 - (24 * dnum); hnum = Math.floor(hours); if(String(hnum).length ==1 ){hnum = "0" + hnum;} minutes = (now - grt ) / 1000 /60 - (24 * 60 * dnum) - (60 * hnum); mnum = Math.floor(minutes); if(String(mnum).length ==1 ){mnum = "0" + mnum;} seconds = (now - grt ) / 1000 - (24 * 60 * 60 * dnum) - (60 * 60 * hnum) - (60 * mnum); snum = Math.round(seconds); if(String(snum).length ==1 ){snum = "0" + snum;} document.getElementById("timeDate").innerHTML = "本站正常运行 "+dnum+" 天 "; document.getElementById("times").innerHTML = hnum + " 小时 " + mnum + " 分 " + snum + " 秒."; } setInterval("createtime()",250); </script> <div class="busuanzi-count"> <script async src="https://busuanzi.ibruce.info/busuanzi/2.3/busuanzi.pure.mini.js"></script> <span class="post-meta-item" id="busuanzi_container_site_uv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-user"></i> </span> <span class="site-uv" title="总访客量"> <span id="busuanzi_value_site_uv"></span> </span> </span> <span class="post-meta-divider">|</span> <span class="post-meta-item" id="busuanzi_container_site_pv" style="display: none;"> <span class="post-meta-item-icon"> <i class="fa fa-eye"></i> </span> <span class="site-pv" title="总访问量"> <span id="busuanzi_value_site_pv"></span> </span> </span> </div> </div> </footer> </div> <script src="/lib/anime.min.js"></script> <script src="/lib/velocity/velocity.min.js"></script> <script src="/lib/velocity/velocity.ui.min.js"></script> <script src="/js/utils.js"></script> <script src="/js/motion.js"></script> <script src="/js/schemes/pisces.js"></script> <script src="/js/next-boot.js"></script> <script src="/js/local-search.js"></script> <!-- calendar widget --> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/calendar.min.js"></script> <script src="//cdn.jsdelivr.net/gh/theme-next/theme-next-calendar/languages.min.js"></script> <script> $(function() { $('#CloudCalendar').aCalendar('zh-CN', $.extend( '', { single:true, root:'/calendar/' } ) ); }); </script> <!-- hexo injector body_end start --><script data-pjax src="https://unpkg.com/oh-my-live2d"></script><script>const oml2d = OML2D.loadOml2d({libraryUrls:{"complete":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/complete.js","cubism2":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism2.js","cubism5":"https://registry.npmmirror.com/oh-my-live2d/latest/files/lib/cubism5.js"},mobileDisplay:false,models:[{"path":"/L2DMCVT_steve/L2DMCVT.model3.json","scale":0.11,"position":[-100,0],"mobileScale":0.08,"mobilePosition":[-100,0],"motionPreloadStrategy":"ALL","showHitAreaFrames":true,"mobileStageStyle":{"width":180},"stageStyle":{"width":250}}],parentElement:document.body,primaryColor:"var(--btn-bg)",sayHello:false,dockedPosition:"right",tips:{copyTips: {"message":["你复制了什么内容捏?记得注明出处哦~","ctrl+c复制,ctrl+v粘贴~","我们不生产文字,我们只是搬运工","我可是一直在盯着你:),我知道你在复制什么~"]},style: {"width":230,"height":120,"left":"calc(50% - 20px)","top":"-100px"},mobileStyle: {"width":180,"height":80,"left":"calc(50% - 30px)","top":"-100px"},idleTips:{interval:15000,message:["你好呀~","欢迎来到我的小站~"],wordTheDay:function(wordTheDayData){ return `${wordTheDayData.hitokoto} by.${wordTheDayData.from}`; } }},statusBar:{"restMessage":"你现在不能休息,周围有怪物在游荡"}});</script><!-- hexo injector body_end end --><script>(function (w, d, s, id) { if (typeof (w.webpushr) !== 'undefined') return; w.webpushr = w.webpushr || function () { (w.webpushr.q = w.webpushr.q || []).push(arguments) }; var js, fjs = d.getElementsByTagName(s)[0]; js = d.createElement(s); js.id = id; js.async = 1; js.src = "https://cdn.webpushr.com/app.min.js";fjs.parentNode.appendChild(js);}(window, document, 'script', 'webpushr-jssdk'));webpushr('setup', { 'key': 'BHV3kn7WLHGjPMT5Zz8kKEvzbDX44x9Rt3olfj_Q3QnCoQADtAW7h7dvBBmASSAi9xtRbIXoq2xEpmNWHaZb6NM' });</script></body> </html>
2303_806435pww/xingwangzhe.github.io
categories/算法题/index.html
HTML
unknown
24,689