Increment a variable in LESS css

后端 未结 1 1484
南笙
南笙 2021-01-02 17:28

How Can I increment a variable in LESS css?

Here is the example..

@counter: 1;
.someSelector(\"nameOfClass\", @counter);
@counter: @counter + 1;
.som         


        
相关标签:
1条回答
  • 2021-01-02 18:09

    Not Strictly Possible

    See the documentation on LESS variables. Essentially, LESS variables are constants in the scope of their creation. They are lazy loaded, and cannot be "changed" in that way. The very last definition will be the one used for all in that scope. In your case an error will occur, because variables cannot reference themselves.

    Consider this example:

    @counter: 1;
    .someSelector("nameOfClass", @counter);
    @counter: 2;
    .someSelector("nameOfClass1", @counter);
    
    .someSelector(@name; @count) {
      @className: ~"@{name}";
      .@{className} {
      test: @count;
      }
    }
    

    The output will be 2 for both:

    .nameOfClass {
      test: 2;
    }
    .nameOfClass1 {
      test: 2;
    }
    

    This is because LESS defines the @counter with the last definition of the variable in that scope. It does not pay attention to the order of the calls using @counter, but rather acts much like CSS and takes the "cascade" of the variable into consideration.

    For further discussion of this in LESS, you might track discussion that occurs on this LESS feature request.

    Solution is in Recursive Call Setter for the Local Variable

    Seven-phases-max linked to what he believes to be a bug in LESS, but I don't think it is. Rather, it appears to me to be a creative use of recursive resetting of the counter to get the effect desired. This allows for you to achieve what you desire like so (using my example code):

    // counter
    
    .init() {
      .inc-impl(1); // set initial value
    } .init();
    
    .inc-impl(@new) {
      .redefine() {
        @counter: @new;
      }
    }
    
    .someSelector(@name) {
      .redefine(); // this sets the value of counter for this call only
      .inc-impl((@counter + 1)); // this sets the value of counter for the next call
      @className: ~"@{name}";
      .@{className} {
        test: @counter;
      }
    }
    
    .someSelector("nameOfClass");
    .someSelector("nameOfClass1");
    

    Here is the CSS output:

    .nameOfClass {
      test: 1;
    }
    .nameOfClass1 {
      test: 2;
    }
    

    NOTE: I believe you are not strictly changing a global value here, but rather setting a new local value with each call to .someSelector. Whether this is based on buggy behavior or not is questionable, but if so, this solution may disappear in the future. For further comments of the limitations of this method, see the discussion here.

    0 讨论(0)
提交回复
热议问题