WebGL的顏色渲染-渲染一張DEM(數字高程模型)

来源:https://www.cnblogs.com/charlee44/archive/2019/05/01/10799995.html
-Advertisement-
Play Games

通過渲染一張DEM的具體例子,瞭解在WebGL中顏色渲染的過程。 ...


目錄

1. 具體實例

通過WebGL,可以渲染生成DEM(數字高程模型)。DEM(數字高程模型)是網格點組成的模型,每個點都有x,y,z值;x,y根據一定的間距組成網格狀,同時根據z值的高低來選定每個點的顏色RGB。通過這個例子可以熟悉WebGL顏色渲染的過程。

2. 解決方案

1) DEM數據.XYZ文件

這裡使用的DEM文件的數據組織如下,如下圖所示。

其中每一行表示一個點,前三個數值表示位置XYZ,後三個數值表示顏色RGB。

2) showDEM.html

<!DOCTYPE html>
<html>

<head>
    <meta charset="UTF-8">
    <title> 顯示地形 </title>
    <script src="lib/webgl-utils.js"></script>
    <script src="lib/webgl-debug.js"></script>
    <script src="lib/cuon-utils.js"></script>
    <script src="lib/cuon-matrix.js"></script>
    <script src="showDEM.js"></script>
</head>

<body>
    <div><input type = 'file' id = 'demFile' ></div>
    <!-- <div><textarea id="output" rows="300" cols="200"></textarea></div> -->
    <div>
        <canvas id ="demCanvas" width="600" height="600">
            請使用支持WebGL的瀏覽器
        </canvas>
    </div>
</body>

</html>

3) showDEM.js

// Vertex shader program
var VSHADER_SOURCE =
    //'precision highp float;\n' +
    'attribute vec4 a_Position;\n' +
    'attribute vec4 a_Color;\n' +
    'uniform mat4 u_MvpMatrix;\n' +
    'varying vec4 v_Color;\n' +
    'void main() {\n' +
    '  gl_Position = u_MvpMatrix * a_Position;\n' +
    '  v_Color = a_Color;\n' +
    '}\n';

// Fragment shader program
var FSHADER_SOURCE =
    '#ifdef GL_ES\n' +
    'precision mediump float;\n' +
    '#endif\n' +
    'varying vec4 v_Color;\n' +
    'void main() {\n' +
    '  gl_FragColor = v_Color;\n' +
    '}\n';

//
var col = 89;       //DEM寬
var row = 245;      //DEM高

// Current rotation angle ([x-axis, y-axis] degrees)
var currentAngle = [0.0, 0.0];

//當前lookAt()函數初始視點的高度
var eyeHight = 2000.0;

//setPerspective()遠截面
var far = 3000;

