How to start using SASS in Visual Studio Code
In this article I will explain how to set up the SASS web compiler with Visual Studio Code so that you can start writing SASS code for your projects.
What is the SASS?
SASS (Synthetically Awesome Style Sheets) is a scripting language that allows you to create CSS code faster and save time by reducing repetitive output. SASS allows you to parameterise repetitive inputs through variables, create functions and use nested syntax to iterate across elements.
Why do we need a SASS compiler?
The browser can not read SASS, it reads CSS. Therefore you will need a way to turn the SASS code into CSS code, a process known as transpiling.
Visual Studio Code SASS Compiler
The Sass Compiler Web Extension for Visual Studio Code is one of the best ways to have your SASS files transpiled into CSS.
To do so simply type in “Live Sass Compiler” into the extensions marketplace.
In the bottom right hand side you will see a cog if it is already installed or an install button if it isn’t. In this case simply click the button and the Live Sass Compiler will install.
After installation is complete, you should see a ‘Watch Sass’ button in the blue menu bar at the bottom of the screen, similar to the one below:
Once the compiler has started, simply create a new file with the same name as the file containing your .css code, but name it .scss instead. Once you have typed in some Sass code into the ‘scss’ file, hit save or CTRL + s and you should see a .css.map file along with a new .css file if you don’t already have one.
The map file simple shows which SASS file is being transpiled into a specific CSS file. You have to make sure to transpile your code by saving your work before you can view the updates in browser.
CSS, SCSS and Less
Visual Studio Code has built-in support for editing style sheets in CSS .css , SCSS .scss and Less .less . In addition, you can install an extension for greater functionality.
Tip: Click on an extension tile above to read the description and reviews to decide which extension is best for you. See more in the Marketplace.
IntelliSense
VS Code has support for selectors, properties and values. Use ⌃Space (Windows, Linux Ctrl+Space ) to get a list of context specific options.
Proposals contain extensive documentation, including a list of browsers that support the property. To see the full description text of the selected entry, use ⌃Space (Windows, Linux Ctrl+Space ) .
Syntax coloring & color preview
As you type, there is syntax highlighting as well as in context preview of colors.
Clicking on a color preview will launch the integrated color picker which supports configuration of hue, saturation and opacity.
Tip: You can trigger between different color modes by clicking on the color string at the top of the picker.
You can hide VS Code’s color previews by setting the following setting:
"editor.colorDecorators": false
To just disable it for css, Less and SCSS, use
"[css]": "editor.colorDecorators": false >
Folding
You can fold regions of source code using the folding icons on the gutter between line numbers and line start. Folding regions are available for all declarations (for example, rule declarations) and for multiline comments in the source code.
Additionally you can use the following region markers to define a folding region: /*#region*/ and /*#endregion*/ in CSS/SCSS/Less or // #region and // #endregion In SCSS/Less.
If you prefer to switch to indentation based folding for CSS, Less and SCSS, use:
"[css]": "editor.foldingStrategy": "indentation" >,
Emmet snippets
Emmet abbreviation support is built into VS Code, suggestions are listed along with other suggestions and snippets in the editor auto-completion list.
Tip: See the CSS section of the Emmet cheat sheet for valid abbreviations.
Syntax Verification & Linting
Note: You can disable VS Code’s default CSS, Sass or Less validation by setting the corresponding .validate User or Workspace setting to false.
"css.validate": false
Go to Symbol in file
You can quickly navigate to the relevant CSS symbol in the current file by pressing ⇧⌘O (Windows, Linux Ctrl+Shift+O ) .
Hovers
Hovering over a selector or property will provide an HTML snippet that is matched by the CSS rule.
Go to Declaration and Find References
This is supported for Sass and Less variables in the same file. CSS variables per the draft standards proposal are also supported.
There is jump to definition for @import and url() links in CSS, SCSS and Less.
CSS custom data
You can extend VS Code’s CSS support through a declarative custom data format. By setting css.customData to a list of JSON files following the custom data format, you can enhance VS Code’s understanding of new CSS properties, at-directives, pseudo-classes and pesudo-elements. VS Code will then offer language support such as completion & hover information for the provided properties, at-directives, pseudo-classes and pesudo-elements.
You can read more about using custom data in the vscode-custom-data repository.
Formatting
The CSS Languages Features extension also provides a formatter. The formatter works with CSS, LESS and SCSS. It is implemented by the JS Beautify library and comes with the following settings:
- css.format.enable — Enable/disable default CSS formatter.
- css.format.newlineBetweenRules — Separate rulesets by a blank line.
- css.format.newlineBetweenSelectors — Separate selectors with a new line.
- css.format.spaceAroundSelectorSeparator — Ensure a space character around selector separators ‘>’, ‘+’, ‘~’ (for example, a > b ).
The same settings also exist for less and scss .
Transpiling Sass and Less into CSS
VS Code can integrate with Sass and Less transpilers through our integrated task runner. We can use this to transpile .scss or .less files into .css files. Let’s walk through transpiling a simple Sass/Less file.
Step 1: Install a Sass or Less transpiler
For this walkthrough, let’s use either the sass or less Node.js module.
Note: If you don’t have Node.js and the npm package manager already installed, you’ll need to do so for this walkthrough. Install Node.js for your platform. The Node Package Manager (npm) is included in the Node.js distribution. You’ll need to open a new terminal (command prompt) for npm to be on your PATH.
npm install -g sass less
Step 2: Create a simple Sass or Less file
Open VS Code on an empty folder and create a styles.scss or styles.less file. Place the following code in that file:
$padding: 6px; nav ul margin: 0; padding: $padding; list-style: none; > li display: inline-block; > a display: block; padding: $padding 12px; text-decoration: none; > >
For the Less version of the above file, just change $padding to @padding .
Note: This is a very simple example, which is why the source code is almost identical between both file types. In more advanced scenarios, the syntaxes and constructs will be much different.
Step 3: Create tasks.json
The next step is to set up the task configuration. To do this, run Terminal > Configure Tasks and click Create tasks.json file from template. In the selection dialog that shows up, select Others.
This will create a sample tasks.json file in the workspace .vscode folder. The initial version of file has an example to run an arbitrary command. We will modify that configuration for transpiling Sass/Less instead:
// Sass configuration // See https://go.microsoft.com/fwlink/?LinkId=733558 // for the documentation about the tasks.json format "version": "2.0.0", "tasks": [ "label": "Sass Compile", "type": "shell", "command": "sass styles.scss styles.css", "group": "build" > ] >
// Less configuration // See https://go.microsoft.com/fwlink/?LinkId=733558 // for the documentation about the tasks.json format "version": "2.0.0", "tasks": [ "label": "Less Compile", "type": "shell", "command": "lessc styles.less styles.css", "group": "build" > ] >
Step 4: Run the Build Task
As this is the only command in the file, you can execute it by pressing ⇧⌘B (Windows, Linux Ctrl+Shift+B ) (Run Build Task). The sample Sass/Less file should not have any compile problems, so by running the task all that happens is a corresponding styles.css file is created.
Since in more complex environments there can be more than one build task we prompt you to pick the task to execute after pressing ⇧⌘B (Windows, Linux Ctrl+Shift+B ) (Run Build Task). In addition, we allow you to scan the output for compile problems (errors and warnings). Depending on the compiler, select an appropriate entry in the list to scan the tool output for errors and warnings. If you don’t want to scan the output, select Never scan the build output from the presented list.
At this point, you should see an additional file show up in the file list styles.css .
If you want to make the task the default build task to run execute Configure Default Build Task from the global Terminal menu and select the corresponding Sass or Less task from the presented list.
Note: If your build fails or you see an error message such as «An output directory must be specified when compiling a directory», be sure the filenames in your tasks.json match the filenames on disk. You can always test your build by running sass styles.scss styles.css from the command line.
Automating Sass/Less compilation
Let’s take things a little further and automate Sass/Less compilation with VS Code. We can do so with the same task runner integration as before, but with a few modifications.
Step 1: Install Gulp and some plug-ins
We will use Gulp to create a task that will automate Sass/Less compilation. We will also use the gulp-sass plug-in to make things a little easier. The Less plug-in is gulp-less.
We need to install gulp both globally ( -g switch) and locally:
npm install -g gulp npm install gulp gulp-sass gulp-less
Note: gulp-sass and gulp-less are Gulp plug-ins for the sass and lessc modules we were using before. There are many other Gulp Sass and Less plug-ins you can use, as well as plug-ins for Grunt.
You can test that your gulp installation was successful by typing gulp -v in the terminal. You should see a version displayed for both the global (CLI) and local installations.
Step 2: Create a simple Gulp task
Open VS Code on the same folder from before (contains styles.scss / styles.less and tasks.json under the .vscode folder), and create gulpfile.js at the root.
Place the following code in the gulpfile.js file:
// Sass configuration var gulp = require('gulp'); var sass = require('gulp-sass')(require('sass')); gulp.task('sass', function(cb) gulp .src('*.scss') .pipe(sass()) .pipe( gulp.dest(function(f) return f.base; >) ); cb(); >); gulp.task( 'default', gulp.series('sass', function(cb) gulp.watch('*.scss', gulp.series('sass')); cb(); >) );
// Less configuration var gulp = require('gulp'); var less = require('gulp-less'); gulp.task('less', function(cb) gulp .src('*.less') .pipe(less()) .pipe( gulp.dest(function(f) return f.base; >) ); cb(); >); gulp.task( 'default', gulp.series('less', function(cb) gulp.watch('*.less', gulp.series('less')); cb(); >) );
What is happening here?
- Our default gulp task first runs the sass or less task once when it starts up.
- It then watches for changes to any SCSS/Less file at the root of our workspace, for example the current folder open in VS Code.
- It takes the set of SCSS/Less files that have changed and runs them through our respective compiler, for example gulp-sass , gulp-less .
- We now have a set of CSS files, each named respectively after their original SCSS/Less file. We then put these files in the same directory.
Step 3: Run the gulp default task
To complete the tasks integration with VS Code, we will need to modify the task configuration from before to run the default Gulp task we just created. You can either delete the tasks.json file or empty it only keeping the «version»: «2.0.0» property. Now execute Run Task from the global Terminal menu. Observe that you are presented with a picker listing the tasks defined in the gulp file. Select gulp: default to start the task. We allow you to scan the output for compile problems. Depending on the compiler, select an appropriate entry in the list to scan the tool output for errors and warnings. If you don’t want to scan the output, select Never scan the build output from the presented list. At this point, if you create and/or modify Less or SASS files, you see the respective CSS files generated and/or changes reflected on save. You can also enable Auto Save to make things even more streamlined.
If you want to make the gulp: default task the default build task executed when pressing ⇧⌘B (Windows, Linux Ctrl+Shift+B ) run Configure Default Build Task from the global Terminal menu and select gulp: default from the presented list.
Step 4: Terminate the gulp default Task
The gulp: default task runs in the background and watches for file changes to Sass/Less files. If you want to stop the task, you can use the Terminate Task from the global Terminal menu.
Customizing CSS, SCSS and Less Settings
You can configure the following lint warnings as User and Workspace Settings.
The validate setting allows you turn off the built-in validation. You would do this if you rather use a different linter.
Id | Description | Default |
---|---|---|
css.validate | Enables or disables all css validations | true |
less.validate | Enables or disables all less validations | true |
scss.validate | Enables or disables all scss validations | true |
To configure an option for CSS, use css.lint. as the prefix to the id; for SCSS and Less, use scss.lint. and less.lint. .
Set a setting to warning or error if you want to enable lint checking, use ignore to disable it. Lint checks are performed as you type.
Id | Description | Default |
---|---|---|
validate | Enables or disables all validations | true |
compatibleVendorPrefixes | When using a property with a vendor-specific prefix (for example -webkit-transition ), make sure to also include all other vendor-specific properties e.g. -moz-transition , -ms-transition and -o-transition | ignore |
vendorPrefix | When using a property with a vendor-specific prefix for example -webkit-transition , make sure to also include the standard property if it exists e.g. transition | warning |
duplicateProperties | Warn about duplicate properties in the same ruleset | ignore |
emptyRules | Warn about empty rulesets | warning |
importStatement | Warn about using an import statement as import statements are loaded sequentially which has a negative impact on web page performance | ignore |
boxModel | Do not use width or height when using padding or border | ignore |
universalSelector | Warn when using the universal selector * as it is known to be slow and should be avoided | ignore |
zeroUnits | Warn when having zero with a unit e.g. 0em as zero does not need a unit. | ignore |
fontFaceProperties | Warn when using @font-face rule without defining a src and font-family property | warning |
hexColorLength | Warn when using hex numbers that don’t consist of three or six hex numbers | error |
argumentsInColorFunction | Warn when an invalid number of parameters in color functions e.g. rgb | error |
unknownProperties | Warn when using an unknown property | warning |
ieHack | Warn when using an IE hack *propertyName or _propertyName | ignore |
unknownVendorSpecificProperties | Warn when using an unknown vendor-specific property | ignore |
propertyIgnoredDueToDisplay | Warn when using a property that is ignored due to the display. For example, with display: inline , the width , height , margin-top , margin-bottom , and float properties have no effect. | warning |
important | Warn when using !important as it is an indication that the specificity of the entire CSS has gotten out of control and needs to be refactored. | ignore |
float | Warn when using float as floats lead to fragile CSS that is easy to break if one aspect of the layout changes. | ignore |
idSelector | Warn when using selectors for an id #id as selectors should not contain IDs because these rules are too tightly coupled with the HTML. | ignore |
Next steps
Read on to find out about:
- Configure Tasks — Dig into Tasks to help you transpile your SCSS and Less to CSS.
- Basic Editing — Learn about the powerful VS Code editor.
- Code Navigation — Move quickly through your source code.
- HTML — CSS is just the start, HTML is also very well supported in VS Code.
Common questions
Does VS Code provide a color picker?
Yes, hover over a CSS color reference and the color picker is displayed.
Is there support for the indentation based Sass syntax (.sass)?
No, but there are several extensions in the Marketplace supporting the indented flavor of Sass, for example, the Sass extension originally created by Robin Bentley, now maintained by Leonard Grosoli.
Live Sass Compiller, расширение в VS Code
вопрос такой. Решил перейти с Sublime на VS Code, нашёл полезное расширение, которое компилирует код sass в css, но файл .css сохраняется в той же папке, где и сам .sass файл. Не могу найти настройки, чтобы изменить папку сохранения скомпилированного файла.
Отслеживать
задан 12 сен 2018 в 16:37
Дмитрий Нищев Дмитрий Нищев
27 1 1 золотой знак 1 1 серебряный знак 6 6 бронзовых знаков
Вроде их надо менять с помощью .md файла, но я ни разу не работал с файлами такого расширения и не знаю как их правильно использовать
12 сен 2018 в 16:40
какое расширение-то?
12 сен 2018 в 18:02
Плюсую предыдущему клиенту. Если нужна помощь в расширении, то потрудитесь указать его точное название.
13 сен 2018 в 6:14
В названии вопроса же написал: Live Sass Compiller
15 сен 2018 в 17:34
5 ответов 5
Сортировка: Сброс на вариант по умолчанию
- Устанавливаем в VS Code расширение Live Sass Compiller
- Открываем параметры в VS Code по умолчанию, на Русском языке, сочетание клавиш:ctrl+б
- Вводим в строку параметры поиска текст: liveSassCompile.settings.formats VS Code находит этот параметр и отображает возможные действия с ним ниже строки поиска.
- Находим ниже ссылку: Изменить в settings.json и нажимаем на неё.
- В открывшемся окне видим слева интересуемый нас параметр и его настройки по умолчанию:
"liveSassCompile.settings.formats": [< "format": "expanded", "extensionName": ".css", "savePath": null >],
В окне справа ваш файл настроек settings.json в который вы и добавьте этот параметр (можно просто скопировать то, что я указал выше.
- Далее вам необходимо настроить путь к файлу SASS откуда будет браться ваш код и пусть к файлу CSS куда будет компилироваться код из вашего файла SASS.
- К примеру, если у вас в директории APP расположена директория: SASS в котором находится редактируемый вами файл *.sass и в этой же папке APP также расположена директория CSS в которой вы хотите, чтобы компилировался уже готовый файл *.css , то настройка будет выглядеть примерно так:
"liveSassCompile.settings.formats": [< "format": "expanded", "extensionName": ".css", *//Имя файла, который будет формироваться (здесь не указано имя, а указано, только расширение. Поэтому имя файла будет такое же, как и имя файла источника sass.* "savePath": "/css/" *//Путь к дериктории, где будет формироваться скомпелированный файл .css* >],
Вообще настраивать пути можно более широко.
Вот тут более подробно всё указано, но на английском языке.
Как настроить Sass в Visual Studio Code
Visual Studio Code (VSCode) является одним из самых популярных и мощных инструментов для разработки веб-приложений. В этой статье мы рассмотрим подробное руководство по настройке SASS (Syntactically Awesome Style Sheets) в VSCode. SASS — это препроцессор CSS, который добавляет дополнительные возможности и улучшает удобство написания стилей.
Первым шагом для настройки SASS в VSCode является установка расширений. Откройте VSCode и перейдите во вкладку «Extensions» (Расширения). В поле поиска введите «SASS» и установите расширение под названием «Sass (Syntactically Awesome Style Sheets)».
После установки расширения, вам нужно будет создать новый файл SASS. Вы можете сделать это, нажав правой кнопкой мыши на папке проекта в структуре файлов VSCode и выбрав «New File» (Новый файл). Дайте вашему файлу имя с расширением «.scss» (например, «styles.scss»).
Примечание: использование расширения «.scss» вместо «.sass» обеспечит совместимость с более ранними версиями SASS и лучшую интеграцию с другими инструментами.
Теперь, когда у вас есть файл SASS, вы можете начать писать стили с использованием его преимуществ. Ваш код будет автоматически компилироваться в CSS и применяться к вашему проекту. Проверьте, что расширение «Watch Sass» (Следить за Sass) включено, нажав на значок в нижней панели статуса. Вы также можете использовать команду «Compile Sass» (Скомпилировать Sass) для компиляции вручную, если необходимо.
Что такое SASS и VSCode?
Visual Studio Code (VSCode) — это бесплатный и популярный редактор кода, разработанный компанией Microsoft. Он предоставляет широкие возможности для разработки веб-приложений, включая поддержку различных языков программирования и инструменты для улучшения производительности разработчика. VSCode легко настраивается и расширяется с помощью плагинов.
Вместе SASS и VSCode позволяют разработчикам создавать и управлять стилями проектов более эффективно. За счет возможностей SASS, таких как миксины и переменные, можно повторно использовать код и осуществлять легкую модификацию стилей. Использование VSCode предоставляет удобный интерфейс для написания и отладки кода, а также интеграцию с другими инструментами и плагинами, упрощающими разработку проектов.
Настройка SASS в Visual Studio Code позволяет использовать все возможности SASS без необходимости вызова компилятора отдельно. Вместо этого, VSCode будет автоматически компилировать SASS в CSS при сохранении файлов, что значительно упрощает рабочий процесс и ускоряет разработку.
Установка SASS и расширения для Visual Studio Code (VSCode)
Прежде чем начать использовать SASS в Visual Studio Code (VSCode), необходимо установить SASS и соответствующее расширение для VSCode. В этом разделе мы расскажем, как выполнить эти действия.
Установка SASS:
- Установите Node.js на свой компьютер. Node.js — это платформа, на которой выполняется SASS. Вы можете скачать установщик со страницы официального сайта Node.js и выполнить установку, следуя инструкциям.
- После установки Node.js откройте командную строку или терминал и выполните команду npm install -g sass . Эта команда установит SASS глобально на вашем компьютере.
- Проверьте успешность установки, выполнив команду sass —version . Если выводится версия SASS, значит установка прошла успешно.
Установка расширения для VSCode:
- Откройте VSCode.
- Нажмите на значок «Extensions» в левой панели или используйте сочетание клавиш Ctrl+Shift+X (Windows/Linux) или Cmd+Shift+X (Mac), чтобы открыть панель расширений.
- В поисковой строке введите «Live Sass Compiler». Это популярное расширение для компиляции SASS в режиме реального времени.
- Нажмите на кнопку «Install» рядом с расширением «Live Sass Compiler».
- После установки расширения, необходимо перезагрузить VSCode для активации.
Поздравляю! Теперь у вас установлен SASS и соответствующее расширение для VSCode. В следующем разделе мы покажем, как использовать Live Sass Compiler для компиляции и отслеживания изменений в SASS-файлах.
Настройка SASS в VSCode
Чтобы настроить поддержку SASS в VSCode, следуйте этим шагам:
- Установите VSCode, если у вас его ещё нет.
- Откройте VSCode и перейдите в раздел «Расширения» (Extensions) или используйте комбинацию клавиш Ctrl+Shift+X.
- Введите «SASS» в поле поиска и выберите расширение «Sass (VSCode)» от «RobinSax» с наибольшим количеством загрузок.
- Нажмите кнопку «Установить» и дождитесь окончания установки.
- После установки расширения, VSCode будет автоматически распознавать файлы с расширением .scss или .sass как файлы стилей SASS и предоставит соответствующую подсветку синтаксиса и возможности автодополнения.
- Теперь вы можете создавать новые файлы .scss или .sass или открыть существующие и начать писать код SASS с помощью всей функциональности VSCode.
Также, расширение «Sass (VSCode)» предоставляет возможность компиляции ваших файлов SASS в CSS прямо в VSCode. Для этого, щелкните правой кнопкой мыши на файле SASS, затем выберите «Compile Sass» в контекстном меню.
Настройка SASS в VSCode проста и позволяет вам эффективно работать с этим мощным инструментом разработки. Наслаждайтесь использованием SASS и VSCode в своих проектах!
Создание файлов и папок для стилей
Для создания и организации файлов и папок для стилей в VSCode при использовании SASS, следуйте приведенным ниже инструкциям:
- Откройте папку проекта в VSCode, в которой вы хотите создать файлы и папки для стилей.
- Создайте новую папку, которую вы планируете использовать для хранения файлов SASS. Например, назовите ее «styles».
- Внутри папки «styles» создайте файл с расширением «.scss» (или «.sass» в зависимости от вашего выбора). Например, назовите его «main.scss». Этот файл будет являться главным файлом стилей вашего проекта.
- В папке «styles» вы можете создавать дополнительные папки и файлы для организации и структурирования ваших стилей. Например, вы можете создать папку «components» для хранения стилей компонентов и файлы внутри этой папки для каждого отдельного компонента.
Общая структура файлов и папок для стилей может выглядеть следующим образом:
- project-folder - styles - main.scss - components - button.scss - navbar.scss - utilities - variables.scss - mixins.scss - index.html - other-files
Такая структура позволит вам удобно организовывать свои стили и легко находить нужные файлы в будущем.
Настройка автоматической компиляции SASS
Для настройки автоматической компиляции SASS в Visual Studio Code необходимо выполнить несколько шагов:
- Установите расширение Live Sass Compiler из магазина расширений Visual Studio Code.
- Откройте файлы SASS (.scss) в редакторе Visual Studio Code.
- Нажмите на значок «Watch Sass» в нижней панели редактора.
Важно:
Перед настройкой автоматической компиляции убедитесь, что в проекте присутствует файл настроек settings.json.
В файле настроек укажите путь к директории, где будут сохраняться файлы CSS, с помощью параметра «liveSassCompile.settings.formats» .
Пример настройки формата компиляции:
После настройки компиляции, изменения в файлах SASS будут автоматически отслеживаться и компилироваться в CSS. Компилированные файлы будут сохраняться в указанной директории, согласно настройкам формата компиляции.
Теперь вы можете настроить автоматическую компиляцию SASS в Visual Studio Code и ускорить процесс разработки стилей в своих проектах.