টাইপটি রান-টাইমে অজানা বলে আমি অজানা বিষয়টির সাথে তুলনা করতে কোডটি নীচে লিখেছি, কোনও প্রকারের বিরুদ্ধে নয়, তবে পরিচিত টাইপের কোনও বস্তুর বিরুদ্ধে:
- সঠিক ধরণের একটি নমুনা অবজেক্ট তৈরি করুন
- এর কোন উপাদানটি areচ্ছিক তা উল্লেখ করুন ify
- এই নমুনা বস্তুর বিরুদ্ধে আপনার অজানা বস্তুর গভীর তুলনা করুন
গভীর তুলনা করার জন্য আমি এখানে (ইন্টারফেস-অজোনস্টিক) কোডটি ব্যবহার করি:
function assertTypeT<T>(loaded: any, wanted: T, optional?: Set<string>): T {
// this is called recursively to compare each element
function assertType(found: any, wanted: any, keyNames?: string): void {
if (typeof wanted !== typeof found) {
throw new Error(`assertType expected ${typeof wanted} but found ${typeof found}`);
}
switch (typeof wanted) {
case "boolean":
case "number":
case "string":
return; // primitive value type -- done checking
case "object":
break; // more to check
case "undefined":
case "symbol":
case "function":
default:
throw new Error(`assertType does not support ${typeof wanted}`);
}
if (Array.isArray(wanted)) {
if (!Array.isArray(found)) {
throw new Error(`assertType expected an array but found ${found}`);
}
if (wanted.length === 1) {
// assume we want a homogenous array with all elements the same type
for (const element of found) {
assertType(element, wanted[0]);
}
} else {
// assume we want a tuple
if (found.length !== wanted.length) {
throw new Error(
`assertType expected tuple length ${wanted.length} found ${found.length}`);
}
for (let i = 0; i < wanted.length; ++i) {
assertType(found[i], wanted[i]);
}
}
return;
}
for (const key in wanted) {
const expectedKey = keyNames ? keyNames + "." + key : key;
if (typeof found[key] === 'undefined') {
if (!optional || !optional.has(expectedKey)) {
throw new Error(`assertType expected key ${expectedKey}`);
}
} else {
assertType(found[key], wanted[key], expectedKey);
}
}
}
assertType(loaded, wanted);
return loaded as T;
}
নীচে আমি এটি কীভাবে ব্যবহার করি তার একটি উদাহরণ দেওয়া আছে।
এই উদাহরণে আমি প্রত্যাশা করি যে জেএসএনে টিপলসের একটি অ্যারে রয়েছে, যার মধ্যে দ্বিতীয় উপাদানটি একটি ইন্টারফেসের উদাহরণ হিসাবে পরিচিত হয় User
(যার দুটি বিকল্প উপাদান রয়েছে)।
টাইপস্ক্রিপ্টের টাইপ-চেকিংটি আমার স্যাম্পল অবজেক্টটি সঠিক কিনা তা নিশ্চিত করবে, তারপরে assertTypeT ফাংশনটি অজানা (জেএসএন থেকে লোড করা) বস্তুটি নমুনা বস্তুর সাথে মেলে কিনা তা পরীক্ষা করে।
export function loadUsers(): Map<number, User> {
const found = require("./users.json");
const sample: [number, User] = [
49942,
{
"name": "ChrisW",
"email": "example@example.com",
"gravatarHash": "75bfdecf63c3495489123fe9c0b833e1",
"profile": {
"location": "Normandy",
"aboutMe": "I wrote this!\n\nFurther details are to be supplied ..."
},
"favourites": []
}
];
const optional: Set<string> = new Set<string>(["profile.aboutMe", "profile.location"]);
const loaded: [number, User][] = assertTypeT(found, [sample], optional);
return new Map<number, User>(loaded);
}
আপনি কোনও ব্যবহারকারী-সংজ্ঞায়িত টাইপ গার্ড প্রয়োগের ক্ষেত্রে এই জাতীয় একটি চেক অনুরোধ করতে পারেন।