Skip to content
This repository was archived by the owner on Oct 22, 2021. It is now read-only.
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
29 changes: 29 additions & 0 deletions String Algorithms/Anagram/Anagram.cpp
Original file line number Diff line number Diff line change
@@ -0,0 +1,29 @@
#include<iostream>
#include <bits/stdc++.h>

using namespace std;

bool Anagram (string str1, string str2){
int n1 = str1.length();
int n2 = str2.length();

if (n1 != n2) return false;

sort(str1.begin(), str1.end());
sort(str2.begin(), str2.end());

for (int i = 0; i < n1; i++)
if (str1[i] != str2[i])
return false;
return true;
}

int main() {
string str1 = "listen";
string str2 = "silent";

// Note that each letter need to be in same case. Otherwise, use toUpper Function before adding to function.

cout << (Anagram(str1, str2) ? "Anagram" : "Not Anagram");

}
55 changes: 55 additions & 0 deletions String Algorithms/Balanced_Paranthesis/BalancedParanthesis.cpp
Original file line number Diff line number Diff line change
@@ -0,0 +1,55 @@
#include <iostream>
#include <bits/stdc++.h>
using namespace std;

bool BracketsBalanced(string expression)
{
stack<char> stk; // Stack for hold brackets
char x;

// Traversing Expression
for (char & i : expression) {
if (i == '(' || i == '[' || i == '{') {
stk.push(i);
continue;
}

// If current bracket isn't a opening bracket then stack cannot be zero.
if (stk.empty())
return false;

// Check
if (i == ')'){
x = stk.top();
stk.pop();
if (x == '{' || x == '[')
return false;
}
else if (i == '}') {
x = stk.top();
stk.pop();
if (x == '(' || x == '[')
return false;
} else if (i == ']'){
x = stk.top();
stk.pop();
if (x == '(' || x == '{')
return false;
}
else {
continue;
}
}

return (stk.empty());
}

// Driver code
int main()
{
string expression = "{()}[]";

cout << (BracketsBalanced(expression) ? "Balanced" : "Not Balanced");

return 0;
}