Define typed attributes backed by JSON fields in Rails models. Use when models need flexible data storage with type casting, validations, and form integration. Supports integer, decimal, string, text, boolean, date, and array types.
71
63%
Does it follow best practices?
Impact
Pending
No eval scenarios have been run
Passed
No known issues
Optimize this skill with Tessl
npx tessl skill review --optimize ./skills/json-typed-attributes/SKILL.mdThis skill helps you work with JSON-backed attributes in Rails models using the StoreJsonAttributes concern. It provides type casting, validation support, and seamless form integration.
Your model must have a JSON column to store the attributes. Common names are data, metadata, or settings:
# In migration
add_column :table_name, :data, :jsonb, default: {}class YourModel < ApplicationRecord
include StoreJsonAttributes
endUse store_typed_attributes to define attributes with automatic type casting:
store_typed_attributes [:attribute_name], type: :type_name, field: :json_column_namestore_typed_attributes %i[timeline status], type: :string, field: :datanil for blank valuesrecord.timeline = "30 Days"
record.timeline # => "30 Days"store_typed_attributes %i[age count quantity], type: :integer, field: :datanil for invalid valuesrecord.quantity = "1,500"
record.quantity # => 1500store_typed_attributes %i[price revenue percentage], type: :decimal, field: :datarecord.price = "1,234.56"
record.price # => BigDecimal("1234.56")store_typed_attributes %i[active enabled verified], type: :boolean, field: :data?)record.active = "1"
record.active? # => true
record.active = "0"
record.active? # => falsestore_typed_attributes %i[started_at completed_at], type: :date, field: :datarecord.started_at = "2026-02-04"
record.started_at # => Date object
record.started_at.strftime("%B %d, %Y") # => "February 04, 2026"store_typed_attributes %i[categories tags], type: :array, field: :datacompact_blankrecord.categories = ["Revenue Generation", "Operations Management"]
record.categories # => ["Revenue Generation", "Operations Management"]
record.categories = ["", "Valid", nil, "Another"]
record.categories # => ["Valid", "Another"]store_typed_attributes %i[notes description], type: :text, field: :data?)record.notes = "Long text content..."
record.notes? # => true (if present)# frozen_string_literal: true
class CBPComponents::KeyQuestion < CoreBusinessPresentationComponent
CATEGORIES = [
'Revenue Generation',
'Operations Management',
'Organizational Development',
'Financial Management',
'Ministry',
'Personal Issue',
].freeze
TIMELINES = ['30 Days', '90 Days', '180 Days', '1 Year', 'More than 1 Year'].freeze
# Define JSON-backed typed attributes
store_typed_attributes %i[timeline], type: :string, field: :data
store_typed_attributes %i[categories], type: :array, field: :data
# Add validations like any other attribute
validates :timeline, inclusion: { in: TIMELINES, allow_blank: true }
validates :categories, inclusion: { in: CATEGORIES }, allow_blank: true
# Use in strong parameters
private
def base_params
super.concat([:timeline, :summary, categories: []])
end
endJSON-backed attributes work seamlessly with Rails form helpers:
= form.text_field :timeline
= form.number_field :quantity
= form.check_box :active- CATEGORIES.each do |category|
= form.check_box :categories,
{ multiple: true, checked: form.object.categories.include?(category) },
category,
nil
= category= form.select :timeline,
options_for_select(TIMELINES, form.object.timeline),
{ include_blank: "Select timeline" }Validate JSON-backed attributes like regular attributes:
# Presence
validates :timeline, presence: true
# Inclusion
validates :timeline, inclusion: { in: TIMELINES }
# Length
validates :categories, length: { minimum: 1, message: "must select at least one" }
# Custom validation
validate :categories_must_be_valid
private
def categories_must_be_valid
invalid_categories = categories - CATEGORIES
if invalid_categories.any?
errors.add(:categories, "contains invalid categories: #{invalid_categories.join(', ')}")
end
end
# Numericality
validates :quantity, numericality: { greater_than: 0, allow_nil: true }
# Format
validates :status, format: { with: /\A[A-Z][a-z]+\z/, allow_blank: true }Always include JSON-backed attributes in your strong parameters:
# For simple types (string, integer, decimal, boolean, date)
params.require(:model).permit(:timeline, :quantity, :active, :started_at)
# For arrays, use array syntax
params.require(:model).permit(:timeline, categories: [])You can use different JSON fields for different concerns:
class Product < ApplicationRecord
# Pricing data
store_typed_attributes %i[base_price discount_percentage], type: :decimal, field: :pricing_data
# Inventory data
store_typed_attributes %i[quantity threshold], type: :integer, field: :inventory_data
# Feature flags
store_typed_attributes %i[featured new_arrival on_sale], type: :boolean, field: :flags
endDefine constants for valid values:
STATUSES = %w[pending approved rejected].freeze
PRIORITIES = %w[low medium high urgent].freeze
store_typed_attributes %i[status], type: :string, field: :data
store_typed_attributes %i[priority], type: :string, field: :data
validates :status, inclusion: { in: STATUSES, allow_blank: true }
validates :priority, inclusion: { in: PRIORITIES, allow_blank: true }Set defaults in initializer or after_initialize:
after_initialize :set_defaults, if: :new_record?
private
def set_defaults
self.categories ||= []
self.timeline ||= '90 Days'
self.active = true if active.nil?
endQuery JSON attributes using PostgreSQL JSON operators:
# Find records with specific value
scope :with_timeline, ->(timeline) {
where("data->>'timeline' = ?", timeline)
}
# Find records where array contains value
scope :with_category, ->(category) {
where("data->'categories' ? :category", category: category)
}
# Find records with any of multiple values
scope :with_any_category, ->(categories) {
where("data->'categories' ?| array[:categories]", categories: categories)
}Always specify the field name - Makes it clear where data is stored
store_typed_attributes %i[timeline], type: :string, field: :dataUse arrays for multi-select data - Automatically handles blank values
store_typed_attributes %i[categories], type: :array, field: :dataDefine constants for valid values - Makes validations and forms easier
TIMELINES = ['30 Days', '90 Days', '180 Days'].freeze
validates :timeline, inclusion: { in: TIMELINES, allow_blank: true }Add validations - JSON attributes should be validated like any other attribute
validates :quantity, numericality: { greater_than: 0, allow_nil: true }Use appropriate types - Choose the type that matches your data
:decimal for money/percentages (not :integer):array for multi-select (automatically removes blanks):boolean for flags (creates predicate methods)Include in strong parameters - Don't forget array syntax for array types
params.require(:model).permit(:timeline, categories: [])Consider indexing - For frequently queried JSON attributes, add GIN indexes
add_index :table_name, :data, using: :ginfield: :data:integer, :decimal, :string, etc.record.active?multiple: true and checking inclusionoptions_for_select with the current value097ad6b
If you maintain this skill, you can claim it as your own. Once claimed, you can manage eval scenarios, bundle related skills, attach documentation or rules, and ensure cross-agent compatibility.