Google Workspace 문서의 대화상자 및 사이드바

Google Docs, Sheets 또는 Forms에 바인딩된 스크립트는 사전 빌드된 알림 및 메시지와 맞춤 HTML 서비스 페이지가 포함된 대화상자 및 사이드바 등 여러 유형의 사용자 인터페이스 요소를 표시할 수 있습니다. 일반적으로 이러한 요소는 메뉴 항목에서 열립니다. Google Forms에서는 사용자 인터페이스 요소가 양식을 수정하기 위해 여는 편집자에게만 표시되고 양식을 열어 응답하는 사용자에게는 표시되지 않습니다.

알림 대화상자

알림은 Google Docs, Sheets, Slides 또는 Forms 편집기 내에서 열리는 사전 빌드된 대화상자입니다. 메시지와 '확인' 버튼을 표시합니다. 제목과 대체 버튼은 선택사항입니다. 이는 웹브라우저 내 클라이언트 측 JavaScript에서 window.alert()를 호출하는 것과 유사합니다.

알림은 대화상자가 열려 있는 동안 서버 측 스크립트를 일시중지합니다. 사용자가 대화상자를 닫은 후 스크립트가 다시 시작되지만 JDBC 연결은 정지 중에 유지되지 않습니다.

다음 예에서 볼 수 있듯이 Google Docs, Forms, Slides, Sheets는 모두 3가지 변형으로 제공되는 Ui.alert() 메서드를 사용합니다. 기본 '확인' 버튼을 재정의하려면 Ui.ButtonSet enum의 값을 buttons 인수로 전달합니다. 사용자가 클릭한 버튼을 평가하려면 alert()의 반환 값을 Ui.Button enum과 비교합니다.

function onOpen() {
  SpreadsheetApp.getUi() // Or DocumentApp or SlidesApp or FormApp.
    .createMenu("Custom Menu")
    .addItem("Show alert", "showAlert")
    .addToUi();
}

function showAlert() {
  var ui = SpreadsheetApp.getUi(); // Same variations.

  var result = ui.alert(
    "Please confirm",
    "Are you sure you want to continue?",
    ui.ButtonSet.YES_NO,
  );

  // Process the user's response.
  if (result == ui.Button.YES) {
    // User clicked "Yes".
    ui.alert("Confirmation received.");
  } else {
    // User clicked "No" or X in the title bar.
    ui.alert("Permission denied.");
  }
}

프롬프트 대화상자

프롬프트는 Google Docs, Sheets, Slides 또는 Forms 편집기 내에서 열리는 사전 빌드된 대화상자입니다. 메시지, 텍스트 입력란, '확인' 버튼을 표시합니다. 제목과 대체 버튼은 선택사항입니다. 이는 웹브라우저 내 클라이언트 측 JavaScript에서 window.prompt()를 호출하는 것과 유사합니다.

대화상자가 열려 있는 동안 서버 측 스크립트를 일시중지하라는 메시지를 표시합니다. 사용자가 대화상자를 닫은 후 스크립트가 다시 시작되지만 JDBC 연결은 정지 중에 유지되지 않습니다.

다음 예와 같이 Google Docs, Forms, Slides, Sheets는 모두 Ui.prompt() 메서드를 사용하며, 이 메서드는 세 가지 변형으로 제공됩니다. 기본 '확인' 버튼을 재정의하려면 Ui.ButtonSet enum의 값을 buttons 인수로 전달합니다. 사용자의 응답을 평가하려면 prompt()의 반환 값을 캡처한 다음 PromptResponse.getResponseText()를 호출하여 사용자의 입력을 가져오고 PromptResponse.getSelectedButton()의 반환 값을 Ui.Button enum과 비교합니다.

function onOpen() {
  SpreadsheetApp.getUi() // Or DocumentApp or SlidesApp or FormApp.
    .createMenu("Custom Menu")
    .addItem("Show prompt", "showPrompt")
    .addToUi();
}

