Logo

Programming-Idioms

  • Ruby
  • Rust
  • Go

Idiom #90 Read-only outside

Expose a read-only integer x to the outside world while being writable inside a structure or a class Foo.

type Foo struct {
	x int
}

func (f *Foo) X() int {
	return f.x
}

x is private, because it is not capitalized.
(*Foo).X is a public getter (a read accessor).
class Foo

  def initialize
    @x = rand(10)
  end

  def x
    @x
  end

end

struct Foo {
    x: usize
}

impl Foo {
    pub fn new(x: usize) -> Self {
        Foo { x }
    }

    pub fn x<'a>(&'a self) -> &'a usize {
        &self.x
    }

    pub fn bar(&mut self) {
        self.x += 1;
    }
}
package Foos is
      
   type Foo is private;
      
   function X (Self : Foo) return Integer;
      
private
   type Foo is
      record
         X : Integer;
      end record;
      
end Foos;
   
package body Foos is
      
   function X (Self : Foo) return Integer is (Self.X);
      
end Foos;

New implementation...
< >
bbtemp