Files
Randell Dawson 1494a50123 fix(guide): restructure curriculum guide articles (#36501)
* fix: restructure certifications guide articles
* fix: added 3 dashes line before prob expl
* fix: added 3 dashes line before hints
* fix: added 3 dashes line before solutions
2019-07-24 13:29:27 +05:30

35 lines
796 B
Markdown

---
title: Balanced brackets
---
# Balanced brackets
---
## Solutions
<details><summary>### Solution #1 (Click to Show/Hide)</summary>
```js
function isBalanced(str) {
if (str === "") return true;
str = str.split("");
let stack = [];
for (let i = 0; i < str.length; i++) {
if (str[i] === "[") {
stack.push("[");
} else if (str[i] === "]" && stack[stack.length - 1] === "[") {
stack.pop();
}
}
return stack.length === 0;
}
```
#### Code Explanation
- Split the input string into individual characters & loop over them.
- Push every `[` into a stack.
- Check if the item stored on the stack is `[` when a `]` occurs. This makes it a pair & `[` can be removed from the stack.
- The brackets are balanced if there is no item present in the stack.
</details>