function showPrompt() {
  var ui = SpreadsheetApp.getUi(); // Same variations.

  var result = ui.prompt(
    "Let's get to know each other!",
    "Please enter your name:",
    ui.ButtonSet.OK_CANCEL,
  );

  // Process the user's response.
  var button = result.getSelectedButton();
  var text = result.getResponseText();
  if (button == ui.Button.OK) {
    // User clicked "OK".
    ui.alert("Your name is " + text + ".");
  } else if (button == ui.Button.CANCEL) {
    // User clicked "Cancel".
    ui.alert("I didn't get your name.");
  } else if (button == ui.Button.CLOSE) {
    // User clicked X in the title bar.
    ui.alert("You closed the dialog.");
  }
}

맞춤 대화상자

맞춤 대화상자는 Google Docs, Sheets, Slides 또는 Forms 편집기 내에 HTML 서비스 사용자 인터페이스를 표시할 수 있습니다.

커스텀 대화상자는 대화상자가 열려 있는 동안 서버 측 스크립트를 일시중지하지 않습니다. 클라이언트 측 구성요소는 HTML 서비스 인터페이스용 google.script API를 사용하여 서버 측 스크립트를 비동기식으로 호출할 수 있습니다.

대화상자는 HTML 서비스 인터페이스의 클라이언트 측에서 google.script.host.close()를 호출하여 자동으로 닫을 수 있습니다. 대화상자는 다른 인터페이스에서 닫을 수 없으며 사용자 또는 자체적으로만 닫을 수 있습니다.

다음 예에서 볼 수 있듯이 Google Docs, 양식, 슬라이드, Sheets는 모두 Ui.showModalDialog() 메서드를 사용하여 대화상자를 엽니다.

Code.gs

function onOpen() {
  SpreadsheetApp.getUi() // Or DocumentApp or SlidesApp or FormApp.
      .createMenu('Custom Menu')
      .addItem('Show dialog', 'showDialog')
      .addToUi();
}

function showDialog() {
  var html = HtmlService.createHtmlOutputFromFile('Page')
      .setWidth(400)
      .setHeight(300);
  SpreadsheetApp.getUi() // Or DocumentApp or SlidesApp or FormApp.
      .showModalDialog(html, 'My custom dialog');
}

Page.html

Hello, world! <input type="button" value="Close" onclick="google.script.host.close()" />

맞춤 사이드바

사이드바는 Google Docs, Forms, Slides, Sheets 편집기 내에 HTML 서비스 사용자 인터페이스를 표시할 수 있습니다.

대화상자가 열려 있는 동안 사이드바는 서버 측 스크립트를 정지하지 않습니다. 클라이언트 측 구성요소는 HTML 서비스 인터페이스용 google.script API를 사용하여 서버 측 스크립트를 비동기식으로 호출할 수 있습니다.

사이드바는 HTML 서비스 인터페이스의 클라이언트 측에서 google.script.host.close()를 호출하여 자체적으로 닫을 수 있습니다. 사이드바는 다른 인터페이스에서 닫을 수 없으며 사용자 또는 자체에서만 닫을 수 있습니다.

다음 예와 같이 Google Docs, Forms, 슬라이드, Sheets는 모두 Ui.showSidebar() 메서드를 사용하여 사이드바를 엽니다.

Code.gs

function onOpen() {
  SpreadsheetApp.getUi() // Or DocumentApp or SlidesApp or FormApp.
      .createMenu('Custom Menu')
      .addItem('Show sidebar', 'showSidebar')
      .addToUi();
}

function showSidebar() {
  var html = HtmlService.createHtmlOutputFromFile('Page')
      .setTitle('My custom sidebar');
  SpreadsheetApp.getUi() // Or DocumentApp or SlidesApp or FormApp.
      .showSidebar(html);
}

Page.html

