Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

is possible have a configuration file in DART?

I have this JavaScript class:

'use strict;'
/* global conf */

var properties = {
    'PROPERTIES': {
        'CHANNEL': 'sport',
        'VIEW_ELEMENTS': {
            'LOADER_CLASS': '.loader',
            'SPLASH_CLASS': '.splash'
        }
    }
};

In JavaScript I can use these properties: properties.PROPERTIES.CHANNEL

Is it possible to convert this to DART? Is there a best practise to do that?

like image 919
Andrea Bozza Avatar asked Mar 07 '16 15:03

Andrea Bozza


2 Answers

There are different way.

You could just create a map

my_config.dart

const Map properties = const {
  'CHANNEL': 'sport',
  'VIEW_ELEMENTS': const {
    'LOADER_CLASS': '.loader',
    'SPLASH_CLASS': '.splash'
  }
}

then use it like

main.dart

import 'my_config.dart';

main() {
  print(properties['VIEW_ELEMENTS']['SPLASH_CLASS']);
}

or you can use classes to get proper autocompletion and type checking

my_config.dart

const properties = const Properties('sport', const ViewElements('.loader', '.splash'));

class Properties {
  final String channel;
  final ViewElements viewElements;
  const Properties(this.channel, this.viewElements;
}

class ViewElements {
  final String loaderClass;
  final String splashClass;
  const ViewElements(this.loaderClass, this.splashClass);
}

main.dart

import 'my_config.dart';

main() {
  print(properties.viewElements.splashClass);
}
like image 173
Günter Zöchbauer Avatar answered Oct 21 '22 19:10

Günter Zöchbauer


Following up on the above answer using classes, it may be convenient to implement static variables, the downside is that it still must be compiled/rebuilt.

class CONFIG {
  static final String BUILD = "Release";
  static final String DEPLOYMENT = "None";
}

This can be used from a separate class after importing via:

var xyz = CONFIG.BUILD;
like image 2
gieoon Avatar answered Oct 21 '22 20:10

gieoon