Пример #1
0
        public void Delete(string remotename)
        {
            var req = m_oauth.CreateRequest(WebApi.GoogleCloudStorage.DeleteUrl(m_bucket, Library.Utility.Uri.UrlPathEncode(m_prefix + remotename)));

            req.Method = "DELETE";

            m_oauth.ReadJSONResponse <object>(req);
        }
Пример #2
0
        public void Delete(string remotename)
        {
            var url = string.Format("{0}/b/{1}/o/{2}", API_URL, m_bucket, Library.Utility.Uri.UrlPathEncode(m_prefix + remotename));
            var req = m_oauth.CreateRequest(url);

            req.Method = "DELETE";

            m_oauth.ReadJSONResponse <object>(req);
        }
Пример #3
0
        /// <summary>
        /// Helper method that queries a resumeable upload uri for progress
        /// </summary>
        /// <returns>The upload range.</returns>
        /// <param name="oauth">The Oauth instance</param>
        /// <param name="uploaduri">The resumeable uploaduri</param>
        /// <param name="streamlength">The length of the entire stream</param>
        private static long QueryUploadRange <T>(OAuthHelper oauth, string uploaduri, long streamlength, out T response)
            where T : class
        {
            response = null;
            var req = oauth.CreateRequest(uploaduri);

            req.Method                   = "PUT";
            req.ContentLength            = 0;
            req.Headers["Content-Range"] = string.Format("bytes */{0}", streamlength);

            var areq = new AsyncHttpRequest(req);

            using (var resp = oauth.GetResponseWithoutException(areq))
            {
                var code = (int)resp.StatusCode;

                // If the upload is completed, we get 201 or 200
                if (code >= 200 && code <= 299)
                {
                    response = oauth.ReadJSONResponse <T>(resp);
                    if (response == null)
                    {
                        throw new Exception(string.Format("Upload succeeded, but no data was returned, status code: {0}", code));
                    }

                    return(streamlength);
                }

                if (code == 308)
                {
                    // A lack of a Range header is undocumented,
                    // but seems to occur when no data has reached the server:
                    // https://code.google.com/a/google.com/p/apps-api-issues/issues/detail?id=3884

                    if (resp.Headers["Range"] == null)
                    {
                        return(0);
                    }
                    else
                    {
                        return(long.Parse(resp.Headers["Range"].Split(new char[] { '-' })[1]) + 1);
                    }
                }
                else
                {
                    throw new WebException(string.Format("Unexpected status code: {0}", code), null, WebExceptionStatus.ServerProtocolViolation, resp);
                }
            }
        }
Пример #4
0
        public void Get(string remotename, System.IO.Stream stream)
        {
            // Prevent repeated download url lookups
            if (m_filecache.Count == 0)
            {
                List();
            }

            var fileid = GetFileId(remotename);

            var req  = m_oauth.CreateRequest(string.Format("{0}/files/{1}?alt=media", DRIVE_API_URL, fileid));
            var areq = new AsyncHttpRequest(req);

            using (var resp = (HttpWebResponse)areq.GetResponse())
                using (var rs = resp.GetResponseStream())
                    Duplicati.Library.Utility.Utility.CopyStream(rs, stream);
        }
Пример #5
0
    public void Get(string remotename, System.IO.Stream stream)
    {
        // Prevent repeated download url lookups
        if (m_filecache.Count == 0)
        {
            foreach (var file in List()) /* Enumerate the full listing */ } {
    }

    var fileId = GetFileEntries(remotename).OrderByDescending(x => x.createdDate).First().id;

    var req  = m_oauth.CreateRequest(WebApi.GoogleDrive.GetUrl(fileId));
    var areq = new AsyncHttpRequest(req);

    using (var resp = (HttpWebResponse)areq.GetResponse())
        using (var rs = areq.GetResponseStream())
            Duplicati.Library.Utility.Utility.CopyStream(rs, stream);
}
Пример #6
0
    public void Get(string remotename, System.IO.Stream stream)
    {
        // Prevent repeated download url lookups
        if (m_filecache.Count == 0)
        {
            foreach (var file in List()) /* Enumerate the full listing */ } {
    }

    var fileid = GetFileEntries(remotename).OrderByDescending(x => x.createdDate).First().id;

    var req  = m_oauth.CreateRequest(string.Format("{0}/files/{1}?alt=media{2}", DRIVE_API_URL, fileid, m_useTeamDrive ? "&supportsTeamDrives=true" : string.Empty));
    var areq = new AsyncHttpRequest(req);

    using (var resp = (HttpWebResponse)areq.GetResponse())
        using (var rs = areq.GetResponseStream())
            Duplicati.Library.Utility.Utility.CopyStream(rs, stream);
}
Пример #7
0
        /// <summary>
        /// Uploads the requestdata as JSON and starts a resumeable upload session, then uploads the stream in chunks
        /// </summary>
        /// <returns>Serialized result of the last request.</returns>
        /// <param name="oauth">The Oauth instance.</param>
        /// <param name="requestdata">The data to submit as JSON metadata.</param>
        /// <param name="url">The URL to register the upload session against.</param>
        /// <param name="stream">The stream with content data to upload.</param>
        /// <param name="method">The HTTP Method.</param>
        /// <typeparam name="TRequest">The type of data to upload as metadata.</typeparam>
        /// <typeparam name="TResponse">The type of data returned from the upload.</typeparam>
        public static async Task <TResponse> ChunkedUploadWithResumeAsync <TRequest, TResponse>(OAuthHelper oauth, TRequest requestdata, string url, System.IO.Stream stream, CancellationToken cancelToken, string method = "POST")
            where TRequest : class
            where TResponse : class
        {
            var data = requestdata == null ? null : System.Text.Encoding.UTF8.GetBytes(JsonConvert.SerializeObject(requestdata));

            var req = oauth.CreateRequest(url);

            req.Method        = method;
            req.ContentLength = data == null ? 0 : data.Length;

            if (data != null)
            {
                req.ContentType = "application/json; charset=UTF-8";
            }

            req.Headers["X-Upload-Content-Type"]   = "application/octet-stream";
            req.Headers["X-Upload-Content-Length"] = stream.Length.ToString();

            var areq = new AsyncHttpRequest(req);

            if (data != null)
            {
                using (var rs = areq.GetRequestStream())
                    await rs.WriteAsync(data, 0, data.Length, cancelToken).ConfigureAwait(false);
            }

            string uploaduri;

            using (var resp = (HttpWebResponse)areq.GetResponse())
            {
                if (resp.StatusCode != HttpStatusCode.OK || string.IsNullOrWhiteSpace(resp.Headers["Location"]))
                {
                    throw new WebException("Failed to start upload session", null, WebExceptionStatus.UnknownError, resp);
                }

                uploaduri = resp.Headers["Location"];
            }

            return(await ChunkedUploadAsync <TResponse>(oauth, uploaduri, stream, cancelToken).ConfigureAwait(false));
        }