Hello, world! <input type="button" value="Close" onclick="google.script.host.close()" />

파일 열기 대화상자

Google Picker는 사용자가 Google Drive 파일을 선택하거나 업로드할 수 있는 JavaScript API입니다. Google 선택 도구 라이브러리는 HTML 서비스에서 사용자가 기존 파일을 선택하거나 새 파일을 업로드할 수 있는 맞춤 대화상자를 만든 다음 선택한 항목을 스크립트에 다시 전달하여 나중에 사용할 수 있도록 할 수 있습니다.

요구사항

Apps Script에서 Google Picker를 사용하려면 몇 가지 요구사항이 있습니다.

다음 예는 Apps Script의 Google 선택 도구를 보여줍니다.

code.gs

picker/code.gs
/**
 * Creates a custom menu in Google Sheets when the spreadsheet opens.
 */
function onOpen() {
  SpreadsheetApp.getUi()
    .createMenu("Picker")
    .addItem("Start", "showPicker")
    .addToUi();
}

/**
 * Displays an HTML-service dialog in Google Sheets that contains client-side
 * JavaScript code for the Google Picker API.
 */
function showPicker() {
  const html = HtmlService.createHtmlOutputFromFile("dialog.html")
    .setWidth(800)
    .setHeight(600)
    .setSandboxMode(HtmlService.SandboxMode.IFRAME);
  SpreadsheetApp.getUi().showModalDialog(html, "Select a file");
}
/**
 * Checks that the file can be accessed.
 */
function getFile(fileId) {
  return Drive.Files.get(fileId, { fields: "*" });
}

/**
 * Gets the user's OAuth 2.0 access token so that it can be passed to Picker.
 * This technique keeps Picker from needing to show its own authorization
 * dialog, but is only possible if the OAuth scope that Picker needs is
 * available in Apps Script. In this case, the function includes an unused call
 * to a DriveApp method to ensure that Apps Script requests access to all files
 * in the user's Drive.
 *
 * @return {string} The user's OAuth 2.0 access token.
 */
function getOAuthToken() {
  return ScriptApp.getOAuthToken();
}

dialog.html

