从 Sass 地图而不是字符串中获取数字

Get number from Sass map instead of string

我正在构建一个 sass mixin,我在其中根据从地图获得的值进行计算。这就是我的这张地图:

$icons: (
  search: 1,
  arrow: 2,
  home: 3
);

和这个 mixin(为此 post 进行了简化):

@mixin addIcon($icon: 'arrow'){
  @if map-has-key($icons, $icon) {
     $posIcon: #{map-get($icons, $icon)};
     $posX: $posIcon * 48;
     @debug $posX;
  }
}

现在,当我编译它时出现错误,因为地图中的值不是数字而是字符串。所以在这种情况下,值 2 是一个字符串。我找到了一种方法,可以使用以下方法将其更改为数字:

@function number($value) {
  @if type-of($value) == 'number' {
    @return $value;
  } @else if type-of($value) != 'string' {
    $_: log('Value for `to-number` should be a number or a string.');
  }

  $result: 0;
  $digits: 0;
  $minus: str-slice($value, 1, 1) == '-';
  $numbers: ('0': 0, '1': 1, '2': 2, '3': 3, '4': 4, '5': 5, '6': 6, '7': 7, '8': 8, '9': 9);

  @for $i from if($minus, 2, 1) through str-length($value) {
    $character: str-slice($value, $i, $i);

    @if not (index(map-keys($numbers), $character) or $character == '.') {
      @return to-length(if($minus, -$result, $result), str-slice($value, $i))
    }

    @if $character == '.' {
      $digits: 1;
    } @else if $digits == 0 {
      $result: $result * 10 + map-get($numbers, $character);
    } @else {
      $digits: $digits * 10;
      $result: $result + map-get($numbers, $character) / $digits;
    }
  }

  @return if($minus, -$result, $result);;
}

然后:

@mixin addIcon($icon: 'arrow'){
  @if map-has-key($icons, $icon) {
     $posIcon: #{map-get($icons, $icon)};
     $posX: number($posIcon) * 48;
     @debug $posX;
  }
}

但我觉得一定有更简单的方法来做到这一点。如何确保地图中的值是数字而不是字符串?

你得到一个字符串作为值,因为你 interpolate map-get 的结果。如果你去掉插值,你会得到一个数字:

@mixin addIcon($icon: 'arrow'){
  @if map-has-key($icons, $icon) {
     $posIcon: map-get($icons, $icon);
     $posX: $posIcon * 48;
     @debug $posX;
  }
}