सरल होने दो।
वे भिन्न हैं। कोड पर टिप्पणियों की जांच करें, जो प्रत्येक मामले की व्याख्या करेगा।
Const
- यह ब्लॉक स्कोप वैरिएबल है let
, जिसकी वैल्यू रीसाइनमेंट, री-घोषित नहीं हो सकती।
इसका मत
{
const val = 10; // you can not access it outside this block, block scope variable
}
console.log(val); // undefined because it is block scope
const constvalue = 1;
constvalue = 2; // will give error as we are re-assigning the value;
const obj = { a:1 , b:2};
obj.a = 3;
obj.c = 4;
console.log(obj); // obj = {a:3,b:2,c:4} we are not assigning the value of identifier we can
// change the object properties, const applied only on value, not with properties
obj = {x:1}; // error you are re-assigning the value of constant obj
obj.a = 2 ; // you can add, delete element of object
पूरी समझ यह है कि कास्ट ब्लॉक स्कोप है और इसका मान फिर से असाइन नहीं किया गया है।
Object.freeze
:
ऑब्जेक्ट रूट गुण अपरिवर्तनीय हैं, और भी हम अधिक गुणों को जोड़ और हटा नहीं सकते हैं, लेकिन हम फिर से पूरे ऑब्जेक्ट को पुन: असाइन कर सकते हैं।
var x = Object.freeze({data:1,
name:{
firstname:"hero", lastname:"nolast"
}
});
x.data = 12; // the object properties can not be change but in const you can do
x.firstname ="adasd"; // you can not add new properties to object but in const you can do
x.name.firstname = "dashdjkha"; // The nested value are changeable
//The thing you can do in Object.freeze but not in const
x = { a: 1}; // you can reassign the object when it is Object.freeze but const its not allowed
// एक चीज जो दोनों में समान है, नेस्टेड वस्तु परिवर्तनशील है
const obj1 = {nested :{a:10}};
var obj2 = Object.freeze({nested :{a:10}});
obj1.nested.a = 20; // both statement works
obj2.nested.a = 20;
धन्यवाद।