Step 3: Implement Document Scanning in JavaScript

With the environment ready, the next step is to implement the relevant functions in JavaScript.

Get Devices

Enumerate the available scanners.

const ScannerType = {    // TWAIN scanner type, represented by the value 0x10    TWAINSCANNER: 0x10,    // WIA scanner type, represented by the value 0x20    WIASCANNER: 0x20,    // 64-bit TWAIN scanner type, represented by the value 0x40    TWAINX64SCANNER: 0x40,    // ICA scanner type, represented by the value 0x80    ICASCANNER: 0x80,    // SANE scanner type, represented by the value 0x100    SANESCANNER: 0x100,    // eSCL scanner type, represented by the value 0x200    ESCLSCANNER: 0x200,    // WiFi Direct scanner type, represented by the value 0x400    WIFIDIRECTSCANNER: 0x400,    // WIA-TWAIN scanner type, represented by the value 0x800    WIATWAINSCANNER: 0x800};let queryDevicesButton = document.getElementById(\\\"query-devices-button\\\");queryDevicesButton.onclick = async () => {    let scannerType = ScannerType.TWAINSCANNER | ScannerType.TWAINX64SCANNER;    let devices = await getDevices(host, scannerType);    let select = document.getElementById(\\\"sources\\\");    select.innerHTML = \\'\\';    for (let i = 0; i < devices.length; i  ) {        let device = devices[i];        let option = document.createElement(\\\"option\\\");        option.text = device[\\'name\\'];        option.value = JSON.stringify(device);        select.add(option);    };}async function getDevices(host, scannerType) {    devices = [];    let url = host   \\'/DWTAPI/Scanners\\'    if (scannerType != null) {        url  = \\'?type=\\'   scannerType;    }    try {        let response = await fetch(url);        if (response.ok) {            let devices = await response.json();            return devices;        }    } catch (error) {        console.log(error);    }    return [];}

Explanation

Acquire Image

Scan documents from the selected scanner by specifying the pixel type, resolution, and other settings.

let scanButton = document.getElementById(\\\"scan-button\\\");scanButton.onclick = async () => {    let select = document.getElementById(\\\"sources\\\");    let device = select.value;    if (device == null || device.length == 0) {        alert(\\'Please select a scanner.\\');        return;    }    let inputText = document.getElementById(\\\"inputText\\\").value;    let license = inputText.trim();    if (license == null || license.length == 0) {        alert(\\'Please input a valid license key.\\');    }    let parameters = {        license: license,        device: JSON.parse(device)[\\'device\\'],    };    let showUICheck = document.getElementById(\\\"showUICheckId\\\");    let pixelTypeSelect = document.getElementById(\\\"pixelTypeSelectId\\\");    let resolutionSelect = document.getElementById(\\\"resolutionSelectId\\\");    let adfCheck = document.getElementById(\\\"adfCheckId\\\");    let duplexCheck = document.getElementById(\\\"duplexCheckId\\\");    parameters.config = {        IfShowUI: showUICheck.checked,        PixelType: pixelTypeSelect.selectedIndex,        Resolution: parseInt(resolutionSelect.value),        IfFeederEnabled: adfCheck.checked,        IfDuplexEnabled: duplexCheck.checked,    };    let jobId = await scanDocument(host, parameters);    let images = await getImages(host, jobId);    for (let i = 0; i < images.length; i  ) {        let url = images[i];        let img = document.getElementById(\\'document-image\\');        img.src = url;        data.unshift(url);        let option = document.createElement(\\\"option\\\");        option.selected = true;        option.text = url;        option.value = url;        let thumbnails = document.getElementById(\\\"thumb-box\\\");        let newImage = document.createElement(\\'img\\');        newImage.setAttribute(\\'src\\', url);        if (thumbnails != null) {            thumbnails.insertBefore(newImage, thumbnails.firstChild);            newImage.addEventListener(\\'click\\', e => {                if (e != null && e.target != null) {                    let target = e.target;                    img.src = target.src;                    selectedThumbnail = target;                }            });        }        selectedThumbnail = newImage;    }}async function scanDocument(host, parameters, timeout = 30) {    let url = host   \\'/DWTAPI/ScanJobs?timeout=\\'   timeout;    try {        let response = await fetch(url, {            method: \\'POST\\',            headers: {                \\'Content-Type\\': \\'application/json\\'            },            body: JSON.stringify(parameters)        });        if (response.ok) {            let jobId = await response.text();            return jobId;        }        else {            return \\'\\';        }    } catch (error) {        alert(error);        return \\'\\';    }}async function getImages(host, jobId) {    let images = [];    let url = host   \\'/DWTAPI/ScanJobs/\\'   jobId   \\'/NextDocument\\';    while (true) {        try {            let response = await fetch(url);            if (response.status == 200) {                const arrayBuffer = await response.arrayBuffer();                const blob = new Blob([arrayBuffer], { type: response.type });                const imageUrl = URL.createObjectURL(blob);                images.push(imageUrl);            }            else {                break;            }        } catch (error) {            console.error(\\'No more images.\\');            break;        }    }    return images;}

Explanation

Rotate Image

Rotate the scanned image by -90 or 90 degrees.

let rotateLeftButton = document.getElementById(\\\"rotate-left-button\\\");rotateLeftButton.onclick = () => {    let img = document.getElementById(\\'document-image\\');    img.src = rotateImage(\\'document-image\\', -90);    selectedThumbnail.src = img.src;}let rotateRightButton = document.getElementById(\\\"rotate-right-button\\\");rotateRightButton.onclick = () => {    let img = document.getElementById(\\'document-image\\');    img.src = rotateImage(\\'document-image\\', 90);    selectedThumbnail.src = img.src;}    function rotateImage (imageId, angle) {    const image = document.getElementById(imageId);    const canvas = document.createElement(\\'canvas\\');    const context = canvas.getContext(\\'2d\\');    const imageWidth = image.naturalWidth;    const imageHeight = image.naturalHeight;    // Calculate the new rotation    let rotation = 0;    rotation = (rotation   angle) % 360;    // Adjust canvas size for rotation    if (rotation === 90 || rotation === -270 || rotation === 270) {        canvas.width = imageHeight;        canvas.height = imageWidth;    } else if (rotation === 180 || rotation === -180) {        canvas.width = imageWidth;        canvas.height = imageHeight;    } else if (rotation === 270 || rotation === -90) {        canvas.width = imageHeight;        canvas.height = imageWidth;    } else {        canvas.width = imageWidth;        canvas.height = imageHeight;    }    // Clear the canvas    context.clearRect(0, 0, canvas.width, canvas.height);    // Draw the rotated image on the canvas    context.save();    if (rotation === 90 || rotation === -270) {        context.translate(canvas.width, 0);        context.rotate(90 * Math.PI / 180);    } else if (rotation === 180 || rotation === -180) {        context.translate(canvas.width, canvas.height);        context.rotate(180 * Math.PI / 180);    } else if (rotation === 270 || rotation === -90) {        context.translate(0, canvas.height);        context.rotate(270 * Math.PI / 180);    }    context.drawImage(image, 0, 0);    context.restore();    return canvas.toDataURL();}

Delete Image

Delete all scanned images, including the main image and thumbnails, and reset the data array.

let deleteButton = document.getElementById(\\\"delete-button\\\");deleteButton.onclick = async () => {    let img = document.getElementById(\\'document-image\\');    img.src = \\'images/default.png\\';    data = [];    let thumbnails = document.getElementById(\\\"thumb-box\\\");    thumbnails.innerHTML = \\'\\';}

Step 4: Interop Between C# and JavaScript for Saving Images

Saving images directly in JavaScript is restricted due to security concerns. Therefore, we need to interoperate between C# and JavaScript to accomplish this task.

  1. Create a JavaScript function to convert the scanned image to a base64 string.

    function getBase64Image() {    var img = document.getElementById(\\'document-image\\');    var canvas = document.createElement(\\'canvas\\');    canvas.width = img.naturalWidth;    canvas.height = img.naturalHeight;    var ctx = canvas.getContext(\\'2d\\');    ctx.drawImage(img, 0, 0);    var dataURL = canvas.toDataURL(\\'image/png\\');     var base64 = dataURL.split(\\',\\')[1];     return base64;}
  2. When clicking the save button, set window.location.href to trigger the OnWebViewNavigated event handler of the WebView control.

    let saveButton = document.getElementById(\\\"save-button\\\");saveButton.onclick = async () => {    window.location.href = \\'invoke://CallCSharpFunction\\';    }
  3. In the OnWebViewNavigated event handler, call EvaluateJavaScriptAsync to retrieve the base64 image data from JavaScript and save it to a file.

    private async void OnWebViewNavigated(object sender, WebNavigatingEventArgs e){    if (e.Url.StartsWith(\\\"invoke://callcsharpfunction\\\"))    {        var base64String = await WebView.EvaluateJavaScriptAsync(\\\"getBase64Image()\\\");        CallCSharpFunction(base64String);    }}private void CallCSharpFunction(string base64String){    if (!string.IsNullOrEmpty(base64String))    {        try        {            byte[] imageBytes = Convert.FromBase64String(base64String);            var filePath = Path.Combine(Environment.GetFolderPath(Environment.SpecialFolder.MyDocuments), GenerateFilename());            File.WriteAllBytes(filePath, imageBytes);            DisplayAlert(\\\"Success\\\", \\\"Image saved to: \\\"   filePath, \\\"OK\\\");        }        catch (Exception ex)        {            DisplayAlert(\\\"Error\\\", ex.Message, \\\"OK\\\");        }    }    else    {        DisplayAlert(\\\"Failure\\\", \\\"No image data found\\\", \\\"OK\\\");    }}private string GenerateFilename(){    DateTime now = DateTime.Now;    string timestamp = now.ToString(\\\"yyyyMMdd_HHmmss\\\");    return $\\\"image_{timestamp}.png\\\";}

Note: Do not pass the base64 string directly to the C# function via window.location.href, as the string may be too long and cause an error. Instead, return the base64 string when calling EvaluateJavaScriptAsync from the C# function.

Step 5: Run the .NET MAUI Document Scanner Application

Press F5 in Visual Studio or Visual Studio Code to run the .NET document scanner application on Windows or macOS.

\\\"Switching

Source Code

https://github.com/yushulx/dotnet-twain-wia-sane-scanner/tree/main/examples/MauiWebView

","image":"http://www.luping.net/uploads/20240801/172251253066ab7492458d1.png","datePublished":"2024-08-01T19:42:09+08:00","dateModified":"2024-08-01T19:42:09+08:00","author":{"@type":"Person","name":"luping.net","url":"https://www.luping.net/articlelist/0_1.html"}}
「労働者が自分の仕事をうまくやりたいなら、まず自分の道具を研ぎ澄まさなければなりません。」 - 孔子、「論語。陸霊公」
表紙 > プログラミング > ドキュメント スキャン用の .NET MAUI Blazor から WebView コントロールへの切り替え

ドキュメント スキャン用の .NET MAUI Blazor から WebView コントロールへの切り替え

2024 年 8 月 1 日に公開
ブラウズ:697

In .NET MAUI development, both BlazorWebView and WebView are used to display web content, but they serve different purposes and are designed for different scenarios. The BlazorWebView is specifically designed to host Blazor components in a .NET MAUI application, allowing you to reuse Blazor components and share code between web and native applications. The WebView is a general-purpose control for displaying web content, including web pages, HTML strings, and local HTML files. In this article, we will explore how to transition a .NET MAUI Blazor document scanner application to a .NET MAUI application using the WebView control, implementing the document scanning logic in JavaScript and HTML, and enabling interoperation between C# and JavaScript to scan documents and save images.

Prerequisites

  1. Install Dynamsoft Service: This service is necessary for communicating with TWAIN, SANE, ICA, ESCL, and WIA scanners on Windows and macOS.
    • Windows: Dynamsoft-Service-Setup.msi
    • macOS: Dynamsoft-Service-Setup.pkg
  2. Request a Free Trial License: Obtain a 30-day free trial license for Dynamic Web TWAIN to get started.

Step 1: Create a New .NET MAUI Project with WebView Control

  1. In Visual Studio or Visual Studio Code, create a new .NET MAUI project.
  2. Open the MainPage.xaml file and replace the existing code with the following XAML to add a WebView control:

  3. Open the MainPage.xaml.cs file and add the following code to set the source of the WebView and handle the Navigating event:

    namespace MauiWebView
    {
        public partial class MainPage : ContentPage
        {
            public MainPage()
            {
                InitializeComponent();
                LoadHtmlFile();
            }
    
            private void LoadHtmlFile()
            {
                WebView.Source = "index.html";
    
            }
    
            private async void OnWebViewNavigated(object sender, WebNavigatingEventArgs e)
            {
                if (e.Url.StartsWith("invoke://callcsharpfunction"))
                {
                    // TODO: Implement interop between C# and JavaScript
                }
            }
        }
    
    }
    
    

    Exaplanation:

    • The LoadHtmlFile method sets the Source property of the WebView control to load the index.html file.
    • The OnWebViewNavigated method is triggered when the WebView navigates to a new URL. It checks if the URL starts with invoke://callcsharpfunction and, if so, allows for C# and JavaScript interop.

Step 2: Load Static HTML, JavaScript, and CSS Files into the WebView Control

In a .NET MAUI project, you can load static HTML, JavaScript, and CSS files located in the Resources/Raw folder into the WebView. Ensure that the MauiAsset build action is included in the .csproj file:

Switching from .NET MAUI Blazor to WebView Control for Document Scanning

We create a similar UI layout as the previous Blazor document scanner application in the index.html file.




    Dynamsoft RESTful API Example

Document Scanner


Acquire Image

Image Tools

ドキュメント スキャン用の .NET MAUI Blazor から WebView コントロールへの切り替え

Step 3: Implement Document Scanning in JavaScript

With the environment ready, the next step is to implement the relevant functions in JavaScript.

Get Devices

Enumerate the available scanners.

const ScannerType = {
    // TWAIN scanner type, represented by the value 0x10
    TWAINSCANNER: 0x10,

    // WIA scanner type, represented by the value 0x20
    WIASCANNER: 0x20,

    // 64-bit TWAIN scanner type, represented by the value 0x40
    TWAINX64SCANNER: 0x40,

    // ICA scanner type, represented by the value 0x80
    ICASCANNER: 0x80,

    // SANE scanner type, represented by the value 0x100
    SANESCANNER: 0x100,

    // eSCL scanner type, represented by the value 0x200
    ESCLSCANNER: 0x200,

    // WiFi Direct scanner type, represented by the value 0x400
    WIFIDIRECTSCANNER: 0x400,

    // WIA-TWAIN scanner type, represented by the value 0x800
    WIATWAINSCANNER: 0x800
};

let queryDevicesButton = document.getElementById("query-devices-button");
queryDevicesButton.onclick = async () => {
    let scannerType = ScannerType.TWAINSCANNER | ScannerType.TWAINX64SCANNER;
    let devices = await getDevices(host, scannerType);
    let select = document.getElementById("sources");
    select.innerHTML = '';
    for (let i = 0; i 



Explanation

  • The getDevices function sends a GET request to the RESTful API endpoint /DWTAPI/Scanners to fetch the available scanners. The scanner type is specified by the scannerType parameter.

Acquire Image

Scan documents from the selected scanner by specifying the pixel type, resolution, and other settings.

let scanButton = document.getElementById("scan-button");
scanButton.onclick = async () => {
    let select = document.getElementById("sources");
    let device = select.value;

    if (device == null || device.length == 0) {
        alert('Please select a scanner.');
        return;
    }

    let inputText = document.getElementById("inputText").value;
    let license = inputText.trim();

    if (license == null || license.length == 0) {
        alert('Please input a valid license key.');
    }

    let parameters = {
        license: license,
        device: JSON.parse(device)['device'],
    };

    let showUICheck = document.getElementById("showUICheckId");

    let pixelTypeSelect = document.getElementById("pixelTypeSelectId");

    let resolutionSelect = document.getElementById("resolutionSelectId");

    let adfCheck = document.getElementById("adfCheckId");

    let duplexCheck = document.getElementById("duplexCheckId");

    parameters.config = {
        IfShowUI: showUICheck.checked,
        PixelType: pixelTypeSelect.selectedIndex,
        Resolution: parseInt(resolutionSelect.value),
        IfFeederEnabled: adfCheck.checked,
        IfDuplexEnabled: duplexCheck.checked,
    };


    let jobId = await scanDocument(host, parameters);
    let images = await getImages(host, jobId);

    for (let i = 0; i  {
                if (e != null && e.target != null) {
                    let target = e.target;
                    img.src = target.src;
                    selectedThumbnail = target;
                }
            });
        }

        selectedThumbnail = newImage;
    }

}

async function scanDocument(host, parameters, timeout = 30) {
    let url = host   '/DWTAPI/ScanJobs?timeout='   timeout;

    try {
        let response = await fetch(url, {
            method: 'POST',
            headers: {
                'Content-Type': 'application/json'
            },
            body: JSON.stringify(parameters)
        });

        if (response.ok) {
            let jobId = await response.text();
            return jobId;
        }
        else {
            return '';
        }
    } catch (error) {
        alert(error);
        return '';
    }
}

async function getImages(host, jobId) {
    let images = [];
    let url = host   '/DWTAPI/ScanJobs/'   jobId   '/NextDocument';

    while (true) {
        try {

            let response = await fetch(url);

            if (response.status == 200) {
                const arrayBuffer = await response.arrayBuffer();
                const blob = new Blob([arrayBuffer], { type: response.type });
                const imageUrl = URL.createObjectURL(blob);

                images.push(imageUrl);
            }
            else {
                break;
            }

        } catch (error) {
            console.error('No more images.');
            break;
        }
    }

    return images;
}

Explanation

  • The scanDocument function sends a POST request to the RESTful API endpoint /DWTAPI/ScanJobs to start a scanning job. The parameters include the license key, device name, and scanning settings.
  • The getImages function sends a GET request to the RESTful API endpoint /DWTAPI/ScanJobs/{jobId}/NextDocument to fetch scanned images. The images are stored in a blob object and displayed in the image display area.

Rotate Image

Rotate the scanned image by -90 or 90 degrees.

let rotateLeftButton = document.getElementById("rotate-left-button");
rotateLeftButton.onclick = () => {
    let img = document.getElementById('document-image');
    img.src = rotateImage('document-image', -90);
    selectedThumbnail.src = img.src;
}

let rotateRightButton = document.getElementById("rotate-right-button");
rotateRightButton.onclick = () => {
    let img = document.getElementById('document-image');
    img.src = rotateImage('document-image', 90);
    selectedThumbnail.src = img.src;
}

    function rotateImage (imageId, angle) {
    const image = document.getElementById(imageId);
    const canvas = document.createElement('canvas');
    const context = canvas.getContext('2d');
    const imageWidth = image.naturalWidth;
    const imageHeight = image.naturalHeight;

    // Calculate the new rotation
    let rotation = 0;
    rotation = (rotation   angle) % 360;

    // Adjust canvas size for rotation
    if (rotation === 90 || rotation === -270 || rotation === 270) {
        canvas.width = imageHeight;
        canvas.height = imageWidth;
    } else if (rotation === 180 || rotation === -180) {
        canvas.width = imageWidth;
        canvas.height = imageHeight;
    } else if (rotation === 270 || rotation === -90) {
        canvas.width = imageHeight;
        canvas.height = imageWidth;
    } else {
        canvas.width = imageWidth;
        canvas.height = imageHeight;
    }

    // Clear the canvas
    context.clearRect(0, 0, canvas.width, canvas.height);

    // Draw the rotated image on the canvas
    context.save();
    if (rotation === 90 || rotation === -270) {
        context.translate(canvas.width, 0);
        context.rotate(90 * Math.PI / 180);
    } else if (rotation === 180 || rotation === -180) {
        context.translate(canvas.width, canvas.height);
        context.rotate(180 * Math.PI / 180);
    } else if (rotation === 270 || rotation === -90) {
        context.translate(0, canvas.height);
        context.rotate(270 * Math.PI / 180);
    }
    context.drawImage(image, 0, 0);
    context.restore();

    return canvas.toDataURL();
}

Delete Image

Delete all scanned images, including the main image and thumbnails, and reset the data array.

let deleteButton = document.getElementById("delete-button");
deleteButton.onclick = async () => {
    let img = document.getElementById('document-image');
    img.src = 'images/default.png';
    data = [];
    let thumbnails = document.getElementById("thumb-box");
    thumbnails.innerHTML = '';
}

Step 4: Interop Between C# and JavaScript for Saving Images

Saving images directly in JavaScript is restricted due to security concerns. Therefore, we need to interoperate between C# and JavaScript to accomplish this task.

  1. Create a JavaScript function to convert the scanned image to a base64 string.

    function getBase64Image() {
        var img = document.getElementById('document-image');
        var canvas = document.createElement('canvas');
        canvas.width = img.naturalWidth;
        canvas.height = img.naturalHeight;
        var ctx = canvas.getContext('2d');
        ctx.drawImage(img, 0, 0);
    
        var dataURL = canvas.toDataURL('image/png'); 
        var base64 = dataURL.split(',')[1]; 
        return base64;
    }
    
  2. When clicking the save button, set window.location.href to trigger the OnWebViewNavigated event handler of the WebView control.

    let saveButton = document.getElementById("save-button");
    saveButton.onclick = async () => {
        window.location.href = 'invoke://CallCSharpFunction';    
    }
    
  3. In the OnWebViewNavigated event handler, call EvaluateJavaScriptAsync to retrieve the base64 image data from JavaScript and save it to a file.

    private async void OnWebViewNavigated(object sender, WebNavigatingEventArgs e)
    {
        if (e.Url.StartsWith("invoke://callcsharpfunction"))
        {
            var base64String = await WebView.EvaluateJavaScriptAsync("getBase64Image()");
            CallCSharpFunction(base64String);
        }
    }
    
    private void CallCSharpFunction(string base64String)
    {
        if (!string.IsNullOrEmpty(base64String))
        {
    
            try
            {
                byte[] imageBytes = Convert.FromBase64String(base64String);
    
                var filePath = Path.Combine(Environment.GetFolderPath(Environment.SpecialFolder.MyDocuments), GenerateFilename());
                File.WriteAllBytes(filePath, imageBytes);
                DisplayAlert("Success", "Image saved to: "   filePath, "OK");
    
            }
            catch (Exception ex)
            {
                DisplayAlert("Error", ex.Message, "OK");
            }
        }
        else
        {
            DisplayAlert("Failure", "No image data found", "OK");
        }
    }
    
    private string GenerateFilename()
    {
        DateTime now = DateTime.Now;
        string timestamp = now.ToString("yyyyMMdd_HHmmss");
        return $"image_{timestamp}.png";
    }
    

Note: Do not pass the base64 string directly to the C# function via window.location.href, as the string may be too long and cause an error. Instead, return the base64 string when calling EvaluateJavaScriptAsync from the C# function.

Step 5: Run the .NET MAUI Document Scanner Application

Press F5 in Visual Studio or Visual Studio Code to run the .NET document scanner application on Windows or macOS.

Switching from .NET MAUI Blazor to WebView Control for Document Scanning

Source Code

https://github.com/yushulx/dotnet-twain-wia-sane-scanner/tree/main/examples/MauiWebView

リリースステートメント この記事は次の場所に転載されています: https://dev.to/yushulx/switching-from-net-maui-blazor-to-webview-control-for-document-scanning-31lp?1 侵害がある場合は、study_golang にご連絡ください。 @163.com 削除
最新のチュートリアル もっと>
  • ウェブサイトのHTMLコード
    ウェブサイトのHTMLコード
    航空関連のウェブサイトを構築しようとしています。 AI を使用してコードを生成し、Web サイト全体を生成できるかどうかを確認したかっただけです。 HTML Web サイトはブログと互換性がありますか? それとも JavaScript を使用する必要がありますか?これがデモとして使用したコードです。...
    プログラミング 2024 年 11 月 5 日に公開
  • プログラマーのように考える: Java の基礎を学ぶ
    プログラマーのように考える: Java の基礎を学ぶ
    この記事では、Java プログラミングの基本的な概念と構造を紹介します。変数とデータ型の紹介から始まり、演算子と式、および制御フロー プロセスについて説明します。次に、メソッドとクラスについて説明し、次に入出力操作を紹介します。最後に、この記事では、給与計算の実際の例を通じて、これらの概念の適用を示...
    プログラミング 2024 年 11 月 5 日に公開
  • PHP GD は 2 つの画像の類似性を比較できますか?
    PHP GD は 2 つの画像の類似性を比較できますか?
    PHP GD は 2 つの画像の類似性を判断できますか?検討中の質問は、次の方法を使用して 2 つの画像が同一であるかどうかを確認できるかどうかを尋ねます。 PHP GD の違いを比較します。これには、2 つの画像の差を取得し、画像全体が白 (または均一な色) で構成されているかどうかを判断する必要...
    プログラミング 2024 年 11 月 5 日に公開
  • これらのキーを使用して上級レベルのテストを作成します (JavaScript でのテスト要求)
    これらのキーを使用して上級レベルのテストを作成します (JavaScript でのテスト要求)
    この記事では、すべての上級開発者が知っておくべき 12 のテストのベスト プラクティスを学びます。 Kent Beck の記事「Test Desiderata」は Ruby で書かれているため、実際の JavaScript の例が表示されます。 これらのプロパティは、より良いテストを作成できるように...
    プログラミング 2024 年 11 月 5 日に公開
  • matlab/octave アルゴリズムを C に移植することによる AEC への最適なソリューション
    matlab/octave アルゴリズムを C に移植することによる AEC への最適なソリューション
    終わり!自分自身に少し感動しました。 当社の製品にはエコーキャンセル機能が必要であり、考えられる技術的解決策が 3 つ特定されました。 1) MCU を使用してオーディオ信号のオーディオ出力とオーディオ入力を検出し、オプションの 2 つのチャネル切り替えの間のオーディオ出力とオーディオ入力の強度に応...
    プログラミング 2024 年 11 月 5 日に公開
  • Web ページを段階的に構築する: HTML の構造と要素を調べる
    Web ページを段階的に構築する: HTML の構造と要素を調べる
    ?今日は、私のソフトウェア開発の旅において重要なステップとなります。 ?私は最初のコード行を書き、HTML の本質を掘り下げました。対象となる要素とタグ。昨日は、Web サイトを構造化するためのボックス化テクニックを検討しました。そして今日は、ヘッダー、フッター、コンテンツ領域などのセクションを作成...
    プログラミング 2024 年 11 月 5 日に公開
  • プロジェクトのアイデアはユニークである必要はありません: その理由は次のとおりです
    プロジェクトのアイデアはユニークである必要はありません: その理由は次のとおりです
    イノベーションの世界では、プロジェクトのアイデアが価値があるためには革新的であるか、完全にユニークである必要があるという誤解がよくあります。しかし、それは真実とは程遠いです。私たちが今日使用している成功した製品の多くは、主要な機能セットを競合他社と共有しています。彼らを区別するのは必ずしもアイデアで...
    プログラミング 2024 年 11 月 5 日に公開
  • HackTheBox - ライトアップ編集部 [退職]
    HackTheBox - ライトアップ編集部 [退職]
    Neste writeup iremos explorar uma máquina easy linux chamada Editorial. Esta máquina explora as seguintes vulnerabilidades e técnicas de exploração: S...
    プログラミング 2024 年 11 月 5 日に公開
  • コーディング スキルをレベルアップするための強力な JavaScript テクニック
    コーディング スキルをレベルアップするための強力な JavaScript テクニック
    JavaScript is constantly evolving, and mastering the language is key to writing cleaner and more efficient code. ?✨ Whether you’re just getting starte...
    プログラミング 2024 年 11 月 5 日に公開
  • ReactJS で再利用可能な Button コンポーネントを作成する方法
    ReactJS で再利用可能な Button コンポーネントを作成する方法
    ボタンは、React アプリケーションの間違いなく重要な UI コンポーネントであり、ボタンはフォームの送信や新しいページを開くなどのシナリオで使用される可能性があります。 React.js で再利用可能なボタン コンポーネントを構築し、アプリケーションのさまざまなセクションで利用できます。その結果...
    プログラミング 2024 年 11 月 5 日に公開
  • Apache HttpClient 4 でプリエンプティブ Basic 認証を実現するにはどうすればよいですか?
    Apache HttpClient 4 でプリエンプティブ Basic 認証を実現するにはどうすればよいですか?
    Apache HttpClient 4 によるプリエンプティブ基本認証の簡素化Apache HttpClient 4 は以前のバージョンのプリエンプティブ認証方式を置き換えましたが、代替手段を提供します。同じ機能を実現するため。プリエンプティブ基本認証への直接的なアプローチを求める開発者のために、こ...
    プログラミング 2024 年 11 月 5 日に公開
  • 例外処理
    例外処理
    例外は実行時に発生するエラーです。 Java の例外処理サブシステムを使用すると、構造化され制御された方法でエラーを処理できます。 Java は、例外処理に対する使いやすく柔軟なサポートを提供します。 主な利点は、以前は手動で行う必要があったエラー処理コードが自動化されたことです。 古い言語では、...
    プログラミング 2024 年 11 月 5 日に公開
  • 「dangerouslySetInnerHTML」を使わずに React で生の HTML を安全にレンダリングする方法は?
    「dangerouslySetInnerHTML」を使わずに React で生の HTML を安全にレンダリングする方法は?
    より安全な方法を使用して React で生の HTML をレンダリングするReact では、危険な SetInnerHTML の使用を回避し、より安全な方法を使用して生の HTML をレンダリングできるようになりました。 。ここには 4 つのオプションがあります:1. Unicode エンコーディン...
    プログラミング 2024 年 11 月 5 日に公開
  • PHPは死んだのか?いいえ、繁盛しています
    PHPは死んだのか?いいえ、繁盛しています
    PHP は常に批判されながらも繁栄し続けているプログラミング言語です。 使用率: W3Techs によると、2024 年 8 月の時点で、世界中の Web サイトの 75.9% が依然として PHP を使用しており、Web サイトの 43% は WordPress で構築されています。開発言語として...
    プログラミング 2024 年 11 月 5 日に公開
  • PgQueuer: PostgreSQL を強力なジョブ キューに変換する
    PgQueuer: PostgreSQL を強力なジョブ キューに変換する
    PgQueuer の紹介: PostgreSQL を使用した効率的なジョブ キューイング Dev.コミュニティへようこそ! 開発者が PostgreSQL データベースを操作する際のジョブ キューの処理方法を大幅に合理化できると信じているプロジェクトを共有できることを嬉しく思います...
    プログラミング 2024 年 11 月 5 日に公開

免責事項: 提供されるすべてのリソースの一部はインターネットからのものです。お客様の著作権またはその他の権利および利益の侵害がある場合は、詳細な理由を説明し、著作権または権利および利益の証拠を提出して、電子メール [email protected] に送信してください。 できるだけ早く対応させていただきます。

Copyright© 2022 湘ICP备2022001581号-3