0

(タイトルがわかりにくかったらすみません) ユーザーがタスクを作成して表示できる Rails アプリを作成しています。各ユーザーは、自分のタスクのみを表示できます。セッションを使用してユーザーがログインできるようにし、すでにログインしている場合はログインプロセスをスキップし、これらのセッションを使用して現在のユーザーを見つけています。

各タスクには、タイトルと本文 + 所有者が必要です。タイトルと本文はフォームを介してユーザーによって挿入され、ログインしているユーザーに基づいて user_id (所有者の値) を設定したいと考えています。

task_params のタスク コントローラーを介してこれを実行しようとしました (そのため、新しいメソッドは、投稿を作成している現在のユーザー ID を取得します)。しかし、これはうまくいきません。

class TasksController < ApplicationController
  before_action :set_task, only: [:show, :edit, :update, :destroy]

  def index
    @tasks = Task.all # need cto hange to get the tasks by owner
  end

  def show
  end

  def new
    @task = Task.new
  end

  def edit
  end

  def create
    @task = Task.new(task_params)
    respond_to do |format|
      if @task.save
        format.html { redirect_to @task, notice: 'Task was successfully created.' }
        format.json { render action: 'show', status: :created, location: @task }
      else
        format.html { render action: 'new' }
        format.json { render json: @task.errors, status: :unprocessable_entity }
      end
    end
  end

  def update
    respond_to do |format|
      if @task.update(task_params)
        format.html { redirect_to @task, notice: 'Task was successfully updated.' }
        format.json { head :no_content }
      else
        format.html { render action: 'edit' }
        format.json { render json: @Task.errors, status: :unprocessable_entity }
      end
    end
  end

  def destroy
    @task.destroy
    respond_to do |format|
      format.html { redirect_to tasks_url }
      format.json { head :no_content }
    end
  end

  private
    # Use callbacks to share common setup or constraints between actions.
    def set_task
      @task = Task.find(params[:id])
    end

    # Never trust parameters from the scary internet, only allow the white list through.
    def task_params
      params.require(:task).permit(:title, current_user.id ,:content)
    end
end

新しい呼び出しが表示されるため、上記は機能しません

<p>
  <strong>Title:</strong>
  <%= @task.title %>
</p>

<p>
  <strong>User:</strong>
  <%= User.find(@task.user_id).name %>
</p>

<p>
  <strong>Content:</strong>
  <%= @task.content %>
</p>

次のエラーが表示されます

  <%= User.find(@note.user_id).name %>
Couldn't find User without an ID

私は何が間違っているのですか?

4

1 に答える 1

1

この場合、タスクにはまだ user_id がないか、ID が間違っています。次のようなものが必要です

<% unless @task.user_id.nil? %>

  <%= User.find(@task.user_id).name %>

<% end %>

ID が有効かどうかわからない場合は、試してください。

<% if user = User.where(id: @task.user_id).first %>
  <%= user.name %>
<% end %>

私のコントローラーで:

def create

  @task = Task.new(task_params)

  @task.user_id = session[:current_user_id]
于 2013-10-05T15:08:01.400 に答える