Ok, so I've read up on class variables, class instance variables and instance variables in Ruby. I found this explanation by Phrogz very illuminating.
Now I'm trying to add a variable to my class that is accessible by multiple methods within my class, but that is not shared among multiple instances of the class:
Class QuizSession < ApplicationRecord
  attr_accessor :index_changed
  def initialize
    @index_changed = false
  end
  def index_changed?
    @index_changed
  end
  def set_index_changed!
    @index_changed = false
  end
  def method_a
    do sth.
    ...
    @index_changed = true
  end
end
What I want is this:  (like @my_things in Phrogz example)
session_a = QuizSession.new
session_b = QuizSession.new
session_a.method_a
p session_a.index_changed? #=> true
p session_b.index_changed? #=> false
Am I assuming correctly, that currently I'm defining 4 different @index_changed variables, each in the scope of their respective method, but not visible to the rest of the class?
But if I declare the @index_changed variable outside of a method as a class instance variable, won't it be shared among class instances as well?
 
    