Programming」カテゴリーアーカイブ

プログラミング全般に関するカテゴリーです。

C#でoperator[]のオーバーロード

operator[]のオーバーロード

C#で自作クラスにoperator[]を追加したい場合は次のような感じで実装できます。

class Example
{
  int[] _ar = new int[10];                                                                       
  
  public int this[int i]
  {
    get => _ar[i];                                                                        
    set => _ar[i] = value;                                                                       
  }
}

Exampleクラスを使う方は次のような感じです。

var example = new Example();

example[2] = 345;

Debug.Log($"example[2] = {example[2]}");

実行結果

example[2] = 345

多次元配列

多次元配列のような感じで使いたい場合も次のような感じで実装できます。

class Example2
{
  int[,] _ar = new int[10, 10];

  public int this[int i, int j]
  {
    get => _ar[i, j];
    set => _ar[i, j] = value;
  }
}

Compiler Error CS0720

static classoperator[]を実装しようとするとCS0720というエラーになるようです。気を付けてください。

/* static */ class Example3
{
  public int this[int i]
  {
    get => 0;
  }
}

※配列の範囲外にアクセスしようとするとIndexOutOfRangeExceptionという例外が発生します。実際に使う場合は注意してください。

Unityで継承元のStartやUpdateを呼び出す方法

Unityでクラスの継承を利用する場合、単にvoid Start()void Update()と書くと継承元の実装は呼び出されない形になります。

サンプル1

public class Example1 : MonoBehaviour
{
  void Start()
  {
    Debug.Log("Start1");
  }
  void Update()
  {
    Debug.Log("Update1");
  }
}

public class Example2 : Example1
{
  void Start()
  {
    Debug.Log("Start2");
  }
  void Update()
  {
    Debug.Log("Update2");
  }
}

Example2の実行結果

Start2
Update2
Update2
Update2
...

このExample2から継承元Example1StartUpdateを呼び出したい場合はvirtual protectedoverride protectedを使って次のような感じで実装できるみたいです。

サンプル2

public class Example1 : MonoBehaviour
{
  virtual protected void Start()
  {
    Debug.Log("Start1");
  }
  virtual protected void Update()
  {
    Debug.Log("Update1");
  }
}

public class Example2 : Example1
{
  override protected void Start()
  {
    base.Start();
    Debug.Log("Start2");
  }
  override protected void Update()
  {
    base.Update();
    Debug.Log("Update2");
  }
}

Example2の実行結果

Start1
Start2
Update1
Update2
Update1
Update2
Update1
Update2
...

base.を使った継承元メソッドの呼び出しはStartUpdate以外でも使えます。必要な場所で試してみてください。

UnityのWebGLでテキストが表示されない場合の対処方法

Unity Editorのデバッグ画面ではテキストが表示されているのにWebGLでビルドするとテキストが表示されないという場合、Assetにフォントを追加して、そのファイルを使うようにしてみると表示されることがあるみたいです。

困っているという人は試してみてください。

※日本語テキストを表示したい場合は日本語対応のファイルを準備する必要があります。フォント関係はライセンスが複雑な場合もありますので注意してください。

リンク

Unity – Scripting API: Text
https://docs.unity3d.com/2018.4/Documentation/ScriptReference/UI.Text.html