//
window.onload = function () {
    var demFile = document.getElementById('demFile');
    if (!demFile) {
        console.log("Error!");
        return;
    }

    //demFile.onchange = openFile(event);
    demFile.addEventListener("change", function (event) {
        //判斷瀏覽器是否支持FileReader介面
        if (typeof FileReader == 'undefined') {
            console.log("你的瀏覽器不支持FileReader介面!");
            return;
        }

        //
        var reader = new FileReader();
        reader.onload = function () {
            if (reader.result) {        
                //        
                var stringlines = reader.result.split("\n");
                verticesColors = new Float32Array(stringlines.length * 6);
            
                //
                var pn = 0;
                var ci = 0;
                for (var i = 0; i < stringlines.length; i++) {
                    if (!stringlines[i]) {
                        continue;
                    }
                    var subline = stringlines[i].split(',');
                    if (subline.length != 6) {
                        console.log("錯誤的文件格式!");
                        return;
                    }
                    for (var j = 0; j < subline.length; j++) {
                        verticesColors[ci] = parseFloat(subline[j]);
                        ci++;
                    }
                    pn++;
                }
            
                if (ci < 3) {
                    console.log("錯誤的文件格式!");
                }

                //
                var minX = verticesColors[0];
                var maxX = verticesColors[0];
                var minY = verticesColors[1];
                var maxY = verticesColors[1];
                var minZ = verticesColors[2];
                var maxZ = verticesColors[2];
                for (var i = 0; i < pn; i++) {
                    minX = Math.min(minX, verticesColors[i * 6]);
                    maxX = Math.max(maxX, verticesColors[i * 6]);
                    minY = Math.min(minY, verticesColors[i * 6 + 1]);
                    maxY = Math.max(maxY, verticesColors[i * 6 + 1]);
                    minZ = Math.min(minZ, verticesColors[i * 6 + 2]);
                    maxZ = Math.max(maxZ, verticesColors[i * 6 + 2]);
                }
               
                //包圍盒中心
                var cx = (minX + maxX) / 2.0;
                var cy = (minY + maxY) / 2.0;
                var cz = (minZ + maxZ) / 2.0;

                //根據視點高度算出setPerspective()函數的合理角度
                var fovy = (maxY - minY) / 2.0 / eyeHight;
                fovy = 180.0 / Math.PI * Math.atan(fovy) * 2;

                startDraw(verticesColors, cx, cy, cz, fovy);
            }
        };

        //
        var input = event.target;
        reader.readAsText(input.files[0]);
    });
}

function startDraw(verticesColors, cx, cy, cz, fovy) {
    // Retrieve <canvas> element
    var canvas = document.getElementById('demCanvas');

    // Get the rendering context for WebGL
    var gl = getWebGLContext(canvas);
    if (!gl) {
        console.log('Failed to get the rendering context for WebGL');
        return;
    }

    // Initialize shaders
    if (!initShaders(gl, VSHADER_SOURCE, FSHADER_SOURCE)) {
        console.log('Failed to intialize shaders.');
        return;
    }

    // Set the vertex coordinates and color (the blue triangle is in the front)
    n = initVertexBuffers(gl, verticesColors);          //, verticesColors, n
    if (n < 0) {
        console.log('Failed to set the vertex information');
        return;
    }

    // Get the storage location of u_MvpMatrix
    var u_MvpMatrix = gl.getUniformLocation(gl.program, 'u_MvpMatrix');
    if (!u_MvpMatrix) {
        console.log('Failed to get the storage location of u_MvpMatrix');
        return;
    }

    // Register the event handler 
    initEventHandlers(canvas);

    // Specify the color for clearing <canvas>
    gl.clearColor(0, 0, 0, 1);
    gl.enable(gl.DEPTH_TEST);

    // Start drawing
    var tick = function () {

        //setPerspective()寬高比
        var aspect = canvas.width / canvas.height;

        //
        draw(gl, n, aspect, cx, cy, cz, fovy, u_MvpMatrix);
        requestAnimationFrame(tick, canvas);
    };
    tick();
}

//
function initEventHandlers(canvas) {
    var dragging = false;         // Dragging or not
    var lastX = -1, lastY = -1;   // Last position of the mouse

    // Mouse is pressed
    canvas.onmousedown = function (ev) {
        var x = ev.clientX;
        var y = ev.clientY;
        // Start dragging if a moue is in <canvas>
        var rect = ev.target.getBoundingClientRect();
        if (rect.left <= x && x < rect.right && rect.top <= y && y < rect.bottom) {
            lastX = x;
            lastY = y;
            dragging = true;
        }
    };

    //滑鼠離開時
    canvas.onmouseleave = function (ev) {
        dragging = false;
    };

    // Mouse is released
    canvas.onmouseup = function (ev) {
        dragging = false;
    };

    // Mouse is moved
    canvas.onmousemove = function (ev) {
        var x = ev.clientX;
        var y = ev.clientY;
        if (dragging) {
            var factor = 100 / canvas.height; // The rotation ratio
            var dx = factor * (x - lastX);
            var dy = factor * (y - lastY);
            // Limit x-axis rotation angle to -90 to 90 degrees
            //currentAngle[0] = Math.max(Math.min(currentAngle[0] + dy, 90.0), -90.0);
            currentAngle[0] = currentAngle[0] + dy;
            currentAngle[1] = currentAngle[1] + dx;
        }
        lastX = x, lastY = y;
    };

    //滑鼠縮放
    canvas.onmousewheel = function (event) {
        var lastHeight = eyeHight;
        if (event.wheelDelta > 0) {
            eyeHight = Math.max(1, eyeHight - 80);
        } else {
            eyeHight = eyeHight + 80;
        }

        far = far + eyeHight - lastHeight;
    };
}

