


Improve CSS Code Readability and Maintainability by Creating Dynamic Styles
Learn how to use CSS variables to create increasingly sophisticated and efficient web applications.
As a web project grows and becomes increasingly complex, it ends up being very common to have extensive CSS code with thousands of lines and within this code it is very likely that the frequency of repetition of values assigned to properties will be big ones too.
As you can see in the example below, there are repetitions of the same values in the color and background-color properties:
.one { color: #f0f0f0; background-color: #a52a2a; } .two { color: #f0f0f0; background-color: #a52a2a; } .three { color: #f0f0f0; background-color: #a52a2a; } .four { color: #f0f0f0; background-color: #a52a2a; }
In the case of the example above, the same color can be used in hundreds of different places in the code. As the values of normal properties are relatively fixed, if in the future you decide to change the color of all elements that have the same color, this will require you to manually search for the color value throughout the code and replace it with the same color. new color.
However, your life as a web developer starts to become more productive when using CSS variables, which allow a value to be stored in one place and then can be referenced in several other places.
It is important to make it very clear that CSS variables are basically custom properties and not directly actual programming variables. The value of the CSS variable is calculated where necessary, is limited to the scope of the element and cannot be dynamically manipulated or have its value changed during style execution.
While variables in programming languages are data stores that can contain different types of values and are manipulated and modified during program execution, variables in CSS are used to store specific values to be reused in CSS properties.
Now, in the example below, exchanging the fixed values for variables and using the var() function in place of the property value to retrieve the variable value, if you decide to make a color change, you would only need to change the value of the variable and all instances where the variable is used will be updated automatically:
:root { --text-primary: #f0f0f0; --bg-primary: #a52a2a; } .one { color: var(--text-primary); background-color: var(--bg-primary); } .two { color: var(--text-primary); background-color: var(--bg-primary); } .three { color: var(--text-primary); background-color: var(--bg-primary); } .four { color: var(--text-primary); background-color: var(--bg-primary); }
Very cool, right? If you want to know all the potential that CSS variables have to offer, stay until the end of this article.
Happy reading!
Summary
- Variables are basically Properties
- Variable Scope
- var() function
- Invalid Values of Properties and Variables
Variables are basically Properties
Ok, my intention here is not to confuse you! But yes, showing that CSS variables and CSS properties carry the same result of defining styles in a document and are similar in terms of syntax and use, however they have completely different functionalities from each other as we will see below.
Variable Identifier
Variables are easily identified with a double hyphen (--), followed by any name for the variable that differentiates from uppercase to lowercase letters and finally, a value that is valid for the variable:
--bg-secondary: #00ff00;
As you can see in the example above, one of the additional benefits of variables is that the names you define for them are custom and relatively semantic, this means, that the --bg-secondary identifier is easier to understand as a secondary background color in relation to a main (or primary) background color, instead of directly inserting the hexadecimal code #00ff00.
as a value in the propertyProperties, compared to variables, do not allow the use of hyphens at the beginning of the name, because hyphens are used to separate words into compound properties such as font-size, text-align, etc. In exception, there are specific properties with the prefixes -webkit, -moz, -ms and -o that use a single hyphen at the beginning of the name, these properties are used for experimental features that have not yet been fully standardized or incorporated into the official CSS specifications .
--text-selected: none; user-select: none; -webkit-user-select: none; -moz-user-select: none; -ms-user-select: none;
This way, with or without a hyphen, you can differentiate what the purpose of the property is.
Variable Value
The values that can be assigned to variables are the same as those corresponding to any property value that can be a sequence of one or more values, as long as the sequence does not contain a value not permitted by the property or is simply an invalid value :
--horizontal: left; --text-color: #0000ff; --shadow: 0 0 10px #3a3939, 0 0 20px #666565; --gradient: linear-gradient(90deg, #3c719e 0%, #2323ab 35%);
Embora existam semelhanças entre as variáveis CSS e propriedades CSS, ambas têm propósitos e funcionalidades diferentes, enquanto uma é usada para armazenar e reutilizar valores, a outra define estilos específicos para elementos individuais.
Herança da Variável
As variáveis CSS podem ser herdadas, assim como as propriedades normais do CSS, isso significa, que ao definir um valor para uma variável em um elemento, ela será aplicada automaticamente a todos os elementos que forem descendentes desse mesmo elemento, a menos que eles definam um novo valor.
Como, por exemplo:
.father { --font-small: 16px; } .child-1 { --font-small: 3.4em; }
<div class="father"> <div class="child-1"></div> <div class="child-2"></div> </div>
No exemplo acima, o resultado para cada elemento será:
- Para o elemento com a classe .father será definido: 16px.
- Para o elemento com a classe .child-1 será definido: 3.4em.
- Para o elemento com a classe .child-2 será definido o valor herdado do elemento pai: 16px.
Por conta disso, toda vez que você usar uma variável em um determinado elemento, tanto este elemento quanto os elementos dentro dele, também poderão ter os mesmos valores definidos na variável.
Escopo da variável
As variáveis CSS possuem como escopo os elementos em que as mesmas foram declaradas. O escopo nada mais é que a área ou contexto em que uma variável pode ser acessada e utilizada.
Existem dois tipos de escopos para as variáveis o escopo Global e Local. As variáveis de escopo global é uma variável que está disponível para ser usada em todo o documento, enquanto as variáveis de escopo local, limita o uso da variável em elementos específicos.
Escopo da Global
É muito útil o escopo global para tornar uma variável CSS acessível para todos os elementos do documento.
Como, por exemplo:
:root { --bg-dark: #1b1a1a; } #first-box { background-color: var(--bg-dark); } #second-box { background-color: var(--bg-dark); }
No exemplo acima, a variável --bg-dark foi declarada no escopo da pseudo-classe :root, isso significa, que essa variável vai estar disponível para qualquer elemento. Faz sentido, declarar neste caso a variável no escopo global já que na página pode existir vários elementos com um design escuro.
A pseudo-classe :root é comumente utilizada para a declaração de variáveis, isso porque, ela é semelhante à raiz de uma árvore e basicamente se refere ao elemento que faz com que todos os outros elementos do documento fiquem contidos dentro dele, assim como os ramos e nós de uma árvore estão contidos na raiz da árvore.
Ao utilizar a pseudo-classe :root para declarar as suas variáveis, lembre-se que ela é semelhante ao seletor de elemento html, exceto que ela possui a especificidade mais alta de 0–0–1–0, enquanto o seletor htmlpossui a especificidade mais baixa de 0–0–0–1.
Escopo Local
O escopo local é a limitação que uma variável CSS vai ter para ser acessível dentro de um determinado elemento.
Como, por exemplo:
#third-box { --bg-info: #00ff00; background-color: var(--bg-info); } #fourth-box { background-color: var(--bg-info); }
No exemplo acima, a variável --bg-info foi declarada no escopo do elemento que possui o id (#third-box), isso significa, que essa variável só vai estar disponível dentro deste elemento, ou seja, a cor de fundo só vai ser aplicada nele ou nos elementos dentro dele.
Enquanto ao tentar chamar a mesma variável para o elemento com id (#fourth-box) ela é "especificada como não definida" e a cor de fundo não será aplicada. Se você tiver a certeza que apenas alguns elementos na página vai receber um estilo específico, faz sentido usar o escopo local no elemento pai desses elementos.
Dependendo da sua necessidade, você pode declarar a variável com o mesmo nome ou com outros valores diferentes para elementos distintos:
#third-box { --bg-info: #00ff00; background-color: var(--bg-info); } #fourth-box { --bg-info: #0000ff; background-color: var(--bg-info); }
No exemplo acima, as variáveis estão sendo declaradas em escopos diferentes (cada variável possui o seu próprio escopo), isso quer dizer que não são as mesmas variáveis.
Função var()
Como foi visto anteriormente nos exemplos, a função var() do CSS é usada para referenciar e aplicar os valores das variáveis CSS em diferentes propriedades ao longo do código:
:root { --text-dark: #0e0e0e; } .section-alert { color: var(--text-dark); }
Mas, existe uma funcionalidade a mais que cerca essa função que é o valor de fallback que veremos logo a seguir, no qual pode ser útil ao trabalhar com Custom elements e Shadow DOM.
Valor de Fallback
O valor de fallback é um valor alternativo na função var() usado quando a variável fornecida não estiver definida ou for inválida.
A sintaxe é bem simples, a função var() aceita dois argumentos separados por uma vírgula, por tanto, o primeiro argumento é o nome da variável e caso for definido um segundo argumento ele será o valor de fallback que será usado no lugar da variável indisponível.
Como, por exemplo:
.section-alert { color: var(--text-dark, #202020); }
No exemplo acima, se a variável text-dark não estiver disponível o valor #202020 será utilizado na propriedade.
Entenda que o valor de fallback não é usado para oferecer um valor alternativo para navegadores que não oferecem suporte a variáveis e sim, para navegadores que oferecem suporte a variáveis para que o mesmo possa escolher um valor diferente se a variável fornecida não estiver definida ou tiver um valor inválido.
Múltiplos Valores de Fallback
Como a função var() aceita apenas dois argumentos, caso você faça algo semelhante ao exemplo abaixo será considerado inválido:
.section-info { color: var(--text-dark, #202020, #454545); }
Porém, você consegue fornecer mais de um valor de fallback, definindo no segundo argumento da função var() outra função var():
.section-info { color: var(--text-dark, var(--text-normal, #454545)); }
No exemplo acima, caso a variável --text-dark esteja indisponível será usado a variável --text-normal e que por sua vez, se também não estiver disponível será usado o valor de argumento #454545.
Valores Inválidos de Propriedades e Variáveis
Se você tentar atribuir um valor qualquer a uma propriedade normal que seja inválido, quando o navegador encontrar este valor ele simplesmente vai descartar e os elementos vão receber os valores que teriam se a declaração simplesmente não existisse.
Como, por exemplo:
div { background-color: orange; } div { background-color: 4rem; }
No exemplo acima, foi especificado o valor de 4rem a propriedade background-color da segunda regra, esse valor definitivamente está incorreto já que essa propriedade e todas as propriedades do CSS aceita um determinado conjunto de valores válidos. O valor 4rem é comum e pode ser utilizado em propriedades como font-size, padding, margine etc.
Nesse caso, por conta do valor ser inválido para essa propriedade a declaração é descartada e o resultado é como se a regra não existisse ou seja, a primeira regra será aplicada e a cor de fundo da div ficará laranja.
Isso ocorre, porque o navegador segue as regras da cascata no processamento e renderização de estilos. Quando várias regras se aplicam ao mesmo elemento, o navegador precisa determinar qual delas deve prevalecer. Essas regras são brevemente avaliadas com base em sua especificidade e ordem de precedência (no caso do exemplo anterior pelo fato das duas regras terem seletores com a mesma especificidade foi levado em conta a ordem de precedência).
Por tanto, quando o navegador encontra uma declaração com um valor inválido para uma propriedade normal, ele entende que essa declaração não é válida e a descarta. O navegador então passa para a próxima declaração que seja possivelmente válida. Se não houver mais nenhuma declaração aplicável, o navegador utiliza o valor herdado ou inicial do elemento.
Isso garante, uma melhor experiência de navegação estável e confiável para os usuários, evitando que os elementos sejam exibidos de forma confusa ou não intencional quando não há declarações de estilo explícitas.
No entanto, as variáveis vão se comportar de maneira diferente em relação as propriedades normais. Quando o navegador encontra uma função var() referenciando uma variável inválida, o valor inicial ou herdado da propriedade é usado.
O exemplo abaixo é exatamente o do exemplo anterior, exceto que é usado uma variável:
:root { --bg-color: 4rem; } div { background-color: orange; } div { background-color: var(--bg-color); }
Nesse caso, o valor 4rem da variável é inválido para a propriedade background-color da última regra e a ordem de precedência não será levada em consideração aqui, ou seja, a cor orange da segunda regra não será aplicada. Como a propriedade background-color não é herdável, o navegador aplicará o valor inicial dessa propriedade, que é transparente ou rgba(0, 0, 0, 0).
Conclusão
Essas são as variáveis CSS que podem ser usadas em diversos momentos e situações para fornecer maior flexibilidade e reutilização de código. Portanto, se você precisar definir valores comuns, trabalhar com responsividade ou criar temas e personalização, pode ser muito útil utilizar variáveis CSS. Elas não apenas simplificam o processo de manutenção do código, mas também tornam o design mais consistente e fácil de ajustar conforme necessário. Adotar variáveis CSS é uma prática inteligente que pode elevar a eficiência e a qualidade de seus projetos de desenvolvimento web.
The above is the detailed content of Improve CSS Code Readability and Maintainability by Creating Dynamic Styles. For more information, please follow other related articles on the PHP Chinese website!

Hot AI Tools

Undress AI Tool
Undress images for free

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Clothoff.io
AI clothes remover

Video Face Swap
Swap faces in any video effortlessly with our completely free AI face swap tool!

Hot Article

Hot Tools

Notepad++7.3.1
Easy-to-use and free code editor

SublimeText3 Chinese version
Chinese version, very easy to use

Zend Studio 13.0.1
Powerful PHP integrated development environment

Dreamweaver CS6
Visual web development tools

SublimeText3 Mac version
God-level code editing software (SublimeText3)

Backdrop-filter is used to apply visual effects to the content behind the elements. 1. Use backdrop-filter:blur(10px) and other syntax to achieve the frosted glass effect; 2. Supports multiple filter functions such as blur, brightness, contrast, etc. and can be superimposed; 3. It is often used in glass card design, and it is necessary to ensure that the elements overlap with the background; 4. Modern browsers have good support, and @supports can be used to provide downgrade solutions; 5. Avoid excessive blur values and frequent redrawing to optimize performance. This attribute only takes effect when there is content behind the elements.

User agent stylesheets are the default CSS styles that browsers automatically apply to ensure that HTML elements that have not added custom styles are still basic readable. They affect the initial appearance of the page, but there are differences between browsers, which may lead to inconsistent display. Developers often solve this problem by resetting or standardizing styles. Use the Developer Tools' Compute or Style panel to view the default styles. Common coverage operations include clearing inner and outer margins, modifying link underscores, adjusting title sizes and unifying button styles. Understanding user agent styles can help improve cross-browser consistency and enable precise layout control.

First, use JavaScript to obtain the user system preferences and locally stored theme settings, and initialize the page theme; 1. The HTML structure contains a button to trigger topic switching; 2. CSS uses: root to define bright theme variables, .dark-mode class defines dark theme variables, and applies these variables through var(); 3. JavaScript detects prefers-color-scheme and reads localStorage to determine the initial theme; 4. Switch the dark-mode class on the html element when clicking the button, and saves the current state to localStorage; 5. All color changes are accompanied by 0.3 seconds transition animation to enhance the user

The style of the link should distinguish different states through pseudo-classes. 1. Use a:link to set the unreached link style, 2. a:visited to set the accessed link, 3. a:hover to set the hover effect, 4. a:active to set the click-time style, 5. a:focus ensures keyboard accessibility, always follow the LVHA order to avoid style conflicts. You can improve usability and accessibility by adding padding, cursor:pointer and retaining or customizing focus outlines. You can also use border-bottom or animation underscore to ensure that the link has a good user experience and accessibility in all states.

Theaspect-ratioCSSpropertydefinesthewidth-to-heightratioofanelement,ensuringconsistentproportionsinresponsivedesigns.1.Itisapplieddirectlytoelementslikeimages,videos,orcontainersusingsyntaxsuchasaspect-ratio:16/9.2.Commonusecasesincludemaintainingres

vw and vh units achieve responsive design by associating element sizes with viewport width and height; 1vw is equal to 1% of viewport width, and 1vh is equal to 1% of viewport height; commonly used in full screen area, responsive fonts and elastic spacing; 1. Use 100vh or better 100dvh in the full screen area to avoid the influence of the mobile browser address bar; 2. Responsive fonts can be limited with 5vw and combined with clamp (1.5rem, 3vw, 3rem) to limit the minimum and maximum size; 3. Elastic spacing such as width:80vw, margin:5vhauto, padding:2vh3vw, can make the layout adaptable; pay attention to mobile device compatibility, accessibility and fixed width content conflicts, and it is recommended to give priority to using dvh first;

The:emptypseudo-classselectselementswithnochildrenorcontent,includingspacesorcomments,soonlytrulyemptyelementslikematchit;1.Itcanhideemptycontainersbyusing:empty{display:none;}tocleanuplayouts;2.Itallowsaddingplaceholderstylingvia::beforeor::after,wh

Define@keyframesbouncewith0%,100%attranslateY(0)and50%attranslateY(-20px)tocreateabasicbounce.2.Applytheanimationtoanelementusinganimation:bounce0.6sease-in-outinfiniteforsmooth,continuousmotion.3.Forrealism,use@keyframesrealistic-bouncewithscale(1.1
