Reputation: 131
I am new to angular 2 and material design. I would like to know how to style the slide-toggle button to be smaller.
<div class="example-section">
<mat-slide-toggle class="line-toggle"
<span class="font-size-12">Slide Me</span>
</mat-slide-toggle>
</div>
The css is as below
.example-section {
display: flex;
align-content: center;
align-items: center;
height: 18px;
margin-top: -12px;
}
.line-toggle{
height: 10px;
line-height: 8px;
}
I would like to decrease the size of the button and reduce the height of the slider.
Upvotes: 8
Views: 15068
Reputation: 140
As others have mentioned, you need to style the internal classes of mat-slide-toggle (mat-slide-toggle-bar, mat-slide-toggle-thumb, etc). However, /deep/ and ::ng-deep are deprecated, so you shouldn't be using those. One option is to set global styling that is more specific than the default styling on the component. So in a global style file, you could do something like this:
mat-slide-toggle.mat-slide-toggle .mat-slide-toggle-bar {
height: 8px;
width: 26px;
}
mat-slide-toggle.mat-slide-toggle .mat-slide-toggle-thumb {
height: 14px;
width: 14px;
}
//...etc
Combining the component name and class name gives more specificity than the mat-slide-toggle default styling, so it overrides it.
References:
Upvotes: 0
Reputation: 2084
I used the solution provided by @tallgeese117 above. But in VScode, the CSS file was showing in red (\deep\
), which was annoying. I couldn't find a way to ignore this css lint check. Thus I tried an alternative (altering css dynamically). I am pasting it below for others:
ngOnInit() {
let eleArray = document.getElementsByClassName('mat-slide-toggle-content');
for(let i = 0 ; i < eleArray.length; i++) {
// @ts-ignore
eleArray[i].style.cssText = 'font-size:6vw;';
}
}
Upvotes: 2
Reputation: 399
@tallgeese117 's answer is really very helpful. I would like to add few more lines of code to the their answer so that it will display the toggle in the required size and look:
/deep/ .mat-slide-toggle-bar {
height: 7px !important;
width: 28px !important;
}
/deep/ .mat-slide-toggle-thumb {
height: 10px !important;
width: 10px !important;
}
/deep/ .mat-slide-toggle.mat-checked .mat-slide-toggle-thumb-container {
transform: translate3d(18px,0,0) !important;
}
/deep/ .mat-slide-toggle-thumb-container {
width: 12px !important;
height: 12px !important;
top: -2px !important;
}
Upvotes: 8
Reputation: 186
I've found you can use /deep/ in the css but you also have to target the specific classes.
/deep/ .mat-slide-toggle-bar {
height: 7px !important;
}
/deep/ .mat-slide-toggle-thumb {
height: 10px !important;
width: 10px !important;
}
Something else to keep in mind is viewEncapsulation because deep allows you to break this convention since the styles are set in such a way with Angular that they are applied inline.
Related stack post: How to overwrite angular 2 material styles?
Related Angular Documentation: https://angular.io/guide/component-styles#!#-deep-
Upvotes: 7