function draw(gl, n, aspect, cx, cy, cz, fovy, u_MvpMatrix) {
    //模型矩陣
    var modelMatrix = new Matrix4();
    modelMatrix.rotate(currentAngle[0], 1.0, 0.0, 0.0); // Rotation around x-axis 
    modelMatrix.rotate(currentAngle[1], 0.0, 1.0, 0.0); // Rotation around y-axis    
    modelMatrix.translate(-cx, -cy, -cz);

    //視圖矩陣
    var viewMatrix = new Matrix4();
    viewMatrix.lookAt(0, 0, eyeHight, 0, 0, 0, 0, 1, 0);

    //投影矩陣
    var projMatrix = new Matrix4();
    projMatrix.setPerspective(fovy, aspect, 10, far);

    //模型視圖投影矩陣
    var mvpMatrix = new Matrix4();
    mvpMatrix.set(projMatrix).multiply(viewMatrix).multiply(modelMatrix);

    // Pass the model view projection matrix to u_MvpMatrix
    gl.uniformMatrix4fv(u_MvpMatrix, false, mvpMatrix.elements);

    // Clear color and depth buffer
    gl.clear(gl.COLOR_BUFFER_BIT | gl.DEPTH_BUFFER_BIT);

    // Draw the cube 
    gl.drawElements(gl.TRIANGLES, n, gl.UNSIGNED_SHORT, 0);
}

function initVertexBuffers(gl, verticesColors) {
    //DEM的一個網格是由兩個三角形組成的
    //      0------1            1
    //      |                   |
    //      |                   |
    //      col       col------col+1    
    var indices = new Uint16Array((row - 1) * (col - 1) * 6);
    var ci = 0;
    for (var yi = 0; yi < row - 1; yi++) {
        for (var xi = 0; xi < col - 1; xi++) {
            indices[ci * 6] = yi * col + xi;
            indices[ci * 6 + 1] = (yi + 1) * col + xi;
            indices[ci * 6 + 2] = yi * col + xi + 1;
            indices[ci * 6 + 3] = (yi + 1) * col + xi;
            indices[ci * 6 + 4] = (yi + 1) * col + xi + 1;
            indices[ci * 6 + 5] = yi * col + xi + 1;
            ci++;
        }
    }

    //創建緩衝區對象
    var vertexColorBuffer = gl.createBuffer();
    var indexBuffer = gl.createBuffer();
    if (!vertexColorBuffer || !indexBuffer) {
        return -1;
    }

    // 將緩衝區對象綁定到目標
    gl.bindBuffer(gl.ARRAY_BUFFER, vertexColorBuffer);
    // 向緩衝區對象中寫入數據
    gl.bufferData(gl.ARRAY_BUFFER, verticesColors, gl.STATIC_DRAW);

    //
    var FSIZE = verticesColors.BYTES_PER_ELEMENT;
    // 向緩衝區對象分配a_Position變數
    var a_Position = gl.getAttribLocation(gl.program, 'a_Position');
    if (a_Position < 0) {
        console.log('Failed to get the storage location of a_Position');
        return -1;
    }
    gl.vertexAttribPointer(a_Position, 3, gl.FLOAT, false, FSIZE * 6, 0);
    //開啟a_Position變數
    gl.enableVertexAttribArray(a_Position);

    // 向緩衝區對象分配a_Color變數
    var a_Color = gl.getAttribLocation(gl.program, 'a_Color');
    if (a_Color < 0) {
        console.log('Failed to get the storage location of a_Color');
        return -1;
    }
    gl.vertexAttribPointer(a_Color, 3, gl.FLOAT, false, FSIZE * 6, FSIZE * 3);
    //開啟a_Color變數
    gl.enableVertexAttribArray(a_Color);

    // 寫入並綁定頂點數組的索引值
    gl.bindBuffer(gl.ELEMENT_ARRAY_BUFFER, indexBuffer);
    gl.bufferData(gl.ELEMENT_ARRAY_BUFFER, indices, gl.STATIC_DRAW);

    return indices.length;
}

