client.go 24 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763
  1. // Package oss implements functions for access oss service.
  2. // It has two main struct Client and Bucket.
  3. package oss
  4. import (
  5. "bytes"
  6. "encoding/xml"
  7. "io"
  8. "net/http"
  9. "strings"
  10. "time"
  11. )
  12. // Client SDK's entry point. It's for bucket related options such as create/delete/set bucket (such as set/get ACL/lifecycle/referer/logging/website).
  13. // Object related operations are done by Bucket class.
  14. // Users use oss.New to create Client instance.
  15. //
  16. type (
  17. // Client OSS client
  18. Client struct {
  19. Config *Config // OSS client configuration
  20. Conn *Conn // Send HTTP request
  21. }
  22. // ClientOption client option such as UseCname, Timeout, SecurityToken.
  23. ClientOption func(*Client)
  24. )
  25. // New creates a new client.
  26. //
  27. // endpoint the OSS datacenter endpoint such as http://oss-cn-hangzhou.aliyuncs.com .
  28. // accessKeyId access key Id.
  29. // accessKeySecret access key secret.
  30. //
  31. // Client creates the new client instance, the returned value is valid when error is nil.
  32. // error it's nil if no error, otherwise it's an error object.
  33. //
  34. func New(endpoint, accessKeyID, accessKeySecret string, options ...ClientOption) (*Client, error) {
  35. // Configuration
  36. config := getDefaultOssConfig()
  37. config.Endpoint = endpoint
  38. config.AccessKeyID = accessKeyID
  39. config.AccessKeySecret = accessKeySecret
  40. // URL parse
  41. url := &urlMaker{}
  42. url.Init(config.Endpoint, config.IsCname, config.IsUseProxy)
  43. // HTTP connect
  44. conn := &Conn{config: config, url: url}
  45. // OSS client
  46. client := &Client{
  47. config,
  48. conn,
  49. }
  50. // Client options parse
  51. for _, option := range options {
  52. option(client)
  53. }
  54. // Create HTTP connection
  55. err := conn.init(config, url)
  56. return client, err
  57. }
  58. // Bucket gets the bucket instance.
  59. //
  60. // bucketName the bucket name.
  61. // Bucket the bucket object, when error is nil.
  62. //
  63. // error it's nil if no error, otherwise it's an error object.
  64. //
  65. func (client Client) Bucket(bucketName string) (*Bucket, error) {
  66. return &Bucket{
  67. client,
  68. bucketName,
  69. }, nil
  70. }
  71. // CreateBucket creates a bucket.
  72. //
  73. // bucketName the bucket name, it's globably unique and immutable. The bucket name can only consist of lowercase letters, numbers and dash ('-').
  74. // It must start with lowercase letter or number and the length can only be between 3 and 255.
  75. // options options for creating the bucket, with optional ACL. The ACL could be ACLPrivate, ACLPublicRead, and ACLPublicReadWrite. By default it's ACLPrivate.
  76. // It could also be specified with StorageClass option, which supports StorageStandard, StorageIA(infrequent access), StorageArchive.
  77. //
  78. // error it's nil if no error, otherwise it's an error object.
  79. //
  80. func (client Client) CreateBucket(bucketName string, options ...Option) error {
  81. headers := make(map[string]string)
  82. handleOptions(headers, options)
  83. buffer := new(bytes.Buffer)
  84. isOptSet, val, _ := isOptionSet(options, storageClass)
  85. if isOptSet {
  86. cbConfig := createBucketConfiguration{StorageClass: val.(StorageClassType)}
  87. bs, err := xml.Marshal(cbConfig)
  88. if err != nil {
  89. return err
  90. }
  91. buffer.Write(bs)
  92. contentType := http.DetectContentType(buffer.Bytes())
  93. headers[HTTPHeaderContentType] = contentType
  94. }
  95. params := map[string]interface{}{}
  96. resp, err := client.do("PUT", bucketName, params, headers, buffer)
  97. if err != nil {
  98. return err
  99. }
  100. defer resp.Body.Close()
  101. return checkRespCode(resp.StatusCode, []int{http.StatusOK})
  102. }
  103. // ListBuckets lists buckets of the current account under the given endpoint, with optional filters.
  104. //
  105. // options specifies the filters such as Prefix, Marker and MaxKeys. Prefix is the bucket name's prefix filter.
  106. // And marker makes sure the returned buckets' name are greater than it in lexicographic order.
  107. // Maxkeys limits the max keys to return, and by default it's 100 and up to 1000.
  108. // For the common usage scenario, please check out list_bucket.go in the sample.
  109. // ListBucketsResponse the response object if error is nil.
  110. //
  111. // error it's nil if no error, otherwise it's an error object.
  112. //
  113. func (client Client) ListBuckets(options ...Option) (ListBucketsResult, error) {
  114. var out ListBucketsResult
  115. params, err := getRawParams(options)
  116. if err != nil {
  117. return out, err
  118. }
  119. resp, err := client.do("GET", "", params, nil, nil)
  120. if err != nil {
  121. return out, err
  122. }
  123. defer resp.Body.Close()
  124. err = xmlUnmarshal(resp.Body, &out)
  125. return out, err
  126. }
  127. // IsBucketExist checks if the bucket exists
  128. //
  129. // bucketName the bucket name.
  130. //
  131. // bool true if it exists, and it's only valid when error is nil.
  132. // error it's nil if no error, otherwise it's an error object.
  133. //
  134. func (client Client) IsBucketExist(bucketName string) (bool, error) {
  135. listRes, err := client.ListBuckets(Prefix(bucketName), MaxKeys(1))
  136. if err != nil {
  137. return false, err
  138. }
  139. if len(listRes.Buckets) == 1 && listRes.Buckets[0].Name == bucketName {
  140. return true, nil
  141. }
  142. return false, nil
  143. }
  144. // DeleteBucket deletes the bucket. Only empty bucket can be deleted (no object and parts).
  145. //
  146. // bucketName the bucket name.
  147. //
  148. // error it's nil if no error, otherwise it's an error object.
  149. //
  150. func (client Client) DeleteBucket(bucketName string) error {
  151. params := map[string]interface{}{}
  152. resp, err := client.do("DELETE", bucketName, params, nil, nil)
  153. if err != nil {
  154. return err
  155. }
  156. defer resp.Body.Close()
  157. return checkRespCode(resp.StatusCode, []int{http.StatusNoContent})
  158. }
  159. // GetBucketLocation gets the bucket location.
  160. //
  161. // Checks out the following link for more information :
  162. // https://help.aliyun.com/document_detail/oss/user_guide/oss_concept/endpoint.html
  163. //
  164. // bucketName the bucket name
  165. //
  166. // string bucket's datacenter location
  167. // error it's nil if no error, otherwise it's an error object.
  168. //
  169. func (client Client) GetBucketLocation(bucketName string) (string, error) {
  170. params := map[string]interface{}{}
  171. params["location"] = nil
  172. resp, err := client.do("GET", bucketName, params, nil, nil)
  173. if err != nil {
  174. return "", err
  175. }
  176. defer resp.Body.Close()
  177. var LocationConstraint string
  178. err = xmlUnmarshal(resp.Body, &LocationConstraint)
  179. return LocationConstraint, err
  180. }
  181. // SetBucketACL sets bucket's ACL.
  182. //
  183. // bucketName the bucket name
  184. // bucketAcl the bucket ACL: ACLPrivate, ACLPublicRead and ACLPublicReadWrite.
  185. //
  186. // error it's nil if no error, otherwise it's an error object.
  187. //
  188. func (client Client) SetBucketACL(bucketName string, bucketACL ACLType) error {
  189. headers := map[string]string{HTTPHeaderOssACL: string(bucketACL)}
  190. params := map[string]interface{}{}
  191. resp, err := client.do("PUT", bucketName, params, headers, nil)
  192. if err != nil {
  193. return err
  194. }
  195. defer resp.Body.Close()
  196. return checkRespCode(resp.StatusCode, []int{http.StatusOK})
  197. }
  198. // GetBucketACL gets the bucket ACL.
  199. //
  200. // bucketName the bucket name.
  201. //
  202. // GetBucketAclResponse the result object, and it's only valid when error is nil.
  203. // error it's nil if no error, otherwise it's an error object.
  204. //
  205. func (client Client) GetBucketACL(bucketName string) (GetBucketACLResult, error) {
  206. var out GetBucketACLResult
  207. params := map[string]interface{}{}
  208. params["acl"] = nil
  209. resp, err := client.do("GET", bucketName, params, nil, nil)
  210. if err != nil {
  211. return out, err
  212. }
  213. defer resp.Body.Close()
  214. err = xmlUnmarshal(resp.Body, &out)
  215. return out, err
  216. }
  217. // SetBucketLifecycle sets the bucket's lifecycle.
  218. //
  219. // For more information, checks out following link:
  220. // https://help.aliyun.com/document_detail/oss/user_guide/manage_object/object_lifecycle.html
  221. //
  222. // bucketName the bucket name.
  223. // rules the lifecycle rules. There're two kind of rules: absolute time expiration and relative time expiration in days and day/month/year respectively.
  224. // Check out sample/bucket_lifecycle.go for more details.
  225. //
  226. // error it's nil if no error, otherwise it's an error object.
  227. //
  228. func (client Client) SetBucketLifecycle(bucketName string, rules []LifecycleRule) error {
  229. lxml := lifecycleXML{Rules: convLifecycleRule(rules)}
  230. bs, err := xml.Marshal(lxml)
  231. if err != nil {
  232. return err
  233. }
  234. buffer := new(bytes.Buffer)
  235. buffer.Write(bs)
  236. contentType := http.DetectContentType(buffer.Bytes())
  237. headers := map[string]string{}
  238. headers[HTTPHeaderContentType] = contentType
  239. params := map[string]interface{}{}
  240. params["lifecycle"] = nil
  241. resp, err := client.do("PUT", bucketName, params, headers, buffer)
  242. if err != nil {
  243. return err
  244. }
  245. defer resp.Body.Close()
  246. return checkRespCode(resp.StatusCode, []int{http.StatusOK})
  247. }
  248. // DeleteBucketLifecycle deletes the bucket's lifecycle.
  249. //
  250. //
  251. // bucketName the bucket name.
  252. //
  253. // error it's nil if no error, otherwise it's an error object.
  254. //
  255. func (client Client) DeleteBucketLifecycle(bucketName string) error {
  256. params := map[string]interface{}{}
  257. params["lifecycle"] = nil
  258. resp, err := client.do("DELETE", bucketName, params, nil, nil)
  259. if err != nil {
  260. return err
  261. }
  262. defer resp.Body.Close()
  263. return checkRespCode(resp.StatusCode, []int{http.StatusNoContent})
  264. }
  265. // GetBucketLifecycle gets the bucket's lifecycle settings.
  266. //
  267. // bucketName the bucket name.
  268. //
  269. // GetBucketLifecycleResponse the result object upon successful request. It's only valid when error is nil.
  270. // error it's nil if no error, otherwise it's an error object.
  271. //
  272. func (client Client) GetBucketLifecycle(bucketName string) (GetBucketLifecycleResult, error) {
  273. var out GetBucketLifecycleResult
  274. params := map[string]interface{}{}
  275. params["lifecycle"] = nil
  276. resp, err := client.do("GET", bucketName, params, nil, nil)
  277. if err != nil {
  278. return out, err
  279. }
  280. defer resp.Body.Close()
  281. err = xmlUnmarshal(resp.Body, &out)
  282. return out, err
  283. }
  284. // SetBucketReferer sets the bucket's referer whitelist and the flag if allowing empty referrer.
  285. //
  286. // To avoid stealing link on OSS data, OSS supports the HTTP referrer header. A whitelist referrer could be set either by API or web console, as well as
  287. // the allowing empty referrer flag. Note that this applies to requests from webbrowser only.
  288. // For example, for a bucket os-example and its referrer http://www.aliyun.com, all requests from this URL could access the bucket.
  289. // For more information, please check out this link :
  290. // https://help.aliyun.com/document_detail/oss/user_guide/security_management/referer.html
  291. //
  292. // bucketName the bucket name.
  293. // referers the referrer white list. A bucket could have a referrer list and each referrer supports one '*' and multiple '?' as wildcards.
  294. // The sample could be found in sample/bucket_referer.go
  295. // allowEmptyReferer the flag of allowing empty referrer. By default it's true.
  296. //
  297. // error it's nil if no error, otherwise it's an error object.
  298. //
  299. func (client Client) SetBucketReferer(bucketName string, referers []string, allowEmptyReferer bool) error {
  300. rxml := RefererXML{}
  301. rxml.AllowEmptyReferer = allowEmptyReferer
  302. if referers == nil {
  303. rxml.RefererList = append(rxml.RefererList, "")
  304. } else {
  305. rxml.RefererList = append(rxml.RefererList, referers...)
  306. }
  307. bs, err := xml.Marshal(rxml)
  308. if err != nil {
  309. return err
  310. }
  311. buffer := new(bytes.Buffer)
  312. buffer.Write(bs)
  313. contentType := http.DetectContentType(buffer.Bytes())
  314. headers := map[string]string{}
  315. headers[HTTPHeaderContentType] = contentType
  316. params := map[string]interface{}{}
  317. params["referer"] = nil
  318. resp, err := client.do("PUT", bucketName, params, headers, buffer)
  319. if err != nil {
  320. return err
  321. }
  322. defer resp.Body.Close()
  323. return checkRespCode(resp.StatusCode, []int{http.StatusOK})
  324. }
  325. // GetBucketReferer gets the bucket's referrer white list.
  326. //
  327. // bucketName the bucket name.
  328. //
  329. // GetBucketRefererResponse the result object upon successful request. It's only valid when error is nil.
  330. // error it's nil if no error, otherwise it's an error object.
  331. //
  332. func (client Client) GetBucketReferer(bucketName string) (GetBucketRefererResult, error) {
  333. var out GetBucketRefererResult
  334. params := map[string]interface{}{}
  335. params["referer"] = nil
  336. resp, err := client.do("GET", bucketName, params, nil, nil)
  337. if err != nil {
  338. return out, err
  339. }
  340. defer resp.Body.Close()
  341. err = xmlUnmarshal(resp.Body, &out)
  342. return out, err
  343. }
  344. // SetBucketLogging sets the bucket logging settings.
  345. //
  346. // OSS could automatically store the access log. Only the bucket owner could enable the logging.
  347. // Once enabled, OSS would save all the access log into hourly log files in a specified bucket.
  348. // For more information, please check out https://help.aliyun.com/document_detail/oss/user_guide/security_management/logging.html
  349. //
  350. // bucketName bucket name to enable the log.
  351. // targetBucket the target bucket name to store the log files.
  352. // targetPrefix the log files' prefix.
  353. //
  354. // error it's nil if no error, otherwise it's an error object.
  355. //
  356. func (client Client) SetBucketLogging(bucketName, targetBucket, targetPrefix string,
  357. isEnable bool) error {
  358. var err error
  359. var bs []byte
  360. if isEnable {
  361. lxml := LoggingXML{}
  362. lxml.LoggingEnabled.TargetBucket = targetBucket
  363. lxml.LoggingEnabled.TargetPrefix = targetPrefix
  364. bs, err = xml.Marshal(lxml)
  365. } else {
  366. lxml := loggingXMLEmpty{}
  367. bs, err = xml.Marshal(lxml)
  368. }
  369. if err != nil {
  370. return err
  371. }
  372. buffer := new(bytes.Buffer)
  373. buffer.Write(bs)
  374. contentType := http.DetectContentType(buffer.Bytes())
  375. headers := map[string]string{}
  376. headers[HTTPHeaderContentType] = contentType
  377. params := map[string]interface{}{}
  378. params["logging"] = nil
  379. resp, err := client.do("PUT", bucketName, params, headers, buffer)
  380. if err != nil {
  381. return err
  382. }
  383. defer resp.Body.Close()
  384. return checkRespCode(resp.StatusCode, []int{http.StatusOK})
  385. }
  386. // DeleteBucketLogging deletes the logging configuration to disable the logging on the bucket.
  387. //
  388. // bucketName the bucket name to disable the logging.
  389. //
  390. // error it's nil if no error, otherwise it's an error object.
  391. //
  392. func (client Client) DeleteBucketLogging(bucketName string) error {
  393. params := map[string]interface{}{}
  394. params["logging"] = nil
  395. resp, err := client.do("DELETE", bucketName, params, nil, nil)
  396. if err != nil {
  397. return err
  398. }
  399. defer resp.Body.Close()
  400. return checkRespCode(resp.StatusCode, []int{http.StatusNoContent})
  401. }
  402. // GetBucketLogging gets the bucket's logging settings
  403. //
  404. // bucketName the bucket name
  405. // GetBucketLoggingResponse the result object upon successful request. It's only valid when error is nil.
  406. //
  407. // error it's nil if no error, otherwise it's an error object.
  408. //
  409. func (client Client) GetBucketLogging(bucketName string) (GetBucketLoggingResult, error) {
  410. var out GetBucketLoggingResult
  411. params := map[string]interface{}{}
  412. params["logging"] = nil
  413. resp, err := client.do("GET", bucketName, params, nil, nil)
  414. if err != nil {
  415. return out, err
  416. }
  417. defer resp.Body.Close()
  418. err = xmlUnmarshal(resp.Body, &out)
  419. return out, err
  420. }
  421. // SetBucketWebsite sets the bucket's static website's index and error page.
  422. //
  423. // OSS supports static web site hosting for the bucket data. When the bucket is enabled with that, you can access the file in the bucket like the way to access a static website.
  424. // For more information, please check out: https://help.aliyun.com/document_detail/oss/user_guide/static_host_website.html
  425. //
  426. // bucketName the bucket name to enable static web site.
  427. // indexDocument index page.
  428. // errorDocument error page.
  429. //
  430. // error it's nil if no error, otherwise it's an error object.
  431. //
  432. func (client Client) SetBucketWebsite(bucketName, indexDocument, errorDocument string) error {
  433. wxml := WebsiteXML{}
  434. wxml.IndexDocument.Suffix = indexDocument
  435. wxml.ErrorDocument.Key = errorDocument
  436. bs, err := xml.Marshal(wxml)
  437. if err != nil {
  438. return err
  439. }
  440. buffer := new(bytes.Buffer)
  441. buffer.Write(bs)
  442. contentType := http.DetectContentType(buffer.Bytes())
  443. headers := make(map[string]string)
  444. headers[HTTPHeaderContentType] = contentType
  445. params := map[string]interface{}{}
  446. params["website"] = nil
  447. resp, err := client.do("PUT", bucketName, params, headers, buffer)
  448. if err != nil {
  449. return err
  450. }
  451. defer resp.Body.Close()
  452. return checkRespCode(resp.StatusCode, []int{http.StatusOK})
  453. }
  454. // DeleteBucketWebsite deletes the bucket's static web site settings.
  455. //
  456. // bucketName the bucket name.
  457. //
  458. // error it's nil if no error, otherwise it's an error object.
  459. //
  460. func (client Client) DeleteBucketWebsite(bucketName string) error {
  461. params := map[string]interface{}{}
  462. params["website"] = nil
  463. resp, err := client.do("DELETE", bucketName, params, nil, nil)
  464. if err != nil {
  465. return err
  466. }
  467. defer resp.Body.Close()
  468. return checkRespCode(resp.StatusCode, []int{http.StatusNoContent})
  469. }
  470. // GetBucketWebsite gets the bucket's default page (index page) and the error page.
  471. //
  472. // bucketName the bucket name
  473. //
  474. // GetBucketWebsiteResponse the result object upon successful request. It's only valid when error is nil.
  475. // error it's nil if no error, otherwise it's an error object.
  476. //
  477. func (client Client) GetBucketWebsite(bucketName string) (GetBucketWebsiteResult, error) {
  478. var out GetBucketWebsiteResult
  479. params := map[string]interface{}{}
  480. params["website"] = nil
  481. resp, err := client.do("GET", bucketName, params, nil, nil)
  482. if err != nil {
  483. return out, err
  484. }
  485. defer resp.Body.Close()
  486. err = xmlUnmarshal(resp.Body, &out)
  487. return out, err
  488. }
  489. // SetBucketCORS sets the bucket's CORS rules
  490. //
  491. // For more information, please check out https://help.aliyun.com/document_detail/oss/user_guide/security_management/cors.html
  492. //
  493. // bucketName the bucket name
  494. // corsRules the CORS rules to set. The related sample code is in sample/bucket_cors.go.
  495. //
  496. // error it's nil if no error, otherwise it's an error object.
  497. //
  498. func (client Client) SetBucketCORS(bucketName string, corsRules []CORSRule) error {
  499. corsxml := CORSXML{}
  500. for _, v := range corsRules {
  501. cr := CORSRule{}
  502. cr.AllowedMethod = v.AllowedMethod
  503. cr.AllowedOrigin = v.AllowedOrigin
  504. cr.AllowedHeader = v.AllowedHeader
  505. cr.ExposeHeader = v.ExposeHeader
  506. cr.MaxAgeSeconds = v.MaxAgeSeconds
  507. corsxml.CORSRules = append(corsxml.CORSRules, cr)
  508. }
  509. bs, err := xml.Marshal(corsxml)
  510. if err != nil {
  511. return err
  512. }
  513. buffer := new(bytes.Buffer)
  514. buffer.Write(bs)
  515. contentType := http.DetectContentType(buffer.Bytes())
  516. headers := map[string]string{}
  517. headers[HTTPHeaderContentType] = contentType
  518. params := map[string]interface{}{}
  519. params["cors"] = nil
  520. resp, err := client.do("PUT", bucketName, params, headers, buffer)
  521. if err != nil {
  522. return err
  523. }
  524. defer resp.Body.Close()
  525. return checkRespCode(resp.StatusCode, []int{http.StatusOK})
  526. }
  527. // DeleteBucketCORS deletes the bucket's static website settings.
  528. //
  529. // bucketName the bucket name.
  530. //
  531. // error it's nil if no error, otherwise it's an error object.
  532. //
  533. func (client Client) DeleteBucketCORS(bucketName string) error {
  534. params := map[string]interface{}{}
  535. params["cors"] = nil
  536. resp, err := client.do("DELETE", bucketName, params, nil, nil)
  537. if err != nil {
  538. return err
  539. }
  540. defer resp.Body.Close()
  541. return checkRespCode(resp.StatusCode, []int{http.StatusNoContent})
  542. }
  543. // GetBucketCORS gets the bucket's CORS settings.
  544. //
  545. // bucketName the bucket name.
  546. // GetBucketCORSResult the result object upon successful request. It's only valid when error is nil.
  547. //
  548. // error it's nil if no error, otherwise it's an error object.
  549. //
  550. func (client Client) GetBucketCORS(bucketName string) (GetBucketCORSResult, error) {
  551. var out GetBucketCORSResult
  552. params := map[string]interface{}{}
  553. params["cors"] = nil
  554. resp, err := client.do("GET", bucketName, params, nil, nil)
  555. if err != nil {
  556. return out, err
  557. }
  558. defer resp.Body.Close()
  559. err = xmlUnmarshal(resp.Body, &out)
  560. return out, err
  561. }
  562. // GetBucketInfo gets the bucket information.
  563. //
  564. // bucketName the bucket name.
  565. // GetBucketInfoResult the result object upon successful request. It's only valid when error is nil.
  566. //
  567. // error it's nil if no error, otherwise it's an error object.
  568. //
  569. func (client Client) GetBucketInfo(bucketName string) (GetBucketInfoResult, error) {
  570. var out GetBucketInfoResult
  571. params := map[string]interface{}{}
  572. params["bucketInfo"] = nil
  573. resp, err := client.do("GET", bucketName, params, nil, nil)
  574. if err != nil {
  575. return out, err
  576. }
  577. defer resp.Body.Close()
  578. err = xmlUnmarshal(resp.Body, &out)
  579. return out, err
  580. }
  581. // UseCname sets the flag of using CName. By default it's false.
  582. //
  583. // isUseCname true: the endpoint has the CName, false: the endpoint does not have cname. Default is false.
  584. //
  585. func UseCname(isUseCname bool) ClientOption {
  586. return func(client *Client) {
  587. client.Config.IsCname = isUseCname
  588. client.Conn.url.Init(client.Config.Endpoint, client.Config.IsCname, client.Config.IsUseProxy)
  589. }
  590. }
  591. // Timeout sets the HTTP timeout in seconds.
  592. //
  593. // connectTimeoutSec HTTP timeout in seconds. Default is 10 seconds. 0 means infinite (not recommended)
  594. // readWriteTimeout HTTP read or write's timeout in seconds. Default is 20 seconds. 0 means infinite.
  595. //
  596. func Timeout(connectTimeoutSec, readWriteTimeout int64) ClientOption {
  597. return func(client *Client) {
  598. client.Config.HTTPTimeout.ConnectTimeout =
  599. time.Second * time.Duration(connectTimeoutSec)
  600. client.Config.HTTPTimeout.ReadWriteTimeout =
  601. time.Second * time.Duration(readWriteTimeout)
  602. client.Config.HTTPTimeout.HeaderTimeout =
  603. time.Second * time.Duration(readWriteTimeout)
  604. client.Config.HTTPTimeout.IdleConnTimeout =
  605. time.Second * time.Duration(readWriteTimeout)
  606. client.Config.HTTPTimeout.LongTimeout =
  607. time.Second * time.Duration(readWriteTimeout*10)
  608. }
  609. }
  610. // SecurityToken sets the temporary user's SecurityToken.
  611. //
  612. // token STS token
  613. //
  614. func SecurityToken(token string) ClientOption {
  615. return func(client *Client) {
  616. client.Config.SecurityToken = strings.TrimSpace(token)
  617. }
  618. }
  619. // EnableMD5 enables MD5 validation.
  620. //
  621. // isEnableMD5 true: enable MD5 validation; false: disable MD5 validation.
  622. //
  623. func EnableMD5(isEnableMD5 bool) ClientOption {
  624. return func(client *Client) {
  625. client.Config.IsEnableMD5 = isEnableMD5
  626. }
  627. }
  628. // MD5ThresholdCalcInMemory sets the memory usage threshold for computing the MD5, default is 16MB.
  629. //
  630. // threshold the memory threshold in bytes. When the uploaded content is more than 16MB, the temp file is used for computing the MD5.
  631. //
  632. func MD5ThresholdCalcInMemory(threshold int64) ClientOption {
  633. return func(client *Client) {
  634. client.Config.MD5Threshold = threshold
  635. }
  636. }
  637. // EnableCRC enables the CRC checksum. Default is true.
  638. //
  639. // isEnableCRC true: enable CRC checksum; false: disable the CRC checksum.
  640. //
  641. func EnableCRC(isEnableCRC bool) ClientOption {
  642. return func(client *Client) {
  643. client.Config.IsEnableCRC = isEnableCRC
  644. }
  645. }
  646. // UserAgent specifies UserAgent. The default is aliyun-sdk-go/1.2.0 (windows/-/amd64;go1.5.2).
  647. //
  648. // userAgent the user agent string.
  649. //
  650. func UserAgent(userAgent string) ClientOption {
  651. return func(client *Client) {
  652. client.Config.UserAgent = userAgent
  653. }
  654. }
  655. // Proxy sets the proxy (optional). The default is not using proxy.
  656. //
  657. // proxyHost the proxy host in the format "host:port". For example, proxy.com:80 .
  658. //
  659. func Proxy(proxyHost string) ClientOption {
  660. return func(client *Client) {
  661. client.Config.IsUseProxy = true
  662. client.Config.ProxyHost = proxyHost
  663. client.Conn.url.Init(client.Config.Endpoint, client.Config.IsCname, client.Config.IsUseProxy)
  664. }
  665. }
  666. // AuthProxy sets the proxy information with user name and password.
  667. //
  668. // proxyHost the proxy host in the format "host:port". For example, proxy.com:80 .
  669. // proxyUser the proxy user name.
  670. // proxyPassword the proxy password.
  671. //
  672. func AuthProxy(proxyHost, proxyUser, proxyPassword string) ClientOption {
  673. return func(client *Client) {
  674. client.Config.IsUseProxy = true
  675. client.Config.ProxyHost = proxyHost
  676. client.Config.IsAuthProxy = true
  677. client.Config.ProxyUser = proxyUser
  678. client.Config.ProxyPassword = proxyPassword
  679. client.Conn.url.Init(client.Config.Endpoint, client.Config.IsCname, client.Config.IsUseProxy)
  680. }
  681. }
  682. // Private
  683. func (client Client) do(method, bucketName string, params map[string]interface{},
  684. headers map[string]string, data io.Reader) (*Response, error) {
  685. return client.Conn.Do(method, bucketName, "", params,
  686. headers, data, 0, nil)
  687. }