我主要使用以下方法。 (SASS)
.person {
&.man {
.head { A }
}
&.woman {
.head { B }
}
.head { C }
}
但我想使用以下方法。 (SASS)
.person {
.head {
C
<parent_selector.man> {
A
}
<parent_selector.woman> {
B
}
}
}
编译结果(CSS)
.person .head { C }
.person.man .head { A }
.person.woman .head { B }
我想知道是否有这样的功能。谢谢。
我从@ falsarella的@ at-root方法中得到了这个想法。看起来有点粗糙,但这也是可能的。 (我实际上使用了比示例更深的选择器,因此很难用at-root和#{$}单独解决。)
.person {
$person: &;
.head {
C
@at-root #{$person}.man .head {
A
}
@at-root #{$person}.woman .head {
B
}
}
}
或者它更方便和可读(如果父选择器不是一个简单的选择器。)通过命名$ parent并覆盖前一个$ parent来使用它。
当我考虑一次时,当前的选择器被命名为$ parent,因此令人困惑。最好忽略父选择器的&#39;&#39;,&#39;:&#39;,...之后将其命名为$ person。 (或创建命名约定。)
.earth {
$parent: &;
.person {
$parent: &;
.head {
C
@at-root #{$parent}.man .head {
A
}
@at-root #{$parent}.woman .head {
B
}
}
}
}
由于进一步谷歌搜索,postcss似乎支持我想要的父选择器。
答案 0 :(得分:4)
没有&#34;父母&#34; Sass中的选择器,但是,在您的情况下,您可以使用棘手的#{&}
插值和@at-root
,如下所示:
.person {
.head {
color: white;
@at-root .man#{&} {
color: blue;
}
@at-root .woman#{&} {
color: pink;
}
}
}
导致以下CSS:
.person .head {
color: white;
}
.man.person .head {
color: blue;
}
.woman.person .head {
color: pink;
}
答案 1 :(得分:3)
不幸的是,不是。我认为你提供的第一个例子是实现这一目标的最佳方式。另一种选择可能是:
.head {
.person & {
color: red;
}
.person.man & {
color: blue;
}
.person.woman & {
color: green;
}
}
它将根据您的需要生成相同的编译结果。但要注意嵌套.head
类。它会绊倒你。
答案 2 :(得分:1)
以下内容并未真正使用父选择器。只需使用SASS @mixin
即可提供相同的CSS输出。
@mixin personHead($gender) {
@if $gender == man {
&.man .head{
property: A;
}
}
@if $gender == woman {
&.woman .head{
property: B;
}
}
@if $gender == "" {
.head{
property: C;
}
}
}
.person { @include personHead(man); }
.person { @include personHead(woman); }
.person { @include personHead(""); }
/* Compiled CSS Output */
.person.man .head {
property: A;
}
.person.woman .head {
property: B;
}
.person .head {
property: C;
}