4) 運行結果

用chrome打開showDEM.html,選擇DEM文件,界面就會顯示DEM的渲染效果:

3. 詳細講解

1) 讀取文件

程式的第一步是通過JS的FileReader()函數讀取DEM文件,在其回調函數中讀取到數組verticesColors中,它包含了位置和顏色信息。讀取完成後調用繪製函數startDraw()。

//
var reader = new FileReader();
reader.onload = function () {
    if (reader.result) {        
        //        
        var stringlines = reader.result.split("\n");
        verticesColors = new Float32Array(stringlines.length * 6);
    
        //
        var pn = 0;
        var ci = 0;
        for (var i = 0; i < stringlines.length; i++) {
            if (!stringlines[i]) {
                continue;
            }
            var subline = stringlines[i].split(',');
            if (subline.length != 6) {
                console.log("錯誤的文件格式!");
                return;
            }
            for (var j = 0; j < subline.length; j++) {
                verticesColors[ci] = parseFloat(subline[j]);
                ci++;
            }
            pn++;
        }
    
        if (ci < 3) {
            console.log("錯誤的文件格式!");
        }

        //
        var minX = verticesColors[0];
        var maxX = verticesColors[0];
        var minY = verticesColors[1];
        var maxY = verticesColors[1];
        var minZ = verticesColors[2];
        var maxZ = verticesColors[2];
        for (var i = 0; i < pn; i++) {
            minX = Math.min(minX, verticesColors[i * 6]);
            maxX = Math.max(maxX, verticesColors[i * 6]);
            minY = Math.min(minY, verticesColors[i * 6 + 1]);
            maxY = Math.max(maxY, verticesColors[i * 6 + 1]);
            minZ = Math.min(minZ, verticesColors[i * 6 + 2]);
            maxZ = Math.max(maxZ, verticesColors[i * 6 + 2]);
        }
       
        //包圍盒中心
        var cx = (minX + maxX) / 2.0;
        var cy = (minY + maxY) / 2.0;
        var cz = (minZ + maxZ) / 2.0;

        //根據視點高度算出setPerspective()函數的合理角度
        var fovy = (maxY - minY) / 2.0 / eyeHight;
        fovy = 180.0 / Math.PI * Math.atan(fovy) * 2;

        startDraw(verticesColors, cx, cy, cz, fovy);
    }
};

//
var input = event.target;
reader.readAsText(input.files[0]);

2) 繪製函數

繪製DEM跟繪製一個簡單三角形的步驟是差不多的:

  1. 獲取WebGL環境。
  2. 初始化shaders,構建著色器。
  3. 初始化頂點數組,分配到緩衝對象。
  4. 綁定滑鼠鍵盤事件,設置模型視圖投影變換矩陣。
  5. 在重繪函數中調用WebGL函數繪製。

其中最關鍵的步驟是第三步,初始化頂點數組initVertexBuffers()。

