Introduction #

When working with Hiro on the server-side, it is likely that you will need to create your own RPCs for custom logic.

While you might have already used custom RPCs in Nakama, now you will need to interact with various Hiro systems to build your custom logic.

  1. Create your custom RPC function, taking in Hiro systems as a parameter.
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
func CustomRpcFn(systems hiro.Hiro) func(context.Context, runtime.Logger, *sql.DB, runtime.NakamaModule, string) (string, error) {
	return func(ctx context.Context, logger runtime.Logger, db *sql.DB, nk runtime.NakamaModule, payload string) (string, error) {
    userID, ok := ctx.Value(runtime.RUNTIME_CTX_USER_ID).(string)
		if !ok {
			return "", errNoUserIdFound
		}

    // Access whichever Hiro systems you need.
    inventory, err := systems.GetInventorySystem().ListInventoryItems(ctx, logger, nk, userID)

    resp, err := json.Marshal(inventory)
		if err != nil {
			logger.Error("failed to marshal type: %v", err)
			return "", errMarshal
		}

    return string(resp), nil
	}
}
  1. Register your custom RPC, passing in the systems.
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
func InitModule(ctx context.Context, logger runtime.Logger, db *sql.DB, nk runtime.NakamaModule, initializer runtime.Initializer) error {
	props, ok := ctx.Value(runtime.RUNTIME_CTX_ENV).(map[string]string)
	if !ok {
		return errors.New("invalid context runtime env")
	}

	env, ok := props["ENV"]
	if !ok || env == "" {
		return errors.New("'ENV' key missing or invalid in env")
	}

	hiroLicense, ok := props["HIRO_LICENSE"]
	if !ok || hiroLicense == "" {
		return errors.New("'HIRO_LICENSE' key missing or invalid in env")
	}

	binPath := "hiro.bin"
	systems, err := hiro.Init(ctx, logger, nk, initializer, binPath, hiroLicense,
		hiro.WithEconomySystem(fmt.Sprintf("base-economy-%s.json", env), true),
		hiro.WithInventorySystem(fmt.Sprintf("base-inventory-%s.json", env), true))
	if err != nil {
		return err
	}

  // Pass the Hiro systems into your custom RPC.
	if err = initializer.RegisterRpc("CustomFuction", CustomRpcFn(systems)); err != nil {
		return err
	}

	return nil
}