Skip to content

Latest commit

 

History

History
80 lines (67 loc) · 2.5 KB

snippets.md

File metadata and controls

80 lines (67 loc) · 2.5 KB

Code Snippets

This document contains code snippets that solve frequently asked questions.

"Sign into Dropbox" Button

Some applications wish to start the Dropbox authorization flow when the user clicks on a "Sign into Dropbox" button. If the user has already authorized the application, the button should not be shown. The code below accomplishes this task, assuming that the signin button is initially hidden.

// Try to use cached credentials.
client.authenticate({interactive: false}, function(error, client) {
  if (error) {
    return handleError(error);
  }
  if (client.isAuthenticated()) {
    // Cached credentials are available, make Dropbox API calls.
    doSomethingCool();
  } else {
    // show and set up the "Sign into Dropbox" button
    var button = document.querySelector("#signin-button");
    button.setAttribute("class", "visible");
    button.addEventListener("click", function() {
      // The user will have to click an 'Authorize' button.
      client.authenticate(function(error, client) {
        if (error) {
          return handleError(error);
        }
        doSomethingCool();
      });
    });
  }
});

Binary File Reads

By default, readFile assumes that the Dropbox file contents is a UTF-8 encoded string. This works for text files, but is unsuitable for images and other binary files. When reading binary files, one of the following readFile options should be used: arrayBuffer, blob (only works in browsers), buffer (node.js only).

client.readFile("an_image.png", arrayBuffer: true, function(error, data) {
  if (error) {
    return handleError(error);
  }
  // data is an ArrayBuffer instance holding the image.
});

Binary File Writes in node.js

When the data argument to writeFile is a JavaScript string, writeFile uses the UTF-8 encoding to send the contents to the Dropbox. This works for text files, but is unsuitable for images and other binary files. Buffer and ArrayBuffer instances are transmitted without any string encoding, and are suitable for binary files.

fs.readFile("some_image.png", function(error, data) {
  // No encoding passed, readFile produces a Buffer instance
  if (error) {
    return handleNodeError(error);
  }
  client.writeFile("the_image.png", data, function(error, stat) {
    if (error) {
      return handleError(error);
    }
    // The image has been succesfully written.
  });
});