function startDraw(verticesColors, cx, cy, cz, fovy) {
    // Retrieve <canvas> element
    var canvas = document.getElementById('demCanvas');

    // Get the rendering context for WebGL
    var gl = getWebGLContext(canvas);
    if (!gl) {
        console.log('Failed to get the rendering context for WebGL');
        return;
    }

    // Initialize shaders
    if (!initShaders(gl, VSHADER_SOURCE, FSHADER_SOURCE)) {
        console.log('Failed to intialize shaders.');
        return;
    }

    // Set the vertex coordinates and color (the blue triangle is in the front)
    n = initVertexBuffers(gl, verticesColors);          //, verticesColors, n
    if (n < 0) {
        console.log('Failed to set the vertex information');
        return;
    }

    // Get the storage location of u_MvpMatrix
    var u_MvpMatrix = gl.getUniformLocation(gl.program, 'u_MvpMatrix');
    if (!u_MvpMatrix) {
        console.log('Failed to get the storage location of u_MvpMatrix');
        return;
    }

    // Register the event handler 
    initEventHandlers(canvas);

    // Specify the color for clearing <canvas>
    gl.clearColor(0, 0, 0, 1);
    gl.enable(gl.DEPTH_TEST);

    // Start drawing
    var tick = function () {

        //setPerspective()寬高比
        var aspect = canvas.width / canvas.height;

        //
        draw(gl, n, aspect, cx, cy, cz, fovy, u_MvpMatrix);
        requestAnimationFrame(tick, canvas);
    };
    tick();
}

3) 使用緩衝區對象

在函數initVertexBuffers()中包含了使用緩衝區對象向頂點著色器傳入多個頂點數據的過程:

  1. 創建緩衝區對象(gl.createBuffer());
  2. 綁定緩衝區對象(gl.bindBuffer());
  3. 將數據寫入緩衝區對象(gl.bufferData);
  4. 將緩衝區對象分配給一個attribute變數(gl.vertexAttribPointer)
  5. 開啟attribute變數(gl.enableVertexAttribArray);

在本例中,在JS中申請的數組verticesColors分成位置和顏色兩部分分配給緩衝區對象,並傳入頂點著色器;vertexAttribPointer()是其關鍵的函數,需要詳細瞭解其參數的用法。最後,把頂點數據的索引值綁定到緩衝區對象,WebGL可以訪問索引來間接訪問頂點數據進行繪製。

function initVertexBuffers(gl, verticesColors) {
    //DEM的一個網格是由兩個三角形組成的
    //      0------1            1
    //      |                   |
    //      |                   |
    //      col       col------col+1    
    var indices = new Uint16Array((row - 1) * (col - 1) * 6);
    var ci = 0;
    for (var yi = 0; yi < row - 1; yi++) {
        for (var xi = 0; xi < col - 1; xi++) {
            indices[ci * 6] = yi * col + xi;
            indices[ci * 6 + 1] = (yi + 1) * col + xi;
            indices[ci * 6 + 2] = yi * col + xi + 1;
            indices[ci * 6 + 3] = (yi + 1) * col + xi;
            indices[ci * 6 + 4] = (yi + 1) * col + xi + 1;
            indices[ci * 6 + 5] = yi * col + xi + 1;
            ci++;
        }
    }

    //創建緩衝區對象
    var vertexColorBuffer = gl.createBuffer();
    var indexBuffer = gl.createBuffer();
    if (!vertexColorBuffer || !indexBuffer) {
        return -1;
    }

    // 將緩衝區對象綁定到目標
    gl.bindBuffer(gl.ARRAY_BUFFER, vertexColorBuffer);
    // 向緩衝區對象中寫入數據
    gl.bufferData(gl.ARRAY_BUFFER, verticesColors, gl.STATIC_DRAW);

    //
    var FSIZE = verticesColors.BYTES_PER_ELEMENT;
    // 向緩衝區對象分配a_Position變數
    var a_Position = gl.getAttribLocation(gl.program, 'a_Position');
    if (a_Position < 0) {
        console.log('Failed to get the storage location of a_Position');
        return -1;
    }
    gl.vertexAttribPointer(a_Position, 3, gl.FLOAT, false, FSIZE * 6, 0);
    //開啟a_Position變數
    gl.enableVertexAttribArray(a_Position);

    // 向緩衝區對象分配a_Color變數
    var a_Color = gl.getAttribLocation(gl.program, 'a_Color');
    if (a_Color < 0) {
        console.log('Failed to get the storage location of a_Color');
        return -1;
    }
    gl.vertexAttribPointer(a_Color, 3, gl.FLOAT, false, FSIZE * 6, FSIZE * 3);
    //開啟a_Color變數
    gl.enableVertexAttribArray(a_Color);

    // 寫入並綁定頂點數組的索引值
    gl.bindBuffer(gl.ELEMENT_ARRAY_BUFFER, indexBuffer);
    gl.bufferData(gl.ELEMENT_ARRAY_BUFFER, indices, gl.STATIC_DRAW);

    return indices.length;
}

