0

我有一个应该呈现为 JSON 的模型,为此我使用了序列化程序

class UserSerializer
  def initialize(user)
    @user=user
  end

  def to_serialized_json
    options ={
      only: [:username, :id]
    }

    @user.to_json(options)
  end
end

当我render json:想添加一个 JWT 令牌和一个:errors. 不幸的是,我很难理解如何向上面的序列化程序添加属性。以下代码不起作用:

def create
    @user = User.create(params.permit(:username, :password))
    @token = encode_token(user_id: @user.id) if @user     
    render json: UserSerializer.new(@user).to_serialized_json, token: @token, errors: @user.errors.messages
end

这段代码只渲染=> "{\"id\":null,\"username\":\"\"}",我怎样才能添加属性token:等等errors:来渲染这样的东西,但仍然使用序列化器:

{\"id\":\"1\",\"username\":\"name\", \"token\":\"eyJhbGciOiJIUzI1NiJ9.eyJ1c2VyX2lkIjoxfQ.7NrXg388OF4nBKLWgg2tdQHsr3HaIeZoXYPisTTk-48\", \"errors\":{}}

我可以使用

render json: {username: @user.username, id: @user.id, token: @token, errors: @user.errors.messages}

但是如何通过使用序列化程序来获得相同的结果?

4

3 回答 3

1

将to_json改为as_json,合并新的key-value。

class UserSerializer
  def initialize(user, token)
    @user=user
    @token=token
  end

  def to_serialized_json
    options ={
      only: [:username, :id]
    }

    @user.as_json(options).merge(token: @token, error: @user.errors.messages)
  end
end
于 2020-12-18T01:56:28.317 回答
1

我更喜欢使用一些序列化 gem 来处理序列化过程,例如

jsonapi-serializer https://github.com/jsonapi-serializer/jsonapi-serializer

或等

于 2020-12-18T03:27:18.593 回答
1
class UserSerializer
  def initialize(user)
    @user=user
  end

  def to_serialized_json(*additional_fields)
    options ={
      only: [:username, :id, *additional_fields]
    }

    @user.to_json(options)
  end
end

每次您想添加更多新的要序列化的字段时,您可以执行类似的操作 UserSerializer.new(@user).to_serialized_json(:token, :errors)

如果留空,它将使用默认字段:id, :username

如果您希望添加的 json 可自定义

class UserSerializer
  def initialize(user)
    @user=user
  end

  def to_serialized_json(**additional_hash)
    options ={
      only: [:username, :id]
    }

    @user.as_json(options).merge(additional_hash)
  end
end

UserSerializer.new(@user).to_serialized_json(token: @token, errors: @user.error.messages)

如果留空,它仍然会像您发布的原始课程一样

于 2020-12-18T05:59:38.050 回答