UnhandledPromiseRejectionWarning: Ошибка: сценарий не удалось выполнить - сценарий выполнения электронного

Я пытаюсь использовать JavaScript в электронном виде

function createTestGmail(username, password){
    username = '12344444444444444444444444asdasd44444444'
    testGmail = new BrowserWindow({
        width: 500, 
        height:300, 
        backgroundColor:'#ccc', 
        title:'Kiểm tra Gmail',
        webPreferences: {
            nodeIntegration: true,
            nativeWindowOpen: true,
        }
    });
    testGmail.loadURL('https://example.com');
    testGmail.webContents.openDevTools();
    testGmail.webContents.executeJavaScript(`
        console.log(`+username+`)    
    `)

    testGmail.on('closed',()=>{
        testGmail = null;
    })
}

если имя пользователя - это число, оно работает правильно, если имя пользователя - строка, как показано ниже, отображается код ошибки

(node:3752) UnhandledPromiseRejectionWarning: Error: Script failed to execute, this normally means an error was thrown. Check the renderer console for the error.
    at WebFrame.<computed> (C:\Users\Vy\Desktop\toolyoutube\node_modules\electron\dist\resources\electron.asar\renderer\api\web-frame.js:64:33)
    at WebFrame.executeJavaScript (C:\Users\Vy\Desktop\toolyoutube\node_modules\electron\dist\resources\electron.asar\common\api\deprecate.js:114:32)
    at C:\Users\Vy\Desktop\toolyoutube\node_modules\electron\dist\resources\electron.asar\renderer\web-frame-init.js:11:43
    at C:\Users\Vy\Desktop\toolyoutube\node_modules\electron\dist\resources\electron.asar\renderer\ipc-renderer-internal-utils.js:7:40
    at new Promise (<anonymous>)
    at EventEmitter.<anonymous> (C:\Users\Vy\Desktop\toolyoutube\node_modules\electron\dist\resources\electron.asar\renderer\ipc-renderer-internal-utils.js:7:9)
    at EventEmitter.emit (events.js:200:13)
    at Object.onMessage (C:\Users\Vy\Desktop\toolyoutube\node_modules\electron\dist\resources\electron.asar\renderer\init.js:42:16)
(node:3752) UnhandledPromiseRejectionWarning: Unhandled promise rejection. This error originated either by throwing inside of an async function without a catch block, or by rejecting a promise which was not handled with .catch(). (rejection id: 1)
(node:3752) UnhandledPromiseRejectionWarning: Unhandled promise rejection. This error originated either by throwing inside of an async function without a catch block, or by rejecting a promise which was not handled with .catch(). (rejection id: 1)
(node:3752) [DEP0018] DeprecationWarning: Unhandled promise rejections are deprecated. In the future, promise rejections that are not handled will terminate the Node.js process with a non-zero exit code.
(node:3752) [DEP0018] DeprecationWarning: Unhandled promise rejections are deprecated. In the future, promise rejections that are not handled will terminate the Node.js process with a non-zero exit code.

У меня есть попытка с тегом, и у него такая же проблема

3 ответа

Иногда вы будете путаться с одинарными кавычками и кавычками. Я сделал служебную функцию для входа везде.

function logEverywhere(mainWindow, message) {
  if (mainWindow && mainWindow.webContents) {
    mainWindow.webContents.executeJavaScript(`console.log(\`${message}\`)`);
  }
}

Я видел, как @Bravo ответил на ваш вопрос в комментарии, но чтобы улучшить его, поскольку вы используете строку шаблона, вы можете просто:

testGmail.webContents.executeJavaScript(`console.log('${username}')`) 

Это чище (так как это основная цель строки шаблона, а не только возможность иметь многострочный текст), и вы избегаете объединения строк с помощью оператора "+".

Я проходил курс UDEMY под названием Master Electron: Desktop Apps with HTML, JavaScript & CSS, автор Рэй Вилджоэн.

А в Уроке 3.17. Сессия: DownloadItem, я получил ту же ошибку:

      (node:9552) UnhandledPromiseRejectionWarning: Error: Script failed to execute, this normally means an error was thrown. Check the renderer console for the error.
    at WebFrame.e.startsWith.e.startsWith.WebFrame.<computed> [as _executeJavaScript] (electron/js2c/renderer_init.js:87:1542)
    at electron/js2c/renderer_init.js:139:429
    at electron/js2c/renderer_init.js:123:361
    at EventEmitter.<anonymous> (electron/js2c/renderer_init.js:127:872)
    at EventEmitter.emit (events.js:223:5)
    at Object.onMessage (electron/js2c/renderer_init.js:115:818)
(node:9552) UnhandledPromiseRejectionWarning: Unhandled promise rejection. This error originated either by throwing inside of an async function without a catch block, or by rejecting a promise which was not handled with .catch(). (rejection id: 1)
(node:9552) [DEP0018] DeprecationWarning: Unhandled promise rejections are deprecated. In the future, promise rejections that are not handled will terminate the Node.js process with a non-zero exit code.

В моем случае я отследил ошибку/проблему до некоторого кода, который делился на ноль в обработчике событий для. Рассматриваемый фрагмент кода:

        ses.on('will-download', (e, downloadItem, webContents) => {

    let fileName = downloadItem.getFilename()
    let fileSize = downloadItem.getTotalBytes() // this was zero (which caused the bug)
    downloadItem.on('updated', (e, state) => {
      let received = downloadItem.getReceivedBytes()
      if (state === 'progressing' && received) {
// THE NEXT LINE CAUSED the divide by zero exception because fileSize was zero.
          let progress = Math.round((received/fileSize)*100)
          webContents.executeJavaScript(`window.progress.value = ${progress}`)
      }
    })
  })

Итак, мой вывод заключается в том, что стек Electron не помог мне определить, где ошибка, но это была обычная ошибка кодирования. Отсутствие исключения, которое включало номер строки моего кода, делало его особенно трудным для отладки/изолирования.

Основная проблема была вызвана тем, что URL-адрес, который использовался, когда курс был написан, больше не работает. С сайта: https://file-examples.com/.

Другие вопросы по тегам