6

我正在使用 compass 来管理 mac osx 上的一些 sass 文件。我有这些文件:

sass/
      screen.scss
            partials folder/
      ...
            _fonts.scss
            _functions.scss
      ...

在字体中,我有这个规则,我想重用@extend。

//fonts.scss
.icon-ab-logo, {
font-family: 'icomoon';
speak: none;
font-style: normal;
font-weight: normal;
font-variant: normal;
text-transform: none;
line-height: 1;
-webkit-font-smoothing: antialiased;
}
.icon-ab-logo:before { //i want to reuse this.
content: "\e000";
}

在函数中我有这个screen.scss:

.logo {
position: absolute;
top: 0;
bottom: 0px;
z-index: 500;
width: 9.5em;
background: $logo;
@include transition(all 0.2s);
   &:after{
     @include icon( ".icon-ab-logo" );
   }
 }

最后在functions.scss中我称之为:

    @mixin icon( $icon ){
      font-family: 'icomoon';
      speak: none;
      font-style: normal;
      font-weight: normal;
      font-variant: normal;
      text-transform: none;
      line-height: 1;
      -webkit-font-smoothing: antialiased;
      @extend #{$icon}:before; //<- this is the problem, no errors just isn't parsed.
    }

有没有办法在使用 mixin 之前引用 .icon-ab-logo:?解决方法?谢谢阅读。

4

3 回答 3

11

当你想扩展一个伪类或伪元素时,你只想扩展父选择器(即冒号之前的所有内容)。

%foo:before {
  color: red;
}

.bar {
  @extend %foo;
}

生成:

.bar:before {
  color: red;
}

因此,对于您的实例,您想要做的是:

.icon-ab-logo, {
    font: 100%/1 'icomoon'; // use the shorthand
    speak: none;
    text-transform: none;
    -webkit-font-smoothing: antialiased;
}

%foo:before, .icon-ab-logo:before { //i want to reuse this.
    content: "\e000";
}

@mixin icon( $icon ){
    font: 100%/1 'icomoon'; // use the shorthand
    speak: none;
    text-transform: none;
    -webkit-font-smoothing: antialiased;
    @extend #{$icon};
}

.bar {
    @include icon('%foo');
}

请注意,您的 mixin 会生成很多样式,因此它并不适合大量重用。扩展它也会更有意义。

于 2013-06-19T11:30:29.863 回答
4

似乎 SASS 不适用于扩展中的伪元素。

像这样解决这个问题:

%before-icon
  color: red

.foo
  /* Some styles here */

  &:before
    @extend %before-icon

结果:

.foo:before {
  color: red;
}

.foo {
  /* Some styles here */
}

而且,看起来你把事情复杂化了。您会发现您的代码难以掌握和维护。

PS 你应该在_mixins.scss.

于 2013-06-19T10:16:22.413 回答
2

如前所述,您应该尝试使用占位符类。另一方面,始终首先考虑@mixin,并尽量避免与@extend 嵌套。

于 2018-03-14T12:36:11.883 回答