picker/dialog.html
<!DOCTYPE html>
<html>
  <head>
    <link
      rel="stylesheet"
      href="https://ssl.gstatic.com/docs/script/css/add-ons.css"
    />
    <style>
      #result {
        display: flex;
        flex-direction: column;
        gap: 0.25em;
      }

      pre {
        font-size: x-small;
        max-height: 25vh;
        overflow-y: scroll;
        background: #eeeeee;
        padding: 1em;
        border: 1px solid #cccccc;
      }
    </style>
    <script>
      // TODO: Replace the value for DEVELOPER_KEY with the API key obtained
      // from the Google Developers Console.
      const DEVELOPER_KEY = "AIza...";
      // TODO: Replace the value for CLOUD_PROJECT_NUMBER with the project
      // number obtained from the Google Developers Console.
      const CLOUD_PROJECT_NUMBER = "1234567890";

      let pickerApiLoaded = false;
      let oauthToken;

      /**
       * Loads the Google Picker API.
       */
      function onApiLoad() {
        gapi.load("picker", {
          callback: function () {
            pickerApiLoaded = true;
          },
        });
      }

      /**
       * Gets the user's OAuth 2.0 access token from the server-side script so that
       * it can be passed to Picker. This technique keeps Picker from needing to
       * show its own authorization dialog, but is only possible if the OAuth scope
       * that Picker needs is available in Apps Script. Otherwise, your Picker code
       * will need to declare its own OAuth scopes.
       */
      function getOAuthToken() {
        google.script.run
          .withSuccessHandler((token) => {
            oauthToken = token;
            createPicker(token);
          })
          .withFailureHandler(showError)
          .getOAuthToken();
      }

      /**
       * Creates a Picker that can access the user's spreadsheets. This function
       * uses advanced options to hide the Picker's left navigation panel and
       * default title bar.
       *
       * @param {string} token An OAuth 2.0 access token that lets Picker access the
       *     file type specified in the addView call.
       */
      function createPicker(token) {
        document.getElementById("result").innerHTML = "";

        if (pickerApiLoaded && token) {
          const picker = new google.picker.PickerBuilder()
            // Instruct Picker to display only spreadsheets in Drive. For other
            // views, see https://developers.google.com/picker/reference/picker.viewid
            .addView(
              new google.picker.DocsView(
                google.picker.ViewId.SPREADSHEETS
              ).setOwnedByMe(true)
            )
            // Hide the navigation panel so that Picker fills more of the dialog.
            .enableFeature(google.picker.Feature.NAV_HIDDEN)
            // Hide the title bar since an Apps Script dialog already has a title.
            .hideTitleBar()
            .setOAuthToken(token)
            .setDeveloperKey(DEVELOPER_KEY)
            .setAppId(CLOUD_PROJECT_NUMBER)
            .setCallback(pickerCallback)
            .setOrigin(google.script.host.origin)
            .build();
          picker.setVisible(true);
        } else {
          showError("Unable to load the file picker.");
        }
      }

      /**
       * A callback function that extracts the chosen document's metadata from the
       * response object. For details on the response object, see
       * https://developers.google.com/picker/reference/picker.responseobject
       *
       * @param {object} data The response object.
       */
      function pickerCallback(data) {
        const action = data[google.picker.Response.ACTION];
        if (action == google.picker.Action.PICKED) {
          handlePicked(data);
        } else if (action == google.picker.Action.CANCEL) {
          document.getElementById("result").innerHTML = "Picker canceled.";
        }
      }

      /**
       * Handles `"PICKED"` responsed from the Google Picker.
       *
       * @param {object} data The response object.
       */
      function handlePicked(data) {
        const doc = data[google.picker.Response.DOCUMENTS][0];
        const id = doc[google.picker.Document.ID];

        google.script.run
          .withSuccessHandler((driveFilesGetResponse) => {
            // Render the response from Picker and the Drive.Files.Get API.
            const resultElement = document.getElementById("result");
            resultElement.innerHTML = "";

            for (const response of [
              {
                title: "Picker response",
                content: JSON.stringify(data, null, 2),
              },
              {
                title: "Drive.Files.Get response",
                content: JSON.stringify(driveFilesGetResponse, null, 2),
              },
            ]) {
              const titleElement = document.createElement("h3");
              titleElement.appendChild(document.createTextNode(response.title));
              resultElement.appendChild(titleElement);

              const contentElement = document.createElement("pre");
              contentElement.appendChild(
                document.createTextNode(response.content)
              );
              resultElement.appendChild(contentElement);
            }
          })
          .withFailureHandler(showError)
          .getFile(data[google.picker.Response.DOCUMENTS][0].id);
      }

      /**
       * Displays an error message within the #result element.
       *
       * @param {string} message The error message to display.
       */
      function showError(message) {
        document.getElementById("result").innerHTML = "Error: " + message;
      }
    </script>
  </head>

  <body>
    <div>
      <button onclick="getOAuthToken()">Select a file</button>
      <div id="result"></div>
    </div>
    <script src="https://apis.google.com/js/api.js?onload=onApiLoad"></script>
  </body>
</html>

appsscript.json

picker/appsscript.json
{
    "timeZone": "America/Los_Angeles",
    "exceptionLogging": "STACKDRIVER",
    "runtimeVersion": "V8",
    "oauthScopes": [
      "https://www.googleapis.com/auth/script.container.ui",
      "https://www.googleapis.com/auth/drive.file"
    ],
    "dependencies": {
      "enabledAdvancedServices": [
        {
          "userSymbol": "Drive",
          "version": "v3",
          "serviceId": "drive"
        }
      ]
    }
  }