1 什麼是 Active Storage?
Active Storage 讓您可以將檔案上傳至雲端儲存服務 (例如 Amazon S3、Google Cloud Storage 或 Microsoft Azure Storage),並將這些檔案附加至 Active Record 物件。它配備用於開發和測試的本機磁碟式服務,並支援將檔案鏡像至從屬服務以進行備份和遷移。
使用 Active Storage,應用程式可以轉換影像上傳或產生非影像上傳 (例如 PDF 和影片) 的影像表示,並從任意檔案中擷取中繼資料。
1.1 需求
Active Storage 的各種功能取決於 Rails 不會安裝的第三方軟體,必須單獨安裝
- libvips v8.6+ 或 ImageMagick,用於影像分析和轉換
- ffmpeg v3.4+,用於影片預覽和 ffprobe,用於影片/音訊分析
- poppler 或 muPDF,用於 PDF 預覽
影像分析和轉換也需要 image_processing
gem。在您的 Gemfile
中取消註解,或在必要時新增
gem "image_processing", ">= 1.2"
與 libvips 相比,ImageMagick 更廣為人知且更易於取得。但是,libvips 可以快 10 倍,且消耗的記憶體為 1/10。對於 JPEG 檔案,可以透過將 libjpeg-dev
取代為 libjpeg-turbo-dev
來進一步改善效能,後者快 2-7 倍。
在您安裝和使用第三方軟體之前,請確保您了解這樣做的授權影響。尤其是 MuPDF,是根據 AGPL 授權的,並且某些用途需要商業授權。
2 設定
$ bin/rails active_storage:install
$ bin/rails db:migrate
這會設定組態,並建立 Active Storage 使用的三個資料表:active_storage_blobs
、active_storage_attachments
和 active_storage_variant_records
。
資料表 | 用途 |
---|---|
active_storage_blobs |
儲存關於上傳檔案的資料,例如檔案名稱和內容類型。 |
active_storage_attachments |
一個多型聯結資料表,可將您的模型連線至 Blob。如果模型的類別名稱變更,您需要在這個資料表上執行遷移,以將基礎 record_type 更新為您模型的新類別名稱。 |
active_storage_variant_records |
如果啟用變體追蹤,則會儲存每個已產生變體的記錄。 |
如果您使用 UUID 而非整數作為模型的主鍵,您應該在組態檔案中設定 Rails.application.config.generators { |g| g.orm :active_record, primary_key_type: :uuid }
。
在 config/storage.yml
中宣告 Active Storage 服務。對於您的應用程式使用的每個服務,提供名稱和必要的組態。下面的範例宣告三個名為 local
、test
和 amazon
的服務
local:
service: Disk
root: <%= Rails.root.join("storage") %>
test:
service: Disk
root: <%= Rails.root.join("tmp/storage") %>
# Use bin/rails credentials:edit to set the AWS secrets (as aws:access_key_id|secret_access_key)
amazon:
service: S3
access_key_id: <%= Rails.application.credentials.dig(:aws, :access_key_id) %>
secret_access_key: <%= Rails.application.credentials.dig(:aws, :secret_access_key) %>
bucket: your_own_bucket-<%= Rails.env %>
region: "" # e.g. 'us-east-1'
透過設定 Rails.application.config.active_storage.service
來告知 Active Storage 使用哪個服務。由於每個環境可能會使用不同的服務,因此建議按每個環境執行此操作。若要在開發環境中使用先前範例中的磁碟服務,您需要將以下程式碼新增至 config/environments/development.rb
# Store files locally.
config.active_storage.service = :local
若要在生產環境中使用 S3 服務,您需要將以下程式碼新增至 config/environments/production.rb
# Store files on Amazon S3.
config.active_storage.service = :amazon
若要在測試時使用測試服務,您需要將以下程式碼新增至 config/environments/test.rb
# Store uploaded files on the local file system in a temporary directory.
config.active_storage.service = :test
特定於環境的組態檔案將優先:例如,在生產環境中,config/storage/production.yml
檔案 (如果存在) 將優先於 config/storage.yml
檔案。
建議在儲存貯體名稱中使用 Rails.env
,以進一步降低意外損毀生產資料的風險。
amazon:
service: S3
# ...
bucket: your_own_bucket-<%= Rails.env %>
google:
service: GCS
# ...
bucket: your_own_bucket-<%= Rails.env %>
azure:
service: AzureStorage
# ...
container: your_container_name-<%= Rails.env %>
繼續閱讀以取得關於內建服務配接器 (例如 Disk
和 S3
) 及其所需組態的更多資訊。
2.1 磁碟服務
在 config/storage.yml
中宣告磁碟服務
local:
service: Disk
root: <%= Rails.root.join("storage") %>
2.2 S3 服務 (Amazon S3 和相容 S3 的 API)
若要連線至 Amazon S3,請在 config/storage.yml
中宣告 S3 服務
# Use bin/rails credentials:edit to set the AWS secrets (as aws:access_key_id|secret_access_key)
amazon:
service: S3
access_key_id: <%= Rails.application.credentials.dig(:aws, :access_key_id) %>
secret_access_key: <%= Rails.application.credentials.dig(:aws, :secret_access_key) %>
region: "" # e.g. 'us-east-1'
bucket: your_own_bucket-<%= Rails.env %>
選擇性提供用戶端和上傳選項
# Use bin/rails credentials:edit to set the AWS secrets (as aws:access_key_id|secret_access_key)
amazon:
service: S3
access_key_id: <%= Rails.application.credentials.dig(:aws, :access_key_id) %>
secret_access_key: <%= Rails.application.credentials.dig(:aws, :secret_access_key) %>
region: "" # e.g. 'us-east-1'
bucket: your_own_bucket-<%= Rails.env %>
http_open_timeout: 0
http_read_timeout: 0
retry_limit: 0
upload:
server_side_encryption: "" # 'aws:kms' or 'AES256'
cache_control: "private, max-age=<%= 1.day.to_i %>"
為您的應用程式設定合理的用戶端 HTTP 超時和重試限制。在某些失敗情況下,預設的 AWS 用戶端組態可能會導致連線保持長達數分鐘,並導致請求排隊。
將 aws-sdk-s3
gem 新增至您的 Gemfile
gem "aws-sdk-s3", require: false
Active Storage 的核心功能需要下列權限:s3:ListBucket
、s3:PutObject
、s3:GetObject
和 s3:DeleteObject
。公開存取額外需要 s3:PutObjectAcl
。如果您設定了其他上傳選項 (例如設定 ACL),則可能需要其他權限。
如果您想要使用環境變數、標準 SDK 組態檔案、設定檔、IAM 執行個體設定檔或任務角色,您可以省略上面範例中的 access_key_id
、secret_access_key
和 region
索引鍵。S3 服務支援 AWS SDK 文件中描述的所有驗證選項。
若要連線至相容 S3 的物件儲存 API (例如 DigitalOcean Spaces),請提供 endpoint
digitalocean:
service: S3
endpoint: https://nyc3.digitaloceanspaces.com
access_key_id: <%= Rails.application.credentials.dig(:digitalocean, :access_key_id) %>
secret_access_key: <%= Rails.application.credentials.dig(:digitalocean, :secret_access_key) %>
# ...and other options
還有許多其他選項可供使用。您可以在 AWS S3 用戶端文件中查看它們。
2.3 Microsoft Azure 儲存服務
在 config/storage.yml
中宣告 Azure 儲存服務
# Use bin/rails credentials:edit to set the Azure Storage secret (as azure_storage:storage_access_key)
azure:
service: AzureStorage
storage_account_name: your_account_name
storage_access_key: <%= Rails.application.credentials.dig(:azure_storage, :storage_access_key) %>
container: your_container_name-<%= Rails.env %>
將 azure-storage-blob
gem 新增至您的 Gemfile
gem "azure-storage-blob", "~> 2.0", require: false
2.4 Google Cloud 儲存服務
在 config/storage.yml
中宣告 Google Cloud 儲存服務
google:
service: GCS
credentials: <%= Rails.root.join("path/to/keyfile.json") %>
project: ""
bucket: your_own_bucket-<%= Rails.env %>
選擇性提供憑證雜湊,而不是金鑰檔案路徑
# Use bin/rails credentials:edit to set the GCS secrets (as gcs:private_key_id|private_key)
google:
service: GCS
credentials:
type: "service_account"
project_id: ""
private_key_id: <%= Rails.application.credentials.dig(:gcs, :private_key_id) %>
private_key: <%= Rails.application.credentials.dig(:gcs, :private_key).dump %>
client_email: ""
client_id: ""
auth_uri: "https://127.0.0.1/o/oauth2/auth"
token_uri: "https://127.0.0.1/o/oauth2/token"
auth_provider_x509_cert_url: "https://www.googleapis.com/oauth2/v1/certs"
client_x509_cert_url: ""
project: ""
bucket: your_own_bucket-<%= Rails.env %>
選擇性提供 Cache-Control 中繼資料,以設定在上傳的資產上
google:
service: GCS
...
cache_control: "public, max-age=3600"
簽署 URL 時,選擇性使用 IAM,而不是 credentials
。如果您使用工作負載身分驗證您的 GKE 應用程式,這會很有用,如需更多資訊,請參閱 這篇 Google Cloud 部落格文章。
google:
service: GCS
...
iam: true
在簽署 URL 時,可選擇使用特定的 GSA。當使用 IAM 時,會聯絡中繼資料伺服器以取得 GSA 電子郵件,但此中繼資料伺服器並非總是存在(例如,本機測試),您可能希望使用非預設的 GSA。
google:
service: GCS
...
iam: true
gsa_email: "foobar@baz.iam.gserviceaccount.com"
將 google-cloud-storage
gem 加入您的 Gemfile
gem "google-cloud-storage", "~> 1.11", require: false
2.5 鏡像服務
您可以透過定義鏡像服務來保持多個服務同步。鏡像服務會將上傳和刪除動作複寫到兩個或多個從屬服務。
鏡像服務旨在於生產環境中服務之間的遷移期間暫時使用。您可以開始鏡像到新的服務,將舊服務中的既有檔案複製到新的服務,然後全面採用新的服務。
鏡像不是原子性的。有可能在主要服務上上傳成功,但在任何從屬服務上失敗。在全面採用新的服務之前,請驗證所有檔案都已複製。
如上所述,定義您想要鏡像的每個服務。在定義鏡像服務時,請依名稱參考它們
# Use bin/rails credentials:edit to set the AWS secrets (as aws:access_key_id|secret_access_key)
s3_west_coast:
service: S3
access_key_id: <%= Rails.application.credentials.dig(:aws, :access_key_id) %>
secret_access_key: <%= Rails.application.credentials.dig(:aws, :secret_access_key) %>
region: "" # e.g. 'us-west-1'
bucket: your_own_bucket-<%= Rails.env %>
s3_east_coast:
service: S3
access_key_id: <%= Rails.application.credentials.dig(:aws, :access_key_id) %>
secret_access_key: <%= Rails.application.credentials.dig(:aws, :secret_access_key) %>
region: "" # e.g. 'us-east-1'
bucket: your_own_bucket-<%= Rails.env %>
production:
service: Mirror
primary: s3_east_coast
mirrors:
- s3_west_coast
雖然所有次要服務都會接收上傳,但下載始終由主要服務處理。
鏡像服務與直接上傳相容。新的檔案會直接上傳到主要服務。當直接上傳的檔案附加到記錄時,會將背景工作排入佇列,以將其複製到次要服務。
2.6 公開存取
預設情況下,Active Storage 假設服務是私有存取。這表示會產生已簽署的單次使用 URL 來存取 blob。如果您希望 blob 可公開存取,請在應用程式的 config/storage.yml
中指定 public: true
gcs: &gcs
service: GCS
project: ""
private_gcs:
<<: *gcs
credentials: <%= Rails.root.join("path/to/private_key.json") %>
bucket: your_own_bucket-<%= Rails.env %>
public_gcs:
<<: *gcs
credentials: <%= Rails.root.join("path/to/public_key.json") %>
bucket: your_own_bucket-<%= Rails.env %>
public: true
請確保您的儲存貯體已正確設定為公開存取。請參閱如何啟用 Amazon S3、Google Cloud Storage 和 Microsoft Azure 儲存服務的公開讀取權限的相關文件。Amazon S3 還需要您具有 s3:PutObjectAcl
權限。
當轉換現有的應用程式以使用 public: true
時,請務必在切換之前,更新儲存貯體中的每個個別檔案為公開可讀取。
3 將檔案附加到記錄
3.1 has_one_attached
has_one_attached
巨集設定記錄與檔案之間的一對一對應。每個記錄可以附加一個檔案。
例如,假設您的應用程式有一個 User
模型。如果您希望每個使用者都有一個頭像,請將 User
模型定義如下
class User < ApplicationRecord
has_one_attached :avatar
end
或者,如果您使用的是 Rails 6.0+,則可以執行如下的模型產生器命令
$ bin/rails generate model User avatar:attachment
您可以建立具有頭像的使用者
<%= form.file_field :avatar %>
class SignupController < ApplicationController
def create
user = User.create!(user_params)
session[:user_id] = user.id
redirect_to root_path
end
private
def user_params
params.expect(user: [:email_address, :password, :avatar])
end
end
呼叫 avatar.attach
以將頭像附加到現有的使用者
user.avatar.attach(params[:avatar])
呼叫 avatar.attached?
以判斷特定使用者是否有頭像
user.avatar.attached?
在某些情況下,您可能想要覆寫特定附件的預設服務。您可以使用帶有服務名稱的 service
選項,設定每個附件的特定服務
class User < ApplicationRecord
has_one_attached :avatar, service: :google
end
您可以透過在產生的可附加物件上呼叫 variant
方法,設定每個附件的特定變體
class User < ApplicationRecord
has_one_attached :avatar do |attachable|
attachable.variant :thumb, resize_to_limit: [100, 100]
end
end
呼叫 avatar.variant(:thumb)
以取得頭像的縮圖變體
<%= image_tag user.avatar.variant(:thumb) %>
您也可以將特定的變體用於預覽
class User < ApplicationRecord
has_one_attached :video do |attachable|
attachable.variant :thumb, resize_to_limit: [100, 100]
end
end
<%= image_tag user.video.preview(:thumb) %>
如果您預先知道將會存取您的變體,您可以指定 Rails 應該預先產生它們
class User < ApplicationRecord
has_one_attached :video do |attachable|
attachable.variant :thumb, resize_to_limit: [100, 100], preprocessed: true
end
end
Rails 會在附件附加到記錄後,將工作排入佇列以產生變體。
由於 Active Storage 依賴多型關聯,而多型關聯依賴將類別名稱儲存在資料庫中,因此該資料必須與 Ruby 程式碼使用的類別名稱保持同步。在重新命名使用 has_one_attached
的類別時,請務必也更新對應列的 active_storage_attachments.record_type
多型類型欄位中的類別名稱。
3.2 has_many_attached
has_many_attached
巨集設定記錄與檔案之間的一對多關係。每個記錄可以附加多個檔案。
例如,假設您的應用程式有一個 Message
模型。如果您希望每則訊息都有多個影像,請將 Message
模型定義如下
class Message < ApplicationRecord
has_many_attached :images
end
或者,如果您使用的是 Rails 6.0+,則可以執行如下的模型產生器命令
$ bin/rails generate model Message images:attachments
您可以建立具有影像的訊息
class MessagesController < ApplicationController
def create
message = Message.create!(message_params)
redirect_to message
end
private
def message_params
params.expect(message: [ :title, :content, images: [] ])
end
end
呼叫 images.attach
以將新的影像新增到現有的訊息
@message.images.attach(params[:images])
呼叫 images.attached?
以判斷特定訊息是否有任何影像
@message.images.attached?
覆寫預設服務的方式與 has_one_attached
相同,使用 service
選項
class Message < ApplicationRecord
has_many_attached :images, service: :s3
end
設定特定變體的方式與 has_one_attached
相同,透過在產生的可附加物件上呼叫 variant
方法
class Message < ApplicationRecord
has_many_attached :images do |attachable|
attachable.variant :thumb, resize_to_limit: [100, 100]
end
end
由於 Active Storage 依賴多型關聯,而多型關聯依賴將類別名稱儲存在資料庫中,因此該資料必須與 Ruby 程式碼使用的類別名稱保持同步。在重新命名使用 has_many_attached
的類別時,請務必也更新對應列的 active_storage_attachments.record_type
多型類型欄位中的類別名稱。
3.3 附加檔案/IO 物件
有時您需要附加一個不是透過 HTTP 請求傳送的檔案。例如,您可能想要附加一個您在磁碟上產生或從使用者提交的 URL 下載的檔案。您可能也想要在模型測試中附加夾具檔案。為此,請提供一個雜湊,其中至少包含一個開啟的 IO 物件和一個檔案名稱
@message.images.attach(io: File.open("/path/to/file"), filename: "file.pdf")
盡可能也提供內容類型。Active Storage 會嘗試從檔案的資料判斷其內容類型。如果無法判斷,則會回復為您提供的內容類型。
@message.images.attach(io: File.open("/path/to/file"), filename: "file.pdf", content_type: "application/pdf")
您可以透過傳入 identify: false
以及 content_type
,來略過從資料進行的內容類型推斷。
@message.images.attach(
io: File.open("/path/to/file"),
filename: "file.pdf",
content_type: "application/pdf",
identify: false
)
如果您未提供內容類型,且 Active Storage 無法自動判斷檔案的內容類型,則會預設為 application/octet-stream。
還有一個額外的參數 key
,可用於在您的 S3 儲存貯體中指定資料夾/子資料夾。否則,AWS S3 會使用隨機金鑰來命名您的檔案。如果您想要更好地組織 S3 儲存貯體檔案,此方法很有用。
@message.images.attach(
io: File.open("/path/to/file"),
filename: "file.pdf",
content_type: "application/pdf",
key: "#{Rails.env}/blog_content/intuitive_filename.pdf",
identify: false
)
當您從開發環境測試時,檔案會以這種方式儲存在 [S3_BUCKET]/development/blog_content/
資料夾中。請注意,如果您使用金鑰參數,則必須確保金鑰對於上傳是唯一的。建議將檔案名稱附加一個唯一的隨機金鑰,例如
def s3_file_key
"#{Rails.env}/blog_content/intuitive_filename-#{SecureRandom.uuid}.pdf"
end
@message.images.attach(
io: File.open("/path/to/file"),
filename: "file.pdf",
content_type: "application/pdf",
key: s3_file_key,
identify: false
)
3.4 取代與新增附件
在 Rails 中,預設情況下,將檔案附加到 has_many_attached
關聯將會取代任何現有的附件。
為了保留現有的附件,您可以使用隱藏的表單欄位,其中包含每個附加檔案的 signed_id
<% @message.images.each do |image| %>
<%= form.hidden_field :images, multiple: true, value: image.signed_id %>
<% end %>
<%= form.file_field :images, multiple: true %>
這樣做的好處是可以選擇性地移除現有的附件,例如,透過使用 JavaScript 來移除個別的隱藏欄位。
3.5 表單驗證
附件在相關記錄上成功 save
之前,不會傳送至儲存服務。這表示如果表單提交驗證失敗,任何新的附件都將遺失,並且必須重新上傳。由於直接上傳是在提交表單之前儲存的,因此它們可以用於在驗證失敗時保留上傳。
<%= form.hidden_field :avatar, value: @user.avatar.signed_id if @user.avatar.attached? %>
<%= form.file_field :avatar, direct_upload: true %>
4 移除檔案
若要從模型中移除附件,請在附件上呼叫 purge
。如果您的應用程式已設定為使用 Active Job,則可以透過呼叫 purge_later
在背景中執行移除。清除會從儲存服務中刪除 blob 和檔案。
# Synchronously destroy the avatar and actual resource files.
user.avatar.purge
# Destroy the associated models and actual resource files async, via Active Job.
user.avatar.purge_later
5 提供檔案
Active Storage 支援兩種提供檔案的方式:重新導向和代理。
預設情況下,所有 Active Storage 控制器都可公開存取。產生的 URL 很難猜測,但設計上是永久的。如果您的檔案需要較高等級的保護,請考慮實作已驗證的控制器。
5.1 重新導向模式
若要產生 blob 的永久 URL,您可以將 blob 傳遞至 url_for
檢視協助程式。這會產生一個 URL,其中包含 blob 的 signed_id
,該 URL 會路由到 blob 的 RedirectController
url_for(user.avatar)
# => https://www.example.com/rails/active_storage/blobs/redirect/:signed_id/my-avatar.png
RedirectController
會重新導向至實際的服務端點。這種間接方式會將服務 URL 與實際的 URL 分離,並允許例如在高可用性情況下在不同的服務中鏡像附件。重新導向的 HTTP 到期時間為 5 分鐘。
若要建立下載連結,請使用 rails_blob_{path|url}
協助程式。使用此協助程式可讓您設定處置方式。
rails_blob_path(user.avatar, disposition: "attachment")
為了防止 XSS 攻擊,Active Storage 會強制某些檔案的 Content-Disposition 標頭為 "attachment"。若要變更此行為,請參閱設定 Rails 應用程式中可用的設定選項。
如果您需要在控制器/檢視內容之外(背景工作、Cronjob 等)建立連結,您可以這樣存取 rails_blob_path
Rails.application.routes.url_helpers.rails_blob_path(user.avatar, only_path: true)
5.2 代理模式
或者,檔案可以改為透過代理傳送。這表示您的應用程式伺服器將在回應請求時從儲存服務下載檔案資料。這對於從 CDN 提供檔案很有用。
您可以設定 Active Storage 預設使用代理
# config/initializers/active_storage.rb
Rails.application.config.active_storage.resolve_model_to_route = :rails_storage_proxy
或者,如果您想要明確地代理特定附件,則可以使用 URL 協助程式,其格式為 rails_storage_proxy_path
和 rails_storage_proxy_url
。
<%= image_tag rails_storage_proxy_path(@user.avatar) %>
5.2.1 在 Active Storage 前方放置 CDN
此外,為了將 CDN 用於 Active Storage 附件,您需要使用代理模式生成 URL,以便它們由您的應用程式提供服務,並且 CDN 將快取附件,而無需任何額外設定。這開箱即用,因為預設的 Active Storage 代理控制器會設定一個 HTTP 標頭,指示 CDN 快取回應。
您還應該確保生成的 URL 使用 CDN 主機而不是您的應用程式主機。有很多方法可以實現這一點,但通常需要調整您的 config/routes.rb
檔案,以便您可以為附件及其變體生成適當的 URL。例如,您可以新增此
# config/routes.rb
direct :cdn_image do |model, options|
expires_in = options.delete(:expires_in) { ActiveStorage.urls_expire_in }
if model.respond_to?(:signed_id)
route_for(
:rails_service_blob_proxy,
model.signed_id(expires_in: expires_in),
model.filename,
options.merge(host: ENV["CDN_HOST"])
)
else
signed_blob_id = model.blob.signed_id(expires_in: expires_in)
variation_key = model.variation.key
filename = model.blob.filename
route_for(
:rails_blob_representation_proxy,
signed_blob_id,
variation_key,
filename,
options.merge(host: ENV["CDN_HOST"])
)
end
end
然後像這樣生成路由
<%= cdn_image_url(user.avatar.variant(resize_to_limit: [128, 128])) %>
5.3 已驗證的控制器
預設情況下,所有 Active Storage 控制器都是公開可訪問的。生成的 URL 使用純 signed_id
,使其難以猜測但永久有效。任何知道 blob URL 的人都可以訪問它,即使您的 ApplicationController
中的 before_action
會要求登入。如果您的檔案需要更高層級的保護,您可以根據 ActiveStorage::Blobs::RedirectController
、 ActiveStorage::Blobs::ProxyController
、 ActiveStorage::Representations::RedirectController
和 ActiveStorage::Representations::ProxyController
實作您自己的已驗證控制器。
若要僅允許帳戶存取他們自己的標誌,您可以執行以下操作
# config/routes.rb
resource :account do
resource :logo
end
# app/controllers/logos_controller.rb
class LogosController < ApplicationController
# Through ApplicationController:
# include Authenticate, SetCurrentAccount
def show
redirect_to Current.account.logo.url
end
end
<%= image_tag account_logo_path %>
然後您應該使用以下方式停用 Active Storage 的預設路由
config.active_storage.draw_routes = false
以防止使用公開可訪問的 URL 訪問檔案。
6 下載檔案
有時您需要在上傳 blob 後處理它,例如,將其轉換為不同的格式。使用附件的 download
方法將 blob 的二進制資料讀取到記憶體中
binary = user.avatar.download
您可能想要將 blob 下載到磁碟上的檔案,以便外部程式(例如病毒掃描器或媒體轉碼器)可以對其進行操作。使用附件的 open
方法將 blob 下載到磁碟上的臨時檔案
message.video.open do |file|
system "/path/to/virus/scanner", file.path
# ...
end
重要的是要知道,該檔案尚未在 after_create
回呼中可用,而僅在 after_create_commit
中可用。
7 分析檔案
Active Storage 會在上傳檔案後,透過在 Active Job 中排隊一個工作來分析檔案。分析的檔案將在 metadata 雜湊中儲存其他資訊,包括 analyzed: true
。您可以透過對其呼叫 analyzed?
來檢查是否已分析 blob。
影像分析提供 width
和 height
屬性。視訊分析提供這些屬性,以及 duration
、angle
、display_aspect_ratio
以及指示這些頻道是否存在的 video
和 audio
布林值。音訊分析提供 duration
和 bit_rate
屬性。
8 顯示影像、視訊和 PDF
Active Storage 支援表示各種檔案。您可以對附件呼叫 representation
以顯示影像變體,或視訊或 PDF 的預覽。在呼叫 representation
之前,請先呼叫 representable?
檢查附件是否可以表示。某些檔案格式無法開箱即用地由 Active Storage 預覽(例如 Word 文件);如果 representable?
返回 false,您可能想要連結到檔案。
<ul>
<% @message.files.each do |file| %>
<li>
<% if file.representable? %>
<%= image_tag file.representation(resize_to_limit: [100, 100]) %>
<% else %>
<%= link_to rails_blob_path(file, disposition: "attachment") do %>
<%= image_tag "placeholder.png", alt: "Download file" %>
<% end %>
<% end %>
</li>
<% end %>
</ul>
在內部,representation
會為影像呼叫 variant
,並為可預覽的檔案呼叫 preview
。您也可以直接呼叫這些方法。
8.1 延遲載入與立即載入
預設情況下,Active Storage 將延遲處理表示。此程式碼
image_tag file.representation(resize_to_limit: [100, 100])
將產生一個 <img>
標籤,其 src
指向 ActiveStorage::Representations::RedirectController
。瀏覽器將向該控制器發出請求,該控制器將執行以下操作
- 處理檔案並在必要時上傳處理過的檔案。
- 返回
302
重定向到檔案,無論是到- 遠端服務(例如 S3)。
- 或是
ActiveStorage::Blobs::ProxyController
,如果啟用代理模式,它將返回檔案內容。
延遲載入檔案允許諸如 單次使用 URL 等功能在不減慢初始頁面載入速度的情況下運作。
這在大多數情況下都適用。
如果您想要立即為影像產生 URL,您可以呼叫 .processed.url
image_tag file.representation(resize_to_limit: [100, 100]).processed.url
如果先前已處理過要求的表示,Active Storage 變體追蹤器會透過在資料庫中儲存記錄來提高效能。因此,上述程式碼只會向遠端服務(例如 S3)發出一次 API 呼叫,並且一旦儲存變體,就會使用該變體。變體追蹤器會自動執行,但可以透過 config.active_storage.track_variants
停用。
如果您在頁面上呈現大量影像,上述範例可能會導致 N+1 個查詢載入所有變體記錄。若要避免這些 N+1 個查詢,請在 ActiveStorage::Attachment
上使用具名範圍。
message.images.with_all_variant_records.each do |file|
image_tag file.representation(resize_to_limit: [100, 100]).processed.url
end
8.2 轉換影像
轉換影像可讓您以您選擇的尺寸顯示影像。若要建立影像的變體,請對附件呼叫 variant
。您可以將變體處理器支援的任何轉換傳遞給該方法。當瀏覽器命中變體 URL 時,Active Storage 會延遲將原始 blob 轉換為指定的格式,並重定向到其新的服務位置。
<%= image_tag user.avatar.variant(resize_to_limit: [100, 100]) %>
如果請求了變體,Active Storage 將根據影像的格式自動應用轉換
可變的內容類型(由
config.active_storage.variable_content_types
指定)且不被視為網頁影像(由config.active_storage.web_image_content_types
指定)將轉換為 PNG。如果未指定
quality
,將使用變體處理器的預設格式品質。
Active Storage 可以使用 Vips 或 MiniMagick 作為變體處理器。預設值取決於您的 config.load_defaults
目標版本,並且可以透過設定 config.active_storage.variant_processor
來變更處理器。
可用的參數由 image_processing
gem 定義,並取決於您正在使用的變體處理器,但兩者都支援以下參數
參數 | 範例 | 描述 |
---|---|---|
resize_to_limit |
resize_to_limit: [100, 100] |
縮小影像以符合指定的尺寸,同時保留原始的長寬比。僅當影像大於指定的尺寸時才會調整大小。 |
resize_to_fit |
resize_to_fit: [100, 100] |
調整影像大小以符合指定的尺寸,同時保留原始的長寬比。如果影像大於指定的尺寸,則會縮小影像;如果影像較小,則會放大影像。 |
resize_to_fill |
resize_to_fill: [100, 100] |
調整影像大小以填滿指定的尺寸,同時保留原始的長寬比。如有必要,將在較大的尺寸中裁切影像。 |
resize_and_pad |
resize_and_pad: [100, 100] |
調整影像大小以符合指定的尺寸,同時保留原始的長寬比。如有必要,如果來源影像有 Alpha 通道,則會用透明顏色填充剩餘區域,否則會用黑色填充。 |
crop |
crop: [20, 50, 300, 300] |
從影像中提取區域。前兩個引數是要提取區域的左邊緣和上邊緣,而最後兩個引數是要提取區域的寬度和高度。 |
rotate |
rotate: 90 |
將影像旋轉指定的角度。 |
image_processing
在其本身的文檔中提供了所有可用的參數,適用於 Vips 和 MiniMagick 處理器。
某些參數,包括上面列出的參數,接受其他特定於處理器的選項,這些選項可以作為雜湊內的 key: value
對傳遞
<!-- Vips supports configuring `crop` for many of its transformations -->
<%= image_tag user.avatar.variant(resize_to_fill: [100, 100, { crop: :centre }]) %>
如果在 MiniMagick 和 Vips 之間遷移現有應用程式,則需要更新特定於處理器的選項
<!-- MiniMagick -->
<%= image_tag user.avatar.variant(resize_to_limit: [100, 100], format: :jpeg, sampling_factor: "4:2:0", strip: true, interlace: "JPEG", colorspace: "sRGB", quality: 80) %>
<!-- Vips -->
<%= image_tag user.avatar.variant(resize_to_limit: [100, 100], format: :jpeg, saver: { subsample_mode: "on", strip: true, interlace: true, quality: 80 }) %>
8.3 預覽檔案
可以預覽一些非影像檔案:也就是說,它們可以呈現為影像。例如,可以透過提取視訊檔案的第一幀來預覽視訊檔案。Active Storage 開箱即用地支援預覽視訊和 PDF 文件。若要建立指向延遲產生的預覽的連結,請使用附件的 preview
方法
<%= image_tag message.video.preview(resize_to_limit: [100, 100]) %>
若要新增對其他格式的支援,請新增您自己的預覽器。如需更多資訊,請參閱 ActiveStorage::Preview
文件。
9 直接上傳
Active Storage 及其隨附的 JavaScript 程式庫支援直接從用戶端上傳到雲端。
9.1 用法
將
activestorage.js
包含在您應用程式的 JavaScript 捆綁包中。使用資產管道
//= require activestorage
使用 npm 套件
import * as ActiveStorage from "@rails/activestorage" ActiveStorage.start()
將
direct_upload: true
新增至您的檔案欄位<%= form.file_field :attachments, multiple: true, direct_upload: true %>
或者,如果您未使用
FormBuilder
,請直接新增資料屬性<input type="file" data-direct-upload-url="<%= rails_direct_uploads_url %>" />
在第三方儲存服務上設定 CORS,以允許直接上傳請求。
就這樣!上傳會在表單提交時開始。
9.2 跨來源資源共享 (CORS) 設定
若要使直接上傳到第三方服務正常運作,您需要設定服務以允許來自您應用程式的跨來源請求。請參閱您服務的 CORS 文件
請注意允許
- 存取您應用程式的所有來源
PUT
請求方法- 以下標頭
Content-Type
Content-MD5
Content-Disposition
(Azure Storage 除外)x-ms-blob-content-disposition
(僅適用於 Azure Storage)x-ms-blob-type
(僅適用於 Azure Storage)Cache-Control
(對於 GCS,僅當設定cache_control
時)
由於磁碟服務與您的應用程式共用來源,因此不需要 CORS 設定。
9.2.1 範例:S3 CORS 設定
[
{
"AllowedHeaders": [
"Content-Type",
"Content-MD5",
"Content-Disposition"
],
"AllowedMethods": [
"PUT"
],
"AllowedOrigins": [
"https://www.example.com"
],
"MaxAgeSeconds": 3600
}
]
9.2.2 範例:Google Cloud Storage CORS 設定
[
{
"origin": ["https://www.example.com"],
"method": ["PUT"],
"responseHeader": ["Content-Type", "Content-MD5", "Content-Disposition"],
"maxAgeSeconds": 3600
}
]
9.2.3 範例:Azure Storage CORS 設定
<Cors>
<CorsRule>
<AllowedOrigins>https://www.example.com</AllowedOrigins>
<AllowedMethods>PUT</AllowedMethods>
<AllowedHeaders>Content-Type, Content-MD5, x-ms-blob-content-disposition, x-ms-blob-type</AllowedHeaders>
<MaxAgeInSeconds>3600</MaxAgeInSeconds>
</CorsRule>
</Cors>
9.3 直接上傳 JavaScript 事件
事件名稱 | 事件目標 | 事件資料 (event.detail ) |
描述 |
---|---|---|---|
direct-uploads:start |
<form> |
無 | 提交了一個包含直接上傳欄位檔案的表單。 |
direct-upload:initialize |
<input> |
{id, file} |
在表單提交後,為每個檔案分派。 |
direct-upload:start |
<input> |
{id, file} |
開始直接上傳。 |
direct-upload:before-blob-request |
<input> |
{id, file, xhr} |
在向您的應用程式發出直接上傳中繼資料請求之前觸發。 |
direct-upload:before-storage-request |
<input> |
{id, file, xhr} |
在發出儲存檔案的請求之前觸發。 |
direct-upload:progress |
<input> |
{id, file, progress} |
在儲存檔案的請求進行時觸發。 |
direct-upload:error |
<input> |
{id, file, error} |
發生錯誤。除非取消此事件,否則會顯示 alert 訊息。 |
direct-upload:end |
<input> |
{id, file} |
直接上傳已結束。 |
direct-uploads:end |
<form> |
無 | 所有直接上傳已結束。 |
9.4 範例
您可以使用這些事件來顯示上傳的進度。
要在表單中顯示已上傳的檔案
// direct_uploads.js
addEventListener("direct-upload:initialize", event => {
const { target, detail } = event
const { id, file } = detail
target.insertAdjacentHTML("beforebegin", `
<div id="direct-upload-${id}" class="direct-upload direct-upload--pending">
<div id="direct-upload-progress-${id}" class="direct-upload__progress" style="width: 0%"></div>
<span class="direct-upload__filename"></span>
</div>
`)
target.previousElementSibling.querySelector(`.direct-upload__filename`).textContent = file.name
})
addEventListener("direct-upload:start", event => {
const { id } = event.detail
const element = document.getElementById(`direct-upload-${id}`)
element.classList.remove("direct-upload--pending")
})
addEventListener("direct-upload:progress", event => {
const { id, progress } = event.detail
const progressElement = document.getElementById(`direct-upload-progress-${id}`)
progressElement.style.width = `${progress}%`
})
addEventListener("direct-upload:error", event => {
event.preventDefault()
const { id, error } = event.detail
const element = document.getElementById(`direct-upload-${id}`)
element.classList.add("direct-upload--error")
element.setAttribute("title", error)
})
addEventListener("direct-upload:end", event => {
const { id } = event.detail
const element = document.getElementById(`direct-upload-${id}`)
element.classList.add("direct-upload--complete")
})
加入樣式
/* direct_uploads.css */
.direct-upload {
display: inline-block;
position: relative;
padding: 2px 4px;
margin: 0 3px 3px 0;
border: 1px solid rgba(0, 0, 0, 0.3);
border-radius: 3px;
font-size: 11px;
line-height: 13px;
}
.direct-upload--pending {
opacity: 0.6;
}
.direct-upload__progress {
position: absolute;
top: 0;
left: 0;
bottom: 0;
opacity: 0.2;
background: #0076ff;
transition: width 120ms ease-out, opacity 60ms 60ms ease-in;
transform: translate3d(0, 0, 0);
}
.direct-upload--complete .direct-upload__progress {
opacity: 0.4;
}
.direct-upload--error {
border-color: red;
}
input[type=file][data-direct-upload-url][disabled] {
display: none;
}
9.5 自訂拖放解決方案
您可以使用 DirectUpload
類別來達到此目的。從您選擇的程式庫接收到檔案後,實例化一個 DirectUpload 並呼叫其 create 方法。Create 方法會接收一個回呼函數,在上傳完成時會呼叫該函數。
import { DirectUpload } from "@rails/activestorage"
const input = document.querySelector('input[type=file]')
// Bind to file drop - use the ondrop on a parent element or use a
// library like Dropzone
const onDrop = (event) => {
event.preventDefault()
const files = event.dataTransfer.files;
Array.from(files).forEach(file => uploadFile(file))
}
// Bind to normal file selection
input.addEventListener('change', (event) => {
Array.from(input.files).forEach(file => uploadFile(file))
// you might clear the selected files from the input
input.value = null
})
const uploadFile = (file) => {
// your form needs the file_field direct_upload: true, which
// provides data-direct-upload-url
const url = input.dataset.directUploadUrl
const upload = new DirectUpload(file, url)
upload.create((error, blob) => {
if (error) {
// Handle the error
} else {
// Add an appropriately-named hidden input to the form with a
// value of blob.signed_id so that the blob ids will be
// transmitted in the normal upload flow
const hiddenField = document.createElement('input')
hiddenField.setAttribute("type", "hidden");
hiddenField.setAttribute("value", blob.signed_id);
hiddenField.name = input.name
document.querySelector('form').appendChild(hiddenField)
}
})
}
9.6 追蹤檔案上傳的進度
當使用 DirectUpload
建構子時,可以包含第三個參數。這將允許 DirectUpload
物件在上傳過程中呼叫 directUploadWillStoreFileWithXHR
方法。然後,您可以將自己的進度處理程式附加到 XHR,以滿足您的需求。
import { DirectUpload } from "@rails/activestorage"
class Uploader {
constructor(file, url) {
this.upload = new DirectUpload(file, url, this)
}
uploadFile(file) {
this.upload.create((error, blob) => {
if (error) {
// Handle the error
} else {
// Add an appropriately-named hidden input to the form
// with a value of blob.signed_id
}
})
}
directUploadWillStoreFileWithXHR(request) {
request.upload.addEventListener("progress",
event => this.directUploadDidProgress(event))
}
directUploadDidProgress(event) {
// Use event.loaded and event.total to update the progress bar
}
}
9.7 與程式庫或框架整合
一旦從您選擇的程式庫接收到檔案,您需要建立一個 DirectUpload
實例,並使用其 "create" 方法來啟動上傳程序,並根據需要加入任何額外的標頭。"create" 方法還需要提供一個回呼函數,該函數在上傳完成後將被觸發。
import { DirectUpload } from "@rails/activestorage"
class Uploader {
constructor(file, url, token) {
const headers = { 'Authentication': `Bearer ${token}` }
// INFO: Sending headers is an optional parameter. If you choose not to send headers,
// authentication will be performed using cookies or session data.
this.upload = new DirectUpload(file, url, this, headers)
}
uploadFile(file) {
this.upload.create((error, blob) => {
if (error) {
// Handle the error
} else {
// Use the with blob.signed_id as a file reference in next request
}
})
}
directUploadWillStoreFileWithXHR(request) {
request.upload.addEventListener("progress",
event => this.directUploadDidProgress(event))
}
directUploadDidProgress(event) {
// Use event.loaded and event.total to update the progress bar
}
}
若要實作自訂驗證,必須在 Rails 應用程式上建立一個新的控制器,類似如下:
class DirectUploadsController < ActiveStorage::DirectUploadsController
skip_forgery_protection
before_action :authenticate!
def authenticate!
@token = request.headers["Authorization"]&.split&.last
head :unauthorized unless valid_token?(@token)
end
end
10 測試
使用 file_fixture_upload
在整合或控制器測試中測試上傳檔案。Rails 將檔案視為任何其他參數來處理。
class SignupController < ActionDispatch::IntegrationTest
test "can sign up" do
post signup_path, params: {
name: "David",
avatar: file_fixture_upload("david.png", "image/png")
}
user = User.order(:created_at).last
assert user.avatar.attached?
end
end
10.1 捨棄測試期間建立的檔案
10.1.1 系統測試
系統測試會透過回滾交易來清理測試資料。由於永遠不會對物件呼叫 destroy
,因此附加的檔案永遠不會被清理。如果您想要清除檔案,可以在 after_teardown
回呼中執行此操作。在此處執行可確保在測試期間建立的所有連線都已完成,而且您不會收到 Active Storage 發出的找不到檔案的錯誤。
class ApplicationSystemTestCase < ActionDispatch::SystemTestCase
# ...
def after_teardown
super
FileUtils.rm_rf(ActiveStorage::Blob.service.root)
end
# ...
end
如果您正在使用平行測試和 DiskService
,則應該設定每個程序使用其自己的 Active Storage 資料夾。這樣,teardown
回呼將僅刪除相關程序測試中的檔案。
class ApplicationSystemTestCase < ActionDispatch::SystemTestCase
# ...
parallelize_setup do |i|
ActiveStorage::Blob.service.root = "#{ActiveStorage::Blob.service.root}-#{i}"
end
# ...
end
如果您的系統測試驗證了刪除帶有附件的模型,並且您正在使用 Active Job,請將測試環境設定為使用 inline 佇列介面卡,以便立即執行清除作業,而不是在未來的未知時間執行。
# Use inline job processing to make things happen immediately
config.active_job.queue_adapter = :inline
10.1.2 整合測試
與系統測試類似,整合測試期間上傳的檔案不會自動清理。如果您想要清除檔案,可以在 teardown
回呼中執行此操作。
class ActionDispatch::IntegrationTest
def after_teardown
super
FileUtils.rm_rf(ActiveStorage::Blob.service.root)
end
end
如果您正在使用平行測試和 Disk 服務,則應該設定每個程序使用其自己的 Active Storage 資料夾。這樣,teardown
回呼將僅刪除相關程序測試中的檔案。
class ActionDispatch::IntegrationTest
parallelize_setup do |i|
ActiveStorage::Blob.service.root = "#{ActiveStorage::Blob.service.root}-#{i}"
end
end
10.2 將附件新增至固定裝置
您可以將附件新增至您現有的固定裝置。首先,您需要建立一個單獨的儲存服務
# config/storage.yml
test_fixtures:
service: Disk
root: <%= Rails.root.join("tmp/storage_fixtures") %>
這會告知 Active Storage 將固定裝置檔案「上傳」到何處,因此它應該是一個臨時目錄。透過使其與您常規的 test
服務不同的目錄,您可以將固定裝置檔案與測試期間上傳的檔案分開。
接下來,為 Active Storage 類別建立固定裝置檔案
# active_storage/attachments.yml
david_avatar:
name: avatar
record: david (User)
blob: david_avatar_blob
# active_storage/blobs.yml
david_avatar_blob: <%= ActiveStorage::FixtureSet.blob filename: "david.png", service_name: "test_fixtures" %>
然後將檔案放在您的固定裝置目錄(預設路徑是 test/fixtures/files
)中,並使用對應的檔案名稱。請參閱 ActiveStorage::FixtureSet
文件以取得更多資訊。
完成所有設定後,您將能夠在您的測試中存取附件
class UserTest < ActiveSupport::TestCase
def test_avatar
avatar = users(:david).avatar
assert avatar.attached?
assert_not_nil avatar.download
assert_equal 1000, avatar.byte_size
end
end
10.2.1 清理固定裝置
雖然在測試中上傳的檔案會在每個測試結束時清理,但您只需要清理固定裝置檔案一次:當您的所有測試完成時。
如果您正在使用平行測試,請呼叫 parallelize_teardown
class ActiveSupport::TestCase
# ...
parallelize_teardown do |i|
FileUtils.rm_rf(ActiveStorage::Blob.services.fetch(:test_fixtures).root)
end
# ...
end
如果您沒有執行平行測試,請使用 Minitest.after_run
或您的測試框架的對等項(例如 RSpec 的 after(:suite)
)
# test_helper.rb
Minitest.after_run do
FileUtils.rm_rf(ActiveStorage::Blob.services.fetch(:test_fixtures).root)
end
10.3 設定服務
您可以新增 config/storage/test.yml
來設定在測試環境中使用的服務。當使用 service
選項時,這非常有用。
class User < ApplicationRecord
has_one_attached :avatar, service: :s3
end
如果沒有 config/storage/test.yml
,即使在執行測試時,也會使用在 config/storage.yml
中設定的 s3
服務。
將使用預設設定,並且檔案將上傳到在 config/storage.yml
中設定的服務供應商。
在這種情況下,您可以新增 config/storage/test.yml
並為 s3
服務使用 Disk 服務,以防止發送請求。
test:
service: Disk
root: <%= Rails.root.join("tmp/storage") %>
s3:
service: Disk
root: <%= Rails.root.join("tmp/storage") %>
11 實作對其他雲端服務的支援
如果您需要支援這些服務以外的雲端服務,則需要實作 Service。每個服務都會擴充 ActiveStorage::Service
,並實作將檔案上傳和下載到雲端所需的方法。
12 清理未附加的上傳
在某些情況下,檔案已上傳但從未附加到記錄。當使用直接上傳時,可能會發生這種情況。您可以使用 unattached 範圍來查詢未附加的記錄。以下是使用自訂 rake 工作的範例。
namespace :active_storage do
desc "Purges unattached Active Storage blobs. Run regularly."
task purge_unattached: :environment do
ActiveStorage::Blob.unattached.where(created_at: ..2.days.ago).find_each(&:purge_later)
end
end
ActiveStorage::Blob.unattached
產生的查詢可能會很慢,並可能在具有較大資料庫的應用程式上造成干擾。