CSS Class Notes: 1st Semester Guide
CSS Class Notes: 1st Semester Guide
Are you ready to well designed UI with your HTML skills? Press space on your keyboard
@Oluwasetemi
Table of contents
1. Getting Started with CSS? 12. FlexBox
2. Previous Class Recording 13. Grid Layout
3. Selectors 14. SubGrid
4. Specificity 15. Positioned Layout
5. Box Model 16. Stacking Context/Z-index
6. Using Block and Inline Axes in CSS 17. Overflow
7. CSS Reset and Normalize 18. Responsiveness
8. Inheritance 19. CSS Frameworks
9. Colors/Units/Gradients 20. Assignments
10. Debugging in browser 21. Important Links
11. Inline, Internal and External CSS
@Oluwasetemi
Just as HTML serves as the skeletal part of the web, CSS describes how the
element should be rendered on the web.
We use CSS to style our HTML elements and this is what you’re going to learn
throughout this module.
@Oluwasetemi
Selectors
Before we move deeply into Selectors, let's dive into CSS rule which is a block of code, that has one or more
selectors and one or more declarations.
@Oluwasetemi
Definition of selectors
Looking at the image in the previous slide we'll notice that CSS selector is the first part of a CSS rule. In order
to choose or select HTML elements that's going to carry the CSS property values inside the rule we have to use
CSS Selector. In summary, for us to add a style for a particular HTML element we need a selector.
Types of selectors
Universal selector: This is also know as a wildcard, selects every single element in the document. It is
represented by the asterisk character *
Code Example:
* {
margin: 0;
padding: 0;
box-sizing: border-box;
}
This rule is saying that remove any default margin and padding from all the elements in this document and
also change the box-sizing value to border-box.
@Oluwasetemi
Type selector: The CSS type selector matches elements by node/HTML name.
Code Example:
p {
color: red;
font-size: 36px;
}
This CSS rule is saying that apply color of red to every p element and also increase its font size to 36px.
@Oluwasetemi
Class selector: There is a class attribute associated to all HTML elements, this allows us to target a specific
HTML element for its class name. To style an element using the class name we make use of the dot notation
. before the class name when writing our selector in the CSS rule .paragraph
Code Example:
.paragraph {
color: red;
font-size: 36px;
}
This CSS rule is saying that apply color of red to the p element that has the class name of paragraph and also
increase its font size to 36px.
@Oluwasetemi
ID selector: The id selector uses the id attribute of an HTML element to select a specific element. Id value of
an element must be unique which means you can only have a specific id value to an HTML element, unlike
class where you can give 10 HTML elements same class name.
To style an element using the id value we make use of the hash notation # before the id value when writing
our selector in the CSS rule #container-wrapper
Code Example:
<span id="container-wrapper">
You can style me using my id value which is container-wrapper.
</span>
#container-wrapper {
color: red;
font-size: 36px;
}
@Oluwasetemi
Attribute selector: This gives you the power to select elements based on the presence of a certain HTML
attribute or the value of an HTML attribute. To write the CSS rule for this you have to wrap the selector with
square brackets.
Code Example:
<a href="https://altschoolafrica.com">
You can style me using my attribute which is href.
</a>
[href] {
color: red;
}
@Oluwasetemi
Code Example 2:
<a href="https://altschoolafrica.com">
You can style me using my attribute and its value which is
href="https://altschoolafrica.com".
</a>
[href="https://altschoolafrica.com"]{
color: red;
font-size: 36px;
}
Note: This method give you the access to style any element that has an attribute of data-type but with a
specific value of href.
@Oluwasetemi
Pseudo-classes : Pseudo-classes are keywords added to selectors using a single colon sign : just to
specify a special state of the selected elements. They allow you to style elements based on their state,
position, or user interactions, which cannot be targeted by regular CSS selectors alone. Here are some
common pseudo-classes:
1 :link
2 :visited
3 :hover
4 :active
5 :focus
6 :nth-child()
Code Example
button:hover {
background-color: orange;
}
li:nth-child(even) {
text-transform: uppercase;
}
input:focus {
@Oluwasetemi
Pseudo-element : To style specific parts of an element we attached double colon to our selector ::
followed by keywords to select the portion we want to apply styling to. Unlike the pseudo-classes, which
target the entire element, pseudo-elements target specific parts of an element using a conventional
keywords.
Note: Pseudo-elements are particularly useful for enhancing the design and readability of web content without
the need for additional HTML elements.
@Oluwasetemi
Complex selectors
To have more power in accessing elements in the DOM we have some selectors which we will brief through but
let’s quickly look at parents and child elements using this code below:
<p>
AltSchool Africa is a tech school that offers varieties of tech courses like
<span>Frontend engineering</span>, <span>Backend engineering</span> and newly
added <span>Cybersecurity</span> online.
</p>
In the code above, the parent element is the p , inside which we have 3 span elements, since all these 3 span
elements are inside the p we call them the child elements of p .
Descendant Selector: This selects all elements that are descendants and we achieve this by giving space ( )
Code Example:
p span {
color: red;
}
@Oluwasetemi
Child selector (parent > child): This selects all elements that are direct children of a specified element.
Code Example:
ul > li {
list-style: none;
}
Adjacent Sibling Selector (prev + next): This selects an element that is immediately preceded by a specified
element.
Code Example:
h1 + p {
margin-top: 0;
}
@Oluwasetemi
General Sibling Selector (prev ~ siblings): This selects all elements that are siblings of a specified element.
Code Example:
h1 ~ p {
color: blue;
}
Code Example:
h1,
h2,
h3 {
margin-bottom: 10px;
}
@Oluwasetemi
Nesting Selectors & : This is a way of writing CSS rules that are more specific and easier to read.They
explicitly states the relationship between parent and child rules when using CSS nesting. It makes the
nested child rule selectors relative to the parent element. Without the & nesting selector, the child rule
selector selects child elements. The child rule selectors have the same specificity weight as if they were
within :is() . Can be use with the Child Combinators.
Code Example:
<div class="container">
<h1 class="title">Hello, CSS</h1>
</div>
.container {
padding: 20px;
.title {
color: red;
}
&:hover {
background-color: lightblue;
}
}
figure:has(figcaption) {
border: 1px solid black;
padding: 0.5rem;
}
Specificity
Specificity is the key to understanding how CSS decides between competing rules. Let's take a brief at this code
before we dive deep into specificity.
<h1 class="title">Hi, Specificity</h1>
h1 {
color: blue;
}
.title {
color: yellow;
}
In the code above, we are trying to style the h1 element but we have two CSS ruleset, so which stylesheet will
override the other? This is where our knowledge on specificity algorithm comes in.
Specificity is a score given to selectors, and whenever we have two or more CSS rules pointing to the same
element, the selector that has the highest specificity score will win, which means the CSS ruleset of this
particular selector will be applied on the element.
@Oluwasetemi
Specificity Hierarchy
CSS selectors are of different forms and each of them has its place in the specificity hierarchy.
CSS Selectors decrease in specificity from top to bottom, meaning the selector at the top of the hierarchy has
the highest specificity.
Inline_styles
IDs
Elements pseudo-elements
important rule
In CSS, there is one rule that has the highest specificity score of 10,000. This rule is used to give a property-
value pair the highest priority, allowing it to override any other declarations.
The only way to override inline styles which has specificity value of 1000 is by using this rule called !important,
though this is considered as a bad practice and should be avoided. Read more
Code Example
selector {
property: value !important;
}
.h1 {
color: red !important;
}
Box Model
The CSS Box Model is a core concept in web design and layout. It describes how every element on a web page is
rendered as a rectangular box. It’s basically a box that wraps around every HTML element. Understanding this
model is crucial for creating precise layouts and solving common design challenges.
@Oluwasetemi
b) Padding:
c) Border:
d) Margin:
Popular margin concepts are: Hungry margin(auto margin which only works for horizontal margins with
explicit width), Collapsed margin, Negative margin.
@Oluwasetemi
HTML CSS JS Result @Oluwasetemi
EDIT ON
<div>
<label>Padding <input type="range" id="padding" min="40"
max="100" value="40"></label>
<label>Border <input type="range" id="border" min="40"
max="100" value="40"></label>
<label>Margin <input type="range" id="margin" min="0"
max="100" value="40"></label>
</div>
<div class="grid">
<div>Lorem ipsum dolor sit amet consectetur adipisicing
elit. Ea necessitatibus nobis minima ipsam. Pariatur sit
ea cum officiis, illo totam fuga consequatur debitis, aut
aspernatur possimus quo dignissimos quasi reiciendis.
</div>
<div>Quis vero doloribus facere dolorem illum voluptates
dolores praesentium ut ipsam cumque libero officiis
adipisci nostrum deleniti, excepturi obcaecati culpa
architecto deserunt, saepe voluptate eum asperiores
similique. Culpa, officiis possimus?</div>
<div>Rem nulla rerum quo eaque neque similique sunt sint
esse asperiores cupiditate, tenetur eum sed, laboriosam
adipisci molestias blanditiis aliquam eius laudantium
saepe autem quidem. Dignissimos quod nobis animi rerum?
</div>
<div>Placeat enim ratione repellendus optio et excepturi
Resources 1× 0.5× 0.25× Rerun
@Oluwasetemi
One of the most important aspects of the Box Model is understanding how the total size of an element is
calculated:
Total Width = width + left padding + right padding + left border + right border
Total Height = height + top padding + bottom padding + top border + bottom border
Note: Margins are not included in these calculations as they affect spacing between elements, not the
element’s size itself.
2. Box-Sizing Property
The default box model can sometimes lead to unexpected results. CSS3 introduced the 'box-sizing' property to
address this:
'content-box' (default): Width and height apply to content area only. 'border-box': Width and height include
content, padding, and border.
* {
box-sizing: border-box;
}
@Oluwasetemi
Example
div {
box-sizing: border-box;
width: 300px;
padding: 20px;
border: 10px solid black;
margin: 25px;
}
Block Axis: The block axis is the vertical axis that runs from top to bottom. Block-level elements stack on
top of each other in the block axis.
Inline Axis: The inline axis is the horizontal axis that runs from left to right. Inline-level elements flow in
the inline axis.
Possible css properties with block and inline axes are: padding-block , margin-block , border-block ,
padding-inline , margin-inline , border-inline , block-size , inline-size , min-block-size ,
max-block-size , min-inline-size , max-inline-size . Padding and margin can have the start, end
variant like padding-inline-start , padding-inline-end , margin-block-start , margin-block-end .
The block-size and inline-size properties are used to set the width and height of an element,
respectively. The min-block-size and max-block-size properties set the minimum and maximum width
of an element, while the min-inline-size and max-inline-size properties set the minimum and
maximum height of an element.
@Oluwasetemi
Height Calculation
Height is calculated along the block axis(top to bottom) and default is auto(using the content inside the
element) but can be set using the height property. The max-height and min-height properties set the
maximum and minimum height of an element. max-height is used to prevent an element from exceeding
a certain height, while min-height ensures that an element is at least a certain height. min-height is
useful for creating responsive designs that adapt to different screen sizes and adjustable height. max-
height is useful for ensuring that an element is at least a certain height, which can be helpful for
maintaining the layout of a page and preventing elements from becoming too short. Height considers the
content inside the element first before the parent element’s height.
@Oluwasetemi
@Oluwasetemi
Normalize.css
Normalize.css is a modern, HTML5-ready alternative to CSS resets. It makes browsers render all elements more
consistently and in line with modern standards. It precisely targets only the styles that need normalizing.
@Oluwasetemi
Inheritance
Inheritance, this is when a child element get a computed value which represents its parent's value. Inheritance
cascade downwards and every property has a default value in CSS.
Types-Of-Inheritance
Inherited-properties Non-Inherited-properties
Inherited-properties: These are properties that by default passed down from a parent element to its
children.
Non-Inherited-properties: These are properties that by default can’t be passed down from a parent element
to its children.
@Oluwasetemi
list-style border
color margin
cursor padding
font-family width
font-size height
font-style position
font-weight box-shadow
@Oluwasetemi
Inherited property
Code Example: The color property falls under the inherited properties, so the em element will inherit the color
value from the parent element which is p
p {
color: green;
font-weight-500;
}
Non-inherited property
Code Example: The border property falls under the non-inherited properties so, the em element will not
inherit the border value from the parent element which is p .
p {
border: 3px solid red;
}
To keep everything under the developer’s control, we have the inherit keyword that can make any property
inherit its parent’s computed value.
Code Example:
p {
border: 3px solid red;
}
em {
border: inherit; //using the inherit keyword to make the em tag inherit the border style from its parent.
}
Controlling Inheritance
Note: Inheritance is always from the parent element in the document tree, even when the parent element is
not the containing block.
inherit:
The inherit keyword causes element to take the computed value of the property from its parent element.
initial:
This keyword sets a property back to that initial, default value.
unset:
This keyword resets a property to its inherited value if the property naturally inherits from its parent, and
to its initial value if not. This is like shuffling between the inherit and the initial keyword because in its
first case it behaves like the inherit keyword when the property is an inherited property and like the initial
keyword in the second case when the property is a non-inherited property.
HTML CSS JS Result @Oluwasetemi
EDIT ON
This shorthand resets all properties (except unicode-bidi and direction) of an element to their initial, inherited,
or unset state. This property can be particularly useful when you want to ensure that an element does not
inherit any styles from its parents or previous rules and instead starts with a clean slate.
<div class="parent">
Parent Text
<div class="child-inherit">Child Text with all: inherit</div>
</div>
.parent {
color: red;
font-size: 10px;
background-color: lightgray;
}
.child-inherit {
all: inherit;
}
Parent Text
Child Text with all: inherit
@Oluwasetemi
Colors/Units/Gradients
CSS Color
Colors in CSS can be defined in various ways, such as using color names, hexadecimal values, RGB, RGBA, HSL,
HSLA, LCH, OKLCH, LAB, OKLAB, light-dark, color(), color-mix() and display-p3.
keywords: currentColor and transparent are also used in CSS to define colors.
Color Names
Definition: These are predefined color names in CSS, such as red, blue, green, black, white, etc. There are 140
named colors in CSS.
Named colors are convenient for quick, common colors but lack precision for more specific color needs.
p {
color: red;
background-color: lightblue;
}
@Oluwasetemi
Hexadecimal Colors
Hexadecimal colors are defined using a six-digit code consisting of letters and numbers, preceded by a "#".The
first two digits represent the red component, the next two represent the green, and the last two represent the
blue
You can also use a three-digit shorthand (e.g., #f00 for #ff0000), which is equivalent to doubling each digit.
p {
color: #ff5733; /* Bright orange */
color: #f53; /* Equivalent shorthand for #ff5533 */
color: #ff0000; /* Red */
color: #f00; /* Shorthand for Red*/
background-color: #c0c0c0; /* Silver */
}
@Oluwasetemi
HSL is intuitive for adjusting colors based on human perception, making it easier to create shades and tints.
--red: hsl(
var(--red-hue)
var(--red-sat)
var(--red-lit)
);
--dark-red: hsl(
var(--red-hue)
var(--red-sat)
calc(var(--red-lit) - 20%)
);
--transparent-red: hsl(
var(--red-hue)
var(--red-sat)
var(--red-lit) / 0.5
);
--soft-red: hsl(
var(--red-hue)
calc(var(--red-sat) - 30%)
calc(var(--red-lit) + 10%)
);
}
@Oluwasetemi
CSS Units
CSS units are vital for defining the size, spacing, and layout of elements. Here’s a more in-depth look at the
types of units:
1. Absolute Units
Fixed Units: These do not scale based on the viewport or parent elements.
2. Relative Units
Flexible Units: These scale based on the parent element or viewport, making designs more responsive.
em: Relative to the font size of the parent element. Useful for scalable spacing and typography.
padding: 1em; /* Equal to the current font size */
@Oluwasetemi
@Oluwasetemi
vw , vh : Relative to the viewport’s width or height. Ideal for full-screen layouts and responsive elements.
width: 100vw; /* Full width of the viewport */
height: 100vh; /* Full height of the viewport */
@Oluwasetemi
@Oluwasetemi
3. Viewport Units
CSS Gradients
Gradients are used to create smooth transitions between colors, adding depth and visual interest to designs.
Here’s a deeper look:
1. Linear Gradients A gradient that transitions along a straight line. You can control the direction and color
stops.
Direction: Can be specified with angles (e.g., 45deg) or keywords (to right, to bottom).
2. Radial Gradients Radiates from a central point outward, either circular or elliptical.
Shapes and Sizes: You can control the shape (circle or ellipse) and size (closest-side, farthest-corner, etc.).
3. Conic Gradients
A gradient that rotates around a central point, similar to slices of a pie.
Often used for visualizations like pie charts.
4. Repeating Gradients
Repeats the linear gradient pattern indefinitely.
background: repeating-linear-gradient(45deg, red, yellow 10%);
Practical Tips
Combine Units: Use relative units (em, rem) for typography to maintain scalability and consistent spacing.
Gradients with Transparency: Combine gradients with RGBA or HSLA colors for layered effects with
transparency.
Viewport Units for Responsiveness: Use vw and vh for elements that need to adapt to screen size changes,
such as full-screen sections or responsive text sizes.
@Oluwasetemi
p {
color: var(--primary-color);
background-color: var(--secondary-color);
}
Can be used to store colors, font sizes, spacing, and other values that are reused across the stylesheet. They are
particularly useful for maintaining consistency and making global changes easier. The new @property rule in
CSS allows you to define custom properties with specific types and values.
@property --primary-color {
syntax: "<color>";
inherits: false;
initial-value: black;
}
@Oluwasetemi
Debugging in browser
Debugging
Debugging is the process of finding and fixing errors or bug in the source code of any software. When writing
code, everything may appear normal during development, but errors can arise during runtime. These errors
typically fall into two categories:
Syntax Error: Occurs when the code does not adhere to the language's rules or grammar, preventing it from
being compiled or interpreted correctly.
Logic Error: Occurs when the code is syntactically correct but produces incorrect or unintended results due
to flawed reasoning or incorrect algorithm implementation.
You might wonder when you'd need to debug CSS. Let me explain: Sometimes, when writing CSS rules for an
element, you may encounter situations where your styles aren't being applied as expected, or the element isn't
behaving the way you intended.
1. Press-and-hold/right-click an item on a webpage and choose inspect from the context menu that appears.
This will show all the code that made up the UI but highlighted the code of the element you right-clicked.
Click on Elements to see how the HTML looks like on runtime and their respective CSS applied.
2. Keyboard: On WIndows Ctrl + Shift + I On macOS: Command + Shift + I
When in doubt in CSS put a border on all the elements to understand what is going on.
@Oluwasetemi
DevTools
In the developer tools, you can immediately modify the HTML and CSS, with the changes reflected live in the
browser. This feature is valuable for previewing your intended modifications before implementing them locally.
Also, you can toggle CSS rules by unchecking the corresponding checkboxes in the devTools, allowing you to
experiment with different styles on the fly.
Additionally, we have talked about the Box Model in the previous lesson, the devTools layout view shows you
the box model on a selected elements and gives you proper insight on the element box property like border,
margin, padding, height and width.
@Oluwasetemi
Advantages:
Disadvantages:
Internal CSS
Internal CSS is used to define styles for an entire HTML document. It is placed within the style tag in the head
<head>
<style>
p {
color: red;
font-size: 18px;
}
</style>
</head>
<body>
<p>This is a paragraph with internal CSS.</p>
</body>
Advantages Disadvantages
Keeps styles in one place within the document. Not efficient for styling across multiple pages.
Useful for applying styles to a single page.
Easier to manage and maintain than inline CSS.
@Oluwasetemi
External CSS
External CSS involves linking an external .css file to your HTML document. This file contains all the styles,
which can be applied to multiple HTML documents.
Syntax
<head>
<link rel="stylesheet" href="styles.css" />
</head>
/* In styles.css */
p {
color: green;
font-size: 16px;
}
<head>
<link rel="stylesheet" href="styles.css" />
</head>
<body>
<p>This is a paragraph with external CSS.</p>
</body>
@Oluwasetemi
External CSS
Advantages Disadvantages
Keeps HTML files clean and separates content from design.. Requires an additional HTTP request
Efficient for applying the same styles across multiple pages. to load the CSS file.
Easier to maintain and update, as changes in the external CSS file No styles will be visible if the CSS file
are reflected across all linked pages. fails to load.
Summary
Inline CSS: Best for quick, single-use styles but not ideal for maintainability.
Internal CSS: Good for single-page styling, better than inline but still not ideal for multiple pages.
External CSS: Preferred method for styling, offering maintainability and scalability across multiple
documents.
@Oluwasetemi
FlexBox
Flexbox is a one-dimensional layout method for arranging items vertically(columns) or horizontally(rows).
To implement a flexbox layout in CSS, you need to set display: flex; in your CSS rules.
When elements are laid out as flex items, they are laid out along two axis:
Why Flexbox?
It allows you to display item(s) as a row, or a column
Vertically center a block of content inside its parent
They respect the writing mode of the document
Items in the layout can be visually reordered, away from their order in the DOM
Make all columns in a multiple-column layout adopt the same height even if they contain a different
amount of content.
Space can be distributed inside the items, so they become bigger and smaller according to the space
available in their parent.
Make all the children of a container take up an equal amount of the available width/height, regardless of
how much width/height is available.
@Oluwasetemi
Flex Direction: The flex-direction property defines the direction in which the flex items are placed within the
flex container. The direction can be either block (column) or inline (row).
1 2 3 4
4 3 2 1
@Oluwasetemi
1 4
2 3
3 2
4 1
@Oluwasetemi
Alignment
Absolutely! Flexbox is indeed powerful for aligning elements with precision. It excels in both horizontal and
vertical alignment, making it easier to create responsive layouts that adapt to different screen sizes.
Let's take a look at the flexbox properties that controls alignment and spacing
flex property you can control how you want your items to be laid out. Code Example:
.container {
display: flex;
justify-content: flex-start;
}
1 2 3 4
@Oluwasetemi
.container {
display: flex;
justify-content: flex-end;
}
1 2 3 4
@Oluwasetemi
.container {
display: flex;
justify-content: center;
}
1 2 3 4
@Oluwasetemi
space-between: Items are evenly distributed in the line; the first item is on the start line and the last
item is on the end line.
.container {
display: flex;
justify-content: space-between;
}
1 2 3 4
@Oluwasetemi
space- around : Items are evenly distributed in the line with equal space around them.
.container {
display: flex;
justify-content: space-around;
}
1 2 3 4
@Oluwasetemi
space-evenly : Items are evenly distributed with equal space between them.
.container {
display: flex;
justify-content: space-evenly;
}
1 2 3 4
@Oluwasetemi
.container {
display: flex;
align-items: stretch;
}
1 2 3 4
@Oluwasetemi
.container {
display: flex;
align-items: flex-start;
}
1 2 3 4
@Oluwasetemi
.container {
display: flex;
align-items: flex-end;
}
1 2 3 4
@Oluwasetemi
.container {
display: flex;
align-items: center;
}
@Oluwasetemi
: Items are aligned along their baseline. If you want to make sure the bottoms of each
baseline
character are aligned, as they would be if they were written on a page then align-items: baseline; is
used instead of align-items: center; .
.container {
display: flex;
align-items: baseline;
}
@Oluwasetemi
.container {
display: flex;
flex-wrap: wrap;
align-content: flex-start;
}
1 2 3
4
@Oluwasetemi
.container {
display: flex;
flex-wrap: wrap;
align-content: flex-end;
}
1 2 3
4
@Oluwasetemi
Align Self
In a case where you want a specific child(ren) to have specific alignments instead of aligning all the children,
flexbox gives you the align-self property to achieve this.
.container {
display: flex;
justify-content: flex-start;
}
.container:nth-child(odd) {
align-self: flex-end;
}
2 4 6 8
1 3 5 7
@Oluwasetemi
1 2 3
@Oluwasetemi
1 2 3 4
@Oluwasetemi
The minimum content size is the smallest an item can get without its contents overflowing.
The hypothetical size refers to the size a flex item would take up if it were not subjected to the flex-grow,
flex-shrink, or any other flex properties that might cause it to stretch or shrink. It’s the size that the item
"wants" to be, based on its content and its initial settings like width, height, padding, and margin, before any
flex-related adjustments are applied.
@Oluwasetemi
Flex-Grow
The flex-grow CSS property specifies how much a flex item will grow relative to the other flex items inside the
same container when there is positive free space available.
The value of flex-grow is a unitless number that serves as a proportion, determining how much of the available
space inside the flex container the item should take up compared to other items.
Flex grow is about consuming additional space and it only does something when items are above their hypothetical size
Flex-Shrink
The flex-shrink CSS property determines how much flex items will shrink relative to each other when the flex
container is too small to accommodate their full size.
Flex shrink only does something when the items are between their minimum size and hypothetical size and you
can disable the ability of an item to shrink by setting flex-shrink: 0; .
Flex-Basis
The flex-basis CSS property has the same effect as width in a flex row (height in a column). You can use them
interchangeably, but flex-basis will win if there's a conflict. flex-basis can't scale an element below its
minimum content size, but width can.
@Oluwasetemi
1. flex-grow
2. flex-shrink
3. flex-basis
flexsets how a flex item will grow or shrink to fit the space available in its flex container. It does the basic
management automatically.
It is recommended to use the flex shorthand instead of separate flex-grow flex-shrink flex-basis declarations.
Grid Layout
Grid Layout is a two-dimensional layout system that allows you to create complex web designs with minimal
code. It enables you to align elements into rows and columns, making it easier to design web pages that are
responsive and adaptable to different screen sizes.
@Oluwasetemi
Grid Container
The grid container is the parent element that contains the grid items (child elements). To create a grid
container, you set the display property of the parent element to grid or inline-grid.
<div class="grid-container">
<div class="grid-item">Item 1</div>
<div class="grid-item">Item 2</div>
<div class="grid-item">Item 3</div>
</div>
.grid-container {
display: grid;
}
Item 1
Item 2
Item 3
@Oluwasetemi
Example
.grid-container {
display: grid;
grid-template-columns: 200px 1fr 100px;
grid-template-rows: 100px 200px;
grid-gap: 4;
}
In this example:
grid-template-columns: 200px 1fr 100px; creates three columns. The first column is 200px wide, the
second column takes up the remaining space (1fr), and the third column is 100px wide.
grid-template-rows: 100px 200px; creates two rows, the first row being 100px tall, and the second row
being 200px tall.
@Oluwasetemi
.grid-item:nth-child(1) {
grid-column: 1 / 3; /* Spans across the first and second columns */
grid-row: 1; /* Placed in the first row */
}
.grid-item:nth-child(2) {
grid-column: 3; /* Placed in the third column */
grid-row: 1 / 3; /* Spans across the first and second rows */
}
Item 1 Item 2
Item 3 Item 4
@Oluwasetemi
Grid Gaps
To create space between grid items, you can use the grid-gap, row-gap, and column-gap properties.
.grid-container {
display: grid;
grid-template-columns: repeat(3, 1fr);
grid-gap: 20px; /* 20px space between all grid items */
}
Grid Areas
Grid areas allow you to name specific sections of the grid, making it easier to define complex layouts. You can
use grid-template-areas to define areas and grid-area to place grid items within those areas.
.grid-container {
display: grid;
grid-template-areas:
"header header header"
"sidebar main main"
"footer footer footer";
grid-template-rows: auto 1fr auto;
grid-template-columns: 150px 1fr 1fr;
}
.grid-container {
display: grid;
grid-template-columns: repeat(auto-fit, minmax(100px, 1fr));
grid-gap: 10px;
}
repeat(auto-fit, minmax(100px, 1fr)); automatically creates as many columns as will fit into the container,
with each column being at least 100px wide and taking up a fraction of the remaining space.
This ensures that the grid adjusts dynamically as the viewport size changes.
@Oluwasetemi
Example(CONTD)
Header
Footer
@Oluwasetemi
SubGrid
EDIT ON
Pug SCSS Result
.grid
+card("Short title, short text", "Lorem ipsum
d l it t t t di i i i lit
Resources View Compiled 1× 0.5× 0.25× Rerun
@Oluwasetemi
Positioned Layout
Positioned Layout is another layout mode we'll explore in this section. Unlike the flow layout algorithm, which
ensures that multiple elements never occupy the same pixels, positioned layout allows items to overlap and
break out of the box.
To style your layout, use the position property with one of the following values: relative , absolute , fixed , or
sticky . Each of these positioning values works uniquely to place the element. Combine it with the top , right ,
bottom , and left properties to specify the exact location of the element within its containing block.
@Oluwasetemi
Relative Positioning
The element is positioned position: relative; based on the normal document flow and then adjusted relative to
its original position using the top, right, bottom, and left values. This adjustment does not impact the layout or
positioning of surrounding elements, so the space allocated for the element remains the same as if it were
using static positioning.
@Oluwasetemi
Absolute Positioning
Every element is contained by a block which is referred to containing block. When you absolutety positioned
an element, it ignore their parents block to cause an overflow unless the parent use positioned layout.
Absolutely-positioned elements act just like static-positioned elements when it comes to overflow. If the
parent sets overflow: auto; , as long as that parent is the containing block, it will allow that child to be scrolled
into view:
.wrapper {
overflow: auto;
position: relative;
/* other styles here */
}
.box {
position: absolute;
/* other styles here */
}
@Oluwasetemi
.wrapper {
overflow: hidden;
width: 100px;
height: 100px;
border: 3px solid red;
}
.box {
position: absolute;
top: 24px;
left: 24px;
background: black;
width: 150px;
height: 200px;
}
.box is not been contained by wrapper even with the overflow: hidden; passed into the wrapper CSS rule
because the parent which is wrapper is not using positioned layout.
@Oluwasetemi
.wrapper {
overflow: hidden;
position: relative;
width: 100px;
height: 100px;
border: 3px solid red;
}
.box {
position: absolute;
top: 24px;
left: 24px;
background: black;
width: 150px;
height: 200px;
}
@Oluwasetemi
Fixed Positioning
To create a "floating" element that stays in the same position regardless of scrolling, you should use position:
fixed; This is similar to absolute positioning, but there are key differences:
Fixed Positioning: A fixed element is positioned relative to the viewport, meaning it stays in the same place on
the screen even when you scroll. The element is contained by the "initial containing block," which is essentially
the entire browser window or viewport. With position: fixed, the element will not move when the user scrolls
the page.
Absolute Positioning: An absolutely positioned element is positioned relative to its nearest positioned
ancestor (an ancestor with position set to relative, absolute, or fixed). If no such ancestor exists, it will be
positioned relative to the initial containing block, just like a fixed element. With position: absolute; , the
element will move with its parent element if the parent is scrolled.
@Oluwasetemi
.scroll-container {
width: 100%;
height: 35px;
overflow: scroll;
border: 3px solid red;
}
.fixed-box {
position: fixed;
bottom: 30px;
left: 80px;
width: 80px;
height: 80px;
background: orange;
}
.scroll-content-box {
padding-left: 120px;
}
Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut
Fixed labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco
laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in
voluptate velit esse cillum dolore eu fugiat nulla pariatur. Excepteur sint occaecat cupidatat
non proident, sunt in culpa qui officia deserunt mollit anim id est laborum.
@Oluwasetemi
Sticky Positioning
In this form of positioning position: sticky; , an element transitions from being relatively-positioned to being
fixed-positioned and this happens when you scroll, the element get stuck to the edge. To pass position: sticky;
to an element and work effectively, you must specify a threshold with at least one of to top, right, bottom, or
left.
While using position: sticky; note that the element will never follow the scroll outside of its parent container.
The sticky elements only stick while their container is in view.
@Oluwasetemi
Code Example
dt {
position: sticky;
top: -1px;
/* other styles */
}
dd {
margin: 0;
/* other styles */
}
Andrew W.K.
Apparat
Arcade Fire
@Oluwasetemi
Anchor Positioning
Anchor positioning allows you to place items relative to where another element is. Seems pretty obvious when
put like that, but that’s what it is. You declare an element an anchor and give it a name, then can position
elements to the top/right/bottom/left (or center, or the logical equivalents) of the anchor.
.el {
anchor-name: --my-anchor;
}
.tooltip-2 {
top: anchor(--my-anchor center);
left: anchor(--my-anchor right);
translate: 0 -50%;
}
@Oluwasetemi
Stacking Context/Z-index
In CSS, the stacking order of elements is a crucial aspect of layout and design. Two key concepts that control
how elements stack on top of each other are stacking contexts and the z-index property. Alright, imagine
you're stacking a bunch of transparent sheets on top of each other. That's basically what's happening when
you're building a webpage with CSS. But sometimes, you want to control which sheet goes on top, right? That's
where z-index and stacking contexts come in. Let's break it down!
Natural Stacking Order First things first. When you’re writing your HTML, the browser stacks elements in the
order they appear. It’s like if you’re laying down those transparent sheets one by one. The last one you put
down ends up on top. Check this out:
First
Second
See how the blue box is on top of the red one? That’s because in our HTML, it came after the red box. Simple,
right?
@Oluwasetemi
Z-index
The z-index property only works on positioned elements. If applied to a non-positioned element, it has no
effect. However, there's an exception: flex children can use z-index even if they are non-positioned.
Now, what if you want to flip that order? That’s where z-index comes in. It’s like giving each element a number,
and the higher the number, the closer it gets to you (and the further it gets from the screen). Here’s what it
looks like:
z-index: 2
z-index: 1
Z-Index Stacking
<div style="position: relative; z-index: 2; background: red; width: 100px; height: 100px;"></div>
<div style="position: relative; z-index: 1; background: blue; width: 100px; height: 100px; margin-top: -50px; margin-lef
Look at that! Now the red box is on top, even though it came first in our HTML. That’s the power of z-index.
But here’s the catch: z-index only works on positioned elements. That means you need to set position to
something other than static (like relative, absolute, or fixed) for z-index to do its thing.
@Oluwasetemi
Stacking Context
Okay, now here's where it gets a bit tricky. Sometimes, elements form what we call a "stacking context". It's like
creating a new stack of transparent sheets that all move together.
In this example, the blue div will appear on top of the red div due to its higher z-index, even though neither
has a position set.
@Oluwasetemi
Isolation
The isolation property provides a way to create a new stacking context without changing the element's
position or z-index
.new-context {
isolation: isolate;
}
This is particularly useful for creating self-contained components that don't
interfere with the stacking order of other elements on the page.
@Oluwasetemi
Key Takeways
Understanding stacking contexts and z-index is crucial for creating complex layouts and resolving layout issues
in CSS. Remember these key points:
By default, elements stack in the order they appear in your HTML.
z-index lets you control the stacking order, but only for positioned elements.
Stacking contexts group elements together in the stacking order.
z-index values only compete within the same stacking context.
@Oluwasetemi
Overflow
The overflow CSS property allows you to control how content is handled when it exceeds the boundaries of an
element. It has a default value of visible .
overflow-x
overflow-y
overflow: hidden;
overflow: scroll;
overflow: visible;
overflow: clip;
@Oluwasetemi
overflow: auto;
overflow: auto;property makes an element scrollable when its content exceeds its bounds. Although the
overflow content is clipped at the element's padding box, it can still be scrolled into view.
<div class="content">
<strong><kbd>overflow: auto;</kbd></strong> property makes an element
scrollable when its content exceeds its bounds. Although the overflow content
is clipped at the element's padding box, it can still be scrolled into view.
</div>
.content {
overflow: auto;
border: 3px solid black;
max-height: 100px;
width: 100px;
}
overflow: hidden;
The overflow: hidden; property makes an element truncate its content when it overflows its boundaries. It
behaves similarly to overflow: scroll; , but without displaying scrollbars. When overflow: hidden; is applied to
an element, a scroll container is created without visible scrollbars.
.content {
overflow: hidden;
/* other styles */
}
overflow: hidden;
property causes an element
truncate its content when it
exceeds its boundaries, but
the scroll container is still
active so use the tab key to
confirm.
Track 1
@Oluwasetemi
overflow: scroll;
overflow: scroll; property causes an element overflow content to be scrolled into view using scroll bars. The
scroll bars shows whether the content is going to overflow or not.
<div class="content">
<strong><kbd>overflow: scroll;</kbd></strong> property causes an element
overflow content to be scrolled into view using scroll bars.
</div>
.content {
overflow: scroll;
border: 3px solid black;
max-height: 30px;
width: 50px;
}
overflow: scroll;
property causes an
element overflow
content to be scrolled
@Oluwasetemi
overflow: visible;
property is the default setting for the
overflow: visible; overflow property. When overflow occurs outside the
element's padding box, it will be displayed.
<div class="content">
<strong><kbd>overflow: visible;</kbd></strong> property is the default setting
for the <strong><kbd>overflow</kbd></strong> property. When overflow occurs
outside the element's padding box, it will be displayed.
</div>
.content {
overflow: visible;
border: 3px solid black;
max-height: 23px;
width: 50px;
}
overflow: visible;
property causes an
element overflow
@Oluwasetemi
Before we move into the last value which is overflow: clip; let’s learn about:
Scroll Containers
Whenever we set overflow property to scroll , hidden , or auto we automatically create what we referred to as a
scroll container which manages overflow in both directions( overflow-x overflow-y ).
A scroll container acts like a portal to a confined space. Any element within a scroll container is effectively
trapped inside, ensuring it won’t overflow beyond the boundaries of the container’s four corners.
You can think of a scroll container as a "magical big box" that is confined within a specific height. While the
"box" itself has defined boundaries, the content inside it can move around (scroll) without ever spilling out
beyond those boundaries.
This metaphor helps illustrate how the scroll container behaves — it allows you to see different parts of its
content by scrolling, but it keeps everything neatly contained within its fixed dimensions.
@Oluwasetemi
overflow: clip;
overflow: clip; property causes element's content to clipped at the element's overflow clip edge. The content
outside the clipped region is not visible, and also no addition of scroll container. This work exactly the way
most developers think overflow: hidden; should work.
.content {
overflow: clip;
/* other styles */
}
Horizontal Overflow
When you have inline elements that automatically wrap to the next line when they can't all fit within the
container's width, and you want them to scroll horizontally instead, simply using the overflow: auto; property
won't be sufficient. This is where the white-space: nowrap; property becomes useful.
white-spaceis a CSS property that allows developers to control how words and other inline or inline-block
elements wrap.
.img-wrapper {
overflow: auto;
white-space: nowrap;
/* other styles */
}
@Oluwasetemi
Responsiveness
What is CSS Responsiveness?
CSS responsiveness is a web design approach that allows a website to adapt to different screen sizes and
resolutions, providing a good user experience across various devices like phones, tablets, laptops, and
desktops.Imagine you have a favorite t-shirt. When you wear it, it fits just right. Now imagine if that t-shirt
could magically adjust its size to fit your little brother or your big sister perfectly too. That’s kind of what CSS
responsiveness does for websites!, Responsive design ensures that the website automatically adjusts to fit the
screen, making it easy to navigate and read.
Flexible Layout
Instead of using fixed pixel widths, we use relative units like percentages or ems. This allows our layout to flex
and adapt. This means elements on your site will resize proportionally as the screen size changes.
EDIT ON
HTML CSS Result
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-
width, initial-scale=1.0">
<title>Flexible Layouts Example</title>
</head>
<body>
<div class="container">
<p>This container takes 80% of the screen
width </p>
Resources 1× 0.5× 0.25× Rerun
The .container takes 80% of the screen width and centers itself with margin: auto. As the screen size changes,
the container’s width adjusts proportionally.
@Oluwasetemi
Media Queries
Media queries allow you to apply different styles depending on the screen size or device type. Media queries are
like magical glasses that let your CSS see what kind of device is being used. Based on that, you can apply
different styles.
How Media Queries Work: Media queries are like “if statements” in CSS. They check the conditions (like
screen width) and apply the appropriate styles if the conditions are met.
Mobile-First Approach: Start with styles for small screens, then add media queries for larger screens.
EDIT ON
HTML CSS Result
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-
width, initial-scale=1.0">
<title>Media Queries Example</title>
</head>
<body>
<div class="container">
<p>This container's width changes based on
screen size </p>
Resources 1× 0.5× 0.25× Rerun
@Oluwasetemi
Flexible Images
Flexible images ensure that pictures and videos resize to fit their container without overflowing or getting
distorted.
EDIT ON
HTML CSS Result
<div class="image-container">
<img
src="https://cdn.pixabay.com/photo/2015/10/09/00/55/lo
978659_640.jpg" alt="flower">
</div>
The image scales to fit the width of its container without overflowing, maintaining its aspect ratio.
@Oluwasetemi
Responsive Typography
Text should be readable on all devices. We can adjust font sizes based on screen width.
body {
font-size: 16px;
}
Flexbox is a CSS layout model that allows elements to align and distribute space within a container.
EDIT ON
HTML CSS Result
<div class="container">
<div class="item">Item 1</div>
<div class="item">Item 2</div>
<div class="item">Item 3</div>
</div>
The .container is a flex container, and .item elements adjust their size to fill available space. On smaller
screens, the items will stack or wrap as needed.
@Oluwasetemi
2. Grid
CSS Grid is a layout system that divides a page into rows and columns, making it easy to create complex
designs.
EDIT ON
HTML CSS Result
<div class="container">
<div class="item">Grid Item 1</div>
<div class="item">Grid Item 2</div>
<div class="item">Grid Item 3</div>
</div>
The .container creates a three-column grid. Each .item occupies a column, with the layout automatically
adjusting based on screen size.
HTML CSS Result @Oluwasetemi
EDIT ON
<div class="container">
<div class="post-list">
<div class="post">
<h2>Post 1</h2>
<p>This is the content of the first post.
</p>
</div>
<div class="post">
<h2>Post 2</h2>
<p>This is the content of the second post.
</p>
</div>
<div class="post">
<h2>Post 3</h2>
<p>This is the content of the third post.
</p>
</div>
<div class="post">
<h2>Post 4</h2>
<p>This is the content of the fourth post.
</p>
</div>
<div class="post">
<h2>Post 5</h2>
<p>This is the content of the fifth post.
Resources 1× 0.5× 0.25× Rerun
@Oluwasetemi
Start with mobile: Design for small screens first, then expand.
Use flexible units: Prefer %, em, rem over fixed px.
Test on real devices: Simulators are good, but real devices are better!
Consider content: Make sure your content works well at all sizes.
@Oluwasetemi
Container Queries
Container queries are a new CSS feature that allows you to apply styles based on the size of a container, rather
than the viewport. This enables more granular control over responsive layouts and components.
.container {
display: grid;
grid-template-columns: repeat(auto-fill, minmax(200px, 1fr));
}
Container queries are similar to media queries but apply to the container’s size rather than the viewport. They
allow you to create responsive designs that adapt to the size of the container they are in, making it easier to
create reusable components and layouts.
.calendar-wrap {
container: Calendar / inline-size;
}
@Oluwasetemi
Syntax .element-wrap {
container: element / inline-size;
}
<div class="element-wrap"> @container element (min-inline-size: 300px) {
<div class="element"> .element {
</div> display: flex;
</div> gap: 1rem;
}
}
HTML CSS JS Result @Oluwasetemi
EDIT ON
<split-panel direction="row">
<div slot="1">
<div class="calendar-wrap">
<div class="calendar">
<div class="hours">
<ol>
<li>
<div class="day-time">9 a.m.</div>
</li>
<li>
<div class="day-time">10 a.m.</div>
</li>
<li>
<div class="day-time">11 a.m.</div>
</li>
<li>
<div class="day-time">12 p.m.</div>
</li>
<li>
<div class="day-time">1 p.m.</div>
</li>
<li>
<div class="day-time">2 p.m.</div>
</li>
<li>
<div class="day-time">3 p.m.</div>
Resources 1× 0.5× 0.25× Rerun
@Oluwasetemi
.container {
--variant: 1;
&.variant2 {
--variant: 2;
}
}
@container style(--variant: 1) {
button { } /* You can't style .container, but can select inside it */
.other-things { }
}
@container style(--variant: 2) {
button { }
.whatever { }
}
@Oluwasetemi
Container Units
Container Units (literally units, like px, rem, or vw) allow you to set the size of things based on the current size
of a container element. Similar to how with viewport units 1vw is 1% of the browser window width, 1cqw is 1%
of the width of the container (although I’d recommend you use cqi instead, the “logical equivalent”, meaning
the “inline direction”).
The units are cqw (“container query width”), cqh (“container query height”), cqi (“container query inline”), cqb
(“container query block”), cqmin (smaller of cqi and cqb), and cqmax (larger of cqi and cqb).
@Oluwasetemi
CSS Frameworks
Finding easier way to write css could range from using the famous bootstrap or bulma or relying on css
preprocessors like sass or less or stylus or system like bem() or utility first css system like windicss or
tailwindcss or unocss.
The overall advantage is that it helps you write less css and focus more on the design and layout of your
website. It gives consistency and you build faster. LESS, SASS, and Stylus are CSS preprocessors that add
features like variables, nesting, and mixins to CSS. BEM is a naming convention that helps you create reusable
and maintainable CSS. Tailwind CSS is a utility-first CSS framework that provides a set of utility classes to style
your website.
In this class, we will be focusing on using a set of utility css framework - TailwindCSS which is currently on v3
and it’s v4 release is on the way. Classes are used to style elements directly in the HTML, making it easy to
create complex layouts and designs. Tailwind CSS is highly customizable and can be configured to match your
design system.
How is compares with the traditional approach of writing css? Tailwind CSS is a utility-first CSS framework
that provides a set of utility classes to style your website. Instead of writing custom CSS, you can use classes
like text-center, bg-blue-500, or p-4 to style elements directly in your HTML. This approach can be more
efficient and faster than writing custom CSS, especially for prototyping and building small projects.
@Oluwasetemi
BEM stands for Block, Element, Modifier. It is a methodology for writing CSS that helps developers create
reusable components and code sharing in front-end development.
Block: The outermost parent element that represents a distinct entity on the page (e.g., header, container,
menu).
Element: A part of the block that performs a certain function (e.g., menu__item, header__logo).
Modifier: A flag on a block or element that changes its appearance or behavior (e.g., menu__item–active,
header–large).
@Oluwasetemi
Tailwind CSS
Tailwind CSS is a utility-first CSS framework that provides a set of utility classes to style your website. Instead
of writing custom CSS, you can use classes like text-center, `bg-blue-500`, or `p-4` to style elements directly in
your HTML. This approach can be more efficient and faster than writing custom CSS, especially for prototyping
and building small projects.
<div class="flex justify-content">
<div class="bg-blue-500 text-white dark:text-white-100">Home</div>
<div class="p-[10px]">About</div>
<div class="p-[10px]">Contact</div>
</div>
Tailwind CSS is highly customizable and can be configured to match your design system. It also provides
responsive classes to create layouts that adapt to different screen sizes. With hover: hover:bg-blue-600
and focus: focus:outline-none classes, you can add interactive styles to your website.
UnoCSS is a utility-first atomic CSS framework with customizable variant group, shortcuts, attributify mode,
and more. It is designed to be a drop-in replacement for Tailwind CSS with a smaller bundle size and faster
runtime performance.
@Oluwasetemi
2. NPM Installation: You can install Tailwind CSS using npm or yarn and configure it in your project.
@Oluwasetemi
ChitChat
Explanation
Tailwind’s flexbox and padding utilities ( flex , shrink-0 , and p-6 ) to control the overall card layout
The max-width and margin utilities ( max-w-sm and mx-auto ) to constrain the card width and center it
horizontally
The background color, border radius, and box-shadow utilities ( bg-white , rounded-xl , and shadow-lg ) to
style the card’s appearance
The size utilities ( size-12 ) to set the width and height of the logo image
The space-between utilities ( space-x-4 ) to handle the spacing between the logo and the text
The font size, text color, and font-weight utilities ( text-xl , text-black , font-medium , etc.) to style the
card text
@Oluwasetemi
Tailwind Advantages
You aren’t wasting energy inventing class names. No more adding silly class names like sidebar-inner-
wrapper just to be able to style something, and no more agonizing over the perfect abstract name for
something that’s really just a flex container.
Your CSS stops growing. Using a traditional approach, your CSS files get bigger every time you add a new
feature. With utilities, everything is reusable so you rarely need to write new CSS.
Making changes feels safer. CSS is global and you never know what you’re breaking when you make a
change. Classes in your HTML are local, so you can change them without worrying about something else
breaking.
When you realize how productive you can be working exclusively in HTML with predefined utility classes,
working any other way will feel like torture.
@Oluwasetemi
Assignments
Assignment 1
Assignment 2
Assignment 3
Assignment 4
Assignment 5
Assignment 6
@Oluwasetemi
Assignment 1
Convert the design in the image (without the arrow and heading peeks out) to HTML and CSS.
@Oluwasetemi
Assignment 2 (Huckleberry)
Convert the design in the image to HTML and CSS. Check this figma file for pixel perfect design.
@Oluwasetemi
Sign up page
Assignment 6 (Scissors)
Convert the design in the figma to HTML and CSS. Check this figma file for pixel perfect design.
Important Links
CSS Tricks
MDN Web Docs
Selector Game
Selectors Explained
Variable Fonts
CSS Cascade
Understanding % unit
interactive guide to CSS Grid
@Oluwasetemi
Contributors
Ridwan Adebosin
Oluwibe Faith