我使用本教程在RubyonRails中从头开始实现了标记云。
当你点击我照片博客上的标签,说Tokyo时,所有带有东京标签的照片都会列出。我现在想添加两件事,使我的标签云更加动态,这样它就可以缩小列表范围:
- 标签云应该动态更新,这样它现在只显示与剩余照片相关的标签,Tokyo子集(字体大小相对于该子集缩放(
- 当你点击这个子集标签云中的标签时,比如2008,我希望列出所有用Tokyo和208标记的照片(而不是用2008标签的所有照片(,最好是用无限
我是Ruby的新手,无论我尝试了什么(这里列出的太多了(,似乎都无法实现这两个目标。
以下是相关代码:
photo.rb:
class Photo < ActiveRecord::Base
belongs_to :photo
has_many :taggings, dependent: :destroy
has_many :tags, through: :taggings
accepts_nested_attributes_for :tags
def self.tagged_with(name)
Tag.find_by_name!(name).photos
end
def self.tag_counts
Tag.select("tags.*, count(taggings.tag_id) as count").
joins(:taggings).group("taggings.tag_id")
end
tag.rb:
class Tag < ActiveRecord::Base
has_many :taggings
has_many :photos, through: :taggings
end
tagging.rb:
class Tagging < ActiveRecord::Base
belongs_to :tag
belongs_to :photo
end
application_help.rb:
module ApplicationHelper
def tag_cloud(tags, classes)
max = 0
tags.each do |t|
if t.count.to_i > max
max = t.count.to_i
end
end
tags.each do |tag|
index = tag.count.to_f / max * (classes.size - 1)
yield(tag, classes[index.round])
end
end
end
photos_controller.rb:
class PhotosController < ApplicationController
def index
if params[:tag]
@photos = Photo.tagged_with(params[:tag])
else
@photos = Photo.order("created_at desc").limit(8)
end
end
private
def set_photo
@photo = Photo.find(params[:id])
end
def photo_params
params.require(:photo).permit(:name, :description, :picture, :tag_list, tags_attributes: :name)
end
end
index.html.erb:
<div id="tag_cloud">
<% tag_cloud Photo.tag_counts, %w[xxs xs s m l xl xxl] do |tag, css_class| %>
<%= link_to tag.name, tag_path(tag.name), class: css_class %>
<% end %>
</div>
photos.css.scss:
#tag_cloud {
width: 400px;
line-height: 1.6em;
.xxs { font-size: 0.8em; COLOR: #c3c4c4; }
.xs { font-size: 1.0em; COLOR: #b9bdbd; }
.s { font-size: 1.2em; COLOR: #b0b5b5; }
.m { font-size: 1.4em; COLOR: #9da6a6; }
.l { font-size: 1.6em; COLOR: #8a9797; }
.xl { font-size: 1.8em; COLOR: #809090; }
.xxl { font-size: 2.0em; COLOR: #778888; }
}
任何帮助都将不胜感激!
如果我理解正确,您希望有可能选择带有一个或多个标签的照片。您需要更改您的功能:
def self.tagged_with(*names)
joins(:tags).where(tags: { name: names })
end
参数名称:
def index
if params[:tags]
@photos = Photo.tagged_with(params[:tags])
else
@photos = Photo.order("created_at desc").limit(8)
end
end
在视图中,当您定义方法current_tags
:时
<div id="tag_cloud">
<% tag_cloud Photo.tag_counts, %w[xxs xs s m l xl xxl] do |tag, css_class| %>
<%= link_to tag.name, tag_path([tag.name, *current_tags].uniq), class: css_class %>
<% end %>
</div>