Пример #8
0
        /// <summary>
        /// Helper method that performs a chunked upload, and queries for http status after each chunk
        /// </summary>
        /// <returns>The response item</returns>
        /// <param name="oauth">The Oauth instance</param>
        /// <param name="uploaduri">The resumeable uploaduri</param>
        /// <param name="stream">The stream with data to upload.</param>
        /// <typeparam name="T">The type of data in the response.</typeparam>
        private static async Task <T> ChunkedUploadAsync <T>(OAuthHelper oauth, string uploaduri, System.IO.Stream stream, CancellationToken cancelToken)
            where T : class
        {
            var queryRange = false;
            var retries    = 0;
            var offset     = 0L;
            var buffer     = new byte[Library.Utility.Utility.DEFAULT_BUFFER_SIZE];

            // Repeatedly try uploading until all retries are done
            while (true)
            {
                try
                {
                    if (queryRange)
                    {
                        T re;
                        offset     = GoogleCommon.QueryUploadRange(oauth, uploaduri, stream.Length, out re);
                        queryRange = false;

                        if (re != null)
                        {
                            return(re);
                        }
                    }

                    //Seek into the right place
                    if (stream.Position != offset)
                    {
                        stream.Position = offset;
                    }

                    var req = oauth.CreateRequest(uploaduri);
                    req.Method      = "PUT";
                    req.ContentType = "application/octet-stream";

                    var chunkSize = Math.Min(UPLOAD_CHUNK_SIZE, stream.Length - offset);

                    req.ContentLength            = chunkSize;
                    req.Headers["Content-Range"] = string.Format("bytes {0}-{1}/{2}", offset, offset + chunkSize - 1, stream.Length);

                    // Upload the remaining data
                    var areq = new AsyncHttpRequest(req);
                    using (var rs = areq.GetRequestStream())
                    {
                        var remaining = chunkSize;
                        while (remaining > 0)
                        {
                            var n = stream.Read(buffer, 0, (int)Math.Min(remaining, Library.Utility.Utility.DEFAULT_BUFFER_SIZE));
                            await rs.WriteAsync(buffer, 0, n, cancelToken);

                            remaining -= n;
                        }
                    }

                    // Check the response
                    using (var resp = oauth.GetResponseWithoutException(areq))
                    {
                        var code = (int)resp.StatusCode;

                        if (code == 308 && resp.Headers["Range"] != null)
                        {
                            offset  = long.Parse(resp.Headers["Range"].Split(new char[] { '-' })[1]) + 1;
                            retries = 0;
                        }
                        else if (code >= 200 && code <= 299)
                        {
                            offset += chunkSize;
                            if (offset != stream.Length)
                            {
                                throw new Exception(string.Format("Upload succeeded prematurely. Uploaded: {0}, total size: {1}", offset, stream.Length));
                            }

                            //Verify that the response is also valid
                            var res = oauth.ReadJSONResponse <T>(resp);
                            if (res == null)
                            {
                                throw new Exception(string.Format("Upload succeeded, but no data was returned, status code: {0}", code));
                            }

                            return(res);
                        }
                        else
                        {
                            throw new WebException(string.Format("Unexpected status code: {0}", code), null, WebExceptionStatus.ServerProtocolViolation, resp);
                        }
                    }
                }
                catch (Exception ex)
                {
                    var retry = false;

                    // If we get a 5xx error, or some network issue, we retry
                    if (ex is WebException && ((WebException)ex).Response is HttpWebResponse)
                    {
                        var code = (int)((HttpWebResponse)((WebException)ex).Response).StatusCode;
                        retry = code >= 500 && code <= 599;
                    }
                    else if (ex is System.Net.Sockets.SocketException || ex is System.IO.IOException || ex.InnerException is System.Net.Sockets.SocketException || ex.InnerException is System.IO.IOException)
                    {
                        retry = true;
                    }

                    // Retry with exponential backoff
                    if (retry && retries < 5)
                    {
                        System.Threading.Thread.Sleep(TimeSpan.FromSeconds(Math.Pow(2, retries)));
                        retries++;

                        // Ask server where we left off
                        queryRange = true;
                    }
                    else
                    {
                        throw;
                    }
                }
            }
        }