我正在开发一个HTML样板文件,它使用大量Sass来创建一个可维护且易于使用的代码库。其中一部分是一些功能:
// Returns the scale value found at $key.
@function get-type-scale($key) {
$value: map-get($type-scale, $key);
@if $value != null {
@return $value;
}
@else {
@warn "Unfortunately, `#{$key}` is not defined in the `$type-scale` map.";
}
}
// Returns the line-height value found at $key.
@function get-line-height($key) {
$value: map-get($line-heights, $key);
@if $value != null {
@return $value;
}
@else {
@warn "Unfortunately, `#{$key}` is not defined in the `$line-heights` map.";
}
}
// etc... I have 2 more functions like this where only the $map changes.
然后在几个mixins中调用这些函数,如下所示:
// Sets font-size and line-height based on the $level.
@mixin set-type($level: 0) {
font-size: get-type-scale($level);
line-height: get-line-height($level);
}
虽然这很好用,但我不喜欢我在函数中重复大量代码的事实。我已经尝试编写一个接收地图名称作为参数的通用函数,但我不能在map-get()中使用插值。
有没有办法让功能代码更优雅,尽可能干燥?
我感谢任何见解。干杯!
答案 0 :(得分:1)
我尝试编写一个接收地图名称作为参数的通用函数,但我不能在map-get()中使用插值。
不幸的是,根本不可能从其他变量的名称创建变量名(仅从其值)。此外,变量只知道它的值而不是它的名称,这是我们在定义变量警告消息时面临的另一个问题。
我提出了一些改进,减少了重复代码的数量,并保持了高级函数调用的易用性。必须将第三个变量传递给泛型函数的批评是合理的,但我根本无法找到一种简洁的方法来避免它。
$line-heights: (
0: 1em,
1: 2em
);
$type-scale: (
0: 1em,
1: 2em
);
// Returns the scale value found at $key.
@function get-type-scale($key) {
@return get-value-or-warn($type-scale, $key, 'type-scale');
}
// Returns the line-height value found at $key.
@function get-line-height($key) {
@return get-value-or-warn($line-heights, $key, 'line-heights');
}
@function get-value-or-warn($map, $key, $map-name) {
$value: map-get($map, $key);
@if $value != null {
@return $value;
}
@else {
@warn "Unfortunately, `#{$key}` is not defined in the `$#{$map-name}` map.";
}
}
// Sets font-size and line-height based on the $level.
@mixin set-type($level: 0) {
font-size: get-type-scale($level);
line-height: get-line-height($level);
}

答案 1 :(得分:0)
您可以在嵌套地图中创建行高和字体大小作为键/值对,并使用插值在@each循环中打印出属性 - 如:
$map:(
0 : (line-height: 1.3, font-size: 16px),
1 : (line-height: 1.3, font-size: 17px),
2 : (line-height: 1.3, font-size: 18px),
3 : (line-height: 1.4, font-size: 19px),
4 : (line-height: 1.5, font-size: 20px)
);
@mixin set-type($level: 0){
$found: map-get($map, $level);
@if not $found { @warn 'Key `#{$level}` not found in $map!'; }
@else { @each $prop, $value in $found { #{$prop} : $value; } }
}
.class { @include set-type(1); } // line-height: 1.3; font-size: 17px;
.class { @include set-type(5); } // WARN: Key `5` not found in $map!