code
stringlengths
73
34.1k
label
stringclasses
1 value
public BoxLock lock(Date expiresAt, boolean isDownloadPrevented) { String queryString = new QueryStringBuilder().appendParam("fields", "lock").toString(); URL url = FILE_URL_TEMPLATE.buildWithQuery(this.getAPI().getBaseURL(), queryString, this.getID()); BoxAPIRequest request = new BoxAPIRequest(this.getAPI(), url, "PUT"); JsonObject lockConfig = new JsonObject(); lockConfig.add("type", "lock"); if (expiresAt != null) { lockConfig.add("expires_at", BoxDateFormat.format(expiresAt)); } lockConfig.add("is_download_prevented", isDownloadPrevented); JsonObject requestJSON = new JsonObject(); requestJSON.add("lock", lockConfig); request.setBody(requestJSON.toString()); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject responseJSON = JsonObject.readFrom(response.getJSON()); JsonValue lockValue = responseJSON.get("lock"); JsonObject lockJSON = JsonObject.readFrom(lockValue.toString()); return new BoxLock(lockJSON, this.getAPI()); }
java
public void unlock() { String queryString = new QueryStringBuilder().appendParam("fields", "lock").toString(); URL url = FILE_URL_TEMPLATE.buildWithQuery(this.getAPI().getBaseURL(), queryString, this.getID()); BoxAPIRequest request = new BoxAPIRequest(this.getAPI(), url, "PUT"); JsonObject lockObject = new JsonObject(); lockObject.add("lock", JsonObject.NULL); request.setBody(lockObject.toString()); request.send(); }
java
public Metadata updateMetadata(Metadata metadata) { String scope; if (metadata.getScope().equals(Metadata.GLOBAL_METADATA_SCOPE)) { scope = Metadata.GLOBAL_METADATA_SCOPE; } else { scope = Metadata.ENTERPRISE_METADATA_SCOPE; } URL url = METADATA_URL_TEMPLATE.build(this.getAPI().getBaseURL(), this.getID(), scope, metadata.getTemplateName()); BoxAPIRequest request = new BoxAPIRequest(this.getAPI(), url, "PUT"); request.addHeader("Content-Type", "application/json-patch+json"); request.setBody(metadata.getPatch()); BoxJSONResponse response = (BoxJSONResponse) request.send(); return new Metadata(JsonObject.readFrom(response.getJSON())); }
java
public BoxFileUploadSession.Info createUploadSession(long fileSize) { URL url = UPLOAD_SESSION_URL_TEMPLATE.build(this.getAPI().getBaseUploadURL(), this.getID()); BoxJSONRequest request = new BoxJSONRequest(this.getAPI(), url, "POST"); request.addHeader("Content-Type", "application/json"); JsonObject body = new JsonObject(); body.add("file_size", fileSize); request.setBody(body.toString()); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject jsonObject = JsonObject.readFrom(response.getJSON()); String sessionId = jsonObject.get("id").asString(); BoxFileUploadSession session = new BoxFileUploadSession(this.getAPI(), sessionId); return session.new Info(jsonObject); }
java
public static EventLog getEnterpriseEvents(BoxAPIConnection api, Date after, Date before, BoxEvent.Type... types) { return getEnterpriseEvents(api, null, after, before, ENTERPRISE_LIMIT, types); }
java
public BoxStoragePolicy.Info getInfo(String... fields) { QueryStringBuilder builder = new QueryStringBuilder(); if (fields.length > 0) { builder.appendParam("fields", fields); } URL url = STORAGE_POLICY_WITH_ID_URL_TEMPLATE.buildWithQuery(this.getAPI().getBaseURL(), builder.toString(), this.getID()); BoxAPIRequest request = new BoxAPIRequest(this.getAPI(), url, "GET"); BoxJSONResponse response = (BoxJSONResponse) request.send(); return new Info(response.getJSON()); }
java
public BoxFile.Info upload(BoxAPIConnection boxApi, String folderId, InputStream stream, URL url, String fileName, long fileSize) throws InterruptedException, IOException { //Create a upload session BoxFileUploadSession.Info session = this.createUploadSession(boxApi, folderId, url, fileName, fileSize); return this.uploadHelper(session, stream, fileSize); }
java
public String generateDigest(InputStream stream) { MessageDigest digest = null; try { digest = MessageDigest.getInstance(DIGEST_ALGORITHM_SHA1); } catch (NoSuchAlgorithmException ae) { throw new BoxAPIException("Digest algorithm not found", ae); } //Calcuate the digest using the stream. DigestInputStream dis = new DigestInputStream(stream, digest); try { int value = dis.read(); while (value != -1) { value = dis.read(); } } catch (IOException ioe) { throw new BoxAPIException("Reading the stream failed.", ioe); } //Get the calculated digest for the stream byte[] digestBytes = digest.digest(); return Base64.encode(digestBytes); }
java
public void setPermissions(Permissions permissions) { if (this.permissions == permissions) { return; } this.removeChildObject("permissions"); this.permissions = permissions; this.addChildObject("permissions", permissions); }
java
public void deleteFolder(String folderID) { URL url = FOLDER_INFO_URL_TEMPLATE.build(this.api.getBaseURL(), folderID); BoxAPIRequest request = new BoxAPIRequest(this.api, url, "DELETE"); BoxAPIResponse response = request.send(); response.disconnect(); }
java
public BoxFolder.Info getFolderInfo(String folderID) { URL url = FOLDER_INFO_URL_TEMPLATE.build(this.api.getBaseURL(), folderID); BoxAPIRequest request = new BoxAPIRequest(this.api, url, "GET"); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject jsonObject = JsonObject.readFrom(response.getJSON()); BoxFolder folder = new BoxFolder(this.api, jsonObject.get("id").asString()); return folder.new Info(response.getJSON()); }
java
public BoxFolder.Info getFolderInfo(String folderID, String... fields) { String queryString = new QueryStringBuilder().appendParam("fields", fields).toString(); URL url = FOLDER_INFO_URL_TEMPLATE.buildWithQuery(this.api.getBaseURL(), queryString, folderID); BoxAPIRequest request = new BoxAPIRequest(this.api, url, "GET"); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject jsonObject = JsonObject.readFrom(response.getJSON()); BoxFolder folder = new BoxFolder(this.api, jsonObject.get("id").asString()); return folder.new Info(response.getJSON()); }
java
public BoxFolder.Info restoreFolder(String folderID) { URL url = RESTORE_FOLDER_URL_TEMPLATE.build(this.api.getBaseURL(), folderID); BoxAPIRequest request = new BoxAPIRequest(this.api, url, "POST"); JsonObject requestJSON = new JsonObject() .add("", ""); request.setBody(requestJSON.toString()); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject responseJSON = JsonObject.readFrom(response.getJSON()); BoxFolder restoredFolder = new BoxFolder(this.api, responseJSON.get("id").asString()); return restoredFolder.new Info(responseJSON); }
java
public BoxFolder.Info restoreFolder(String folderID, String newName, String newParentID) { JsonObject requestJSON = new JsonObject(); if (newName != null) { requestJSON.add("name", newName); } if (newParentID != null) { JsonObject parent = new JsonObject(); parent.add("id", newParentID); requestJSON.add("parent", parent); } URL url = RESTORE_FOLDER_URL_TEMPLATE.build(this.api.getBaseURL(), folderID); BoxJSONRequest request = new BoxJSONRequest(this.api, url, "POST"); request.setBody(requestJSON.toString()); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject responseJSON = JsonObject.readFrom(response.getJSON()); BoxFolder restoredFolder = new BoxFolder(this.api, responseJSON.get("id").asString()); return restoredFolder.new Info(responseJSON); }
java
public void deleteFile(String fileID) { URL url = FILE_INFO_URL_TEMPLATE.build(this.api.getBaseURL(), fileID); BoxAPIRequest request = new BoxAPIRequest(this.api, url, "DELETE"); BoxAPIResponse response = request.send(); response.disconnect(); }
java
public BoxFile.Info getFileInfo(String fileID) { URL url = FILE_INFO_URL_TEMPLATE.build(this.api.getBaseURL(), fileID); BoxAPIRequest request = new BoxAPIRequest(this.api, url, "GET"); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject jsonObject = JsonObject.readFrom(response.getJSON()); BoxFile file = new BoxFile(this.api, jsonObject.get("id").asString()); return file.new Info(response.getJSON()); }
java
public BoxFile.Info getFileInfo(String fileID, String... fields) { String queryString = new QueryStringBuilder().appendParam("fields", fields).toString(); URL url = FILE_INFO_URL_TEMPLATE.buildWithQuery(this.api.getBaseURL(), queryString, fileID); BoxAPIRequest request = new BoxAPIRequest(this.api, url, "GET"); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject jsonObject = JsonObject.readFrom(response.getJSON()); BoxFile file = new BoxFile(this.api, jsonObject.get("id").asString()); return file.new Info(response.getJSON()); }
java
public BoxFile.Info restoreFile(String fileID) { URL url = RESTORE_FILE_URL_TEMPLATE.build(this.api.getBaseURL(), fileID); BoxAPIRequest request = new BoxAPIRequest(this.api, url, "POST"); JsonObject requestJSON = new JsonObject() .add("", ""); request.setBody(requestJSON.toString()); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject responseJSON = JsonObject.readFrom(response.getJSON()); BoxFile restoredFile = new BoxFile(this.api, responseJSON.get("id").asString()); return restoredFile.new Info(responseJSON); }
java
public BoxFile.Info restoreFile(String fileID, String newName, String newParentID) { JsonObject requestJSON = new JsonObject(); if (newName != null) { requestJSON.add("name", newName); } if (newParentID != null) { JsonObject parent = new JsonObject(); parent.add("id", newParentID); requestJSON.add("parent", parent); } URL url = RESTORE_FILE_URL_TEMPLATE.build(this.api.getBaseURL(), fileID); BoxJSONRequest request = new BoxJSONRequest(this.api, url, "POST"); request.setBody(requestJSON.toString()); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject responseJSON = JsonObject.readFrom(response.getJSON()); BoxFile restoredFile = new BoxFile(this.api, responseJSON.get("id").asString()); return restoredFile.new Info(responseJSON); }
java
public Iterator<BoxItem.Info> iterator() { URL url = GET_ITEMS_URL.build(this.api.getBaseURL()); return new BoxItemIterator(this.api, url); }
java
public static MetadataTemplate createMetadataTemplate(BoxAPIConnection api, String scope, String templateKey, String displayName, boolean hidden, List<Field> fields) { JsonObject jsonObject = new JsonObject(); jsonObject.add("scope", scope); jsonObject.add("displayName", displayName); jsonObject.add("hidden", hidden); if (templateKey != null) { jsonObject.add("templateKey", templateKey); } JsonArray fieldsArray = new JsonArray(); if (fields != null && !fields.isEmpty()) { for (Field field : fields) { JsonObject fieldObj = getFieldJsonObject(field); fieldsArray.add(fieldObj); } jsonObject.add("fields", fieldsArray); } URL url = METADATA_TEMPLATE_SCHEMA_URL_TEMPLATE.build(api.getBaseURL()); BoxJSONRequest request = new BoxJSONRequest(api, url, "POST"); request.setBody(jsonObject.toString()); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject responseJSON = JsonObject.readFrom(response.getJSON()); return new MetadataTemplate(responseJSON); }
java
private static JsonObject getFieldJsonObject(Field field) { JsonObject fieldObj = new JsonObject(); fieldObj.add("type", field.getType()); fieldObj.add("key", field.getKey()); fieldObj.add("displayName", field.getDisplayName()); String fieldDesc = field.getDescription(); if (fieldDesc != null) { fieldObj.add("description", field.getDescription()); } Boolean fieldIsHidden = field.getIsHidden(); if (fieldIsHidden != null) { fieldObj.add("hidden", field.getIsHidden()); } JsonArray array = new JsonArray(); List<String> options = field.getOptions(); if (options != null && !options.isEmpty()) { for (String option : options) { JsonObject optionObj = new JsonObject(); optionObj.add("key", option); array.add(optionObj); } fieldObj.add("options", array); } return fieldObj; }
java
public static MetadataTemplate updateMetadataTemplate(BoxAPIConnection api, String scope, String template, List<FieldOperation> fieldOperations) { JsonArray array = new JsonArray(); for (FieldOperation fieldOperation : fieldOperations) { JsonObject jsonObject = getFieldOperationJsonObject(fieldOperation); array.add(jsonObject); } QueryStringBuilder builder = new QueryStringBuilder(); URL url = METADATA_TEMPLATE_URL_TEMPLATE.build(api.getBaseURL(), scope, template); BoxJSONRequest request = new BoxJSONRequest(api, url, "PUT"); request.setBody(array.toString()); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject responseJson = JsonObject.readFrom(response.getJSON()); return new MetadataTemplate(responseJson); }
java
public static void deleteMetadataTemplate(BoxAPIConnection api, String scope, String template) { URL url = METADATA_TEMPLATE_URL_TEMPLATE.build(api.getBaseURL(), scope, template); BoxJSONRequest request = new BoxJSONRequest(api, url, "DELETE"); request.send(); }
java
private static JsonObject getFieldOperationJsonObject(FieldOperation fieldOperation) { JsonObject jsonObject = new JsonObject(); jsonObject.add("op", fieldOperation.getOp().toString()); String fieldKey = fieldOperation.getFieldKey(); if (fieldKey != null) { jsonObject.add("fieldKey", fieldKey); } Field field = fieldOperation.getData(); if (field != null) { JsonObject fieldObj = new JsonObject(); String type = field.getType(); if (type != null) { fieldObj.add("type", type); } String key = field.getKey(); if (key != null) { fieldObj.add("key", key); } String displayName = field.getDisplayName(); if (displayName != null) { fieldObj.add("displayName", displayName); } String description = field.getDescription(); if (description != null) { fieldObj.add("description", description); } Boolean hidden = field.getIsHidden(); if (hidden != null) { fieldObj.add("hidden", hidden); } List<String> options = field.getOptions(); if (options != null) { JsonArray array = new JsonArray(); for (String option: options) { JsonObject optionObj = new JsonObject(); optionObj.add("key", option); array.add(optionObj); } fieldObj.add("options", array); } jsonObject.add("data", fieldObj); } List<String> fieldKeys = fieldOperation.getFieldKeys(); if (fieldKeys != null) { jsonObject.add("fieldKeys", getJsonArray(fieldKeys)); } List<String> enumOptionKeys = fieldOperation.getEnumOptionKeys(); if (enumOptionKeys != null) { jsonObject.add("enumOptionKeys", getJsonArray(enumOptionKeys)); } String enumOptionKey = fieldOperation.getEnumOptionKey(); if (enumOptionKey != null) { jsonObject.add("enumOptionKey", enumOptionKey); } String multiSelectOptionKey = fieldOperation.getMultiSelectOptionKey(); if (multiSelectOptionKey != null) { jsonObject.add("multiSelectOptionKey", multiSelectOptionKey); } List<String> multiSelectOptionKeys = fieldOperation.getMultiSelectOptionKeys(); if (multiSelectOptionKeys != null) { jsonObject.add("multiSelectOptionKeys", getJsonArray(multiSelectOptionKeys)); } return jsonObject; }
java
private static JsonArray getJsonArray(List<String> keys) { JsonArray array = new JsonArray(); for (String key : keys) { array.add(key); } return array; }
java
public static MetadataTemplate getMetadataTemplateByID(BoxAPIConnection api, String templateID) { URL url = METADATA_TEMPLATE_BY_ID_URL_TEMPLATE.build(api.getBaseURL(), templateID); BoxAPIRequest request = new BoxAPIRequest(api, url, "GET"); BoxJSONResponse response = (BoxJSONResponse) request.send(); return new MetadataTemplate(response.getJSON()); }
java
public boolean clearParameters() { this.query = null; this.fields = null; this.scope = null; this.fileExtensions = null; this.createdRange = null; this.updatedRange = null; this.sizeRange = null; this.ownerUserIds = null; this.ancestorFolderIds = null; this.contentTypes = null; this.type = null; this.trashContent = null; this.metadataFilter = null; this.sort = null; this.direction = null; return true; }
java
private boolean isNullOrEmpty(Object paramValue) { boolean isNullOrEmpty = false; if (paramValue == null) { isNullOrEmpty = true; } if (paramValue instanceof String) { if (((String) paramValue).trim().equalsIgnoreCase("")) { isNullOrEmpty = true; } } else if (paramValue instanceof List) { return ((List) paramValue).isEmpty(); } return isNullOrEmpty; }
java
private JsonArray formatBoxMetadataFilterRequest() { JsonArray boxMetadataFilterRequestArray = new JsonArray(); JsonObject boxMetadataFilter = new JsonObject() .add("templateKey", this.metadataFilter.getTemplateKey()) .add("scope", this.metadataFilter.getScope()) .add("filters", this.metadataFilter.getFiltersList()); boxMetadataFilterRequestArray.add(boxMetadataFilter); return boxMetadataFilterRequestArray; }
java
private String listToCSV(List<String> list) { String csvStr = ""; for (String item : list) { csvStr += "," + item; } return csvStr.length() > 1 ? csvStr.substring(1) : csvStr; }
java
public QueryStringBuilder getQueryParameters() { QueryStringBuilder builder = new QueryStringBuilder(); if (this.isNullOrEmpty(this.query) && this.metadataFilter == null) { throw new BoxAPIException( "BoxSearchParameters requires either a search query or Metadata filter to be set." ); } //Set the query of the search if (!this.isNullOrEmpty(this.query)) { builder.appendParam("query", this.query); } //Set the scope of the search if (!this.isNullOrEmpty(this.scope)) { builder.appendParam("scope", this.scope); } //Acceptable Value: "jpg,png" if (!this.isNullOrEmpty(this.fileExtensions)) { builder.appendParam("file_extensions", this.listToCSV(this.fileExtensions)); } //Created Date Range: From Date - To Date if ((this.createdRange != null)) { builder.appendParam("created_at_range", this.createdRange.buildRangeString()); } //Updated Date Range: From Date - To Date if ((this.updatedRange != null)) { builder.appendParam("updated_at_range", this.updatedRange.buildRangeString()); } //Filesize Range if ((this.sizeRange != null)) { builder.appendParam("size_range", this.sizeRange.buildRangeString()); } //Owner Id's if (!this.isNullOrEmpty(this.ownerUserIds)) { builder.appendParam("owner_user_ids", this.listToCSV(this.ownerUserIds)); } //Ancestor ID's if (!this.isNullOrEmpty(this.ancestorFolderIds)) { builder.appendParam("ancestor_folder_ids", this.listToCSV(this.ancestorFolderIds)); } //Content Types: "name, description" if (!this.isNullOrEmpty(this.contentTypes)) { builder.appendParam("content_types", this.listToCSV(this.contentTypes)); } //Type of File: "file,folder,web_link" if (this.type != null) { builder.appendParam("type", this.type); } //Trash Content if (!this.isNullOrEmpty(this.trashContent)) { builder.appendParam("trash_content", this.trashContent); } //Metadata filters if (this.metadataFilter != null) { builder.appendParam("mdfilters", this.formatBoxMetadataFilterRequest().toString()); } //Fields if (!this.isNullOrEmpty(this.fields)) { builder.appendParam("fields", this.listToCSV(this.fields)); } //Sort if (!this.isNullOrEmpty(this.sort)) { builder.appendParam("sort", this.sort); } //Direction if (!this.isNullOrEmpty(this.direction)) { builder.appendParam("direction", this.direction); } return builder; }
java
public JsonObject getJsonObject() { JsonObject obj = new JsonObject(); obj.add("field", this.field); obj.add("value", this.value); return obj; }
java
public static BoxAPIConnection restore(String clientID, String clientSecret, String state) { BoxAPIConnection api = new BoxAPIConnection(clientID, clientSecret); api.restore(state); return api; }
java
public static URL getAuthorizationURL(String clientID, URI redirectUri, String state, List<String> scopes) { URLTemplate template = new URLTemplate(AUTHORIZATION_URL); QueryStringBuilder queryBuilder = new QueryStringBuilder().appendParam("client_id", clientID) .appendParam("response_type", "code") .appendParam("redirect_uri", redirectUri.toString()) .appendParam("state", state); if (scopes != null && !scopes.isEmpty()) { StringBuilder builder = new StringBuilder(); int size = scopes.size() - 1; int i = 0; while (i < size) { builder.append(scopes.get(i)); builder.append(" "); i++; } builder.append(scopes.get(i)); queryBuilder.appendParam("scope", builder.toString()); } return template.buildWithQuery("", queryBuilder.toString()); }
java
public void authenticate(String authCode) { URL url = null; try { url = new URL(this.tokenURL); } catch (MalformedURLException e) { assert false : "An invalid token URL indicates a bug in the SDK."; throw new RuntimeException("An invalid token URL indicates a bug in the SDK.", e); } String urlParameters = String.format("grant_type=authorization_code&code=%s&client_id=%s&client_secret=%s", authCode, this.clientID, this.clientSecret); BoxAPIRequest request = new BoxAPIRequest(this, url, "POST"); request.shouldAuthenticate(false); request.setBody(urlParameters); BoxJSONResponse response = (BoxJSONResponse) request.send(); String json = response.getJSON(); JsonObject jsonObject = JsonObject.readFrom(json); this.accessToken = jsonObject.get("access_token").asString(); this.refreshToken = jsonObject.get("refresh_token").asString(); this.lastRefresh = System.currentTimeMillis(); this.expires = jsonObject.get("expires_in").asLong() * 1000; }
java
public boolean needsRefresh() { boolean needsRefresh; this.refreshLock.readLock().lock(); long now = System.currentTimeMillis(); long tokenDuration = (now - this.lastRefresh); needsRefresh = (tokenDuration >= this.expires - REFRESH_EPSILON); this.refreshLock.readLock().unlock(); return needsRefresh; }
java
public void refresh() { this.refreshLock.writeLock().lock(); if (!this.canRefresh()) { this.refreshLock.writeLock().unlock(); throw new IllegalStateException("The BoxAPIConnection cannot be refreshed because it doesn't have a " + "refresh token."); } URL url = null; try { url = new URL(this.tokenURL); } catch (MalformedURLException e) { this.refreshLock.writeLock().unlock(); assert false : "An invalid refresh URL indicates a bug in the SDK."; throw new RuntimeException("An invalid refresh URL indicates a bug in the SDK.", e); } String urlParameters = String.format("grant_type=refresh_token&refresh_token=%s&client_id=%s&client_secret=%s", this.refreshToken, this.clientID, this.clientSecret); BoxAPIRequest request = new BoxAPIRequest(this, url, "POST"); request.shouldAuthenticate(false); request.setBody(urlParameters); String json; try { BoxJSONResponse response = (BoxJSONResponse) request.send(); json = response.getJSON(); } catch (BoxAPIException e) { this.notifyError(e); this.refreshLock.writeLock().unlock(); throw e; } JsonObject jsonObject = JsonObject.readFrom(json); this.accessToken = jsonObject.get("access_token").asString(); this.refreshToken = jsonObject.get("refresh_token").asString(); this.lastRefresh = System.currentTimeMillis(); this.expires = jsonObject.get("expires_in").asLong() * 1000; this.notifyRefresh(); this.refreshLock.writeLock().unlock(); }
java
public void restore(String state) { JsonObject json = JsonObject.readFrom(state); String accessToken = json.get("accessToken").asString(); String refreshToken = json.get("refreshToken").asString(); long lastRefresh = json.get("lastRefresh").asLong(); long expires = json.get("expires").asLong(); String userAgent = json.get("userAgent").asString(); String tokenURL = json.get("tokenURL").asString(); String baseURL = json.get("baseURL").asString(); String baseUploadURL = json.get("baseUploadURL").asString(); boolean autoRefresh = json.get("autoRefresh").asBoolean(); int maxRequestAttempts = json.get("maxRequestAttempts").asInt(); this.accessToken = accessToken; this.refreshToken = refreshToken; this.lastRefresh = lastRefresh; this.expires = expires; this.userAgent = userAgent; this.tokenURL = tokenURL; this.baseURL = baseURL; this.baseUploadURL = baseUploadURL; this.autoRefresh = autoRefresh; this.maxRequestAttempts = maxRequestAttempts; }
java
public ScopedToken getLowerScopedToken(List<String> scopes, String resource) { assert (scopes != null); assert (scopes.size() > 0); URL url = null; try { url = new URL(this.getTokenURL()); } catch (MalformedURLException e) { assert false : "An invalid refresh URL indicates a bug in the SDK."; throw new RuntimeException("An invalid refresh URL indicates a bug in the SDK.", e); } StringBuilder spaceSeparatedScopes = new StringBuilder(); for (int i = 0; i < scopes.size(); i++) { spaceSeparatedScopes.append(scopes.get(i)); if (i < scopes.size() - 1) { spaceSeparatedScopes.append(" "); } } String urlParameters = null; if (resource != null) { //this.getAccessToken() ensures we have a valid access token urlParameters = String.format("grant_type=urn:ietf:params:oauth:grant-type:token-exchange" + "&subject_token_type=urn:ietf:params:oauth:token-type:access_token&subject_token=%s" + "&scope=%s&resource=%s", this.getAccessToken(), spaceSeparatedScopes, resource); } else { //this.getAccessToken() ensures we have a valid access token urlParameters = String.format("grant_type=urn:ietf:params:oauth:grant-type:token-exchange" + "&subject_token_type=urn:ietf:params:oauth:token-type:access_token&subject_token=%s" + "&scope=%s", this.getAccessToken(), spaceSeparatedScopes); } BoxAPIRequest request = new BoxAPIRequest(this, url, "POST"); request.shouldAuthenticate(false); request.setBody(urlParameters); String json; try { BoxJSONResponse response = (BoxJSONResponse) request.send(); json = response.getJSON(); } catch (BoxAPIException e) { this.notifyError(e); throw e; } JsonObject jsonObject = JsonObject.readFrom(json); ScopedToken token = new ScopedToken(jsonObject); token.setObtainedAt(System.currentTimeMillis()); token.setExpiresIn(jsonObject.get("expires_in").asLong() * 1000); return token; }
java
public String save() { JsonObject state = new JsonObject() .add("accessToken", this.accessToken) .add("refreshToken", this.refreshToken) .add("lastRefresh", this.lastRefresh) .add("expires", this.expires) .add("userAgent", this.userAgent) .add("tokenURL", this.tokenURL) .add("baseURL", this.baseURL) .add("baseUploadURL", this.baseUploadURL) .add("autoRefresh", this.autoRefresh) .add("maxRequestAttempts", this.maxRequestAttempts); return state.toString(); }
java
public Info getInfo(String ... fields) { QueryStringBuilder builder = new QueryStringBuilder(); if (fields.length > 0) { builder.appendParam("fields", fields); } URL url = DEVICE_PIN_URL_TEMPLATE.buildWithQuery(this.getAPI().getBaseURL(), builder.toString(), this.getID()); BoxAPIRequest request = new BoxAPIRequest(this.getAPI(), url, "GET"); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject responseJSON = JsonObject.readFrom(response.getJSON()); return new Info(responseJSON); }
java
public void delete() { URL url = DEVICE_PIN_URL_TEMPLATE.build(this.getAPI().getBaseURL(), this.getID()); BoxAPIRequest request = new BoxAPIRequest(this.getAPI(), url, "DELETE"); BoxAPIResponse response = request.send(); response.disconnect(); }
java
public void forceApply(String conflictResolution) { URL url = FORCE_METADATA_CASCADE_POLICIES_URL_TEMPLATE.build(this.getAPI().getBaseURL(), this.getID()); BoxJSONRequest request = new BoxJSONRequest(this.getAPI(), url, "POST"); JsonObject requestJSON = new JsonObject() .add("conflict_resolution", conflictResolution); request.setBody(requestJSON.toString()); request.send(); }
java
public BoxTaskAssignment.Info addAssignment(BoxUser assignTo) { JsonObject taskJSON = new JsonObject(); taskJSON.add("type", "task"); taskJSON.add("id", this.getID()); JsonObject assignToJSON = new JsonObject(); assignToJSON.add("id", assignTo.getID()); JsonObject requestJSON = new JsonObject(); requestJSON.add("task", taskJSON); requestJSON.add("assign_to", assignToJSON); URL url = ADD_TASK_ASSIGNMENT_URL_TEMPLATE.build(this.getAPI().getBaseURL()); BoxJSONRequest request = new BoxJSONRequest(this.getAPI(), url, "POST"); request.setBody(requestJSON.toString()); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject responseJSON = JsonObject.readFrom(response.getJSON()); BoxTaskAssignment addedAssignment = new BoxTaskAssignment(this.getAPI(), responseJSON.get("id").asString()); return addedAssignment.new Info(responseJSON); }
java
public List<BoxTaskAssignment.Info> getAssignments() { URL url = GET_ASSIGNMENTS_URL_TEMPLATE.build(this.getAPI().getBaseURL(), this.getID()); BoxAPIRequest request = new BoxAPIRequest(this.getAPI(), url, "GET"); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject responseJSON = JsonObject.readFrom(response.getJSON()); int totalCount = responseJSON.get("total_count").asInt(); List<BoxTaskAssignment.Info> assignments = new ArrayList<BoxTaskAssignment.Info>(totalCount); JsonArray entries = responseJSON.get("entries").asArray(); for (JsonValue value : entries) { JsonObject assignmentJSON = value.asObject(); BoxTaskAssignment assignment = new BoxTaskAssignment(this.getAPI(), assignmentJSON.get("id").asString()); BoxTaskAssignment.Info info = assignment.new Info(assignmentJSON); assignments.add(info); } return assignments; }
java
public Iterable<BoxTaskAssignment.Info> getAllAssignments(String ... fields) { final QueryStringBuilder builder = new QueryStringBuilder(); if (fields.length > 0) { builder.appendParam("fields", fields); } return new Iterable<BoxTaskAssignment.Info>() { public Iterator<BoxTaskAssignment.Info> iterator() { URL url = GET_ASSIGNMENTS_URL_TEMPLATE.buildWithQuery( BoxTask.this.getAPI().getBaseURL(), builder.toString(), BoxTask.this.getID()); return new BoxTaskAssignmentIterator(BoxTask.this.getAPI(), url); } }; }
java
public String getPendingChanges() { JsonObject jsonObject = this.getPendingJSONObject(); if (jsonObject == null) { return null; } return jsonObject.toString(); }
java
void update(JsonObject jsonObject) { for (JsonObject.Member member : jsonObject) { if (member.getValue().isNull()) { continue; } this.parseJSONMember(member); } this.clearPendingChanges(); }
java
private JsonObject getPendingJSONObject() { for (Map.Entry<String, BoxJSONObject> entry : this.children.entrySet()) { BoxJSONObject child = entry.getValue(); JsonObject jsonObject = child.getPendingJSONObject(); if (jsonObject != null) { if (this.pendingChanges == null) { this.pendingChanges = new JsonObject(); } this.pendingChanges.set(entry.getKey(), jsonObject); } } return this.pendingChanges; }
java
public void addHeader(String key, String value) { if (key.equals("As-User")) { for (int i = 0; i < this.headers.size(); i++) { if (this.headers.get(i).getKey().equals("As-User")) { this.headers.remove(i); } } } if (key.equals("X-Box-UA")) { throw new IllegalArgumentException("Altering the X-Box-UA header is not permitted"); } this.headers.add(new RequestHeader(key, value)); }
java
public void setBody(String body) { byte[] bytes = body.getBytes(StandardCharsets.UTF_8); this.bodyLength = bytes.length; this.body = new ByteArrayInputStream(bytes); }
java
public BoxAPIResponse send(ProgressListener listener) { if (this.api == null) { this.backoffCounter.reset(BoxGlobalSettings.getMaxRequestAttempts()); } else { this.backoffCounter.reset(this.api.getMaxRequestAttempts()); } while (this.backoffCounter.getAttemptsRemaining() > 0) { try { return this.trySend(listener); } catch (BoxAPIException apiException) { if (!this.backoffCounter.decrement() || !isResponseRetryable(apiException.getResponseCode())) { throw apiException; } try { this.resetBody(); } catch (IOException ioException) { throw apiException; } try { this.backoffCounter.waitBackoff(); } catch (InterruptedException interruptedException) { Thread.currentThread().interrupt(); throw apiException; } } } throw new RuntimeException(); }
java
protected void writeBody(HttpURLConnection connection, ProgressListener listener) { if (this.body == null) { return; } connection.setDoOutput(true); try { OutputStream output = connection.getOutputStream(); if (listener != null) { output = new ProgressOutputStream(output, listener, this.bodyLength); } int b = this.body.read(); while (b != -1) { output.write(b); b = this.body.read(); } output.close(); } catch (IOException e) { throw new BoxAPIException("Couldn't connect to the Box API due to a network error.", e); } }
java
public static BoxLegalHoldPolicy.Info createOngoing(BoxAPIConnection api, String name, String description) { URL url = ALL_LEGAL_HOLD_URL_TEMPLATE.build(api.getBaseURL()); BoxJSONRequest request = new BoxJSONRequest(api, url, "POST"); JsonObject requestJSON = new JsonObject() .add("policy_name", name) .add("is_ongoing", true); if (description != null) { requestJSON.add("description", description); } request.setBody(requestJSON.toString()); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject responseJSON = JsonObject.readFrom(response.getJSON()); BoxLegalHoldPolicy createdPolicy = new BoxLegalHoldPolicy(api, responseJSON.get("id").asString()); return createdPolicy.new Info(responseJSON); }
java
public Iterable<BoxLegalHoldAssignment.Info> getAssignments(String ... fields) { return this.getAssignments(null, null, DEFAULT_LIMIT, fields); }
java
public Iterable<BoxLegalHoldAssignment.Info> getAssignments(String type, String id, int limit, String ... fields) { QueryStringBuilder builder = new QueryStringBuilder(); if (type != null) { builder.appendParam("assign_to_type", type); } if (id != null) { builder.appendParam("assign_to_id", id); } if (fields.length > 0) { builder.appendParam("fields", fields); } return new BoxResourceIterable<BoxLegalHoldAssignment.Info>( this.getAPI(), LEGAL_HOLD_ASSIGNMENTS_URL_TEMPLATE.buildWithQuery( this.getAPI().getBaseURL(), builder.toString(), this.getID()), limit) { @Override protected BoxLegalHoldAssignment.Info factory(JsonObject jsonObject) { BoxLegalHoldAssignment assignment = new BoxLegalHoldAssignment( BoxLegalHoldPolicy.this.getAPI(), jsonObject.get("id").asString()); return assignment.new Info(jsonObject); } }; }
java
public Iterable<BoxFileVersionLegalHold.Info> getFileVersionHolds(int limit, String ... fields) { QueryStringBuilder queryString = new QueryStringBuilder().appendParam("policy_id", this.getID()); if (fields.length > 0) { queryString.appendParam("fields", fields); } URL url = LIST_OF_FILE_VERSION_HOLDS_URL_TEMPLATE.buildWithQuery(getAPI().getBaseURL(), queryString.toString()); return new BoxResourceIterable<BoxFileVersionLegalHold.Info>(getAPI(), url, limit) { @Override protected BoxFileVersionLegalHold.Info factory(JsonObject jsonObject) { BoxFileVersionLegalHold assignment = new BoxFileVersionLegalHold(getAPI(), jsonObject.get("id").asString()); return assignment.new Info(jsonObject); } }; }
java
public static Iterable<BoxFileVersionRetention.Info> getAll(BoxAPIConnection api, String ... fields) { return getRetentions(api, new QueryFilter(), fields); }
java
public static Iterable<BoxFileVersionRetention.Info> getRetentions( final BoxAPIConnection api, QueryFilter filter, String ... fields) { filter.addFields(fields); return new BoxResourceIterable<BoxFileVersionRetention.Info>(api, ALL_RETENTIONS_URL_TEMPLATE.buildWithQuery(api.getBaseURL(), filter.toString()), DEFAULT_LIMIT) { @Override protected BoxFileVersionRetention.Info factory(JsonObject jsonObject) { BoxFileVersionRetention retention = new BoxFileVersionRetention(api, jsonObject.get("id").asString()); return retention.new Info(jsonObject); } }; }
java
public boolean verify(String signatureVersion, String signatureAlgorithm, String primarySignature, String secondarySignature, String webHookPayload, String deliveryTimestamp) { // enforce versions supported by this implementation if (!SUPPORTED_VERSIONS.contains(signatureVersion)) { return false; } // enforce algorithms supported by this implementation BoxSignatureAlgorithm algorithm = BoxSignatureAlgorithm.byName(signatureAlgorithm); if (!SUPPORTED_ALGORITHMS.contains(algorithm)) { return false; } // check primary key signature if primary key exists if (this.primarySignatureKey != null && this.verify(this.primarySignatureKey, algorithm, primarySignature, webHookPayload, deliveryTimestamp)) { return true; } // check secondary key signature if secondary key exists if (this.secondarySignatureKey != null && this.verify(this.secondarySignatureKey, algorithm, secondarySignature, webHookPayload, deliveryTimestamp)) { return true; } // default strategy is false, to minimize security issues return false; }
java
private boolean verify(String key, BoxSignatureAlgorithm actualAlgorithm, String actualSignature, String webHookPayload, String deliveryTimestamp) { if (actualSignature == null) { return false; } byte[] actual = Base64.decode(actualSignature); byte[] expected = this.signRaw(actualAlgorithm, key, webHookPayload, deliveryTimestamp); return Arrays.equals(expected, actual); }
java
public PartialCollection<BoxItem.Info> searchRange(long offset, long limit, final BoxSearchParameters bsp) { QueryStringBuilder builder = bsp.getQueryParameters() .appendParam("limit", limit) .appendParam("offset", offset); URL url = SEARCH_URL_TEMPLATE.buildWithQuery(this.getAPI().getBaseURL(), builder.toString()); BoxAPIRequest request = new BoxAPIRequest(this.getAPI(), url, "GET"); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject responseJSON = JsonObject.readFrom(response.getJSON()); String totalCountString = responseJSON.get("total_count").toString(); long fullSize = Double.valueOf(totalCountString).longValue(); PartialCollection<BoxItem.Info> results = new PartialCollection<BoxItem.Info>(offset, limit, fullSize); JsonArray jsonArray = responseJSON.get("entries").asArray(); for (JsonValue value : jsonArray) { JsonObject jsonObject = value.asObject(); BoxItem.Info parsedItemInfo = (BoxItem.Info) BoxResource.parseInfo(this.getAPI(), jsonObject); if (parsedItemInfo != null) { results.add(parsedItemInfo); } } return results; }
java
public static BoxAPIConnection getTransactionConnection(String accessToken, String scope) { return BoxTransactionalAPIConnection.getTransactionConnection(accessToken, scope, null); }
java
public static BoxAPIConnection getTransactionConnection(String accessToken, String scope, String resource) { BoxAPIConnection apiConnection = new BoxAPIConnection(accessToken); URL url; try { url = new URL(apiConnection.getTokenURL()); } catch (MalformedURLException e) { assert false : "An invalid token URL indicates a bug in the SDK."; throw new RuntimeException("An invalid token URL indicates a bug in the SDK.", e); } String urlParameters; try { urlParameters = String.format("grant_type=%s&subject_token=%s&subject_token_type=%s&scope=%s", GRANT_TYPE, URLEncoder.encode(accessToken, "UTF-8"), SUBJECT_TOKEN_TYPE, URLEncoder.encode(scope, "UTF-8")); if (resource != null) { urlParameters += "&resource=" + URLEncoder.encode(resource, "UTF-8"); } } catch (UnsupportedEncodingException e) { throw new BoxAPIException( "An error occurred while attempting to encode url parameters for a transactional token request" ); } BoxAPIRequest request = new BoxAPIRequest(apiConnection, url, "POST"); request.shouldAuthenticate(false); request.setBody(urlParameters); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject responseJSON = JsonObject.readFrom(response.getJSON()); final String fileToken = responseJSON.get("access_token").asString(); BoxTransactionalAPIConnection transactionConnection = new BoxTransactionalAPIConnection(fileToken); transactionConnection.setExpires(responseJSON.get("expires_in").asLong() * 1000); return transactionConnection; }
java
public static BoxItem.Info getSharedItem(BoxAPIConnection api, String sharedLink) { return getSharedItem(api, sharedLink, null); }
java
public static BoxItem.Info getSharedItem(BoxAPIConnection api, String sharedLink, String password) { BoxAPIConnection newAPI = new SharedLinkAPIConnection(api, sharedLink, password); URL url = SHARED_ITEM_URL_TEMPLATE.build(newAPI.getBaseURL()); BoxAPIRequest request = new BoxAPIRequest(newAPI, url, "GET"); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject json = JsonObject.readFrom(response.getJSON()); return (BoxItem.Info) BoxResource.parseInfo(newAPI, json); }
java
protected BoxWatermark getWatermark(URLTemplate itemUrl, String... fields) { URL watermarkUrl = itemUrl.build(this.getAPI().getBaseURL(), this.getID()); QueryStringBuilder builder = new QueryStringBuilder(); if (fields.length > 0) { builder.appendParam("fields", fields); } URL url = WATERMARK_URL_TEMPLATE.buildWithQuery(watermarkUrl.toString(), builder.toString()); BoxAPIRequest request = new BoxAPIRequest(this.getAPI(), url, "GET"); BoxJSONResponse response = (BoxJSONResponse) request.send(); return new BoxWatermark(response.getJSON()); }
java
protected BoxWatermark applyWatermark(URLTemplate itemUrl, String imprint) { URL watermarkUrl = itemUrl.build(this.getAPI().getBaseURL(), this.getID()); URL url = WATERMARK_URL_TEMPLATE.build(watermarkUrl.toString()); BoxJSONRequest request = new BoxJSONRequest(this.getAPI(), url, "PUT"); JsonObject body = new JsonObject() .add(BoxWatermark.WATERMARK_JSON_KEY, new JsonObject() .add(BoxWatermark.WATERMARK_IMPRINT_JSON_KEY, imprint)); request.setBody(body.toString()); BoxJSONResponse response = (BoxJSONResponse) request.send(); return new BoxWatermark(response.getJSON()); }
java
protected void removeWatermark(URLTemplate itemUrl) { URL watermarkUrl = itemUrl.build(this.getAPI().getBaseURL(), this.getID()); URL url = WATERMARK_URL_TEMPLATE.build(watermarkUrl.toString()); BoxAPIRequest request = new BoxAPIRequest(this.getAPI(), url, "DELETE"); BoxAPIResponse response = request.send(); response.disconnect(); }
java
private void parseJSON(JsonObject jsonObject) { for (JsonObject.Member member : jsonObject) { JsonValue value = member.getValue(); if (value.isNull()) { continue; } try { String memberName = member.getName(); if (memberName.equals("id")) { this.versionID = value.asString(); } else if (memberName.equals("sha1")) { this.sha1 = value.asString(); } else if (memberName.equals("name")) { this.name = value.asString(); } else if (memberName.equals("size")) { this.size = Double.valueOf(value.toString()).longValue(); } else if (memberName.equals("created_at")) { this.createdAt = BoxDateFormat.parse(value.asString()); } else if (memberName.equals("modified_at")) { this.modifiedAt = BoxDateFormat.parse(value.asString()); } else if (memberName.equals("trashed_at")) { this.trashedAt = BoxDateFormat.parse(value.asString()); } else if (memberName.equals("modified_by")) { JsonObject userJSON = value.asObject(); String userID = userJSON.get("id").asString(); BoxUser user = new BoxUser(getAPI(), userID); this.modifiedBy = user.new Info(userJSON); } } catch (ParseException e) { assert false : "A ParseException indicates a bug in the SDK."; } } }
java
public void download(OutputStream output, ProgressListener listener) { URL url = CONTENT_URL_TEMPLATE.build(this.getAPI().getBaseURL(), this.fileID, this.getID()); BoxAPIRequest request = new BoxAPIRequest(this.getAPI(), url, "GET"); BoxAPIResponse response = request.send(); InputStream input = response.getBody(listener); long totalRead = 0; byte[] buffer = new byte[BUFFER_SIZE]; try { int n = input.read(buffer); totalRead += n; while (n != -1) { output.write(buffer, 0, n); n = input.read(buffer); totalRead += n; } } catch (IOException e) { throw new BoxAPIException("Couldn't connect to the Box API due to a network error.", e); } response.disconnect(); }
java
public void promote() { URL url = VERSION_URL_TEMPLATE.build(this.getAPI().getBaseURL(), this.fileID, "current"); JsonObject jsonObject = new JsonObject(); jsonObject.add("type", "file_version"); jsonObject.add("id", this.getID()); BoxJSONRequest request = new BoxJSONRequest(this.getAPI(), url, "POST"); request.setBody(jsonObject.toString()); BoxJSONResponse response = (BoxJSONResponse) request.send(); this.parseJSON(JsonObject.readFrom(response.getJSON())); }
java
public static BoxUser.Info createAppUser(BoxAPIConnection api, String name) { return createAppUser(api, name, new CreateUserParams()); }
java
public static BoxUser.Info createAppUser(BoxAPIConnection api, String name, CreateUserParams params) { params.setIsPlatformAccessOnly(true); return createEnterpriseUser(api, null, name, params); }
java
public static BoxUser.Info createEnterpriseUser(BoxAPIConnection api, String login, String name) { return createEnterpriseUser(api, login, name, null); }
java
public static BoxUser.Info createEnterpriseUser(BoxAPIConnection api, String login, String name, CreateUserParams params) { JsonObject requestJSON = new JsonObject(); requestJSON.add("login", login); requestJSON.add("name", name); if (params != null) { if (params.getRole() != null) { requestJSON.add("role", params.getRole().toJSONValue()); } if (params.getStatus() != null) { requestJSON.add("status", params.getStatus().toJSONValue()); } requestJSON.add("language", params.getLanguage()); requestJSON.add("is_sync_enabled", params.getIsSyncEnabled()); requestJSON.add("job_title", params.getJobTitle()); requestJSON.add("phone", params.getPhone()); requestJSON.add("address", params.getAddress()); requestJSON.add("space_amount", params.getSpaceAmount()); requestJSON.add("can_see_managed_users", params.getCanSeeManagedUsers()); requestJSON.add("timezone", params.getTimezone()); requestJSON.add("is_exempt_from_device_limits", params.getIsExemptFromDeviceLimits()); requestJSON.add("is_exempt_from_login_verification", params.getIsExemptFromLoginVerification()); requestJSON.add("is_platform_access_only", params.getIsPlatformAccessOnly()); requestJSON.add("external_app_user_id", params.getExternalAppUserId()); } URL url = USERS_URL_TEMPLATE.build(api.getBaseURL()); BoxJSONRequest request = new BoxJSONRequest(api, url, "POST"); request.setBody(requestJSON.toString()); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject responseJSON = JsonObject.readFrom(response.getJSON()); BoxUser createdUser = new BoxUser(api, responseJSON.get("id").asString()); return createdUser.new Info(responseJSON); }
java
public static BoxUser getCurrentUser(BoxAPIConnection api) { URL url = GET_ME_URL.build(api.getBaseURL()); BoxAPIRequest request = new BoxAPIRequest(api, url, "GET"); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject jsonObject = JsonObject.readFrom(response.getJSON()); return new BoxUser(api, jsonObject.get("id").asString()); }
java
public static Iterable<BoxUser.Info> getAllEnterpriseUsers(final BoxAPIConnection api, final String filterTerm, final String... fields) { return getUsersInfoForType(api, filterTerm, null, null, fields); }
java
public static Iterable<BoxUser.Info> getAppUsersByExternalAppUserID(final BoxAPIConnection api, final String externalAppUserId, final String... fields) { return getUsersInfoForType(api, null, null, externalAppUserId, fields); }
java
private static Iterable<BoxUser.Info> getUsersInfoForType(final BoxAPIConnection api, final String filterTerm, final String userType, final String externalAppUserId, final String... fields) { return new Iterable<BoxUser.Info>() { public Iterator<BoxUser.Info> iterator() { QueryStringBuilder builder = new QueryStringBuilder(); if (filterTerm != null) { builder.appendParam("filter_term", filterTerm); } if (userType != null) { builder.appendParam("user_type", userType); } if (externalAppUserId != null) { builder.appendParam("external_app_user_id", externalAppUserId); } if (fields.length > 0) { builder.appendParam("fields", fields); } URL url = USERS_URL_TEMPLATE.buildWithQuery(api.getBaseURL(), builder.toString()); return new BoxUserIterator(api, url); } }; }
java
public BoxUser.Info getInfo(String... fields) { URL url; if (fields.length > 0) { String queryString = new QueryStringBuilder().appendParam("fields", fields).toString(); url = USER_URL_TEMPLATE.buildWithQuery(this.getAPI().getBaseURL(), queryString, this.getID()); } else { url = USER_URL_TEMPLATE.build(this.getAPI().getBaseURL(), this.getID()); } BoxAPIRequest request = new BoxAPIRequest(this.getAPI(), url, "GET"); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject jsonObject = JsonObject.readFrom(response.getJSON()); return new Info(jsonObject); }
java
public Collection<BoxGroupMembership.Info> getMemberships() { BoxAPIConnection api = this.getAPI(); URL url = USER_MEMBERSHIPS_URL_TEMPLATE.build(this.getAPI().getBaseURL(), this.getID()); BoxAPIRequest request = new BoxAPIRequest(api, url, "GET"); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject responseJSON = JsonObject.readFrom(response.getJSON()); int entriesCount = responseJSON.get("total_count").asInt(); Collection<BoxGroupMembership.Info> memberships = new ArrayList<BoxGroupMembership.Info>(entriesCount); JsonArray entries = responseJSON.get("entries").asArray(); for (JsonValue entry : entries) { JsonObject entryObject = entry.asObject(); BoxGroupMembership membership = new BoxGroupMembership(api, entryObject.get("id").asString()); BoxGroupMembership.Info info = membership.new Info(entryObject); memberships.add(info); } return memberships; }
java
public Iterable<BoxGroupMembership.Info> getAllMemberships(String ... fields) { final QueryStringBuilder builder = new QueryStringBuilder(); if (fields.length > 0) { builder.appendParam("fields", fields); } return new Iterable<BoxGroupMembership.Info>() { public Iterator<BoxGroupMembership.Info> iterator() { URL url = USER_MEMBERSHIPS_URL_TEMPLATE.buildWithQuery( BoxUser.this.getAPI().getBaseURL(), builder.toString(), BoxUser.this.getID()); return new BoxGroupMembershipIterator(BoxUser.this.getAPI(), url); } }; }
java
public EmailAlias addEmailAlias(String email, boolean isConfirmed) { URL url = EMAIL_ALIASES_URL_TEMPLATE.build(this.getAPI().getBaseURL(), this.getID()); BoxJSONRequest request = new BoxJSONRequest(this.getAPI(), url, "POST"); JsonObject requestJSON = new JsonObject() .add("email", email); if (isConfirmed) { requestJSON.add("is_confirmed", isConfirmed); } request.setBody(requestJSON.toString()); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject responseJSON = JsonObject.readFrom(response.getJSON()); return new EmailAlias(responseJSON); }
java
public void deleteEmailAlias(String emailAliasID) { URL url = EMAIL_ALIAS_URL_TEMPLATE.build(this.getAPI().getBaseURL(), this.getID(), emailAliasID); BoxAPIRequest request = new BoxAPIRequest(this.getAPI(), url, "DELETE"); BoxAPIResponse response = request.send(); response.disconnect(); }
java
public Collection<EmailAlias> getEmailAliases() { URL url = EMAIL_ALIASES_URL_TEMPLATE.build(this.getAPI().getBaseURL(), this.getID()); BoxAPIRequest request = new BoxAPIRequest(this.getAPI(), url, "GET"); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject responseJSON = JsonObject.readFrom(response.getJSON()); int totalCount = responseJSON.get("total_count").asInt(); Collection<EmailAlias> emailAliases = new ArrayList<EmailAlias>(totalCount); JsonArray entries = responseJSON.get("entries").asArray(); for (JsonValue value : entries) { JsonObject emailAliasJSON = value.asObject(); emailAliases.add(new EmailAlias(emailAliasJSON)); } return emailAliases; }
java
public void delete(boolean notifyUser, boolean force) { String queryString = new QueryStringBuilder() .appendParam("notify", String.valueOf(notifyUser)) .appendParam("force", String.valueOf(force)) .toString(); URL url = USER_URL_TEMPLATE.buildWithQuery(this.getAPI().getBaseURL(), queryString, this.getID()); BoxAPIRequest request = new BoxAPIRequest(this.getAPI(), url, "DELETE"); BoxAPIResponse response = request.send(); response.disconnect(); }
java
public InputStream getAvatar() { URL url = USER_AVATAR_TEMPLATE.build(this.getAPI().getBaseURL(), this.getID()); BoxAPIRequest request = new BoxAPIRequest(this.getAPI(), url, "GET"); BoxAPIResponse response = request.send(); return response.getBody(); }
java
public static Info inviteUserToEnterprise(BoxAPIConnection api, String userLogin, String enterpriseID) { URL url = INVITE_CREATION_URL_TEMPLATE.build(api.getBaseURL()); BoxJSONRequest request = new BoxJSONRequest(api, url, "POST"); JsonObject body = new JsonObject(); JsonObject enterprise = new JsonObject(); enterprise.add("id", enterpriseID); body.add("enterprise", enterprise); JsonObject actionableBy = new JsonObject(); actionableBy.add("login", userLogin); body.add("actionable_by", actionableBy); request.setBody(body); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject responseJSON = JsonObject.readFrom(response.getJSON()); BoxInvite invite = new BoxInvite(api, responseJSON.get("id").asString()); return invite.new Info(responseJSON); }
java
private static JsonArray toJsonArray(Collection<String> values) { JsonArray array = new JsonArray(); for (String value : values) { array.add(value); } return array; }
java
@Override public void setBody(String body) { super.setBody(body); this.jsonValue = JsonValue.readFrom(body); }
java
public Info changeMessage(String newMessage) { Info newInfo = new Info(); newInfo.setMessage(newMessage); URL url = COMMENT_URL_TEMPLATE.build(this.getAPI().getBaseURL(), this.getID()); BoxJSONRequest request = new BoxJSONRequest(this.getAPI(), url, "PUT"); request.setBody(newInfo.getPendingChanges()); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject jsonResponse = JsonObject.readFrom(response.getJSON()); return new Info(jsonResponse); }
java
public BoxComment.Info reply(String message) { JsonObject itemJSON = new JsonObject(); itemJSON.add("type", "comment"); itemJSON.add("id", this.getID()); JsonObject requestJSON = new JsonObject(); requestJSON.add("item", itemJSON); if (BoxComment.messageContainsMention(message)) { requestJSON.add("tagged_message", message); } else { requestJSON.add("message", message); } URL url = ADD_COMMENT_URL_TEMPLATE.build(this.getAPI().getBaseURL()); BoxJSONRequest request = new BoxJSONRequest(this.getAPI(), url, "POST"); request.setBody(requestJSON.toString()); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject responseJSON = JsonObject.readFrom(response.getJSON()); BoxComment addedComment = new BoxComment(this.getAPI(), responseJSON.get("id").asString()); return addedComment.new Info(responseJSON); }
java
public void put(String key, String value) { synchronized (this.cache) { this.cache.put(key, value); } }
java
public URL buildWithQuery(String base, String queryString, Object... values) { String urlString = String.format(base + this.template, values) + queryString; URL url = null; try { url = new URL(urlString); } catch (MalformedURLException e) { assert false : "An invalid URL template indicates a bug in the SDK."; } return url; }
java
public BoxFileUploadSessionPart uploadPart(InputStream stream, long offset, int partSize, long totalSizeOfFile) { URL uploadPartURL = this.sessionInfo.getSessionEndpoints().getUploadPartEndpoint(); BoxAPIRequest request = new BoxAPIRequest(this.getAPI(), uploadPartURL, HttpMethod.PUT); request.addHeader(HttpHeaders.CONTENT_TYPE, ContentType.APPLICATION_OCTET_STREAM); //Read the partSize bytes from the stream byte[] bytes = new byte[partSize]; try { stream.read(bytes); } catch (IOException ioe) { throw new BoxAPIException("Reading data from stream failed.", ioe); } return this.uploadPart(bytes, offset, partSize, totalSizeOfFile); }
java
public BoxFileUploadSessionPart uploadPart(byte[] data, long offset, int partSize, long totalSizeOfFile) { URL uploadPartURL = this.sessionInfo.getSessionEndpoints().getUploadPartEndpoint(); BoxAPIRequest request = new BoxAPIRequest(this.getAPI(), uploadPartURL, HttpMethod.PUT); request.addHeader(HttpHeaders.CONTENT_TYPE, ContentType.APPLICATION_OCTET_STREAM); MessageDigest digestInstance = null; try { digestInstance = MessageDigest.getInstance(DIGEST_ALGORITHM_SHA1); } catch (NoSuchAlgorithmException ae) { throw new BoxAPIException("Digest algorithm not found", ae); } //Creates the digest using SHA1 algorithm. Then encodes the bytes using Base64. byte[] digestBytes = digestInstance.digest(data); String digest = Base64.encode(digestBytes); request.addHeader(HttpHeaders.DIGEST, DIGEST_HEADER_PREFIX_SHA + digest); //Content-Range: bytes offset-part/totalSize request.addHeader(HttpHeaders.CONTENT_RANGE, "bytes " + offset + "-" + (offset + partSize - 1) + "/" + totalSizeOfFile); //Creates the body request.setBody(new ByteArrayInputStream(data)); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject jsonObject = JsonObject.readFrom(response.getJSON()); BoxFileUploadSessionPart part = new BoxFileUploadSessionPart((JsonObject) jsonObject.get("part")); return part; }
java
public BoxFileUploadSessionPartList listParts(int offset, int limit) { URL listPartsURL = this.sessionInfo.getSessionEndpoints().getListPartsEndpoint(); URLTemplate template = new URLTemplate(listPartsURL.toString()); QueryStringBuilder builder = new QueryStringBuilder(); builder.appendParam(OFFSET_QUERY_STRING, offset); String queryString = builder.appendParam(LIMIT_QUERY_STRING, limit).toString(); //Template is initalized with the full URL. So empty string for the path. URL url = template.buildWithQuery("", queryString); BoxJSONRequest request = new BoxJSONRequest(this.getAPI(), url, HttpMethod.GET); BoxJSONResponse response = (BoxJSONResponse) request.send(); JsonObject jsonObject = JsonObject.readFrom(response.getJSON()); return new BoxFileUploadSessionPartList(jsonObject); }
java
public BoxFile.Info commit(String digest, List<BoxFileUploadSessionPart> parts, Map<String, String> attributes, String ifMatch, String ifNoneMatch) { URL commitURL = this.sessionInfo.getSessionEndpoints().getCommitEndpoint(); BoxJSONRequest request = new BoxJSONRequest(this.getAPI(), commitURL, HttpMethod.POST); request.addHeader(HttpHeaders.DIGEST, DIGEST_HEADER_PREFIX_SHA + digest); request.addHeader(HttpHeaders.CONTENT_TYPE, ContentType.APPLICATION_JSON); if (ifMatch != null) { request.addHeader(HttpHeaders.IF_MATCH, ifMatch); } if (ifNoneMatch != null) { request.addHeader(HttpHeaders.IF_NONE_MATCH, ifNoneMatch); } //Creates the body of the request String body = this.getCommitBody(parts, attributes); request.setBody(body); BoxAPIResponse response = request.send(); //Retry the commit operation after the given number of seconds if the HTTP response code is 202. if (response.getResponseCode() == 202) { String retryInterval = response.getHeaderField("retry-after"); if (retryInterval != null) { try { Thread.sleep(new Integer(retryInterval) * 1000); } catch (InterruptedException ie) { throw new BoxAPIException("Commit retry failed. ", ie); } return this.commit(digest, parts, attributes, ifMatch, ifNoneMatch); } } if (response instanceof BoxJSONResponse) { //Create the file instance from the response return this.getFile((BoxJSONResponse) response); } else { throw new BoxAPIException("Commit response content type is not application/json. The response code : " + response.getResponseCode()); } }
java