4. 其他

1.這裡用到了幾個《WebGL編程指南》書中提供的JS組件。全部源代碼(包含DEM數據)地址鏈接:https://share.weiyun.com/5cvt8PJ ,密碼:4aqs8e。
2.如果關心如何設置模型視圖投影變換矩陣,以及綁定滑鼠鍵盤事件,可參看這篇文章:WebGL或OpenGL關於模型視圖投影變換的設置技巧
3.渲染的結果如果加入光照,效果會更好。


您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 1 hadoop概述 1.1 為什麼會有大數據處理 1 hadoop概述 1.1 為什麼會有大數據處理 傳統模式已經滿足不了大數據的增長 1)存儲問題 傳統資料庫:存儲億級別的數據,需要高性能的伺服器;並且解決不了本質問題;只能存結構化數據 大數據存儲:通過分散式存儲,將數據存到一臺機器的同時,還可 ...
  • 正常從官網下載,並且正常安裝,直到安裝完成。然後用navicate連接,發現報錯信息如下所示Client does not support authentication protocol requested by server; consider upgrading MySQL clientbing ...
  • 概述 本lab將實現一個鎖管理器,事務通過鎖管理器獲取鎖,事務管理器根據情況決定是否授予鎖,或是阻塞等待其它事務釋放該鎖。 背景 事務屬性 眾所周知,事務具有如下屬性: 1. 原子性:事務要麼執行完成,要麼就沒有執行。 2. 一致性:事務執行完畢後,不會出現不一致的情況。 3. 隔離性:多個事務併發 ...
  • 一起學Android之Handler,簡單介紹Handler的相關知識點以及初步應用,僅供學習分享使用。 ...
  • NSProxy需要實現哪些方法?為什麼 - forwardingTargetForSelector: 被註釋了? ...
  • 本文同步自http://javaexception.com/archives/77 背景: 在上一篇文章中,給出了一種複製QQ效果的方案,今天就來講講換一種方式實現。主要依賴的是一個開源項目https://github.com/shangmingchao/PopupList。 解決辦法: Popup ...
  • [TOC] 註冊博客園賬號有一個多月了, 一直想優化一下自己的博客頁面. 在首頁瀏覽時候發現一位博主的頁面挺乾凈整潔的, 而且他分享了製作的思路, 於是下定決心美化一番. 本文將介紹美化的思路, 並貼上所有代碼, 俗話說授之以魚也要授之以漁. 一. 感謝熱心博主分享的攻略 致謝要寫在前面, 這位博主 ...
  • 一、前言 隨著前端業務的不斷發展,頁面交互邏輯的不斷提高,讓數據和界面實現分離漸漸被提了出來。JavaScript的MVC思想也流行了起來,在這種背景下,基於node.js的模板引擎也隨之出現。 什麼是模板引擎? 它用於解析動態數據和靜態頁面所生成的視圖文件,將原本靜態的數據變為動態,快速地實現頁面 ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...