Theo is a set of Gulp plugins for transforming and formatting Design Properties
var gulp = require('gulp');
var theo = require('theo');
gulp.src('design/props.json')
.pipe(theo.plugins.transform('web'))
.pipe(theo.plugins.format('scss'))
.pipe(gulp.dest('dist'));
Theo consumes Design Property files which are a central location to store design related information such as colors, fonts, widths, animations, etc. These raw values can then be transformed and formatted to meet the needs of any platform.
Let's say you have a web, native iOS, and native Android application that would like to share information such as background colors.
The web might like to consume the colors as hsla values formatted as SASS variables in an .scss file.
iOS might like rgba values formatted as .json.
Finally, Android might like 8 Digit Hex values formatted as .xml.
Instead of hard coding this information in each platform/format, Theo can consume the centralized Design Properties and output files for each platform.
A Design Properties file is written in either
json
or yml
and should conform to the following spec:
{
// Required
// A map of property names and value objects
"props": {
"color_brand": {
// Required
// Can be any valid JSON value
"value": "#ff0000",
// Required
// Describe the type of value
// [color|number|...]
"type": "color",
// Required
// Descriibe the category of this property
// Often used for style guide generation
"category": "background",
// Optional
// This value will be included during transform
// but excluded during formating
".meta": {
// This value might be needed for some special transform
"foo": "bar"
},
// Optional
// Additional keys can be included and depending on the formatter,
// might be visible in the final output
"some": "value"
}
},
// Optional
// This object will be merged into each property
// Values defined on a property level will take precedence
"global": {
"category": "some-category",
".meta": {
"foo": "baz"
}
},
// Optional
// Share values across multiple props
// Aliases are resolved like: {!sky}
"aliases": {
"sky": "blue"
},
// Optional
// Array of design property files to be imported
// "aliases" will be imported as well
// "aliases" will already be resolved
// "global" will already be merged into into each prop
"imports": [
"./some/dir/file.json"
]
}
Theo is divided into two primary plugins:
This plugin is responsible for transforming raw values into platform specific values.
For example, the Design Properties might specify a color value as an
rgba (rgba(255, 0, 0, 1)
), but an Android app
might prefer to consume colors as an 8 digit hex (#ffff0000
)
This plugin is responsible for taking transformed properties and outputting them into a new file format.
An Android app might prefer to consume the final values as XML:
<?xml version="1.0" encoding="utf-8"?>
<resources>
<color name="colorBrand" type="color">#ffbada55</color>
</resources>
####theo.plugins.transform(type, [options])
Transform the values for each Design Property file according to the specified type.
A transform is list of valueTransforms that should be applied to each property.
@param {string} type
The name of the registered transform
@param {object} [options]
Addtional options
@param {boolean} [options.includeAlias]
If a prop value is strictly an alias, replace the value and include an "alias" key
in the prop with the name of the alias
@param {boolean} [options.includeMeta]
Don't remove ".meta" key from a prop
gulp.src('./design/props.json')
.pipe(theo.plugins.transform('web'));
####theo.registerTransform(type, valueTransforms)
Register a new transform. Existing transforms with the same name will be overwritten.
@param {string} type
The name of the transform
@param {array} valueTransforms
An array of registered value transforms
theo.registerTransform('windows', [
'color/rgb'
]);
Below is a list of pre-defined transforms and the corresponding valueTransforms that will be applied.
Note: Generally speaking, the pre-defined transforms assume the original Design Properties are formatted for the web.
raw:
No valueTransforms will be applied
web:
['color/rgb']
ios:
['color/rgb', 'relative/pixelValue', 'percentage/float']
android:
['color/hex8', 'relative/pixelValue', 'percentage/float']
aura:
['color/hex']
####theo.registerValueTransform(name, matcher, transformer)
Register a new valueTransform. Existing valueTransforms with the same name will be overwritten.
@param {string} type
The name of the valueTransform
@param {function} matcher
An function that should return a boolean indicating if the provided property
should be transformed
@param {function} transformer
An function that should return a new value for the provided property
theo.registerValueTransform('animation/web/curve',
// Only run the transform for props that pass the matcher
(prop, meta) => prop.type === 'animation-curve',
// Return the transformed value
(prop, meta) => {
let [a,b,c,d] = prop.value;
return `cubic-bezier(${a}, ${b}, ${c}, ${d})`;
}
);
color/rgb
Parse the value as a color and return an rgb(a) string
color/hex
Parse the value as a color and return an 6 digit hex string
color/hex8
Parse the value as a color and return an 8 digit hex string
percentage/float
Parse a string percentage value and return a float represention
relative/pixel
Parse a relative size value (em/rem) and return a pixel representation.
By default, the baseFontSize
is set to 16 and
the baseFontPercentage
is set to 1. These values can be overwritten in a property's
.meta
object.
relative/pixelValue
Same as relative/pixel, but removes the px
extension
####theo.plugins.format(type, [options])
Format the output for each Design Property file according to the specified type.
Note: This plugin will almost always run after a transform
call.
@param {string} type
The name of the registered format
@param {object} [options]
Additional options to be passed along to the formatter
@param {function} [options.propsFilter]
A filter function that can be used to filter down the props before formatting
gulp.src('design/props.json')
.pipe(theo.plugins.transform('web'))
.pipe(theo.plugins.format('scss'))
.pipe(gulp.dest('dist'));
// Only output props with a "color" type
gulp.src('design/props.json')
.pipe(theo.plugins.transform('web'))
.pipe(theo.plugins.format('scss', {
propsFilter: prop => prop.type === 'color'
}))
.pipe(gulp.dest('dist'));
####theo.registerFormat(name, formatter)
Register a new format. Existing formats with the same name will be overwritten.
@param {string} type
The name of the format
@param {function} formatter
An function that should return a string representation
of the reformatted Design Properties.
The formatter will be called with two arguments:
json - an object with the following layout:
/**
* @param {object} json - see below
* @param {object} options - any options that were passed via the `.format()` plugin
* @param {string} options.name - The file name
*/
theo.registerFormat('scss', (json, options) => {
return json.propKeys.map(key => {
let prop = json.props[key];
// Here is a good spot to reformat the name (camelCase, upperCase, etc)
return `$${prop.name}: ${prop.value};`;
}).join('\n');
});
Here is the layout of the json
argument
{
// An object containing the transformed properties
"props": {},
// An array of the keys for easy iteration
"propKeys": []
}
{
"PROP_NAME": "PROP_VALUE"
}
{
"props": {
"PROP_NAME": {
"value": "PROP_VALUE",
"type": "PROP_TYPE",
"category": "PROP_CATEGORY"
}
}
}
{
"properties": [
{
"name": "PROP_NAME",
"value": "PROP_VALUE",
"type": "PROP_TYPE",
"category": "PROP_CATEGORY"
}
]
}
Note: PROP_NAME will be set to camelCase
<?xml version="1.0" encoding="utf-8"?>
<resources>
<property name="PROP_NAME" type="PROP_TYPE" category="PROP_CATEGORY">PROP_VALUE</property>
<color name="PROP_NAME" type="color" category="PROP_CATEGORY">PROP_VALUE</color>
</resources>
Note: PROP_NAME will be set to upper case
$PROP_NAME: PROP_VALUE;
Note: PROP_NAME will be set to kebabCase
$PROP_NAME: PROP_VALUE
Note: PROP_NAME will be set to kebabCase
@PROP_NAME: PROP_VALUE;
Note: PROP_NAME will be set to kebabCase
PROP_NAME = PROP_VALUE;
Note: PROP_NAME will be set to kebabCase
<aura:theme>
<aura:var name="PROP_NAME" value="PROP_VALUE" />
</aura:theme>
Note: PROP_NAME will be set to camelCase
See salesforce-ux.github.io/design-properties
####theo.plugins.getResult([callback])
Get the result of a transform/format
@param {function} [callback]
The function to call for each result in the stream
// Get the transformed Design Properties
gulp.src('design/props.json')
.pipe(theo.plugins.transform('web'))
.pipe(theo.plugins.getResult(result => {
let designProps = JSON.parse(result);
}));
// Get the formatted Design Properties
gulp.src('design/props.json')
.pipe(theo.plugins.transform('web'))
.pipe(theo.plugins.format('android.xml'))
.pipe(theo.plugins.getResult(result => {
// result will be an XML string
}))
// The result can still be written to a file
.pipe(gulp.dest('dist'));
####theo.plugins.legacy()
Transform legacy Theo Design Properties to the new spec
gulp.src('./design/props-old.json')
.pipe(theo.plugins.legacy());
Copyright (c) 2015, salesforce.com, inc. All rights reserved.
Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met:
Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. Neither the name of salesforce.com, inc. nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.