TypeScript Conditional Ternary Operator with Example
প্রিয় ডেভেলপারস! আসসালামু আলাইকুম, আশা করি ভালো আছেন। TypeScript
Operators সাধারণত JavaScript
Operators এর মতোই কিন্তু TypeScript ডাটার স্ট্যাটিক টাইপ প্রদান করে থাকে যার ফলে কোডিং এ Error হওয়ার সম্ভাবনা অনেকাংশ কমে যায়। নিম্নে TypeScript Operators এর Conditional Ternary Operator (কন্ডিশনাল / টার্নারি অপারেটর) উদাহরণসহ বর্ণনা করা হলো -
লক্ষণীয় যে, TypeScript Operators সম্পর্কে বিস্তারিত
জানুন এখানে।
Conditional
Ternary Operator (কন্ডিশনাল / টার্নারি অপারেটর)
?
- সাধারণত if-else এর সংক্ষিপ্ত ভার্সন যা এক লাইনের মধ্যে লেখা যায়। সংক্ষেপে ternary operator বলে। যদি কন্ডিশন সত্য হয়? তাহলে ভ্যালু এটা : না হলে ভ্যালু এটা
[
condition ? expressionIfTrue : expressionIfFalse;
]
[
// Example 0
let age: number = 20;
let message: string = age >= 18 ? "You are an adult" : "You are a minor";
console.log(message); // Output: "You are an adult"
]
[
// Example 1
let isRaining: boolean = true;
let weatherMessage: string = isRaining ? "Bring an umbrella" : "Enjoy the sunshine";
console.log(weatherMessage); // Output: Bring an umbrella
]
[
// Example 2
let temperature: number = 25;
let activity: string = temperature > 20 ? "Go for a walk" : "Stay indoors";
console.log(activity); // Output: Go for a walk
]
[
// Example 3
let isUserLoggedIn: boolean = true;
let username: string;
// Using the ternary operator to assign a value to username based on the login status
username = isUserLoggedIn ? "Admin" : "Guest";
console.log(`Welcome, ${username}!`);
]
[
// Example 4
function checkEvenOrOdd(number: number): string {
return number % 2 === 0 ? "Even" : "Odd";
}
// Testing the function with different numbers
console.log(checkEvenOrOdd(8)); // Output: Even
console.log(checkEvenOrOdd(15)); // Output: Odd
]
[
// Example 5
function checkVotingEligibility(age: number): string {
return age >= 18 ? "Eligible to vote" : "Not eligible to vote";
}
// Testing the function with different ages
console.log(checkVotingEligibility(25)); // Output: Eligible to vote
console.log(checkVotingEligibility(16)); // Output: Not eligible to vote
]