Cara menggunakan yield in javascript w3schools

View Discussion

Table of Contents

  • Format-control characters
  • White space
  • Line terminators
  • Identifiers
  • Reserved words
  • Future reserved words
  • Identifiers with special meanings
  • Null literal
  • Boolean literal
  • Numeric literals
  • Object literals
  • Array literals
  • String literals
  • Regular expression literals
  • Template literals
  • Automatic semicolon insertion
  • Browser compatibility
  • Is array a reserved word in JavaScript?
  • Is short a reserved word in JavaScript?
  • Is true a reserved word in JavaScript?
  • What is a reserved word examples?

Improve Article

Save Article

  • Read
  • Discuss
  • View Discussion

    Improve Article

    Save Article


    In JavaScript you cannot use these reserved words as variables names, labels names or function names.

    Reserved Words:

    abstract arguments boolean break byte
    case catch char const continue
    debugger default delete do double
    else eval false final finally
    float for function goto if
    implements in instanceof int interface
    long native new null package
    private protected public return short
    static switch synchronized this throw
    throws transient true try typeof
    var void volatile while with
    yield

    Reserved Words added in ECMAScript 5 and 6.

    awaits class enum export
    extends import let super

    Removed Reserved Words

    Following reserved words has been removed from ECMAScript 5 and 6.

    abstract boolean byte char
    double final float goto
    int long native short
    synchronized throws transient volatile

    This page describes JavaScript's lexical grammar. JavaScript source text is just a sequence of characters — in order for the interpreter to understand it, the string has to be parsed to a more structured representation. The initial step of parsing is called lexical analysis, in which the text gets scanned from left to right and is converted into a sequence of individual, atomic input elements. Some input elements are insignificant to the interpreter, and will be stripped after this step — they include control characters, line terminators, white space, and comments. The others, such as identifiers and punctuators, will be used for further syntax analysis. ECMAScript also defines certain keywords and literals and has rules for automatic insertion of semicolons to make certain invalid token sequences become valid.

    Format-control characters

    Format-control characters have no visual representation but are used to control the interpretation of the text.

    In JavaScript source text, <ZWNJ> and <ZWJ> are treated as identifier parts, while <BOM> (also called a zero-width no-break space <ZWNBSP> when not at the start of text) is treated as whitespace.

    White space

    White space characters improve the readability of source text and separate tokens from each other. These characters are usually unnecessary for the functionality of the code. Minification tools are often used to remove whitespace in order to reduce the amount of data that needs to be transferred.

    Line terminators

    In addition to white space characters, line terminator characters are used to improve the readability of the source text. However, in some cases, line terminators can influence the execution of JavaScript code as there are a few places where they are forbidden. Line terminators also affect the process of automatic semicolon insertion. Line terminators are matched by the \s class in regular expressions.

    Only the following Unicode code points are treated as line terminators in ECMAScript, other line breaking characters are treated as white space (for example, Next Line, NEL, U+0085 is considered as white space).

    Comments are used to add hints, notes, suggestions, or warnings to JavaScript code. This can make it easier to read and understand. They can also be used to disable code to prevent it from being executed; this can be a valuable debugging tool.

    JavaScript has two long-standing ways to add comments to code.

    The first way is the // comment; this makes all text following it on the same line into a comment. For example:

    function comment() {
      // This is a one line JavaScript comment
      console.log('Hello world!');
    }
    comment();
    

    The second way is the /* */ style, which is much more flexible.

    For example, you can use it on a single line:

    function comment() {
      /* This is a one line JavaScript comment */
      console.log('Hello world!');
    }
    comment();
    

    You can also make multiple-line comments, like this:

    function comment() {
      /* This comment spans multiple lines. Notice
         that we don't need to end the comment until we're done. */
      console.log('Hello world!');
    }
    comment();
    

    You can also use it in the middle of a line, if you wish, although this can make your code harder to read so it should be used with caution:

    function comment(x) {
      console.log('Hello ' + x /* insert the value of x */ + ' !');
    }
    comment('world');
    

    In addition, you can use it to disable code to prevent it from running, by wrapping code in a comment, like this:

    function comment() {
      /* console.log('Hello world!'); */
    }
    comment();
    

    In this case, the console.log() call is never issued, since it's inside a comment. Any number of lines of code can be disabled this way.

    There's a special third comment syntax, the hashbang comment. A hashbang comment behaves exactly like a single line-only (//) comment, except that it begins with #! and is only valid at the absolute start of a script or module. Note also that no whitespace of any kind is permitted before the #!. The comment consists of all the characters after #! up to the end of the first line; only one such comment is permitted.

    Hashbang comments in JavaScript resemble shebangs in Unix which provide the path to a specific JavaScript interpreter that you want to use to execute the script. Before the hashbang comment became standardized, it had already been de-facto implemented in non-browser hosts like Node.js, where it was stripped from the source text before being passed to the engine. An example is as follows:

    #!/usr/bin/env node
    
    console.log("Hello world");
    

    The JavaScript interpreter will treat it as a normal comment — it only has semantic meaning to the shell if the script is directly run in a shell.

    Warning: If you want scripts to be runnable directly in a shell environment, encode them in UTF-8 without a BOM. Although a BOM will not cause any problems for code running in a browser, it is not advised to use a BOM with a hashbang in a script — because the BOM will prevent the script from working when you try to run it in a Unix/Linux shell environment. So if you want scripts to be runnable directly in a shell environment, encode them in UTF-8 without a BOM.

    You must only use the #! comment style to specify a JavaScript interpreter. In all other cases just use a // comment (or multiline comment).

    Identifiers

    An identifier is used to link a value with a name. Identifiers can be used in various places:

    const decl = 1; // Variable declaration (may also be `let` or `var`)
    function fn() {} // Function declaration
    const obj = { key: 'value' }; // Object keys
    class C { // Class declaration
      #priv = 'value'; // Private property
    }
    lbl: console.log(1); // Label
    

    In JavaScript, identifiers are commonly made of alphanumeric characters, underscores (_), and dollar signs ($). Identifiers are not allowed to start with numbers. However, JavaScript identifiers are not only limited to ASCII — most Unicode codepoints are allowed as well.

    Note: If, for some reason, you need to parse some JavaScript source yourself, do not assume all identifiers follow the pattern /[A-Za-z_$][\w$]*/ (i.e. ASCII-only)! The range of identifiers can be described by the regex /[$_\p{ID_Start}][$\u200c\u200d\p{ID_Continue}]*/u (excluding unicode escape sequences).

    In addition, JavaScript allows using Unicode escape sequences in the form of \u0000 or \u{000000} in identifiers, which encode the same string value as the actual Unicode characters. For example, 你好 and \u4f60\u597d are the same identifiers:

    const 你好 = "Hello";
    console.log(\u4f60\u597d); // Hello
    

    Not all places accept the full range of identifiers. Certain syntaxes, such as function declarations, function expressions, and variable declarations require using identifiers names that are not reserved words.

    function import() {} // Illegal: import is a reserved word.
    

    Most notably, private properties and object properties allow reserved words.

    const obj = { import: "value" }; // Legal despite `import` being reserved
    class C {
      #import = "value";
    }
    

    Keywords

    Keywords are tokens that look like identifiers but have special meanings in JavaScript. For example, the keyword async before a function declaration indicates that the function is asynchronous.

    Some keywords are reserved, meaning that cannot be used as an identifier for variable declarations, function declarations, etc. They are often called reserved words. A list of these reserved words is provided below. Not all keywords are reserved — for example, async can be used as an identifier anywhere. Some keywords are only contextually reserved — for example, await is only reserved within the body of an async function, and let is only reserved in strict mode code, or const- and let-declarations.

    Identifiers are always compared by string value, so escape sequences are interpreted. For example, this is still a syntax error:

    const els\u{65} = 1;
    // `els\u{65}` encodes the same identifier as `else`
    

    Reserved words

    These keywords cannot be used as identifiers for variables, functions, classes, etc. anywhere in JavaScript source.

    • break
    • case
    • catch
    • class
    • const
    • continue
    • debugger
    • default
    • delete
    • do
    • else
    • export
    • extends
    • false
    • finally
    • for
    • function
    • if
    • import
    • in
    • instanceof
    • new
    • null
    • return
    • static
    • super
    • switch
    • this
    • throw
    • true
    • try
    • typeof
    • var
    • void
    • while
    • with
    • yield

    The following are only reserved when they are found in strict mode code:

    • let (also reserved in const, let, and class declarations)
    • yield (also reserved in generator function bodies)

    The following are only reserved when they are found in module code or async function bodies:

    • await

    Future reserved words

    The following are reserved as future keywords by the ECMAScript specification. They have no special functionality at present, but they might at some future time, so they cannot be used as identifiers.

    These are always reserved:

    • enum

    The following are only reserved when they are found in strict mode code:

    • implements
    • interface
    • package
    • private
    • protected
    • public

    Future reserved words in older standards

    The following are reserved as future keywords by older ECMAScript specifications (ECMAScript 1 till 3).

    • abstract
    • boolean
    • byte
    • char
    • double
    • final
    • float
    • goto
    • int
    • long
    • native
    • short
    • synchronized
    • throws
    • transient
    • volatile

    Identifiers with special meanings

    A few identifiers have a special meaning in some contexts without being reserved words of any kind. They include:

    • arguments (not a keyword, but cannot be declared as identifier in strict mode)
    • async
    • eval (not a keyword, but cannot be declared as identifier in strict mode)
    • get
    • set

    Literals

    Null literal

    See also null for more information.

    Boolean literal

    See also boolean type for more information.

    Numeric literals

    The Number and BigInt types use numeric literals.

    Decimal

    1234567890
    42
    
    // Caution when using with a leading zero:
    0888 // 888 parsed as decimal
    0777 // parsed as octal, 511 in decimal
    

    Note that decimal literals can start with a zero (0) followed by another decimal digit, but if all digits after the leading 0 are smaller than 8, the number is interpreted as an octal number. Moreover, number literals prefixed with 0, whether interpreted as octal or decimal, will cause a syntax error in strict mode — so, use the 0o prefix instead.

    Exponential

    The decimal exponential literal is specified by the following format: beN; where b is a base number (integer or floating), followed by an E or e character (which serves as separator or exponent indicator) and N, which is exponent or power number – a signed integer.

    0e-5   // => 0
    0e+5   // => 0
    5e1    // => 50
    175e-2 // => 1.75
    1e3    // => 1000
    1e-3   // => 0.001
    1E3    // => 1000
    

    Binary

    Binary number syntax uses a leading zero followed by a lowercase or uppercase Latin letter "B" (0b or 0B). If the digits after the 0b are not 0 or 1, the following SyntaxError is thrown: "Missing binary digits after 0b".

    const FLT_SIGNBIT  = 0b10000000000000000000000000000000; // 2147483648
    const FLT_EXPONENT = 0b01111111100000000000000000000000; // 2139095040
    const FLT_MANTISSA = 0B00000000011111111111111111111111; // 8388607
    

    Octal

    Octal number syntax uses a leading zero followed by a lowercase or uppercase Latin letter "O" (0o or 0O). If the digits after the 0o are outside the range (01234567), the following SyntaxError is thrown: "Missing octal digits after 0o".

    const n = 0O755; // 493
    const m = 0o644; // 420
    

    Hexadecimal

    Hexadecimal number syntax uses a leading zero followed by a lowercase or uppercase Latin letter "X" (0x or 0X). If the digits after 0x are outside the range (0123456789ABCDEF), the following SyntaxError is thrown: "Identifier starts immediately after numeric literal".

    0xFFFFFFFFFFFFFFFFF // 295147905179352830000
    0x123456789ABCDEF   // 81985529216486900
    0XA                 // 10
    

    BigInt literal

    The BigInt type is a numeric primitive in JavaScript that can represent integers with arbitrary precision. BigInt literals are created by appending n to the end of an integer.

    123456789123456789n     // 123456789123456789
    0o777777777777n         // 68719476735
    0x123456789ABCDEFn      // 81985529216486895
    0b11101001010101010101n // 955733
    

    Note that legacy octal numbers with just a leading zero won't work for BigInt:

    0755n
    // SyntaxError: invalid BigInt syntax
    

    For octal BigInt numbers, always use zero followed by the letter "o" (uppercase or lowercase):

    For more information about BigInt, see also JavaScript data structures.

    Numeric separators

    To improve readability for numeric literals, underscores (_, U+005F) can be used as separators:

    // separators in decimal numbers
    1_000_000_000_000
    1_050.95
    
    // separators in binary numbers
    0b1010_0001_1000_0101
    
    // separators in octal numbers
    0o2_2_5_6
    
    // separators in hex numbers
    0xA0_B0_C0
    
    // separators in BigInts
    1_000_000_000_000_000_000_000n
    

    Note these limitations:

    // More than one underscore in a row is not allowed
    100__000; // SyntaxError
    
    // Not allowed at the end of numeric literals
    100_; // SyntaxError
    
    // Can not be used after leading 0
    0_1; // SyntaxError
    

    Object literals

    See also Object and Object initializer for more information.

    const o = { a: 'foo', b: 'bar', c: 42 };
    
    // shorthand notation
    const a = 'foo', b = 'bar', c = 42;
    const o = { a, b, c };
    
    // instead of
    const o = { a: a, b: b, c: c };
    

    Array literals

    See also Array for more information.

    String literals

    A string literal is zero or more Unicode code points enclosed in single or double quotes. Unicode code points may also be represented by an escape sequence. All code points may appear literally in a string literal except for these closing quote code points:

    • U+005C \ (backslash),
    • U+000D <CR>,
    • and U+000A <LF>.

    Any code points may appear in the form of an escape sequence. String literals evaluate to ECMAScript String values. When generating these String values Unicode code points are UTF-16 encoded.

    Hexadecimal escape sequences

    Hexadecimal escape sequences consist of \x followed by exactly two hexadecimal digits representing a code unit or code point in the range 0x0000 to 0x00FF.

    Unicode escape sequences

    A Unicode escape sequence consists of exactly four hexadecimal digits following \u. It represents a code unit in the UTF-16 encoding. For code points U+0000 to U+FFFF, the code unit is equal to the code point. Code points U+10000 to U+10FFFF require two escape sequences representing the two code units (a surrogate pair) used to encode the character; the surrogate pair is distinct from the code point.

    See also String.fromCharCode() and String.prototype.charCodeAt().

    Unicode code point escapes

    A Unicode code point escape consists of \u{, followed by a code point in hexadecimal base, followed by }. The value of the hexadecimal digits must be in the range 0 and 0x10FFFF inclusive. Code points in the range U+10000 to U+10FFFF do not need to be represented as a surrogate pair.

    See also String.fromCodePoint() and String.prototype.codePointAt().

    '\u{2F804}' // CJK COMPATIBILITY IDEOGRAPH-2F804 (U+2F804)
    
    // the same character represented as a surrogate pair
    '\uD87E\uDC04'
    

    Regular expression literals

    See also RegExp for more information.

    /ab+c/g;
    
    // An "empty" regular expression literal
    // The empty non-capturing group is necessary
    // to avoid ambiguity with single-line comments.
    /(?:)/;
    

    Template literals

    See also template strings for more information.

    `string text`
    
    `string text line 1
     string text line 2`
    
    `string text ${expression} string text`
    
    tag `string text ${expression} string text`
    

    Automatic semicolon insertion

    Some JavaScript statements must be terminated with semicolons and are therefore affected by automatic semicolon insertion (ASI):

    • let, const, variable statement
    • import, export, module declaration
    • Expression statement
    • debugger
    • continue, break, throw
    • return

    There are three cases when semicolons are automatically inserted:

    1. When a token not allowed by the grammar is encountered, and it's separated from the previous token by at least one line terminator, or the token is "}", then a semicolon is inserted before the token.

    { 1
    2 } 3
    
    // is transformed by ASI into:
    
    { 1
    ;2 ;} 3;
    
    // Which is valid grammar encoding three statements,
    // each consisting of a number literal
    

    The ending ")" of do...while is taken care of as a special case by this rule as well.

    do {
      // ...
    } while (condition) /* ; */ // ASI here
    const a = 1
    

    2. When the end of the input stream of tokens is reached, and the parser is unable to parse the single input stream as a complete program, a semicolon is inserted at the end.

    const a = 1 /* ; */ // ASI here
    

    This rule is a complement to the previous rule, specifically for the case where there's no "offending token" but the end of input stream.

    3. When the grammar forbids line terminators in some place but a line terminator is found, a semicolon is inserted. These places include:

    • expr <here> ++, expr <here> --
    • continue <here> lbl
    • break <here> lbl
    • return <here> expr
    • throw <here> expr
    • yield <here> expr
    • yield <here> * expr
    • (param) <here> => {}
    • async <here> function, async <here> prop(), async <here> function*, async <here> *prop(), async <here> (param) <here> => {}

    Here ++ is not treated as a postfix operator applying to variable b, because a line terminator occurs between b and ++.

    a = b
    ++c
    
    // is transformed by ASI into
    
    a = b;
    ++c;
    

    Here the return statement returns undefined, and the a + b becomes an unreachable statement.

    return
    a + b
    
    // is transformed by ASI into
    
    return;
    a + b;
    

    Note that ASI would only be triggered if a line break separates tokens that would otherwise produce invalid syntax. If the next token can be parsed as part of a valid structure, semicolons would not be inserted. For example:

    const a = 1
    (1).toString()
    
    const b = 1
    [1, 2, 3].forEach(console.log)
    

    Because () can be seen as a function call, it would usually not trigger ASI. Similarly, [] may be a member access. The code above is equivalent to:

    const a = 1(1).toString()
    
    const b = 1[1, 2, 3].forEach(console.log)
    

    Therefore, you would get errors like "1 is not a function" and "Cannot read properties of undefined (reading 'forEach')" when running the code.

    Within classes, class fields and generator methods can be a pitfall as well.

    class A {
      a = 1
      *gen() {}
    }
    

    It is seen as:

    class A {
      a = 1 * gen() {}
    }
    

    And therefore will be a syntax error around {.

    There are the following rules-of-thumb for dealing with ASI, if you want to enforce semicolon-less style:

    • Write postfix ++ and -- on the same line as their operands.
    • The expressions after return, throw, or yield should be on the same line as the keyword.
    • Similarly, the label identifier after break or continue should be on the same line as the keyword.
    • The => of an arrow function should be on the same line as the end of its parameters.
    • The async of async functions, methods, etc. cannot be directly followed by a line terminator.
    • If a line starts with one of (, [, `, +, -, / (as in regex literals), prefix it with a semicolon, or end the previous line with a semicolon.
    • Class fields should preferably always be ended with semicolons — in addition to the previous rule (which includes a field declaration followed by a computed property, since the latter starts with [), semicolons are also required between a field declaration and a generator method.

    Browser compatibility

    BCD tables only load in the browser

    See also

    Is array a reserved word in JavaScript?

    Some SPECIAL words such as Object , Array , Function , Method , Number etc are not belong to keywords in Javascrpt: Reserved Keywords in Javascript.

    Is short a reserved word in JavaScript?

    It does nothing. It's reserved for (potential) future use but currently it's not in the specs.

    Is true a reserved word in JavaScript?

    JavaScript keywords: break, case, catch, continue, debugger, default, delete, do, else, false, finally, for, function, if, in, instanceof, new, null, return, switch, this, throw, true, try, typeof, var, void, while, with .

    What is a reserved word examples?

    Often found in programming languages and macros, reserved words are terms or phrases appropriated for special use that may not be utilized in the creation of variable names. For example, "print" is a reserved word because it is a function in many languages to show text on the screen.