Я унаследовал приложение Rails, которое не работает полностью в рабочем режиме.GET-запросы к серверу приводят к ошибке «Нет совпадения маршрута»;однако, когда сервер работает в режиме разработки, все маршруты будут работать, давая ожидаемый статус 200.
Просмотр кода показывает, что приложение ожидает субдомен с префиксом в дополнение к домену, используемому в успешном запросе URL.
class ApplicationContext
def initialize(subdomain, host_with_port)
if subdomain.present?
case subdomain
when Rails.application.config.workninja.admin_subdomain
@environment = :admin
when Rails.application.config.workninja.mobile_subdomain
@environment = :mobile
else
@environment = :customer
end
else
raise 'Could not initialize ApplicationContext without subdomain'
end
@url_options = {subdomain: subdomain, host: host_with_port}
setup_method = "setup_#{@environment.to_s}_environment".to_sym
if respond_to?(setup_method, true)
send(setup_method, subdomain, host_with_port)
else
raise 'Unknown context environment'
end
end
attr_reader :environment
attr_reader :url_options
attr_reader :agency
def self.current
Thread.current['workninja:tenant_context']
end
def admin?
@environment == :admin
end
def mobile?
@environment == :mobile
end
def customer?
@environment == :customer
end
def ui_url_for(path, subdomain = url_options[:subdomain])
base = "#{Rails.application.config.workninja.https ? 'https' :
'http'}://#{subdomain}.#{Rails.application.config.workninja.domain}"
if Rails.application.config.workninja.html5mode
puts URI.join(base, path).to_s
else
puts URI.join(base, "/#/#{path}".gsub(/\/+/, '/')).to_s
end
end
Исходный интерфейс, поставляемый с приложением, создает URL-адреса запроса в зависимости от среды, в которой был запущен сервер.
{
"environment": "development",
"url": "http://admin.workninja.local:3000"
}
{
"environment": "production",
"url": "/api"
}
Для меня рабочий URL не имеет смыславсе, что он делает - это добавляет "/ api" к корневому домену, на котором размещен интерфейс.Я могу только предположить, что это просто заполнитель, который должен быть заменен доменным именем, на котором размещается сервер rails, как только он работает в реальной среде.Путь "/ api" не используется во всей функциональной версии приложения, что заставляет меня предположить, что это заполнитель.
Используя вышеприведенное в качестве руководства, я заменил "/ api" на "http://admin.workninja.com.au". После размещения приложения на действующем домене я подтвердил, что оно работает, запустив:
curl http://admin.workninja.com.com.au/auth -X POST
Это дало мне ожидаемую ошибку о том, что учетные данные не были предоставлены, но показывает, что сервер действительно что-то получает. Если вы не осознали, что сервер rails при запуске в производственном режиме будет отвечать на запрос POST, но все еще не будет GET.
Здесь мое понимание проблемы нарушается. Если
http://admin.workninja.local:3000/roles
работает ("/ role является одним из маршрутов приложений") в среде разработки, почему не
http://admin.workninja.com.au/roles
также работает в производственной среде? Можете ли вы предположить из этого факта, что что-то не сломано в базе кода ruby?
Ниже приведены некоторые файлы, относящиеся к конфигурации рельсов.приложение в производственной среде.
/ config / deploy / production.rb
set :branch, 'master'
server 'ec2-54-66-230-174.ap-southeast-2.compute.amazonaws.com', user: 'ubuntu', roles: %w{app web db worker}
/ config / environment / production.rb
Rails.application.configure do
# Settings specified here will take precedence over those in config/application.rb.
# Code is not reloaded between requests.
config.cache_classes = true
# Eager load code on boot. This eager loads most of Rails and
# your application in memory, allowing both threaded web servers
# and those relying on copy on write to perform better.
# Rake tasks automatically ignore this option for performance.
# This needs to be set to true in order for rails to launch in a production environment
config.eager_load = false
# Full error reports are disabled and caching is turned on.
config.consider_all_requests_local = false
config.action_controller.perform_caching = true
# Enable Rack::Cache to put a simple HTTP cache in front of your application
# Add `rack-cache` to your Gemfile before enabling this.
# For large-scale production use, consider using a caching reverse proxy like
# NGINX, varnish or squid.
# config.action_dispatch.rack_cache = true
# Disable serving static files from the `/public` folder by default since
# Apache or NGINX already handles this.
config.serve_static_files = ENV['RAILS_SERVE_STATIC_FILES'].present?
# Specifies the header that your server uses for sending files.
# config.action_dispatch.x_sendfile_header = 'X-Sendfile' # for Apache
# config.action_dispatch.x_sendfile_header = 'X-Accel-Redirect' # for NGINX
# Force all access to the app over SSL, use Strict-Transport-Security, and use secure cookies.
# config.force_ssl = true
# Use the lowest log level to ensure availability of diagnostic information
# when problems arise.
config.log_level = :warn
# Prepend all log lines with the following tags.
# config.log_tags = [ :subdomain, :uuid ]
# Use a different logger for distributed setups.
# config.logger = ActiveSupport::TaggedLogging.new(SyslogLogger.new)
# Use a different cache store in production.
# config.cache_store = :mem_cache_store
# Enable serving of images, stylesheets, and JavaScripts from an asset server.
# config.action_controller.asset_host = 'http://assets.example.com'
# Ignore bad email addresses and do not raise email delivery errors.
# Set this to true and configure the email server for immediate delivery to raise delivery errors.
# config.action_mailer.raise_delivery_errors = false
# Enable locale fallbacks for I18n (makes lookups for any locale fall back to
# the I18n.default_locale when a translation cannot be found).
config.i18n.fallbacks = true
# Send deprecation notices to registered listeners.
config.active_support.deprecation = :notify
# Use default logging formatter so that PID and timestamp are not suppressed.
config.log_formatter = ::Logger::Formatter.new
# Do not dump schema after migrations.
config.active_record.dump_schema_after_migration = false
# Application hostname
config.surgeforce.domain = 'surgeforce.com.au'
config.surgeforce.https = false
config.surgeforce.html5mode = true
end
/ config / puma.rb
threads 1, 6
workers Integer(ENV['PUMA_WORKERS'] || 3)
on_worker_boot do
require "active_record"
cwd = File.dirname(__FILE__)+"/.."
ActiveRecord::Base.connection.disconnect! rescue ActiveRecord::ConnectionNotEstablished
ActiveRecord::Base.establish_connection(ENV["DATABASE_URL"] || YAML.load_file("#{cwd}/config/database.yml")[ENV["RAILS_ENV"]])
end
Если вы считаете, что любой другой фрагмент кода приложений является критическим в расследовании, дайте мне знать, и я включу его.