5

在 sass/scss 中是否可能出现类似以下 dummyexample 的内容?我需要这样的东西来防止不同设备的无休止的媒体查询重复。

// The dummy mixin
@mixin iphone_rules($webapp_portrait:null){


  @if($webapp_portrait != null){
    // Portrait (webapp)
    @media screen and (max-height: 460px){

     // The following line is just a dummy 
     eg. echo $webapp_portrait;
    }
  }
}

// How I want to use it
.mySelector{

   margin-left:10px;
   padding:0px;

   @include iphone_rules('margin-left:20px; padding:2px;');
}
4

1 回答 1

12

Sass 不允许使用任意字符串代替属性/值语法。

对于大多数 mixin,该@content指令是传递样式信息的最佳选择:

@mixin iphone_rules {
    @media screen and (max-height: 460px){
        @content;
    }
}

.mySelector {
    @include iphone_rules {
        margin-left:10px;
        padding:0px;
    }
}

否则,样式信息可以作为映射(或 Sass 3.2 及更早版本的列表列表)传入:

@mixin iphone_rules($styles: ()) {
    @media screen and (max-height: 460px){
        @each $p, $v in $styles {
            #{$p}: $v;
        }
    }
}

.mySelector {
    margin-left:10px;
    padding:0px;

    @include iphone_rules(('margin-left': 20px, 'padding': 2px));
}
于 2013-01-21T21:33:10.330 回答