web-dev-qa-db-ja.com

Google SheetsAPIを使用してGoogleSheetsセルに画像を挿入します

Google Apps Scriptでは、insertImage関数を使用してGoogleスプレッドシートに画像を挿入できます( https://developers.google.com/apps-script/reference/spreadsheet/sheet#insertimageblob-column-行 )。

しかし、私はappscriptを使用していません。 Google Sheets API( https://developers.google.com/sheets/api/reference/rest/v4/spreadsheets )を使用していますが、その方法が見つからないようです。この。可能な実装はありますか?

8
dedles

V4 APIには、Apps Scriptのように画像ブロブを挿入する機能はありません(画像はシート上のオーバーレイであり、セルに関連付けられていません)。 = IMAGE関数を使用してこれを回避できる場合があります。機能のギャップを認識しており、画像BLOBのサポートを追加することを検討しています。

7
Sam Berlin

次のようなスクリプトで数式を設定します。

function showImage() {
 var ss=SpreadsheetApp.getActiveSpreadsheet() 
 var formulaSheet = ss.getSheetByName("Sheet1");
 var formulaCell = formulaSheet.getRange("B5");
 formulaCell.setFormula('=IMAGE("http://finviz.com/fut_chart.ashx?t=ES&p&p=m5&s=m",4,100,200)')
}
2
Ed Nelson

暫定的に、このGoogle Apps Script Webアプリがそれを行います(プライバシーとセキュリティのために、これを使用するのではなく、独自にホストすることをお勧めします)。

これは、JSONまたはapplication/x-www-form-urlencodedのいずれかで機能し、渡されるURLがリンクであるか、 https://www.base64-imageから取得できるような実際のbase64エンコード画像のURL)であるかを示します。 de /

function doGet(e) {
  return ContentService.createTextOutput("Authorization: Bearer " + ScriptApp.getOAuthToken())
}

//
// Example curl command to insert an image:
// 
// curl -L -d '{ "spreadsheetid": "1xNDWJXOekpBBV2hPseQwCRR8Qs4LcLOcSLDadVqDA0E","sheetname": "Sheet1", "imageurl": "https://www.google.com/images/srpr/logo3w.png", "column": 1, "row": 1 }' \
// -H "Authorization: Bearer <INSERT TOKEN RETURNED FROM GET HERE>" \
// -H 'Content-Type: application/json' \
// https://script.google.com/a/tillerhq.com/macros/s/AKfycbzjFgIrgCfZTvOHImuX54G90VuAgmyfz2cmaKjrsNFrTzcLpNk0/exec
//

var REQUIRED_PARAMS = [
  'spreadsheetid', // example: "1xNDWJXOekpBBV2hPseQwCRR8Qs4LcLOcSLDadVqDA0E"
  'sheetname',     // Case-sensitive; example: "Sheet1"
  'imageurl',      // Can be an url such as "https://www.google.com/images/srpr/logo3w.png"
                   // or alternately "data:image/png;base64,iVBOR...<snip>...gg=="
  'column', // 1-based (i.e. top left corner is column 1)
  'row'     // 1-based (i.e. top left corner is row 1)
];

function doPost(e) {

  var result = {
    status: "ok",
    defaultMessage: "Image inserted."
  }

  try {
    var params = (e.postData && e.postData.type == "application/x-www-form-urlencoded") ? e.parameter
    : (e.postData && e.postData.type == "application/json") ? JSON.parse(e.postData.contents)
    : undefined;


    if (!params) throw new Error('Unsupported content-type, must be either application/x-www-form-urlencoded or application/json.');

    REQUIRED_PARAMS.forEach(function(requiredParam) {
      if (!params[requiredParam]) throw new Error('Missing required parameter ' + requiredParam);
    });

    SpreadsheetApp.openById(params.spreadsheetid).getSheetByName(params.sheetname).insertImage(params.imageurl, params.column, params.row);  

  } catch(e) {

    console.error(e); 

    result.status = "error";
    result.error = e;
    result.defaultMessage = e.message;

  }  

  return ContentService.createTextOutput(JSON.stringify(result))
    .setMimeType(ContentService.MimeType.JSON)  
}

私が理解しなかった2つの不可解なこと:

WebアプリのURLにアクセスしてアクセス許可を受け入れた後、Postman内(おそらくCookieで認証されている)からずっとうまく機能しました。残念ながら、手動で追加するまで、Oauth ScriptApp.getOAuthToken()で返されたトークンを使用してcurlから機能させることができませんでした https://www.googleapis.com/auth/drive マニフェスト内-これはまだ私にとっては少し頭を悩ませています。

結果のマニフェストは次のとおりです。

{
  "timeZone": "America/Los_Angeles",
  "dependencies": {
  },
  "webapp": {
    "access": "ANYONE",
    "executeAs": "USER_ACCESSING"
  },
  "exceptionLogging": "STACKDRIVER",
  "oauthScopes": ["https://www.googleapis.com/auth/spreadsheets", "https://www.googleapis.com/auth/drive"]
}

また、Blobに変換してinsertImage()に渡すこともできませんでしたが、insertImageのURLフレーバーはBase 64でエンコードされた完全な画像URLでうまく機能するため、少し面倒ですが、これはSheetsAPIが機能を取得します。

スクリプト(ソース)自体は、ここで世界と読み取り専用で共有されます。

https://script.google.com/d/1JvFwemL45x3orxFiJf_Gye-JWXaFlzA_MysJsQx06LsH8M2psa9i1H99/edit?usp=sharing

また、ここでも公開されています。独自にデプロイせずにテストしたい場合は、次のようにしてください。

https://script.google.com/a/tillerhq.com/macros/s/AKfycbzjFgIrgCfZTvOHImuX54G90VuAgmyfz2cmaKjrsNFrTzcLpNk0/exec

  • ティム
1
Timothy Johns