Перейти к содержимому

Uncaught typeerror illegal invocation что за ошибка

  • автор:

«Illegal invocation» errors in JavaScript

The error is thrown when calling a function whose this keyword isn’t referring to the object where it originally did, i.e. when the «context» of the function is lost.

Table of contents

Example problems

I encountered the «illegal invocation» error when calling the destructured abort method of an AbortController :

const abortController = new AbortController() const  abort > = abortController abort() //=> TypeError: Illegal invocation 

Another case: trying to implement jQuery-like shorthands for document.querySelector and document.querySelectorAll :

const $ = document.querySelector const $$ = document.querySelectorAll $('#foo') //=> TypeError: Illegal invocation $$('.bar') //=> TypeError: Illegal invocation 

(By the way: most, if not all, modern browsers have the $ and $$ shorthands built into the browser’s JS console.)

Description of the error

«Invocation» is the act invoking a function, which is the same as calling a function. Invoke = call.

An «illegal invocation» error is thrown when calling a function whose this keyword doesn’t refer to the object where it originally did. In other words, the original «context» of the function is lost.

Chromium browsers call this error an «illegal invocation.»

Firefox produces more descriptive error messages:

TypeError: ‘abort’ called on an object that does not implement interface AbortController.

TypeError: ‘querySelector’ called on an object that does not implement interface Document.

TypeError: Can only call AbortController.abort on instances of AbortController

TypeError: Can only call Document.querySelector on instances of Document

Node.js (v16) produces clearly the best error messages, e.g.:

TypeError [ERR_INVALID_THIS]: Value of «this» must be of type AbortController

Deno uses V8 – the same JS engine as Chromium browsers do – so Deno also calls the error an «illegal invocation.»

Manual implementation of an «illegal invocation» check

For demonstration purposes:

const foo =  bar: function ()  console.log('Calling foo.bar; `this` refers to', this) if (this !== foo)  throw new TypeError('Illegal invocation ��') > console.log('Successfully called foo.bar ✅') >, > foo.bar() //=> Calling foo.bar; `this` refers to foo //=> Successfully called foo.bar ✅ const  bar > = foo bar() //=> Calling foo.bar; `this` refers to window //=> TypeError: Illegal invocation �� const bar2 = foo.bar bar2() //=> Calling foo.bar; `this` refers to window //=> TypeError: Illegal invocation �� 
  • In real code, you should use better error messages. «Illegal invocation» is not clear.
  • In strict mode, this would be undefined instead of window in the error cases.

Why does the this keyword change?

The gist is in the difference between method invocations and function invocations.

Method invocations

A method is a function stored as a property of an object. When invoking (i.e. calling) a method using the dot notation or square bracket notation, the this keyword is bound to the object:

const foo =  bar()  console.log(this) >, > const method = 'bar' // Method invocations: foo.bar() //=> foo foo['bar']() //=> foo foo[method]() //=> foo 
Function invocations

When invoking (i.e. calling) a function that is not the property of an object, the this keyword is:

  • bound to the global object ( window ) in sloppy mode.
  • undefined in strict mode.

In either mode, the original context is lost because the this keyword doesn’t refer to the object where it originally did:

const  bar > = foo const bar2 = foo.bar const bar3 = foo['bar'] // Function invocations: bar() //=> window (in sloppy mode) / undefined (in strict mode) bar2() //=> window (in sloppy mode) / undefined (in strict mode) bar3() //=> window (in sloppy mode) / undefined (in strict mode) 

As to why the context is lost – let’s quote Douglas Crockford’s book JavaScript: The Good Parts (1st ed., p. 28; emphasis added):

When a function is not the property of an object, then it is invoked as a function:

var sum = add(3, 4) // sum is 7 

When a function is invoked with this pattern, this is bound to the global object. This was a mistake in the design of the language.

Sidetrack: arrow functions

The quote from the book continues (pp. 28–29; text split into paragraphs and code block slightly edited):

Had the language been designed correctly, when the inner function is invoked, this would still be bound to the this variable of the outer function.

A consequence of this error is that a method cannot employ an inner function to help it do its work because the inner function does not share the method’s access to the object as its this is bound to the wrong value.

Fortunately, there is an easy workaround. If the method defines a variable and assigns it the value of this , the inner function will have access to this through that variable. By convention, the name of that variable is that :

var myObject =  value: 3, > // Augment myObject with a double method myObject.double = function ()  var that = this // Workaround var helper = function ()  that.value = add(that.value, that.value) > helper() // Invoke helper as a function > myObject.double() // Invoke double as a method console.log(myObject.value) //=> 6 

Nowadays you can alternatively use arrow functions:

myObject.double = function ()  const helper = () =>  this.value = add(this.value, this.value) > helper() // Invoke helper as a function > myObject.double() // Invoke double as a method console.log(myObject.value) //=> 6 

Arrow functions increase the complexity around the this keyword; or reduce complexity, depending on the viewpoint.

Anyhow, the this keyword in JavaScript is confusing. I personally try to avoid it. It has many potential pitfalls, and often there are better alternatives.

Three ways to fix the error

Here’s the original, problematic example code:

const abortController = new AbortController() const  abort > = abortController const $ = document.querySelector const $$ = document.querySelectorAll 

The gist of the problem is that calling abort , $ or $$ is a function invocation, not a method invocation, so the context is lost.

Create a function that calls a method

As we learned above, with a method invocation (as opposed to a function invocation), the this keyword is bound to the object.

So, create an abort function that calls the abortController.abort method:

const abortController = new AbortController() const abort = () => abortController.abort() abort() // OK! 

Calling abort is a function invocation, but abort in turn calls abortController.abort using method invocation, so the context is not lost.

Similarly for $ and $$ :

const $ = (selectors) => document.querySelector(selectors) const $$ = (selectors) => document.querySelectorAll(selectors) $('#foo') // OK! $$('.bar') // OK! 

(By the way: notice how the function parameters are in the plural form: selectors instead of selector . That’s because document.querySelector and document.querySelectorAll accept a comma-separated list of CSS selectors.)

Use bind() to change the this keyword

A more convoluted solution is to use Function.prototype.bind() to set the this keyword to point to the correct object:

const abortController = new AbortController() const abort = abortController.abort.bind(abortController) const $ = document.querySelector.bind(document) const $$ = document.querySelectorAll.bind(document) abort() // OK! $('#foo') // OK! $$('.bar') // OK! 

There’s also Function.prototype.apply() and Function.prototype.call() , but they are also convoluted because they deal with the this keyword.

I recommend the previous solution which doesn’t deal with the this parameter: Create a function that calls a method.

Export the whole object

(Maybe an obvious solution, but mentioning it anyway.)

In the AbortController case, I originally destructured the abort method because I wanted to export only that method, not the whole AbortController .

If you are fine with exporting the whole AbortController , calling its abort method directly is fine too (because it’ll be a method invocation):

export const abortController = new AbortController() // In another file: import  abortController > from '. ' abortController.abort() // OK! 

This solution doesn’t apply to the $ and $$ functions because document is anyway available in all modules.

Sources / Further resources

I learned about «illegal invocation» errors via these Stack Overflow questions:

  • «Uncaught TypeError: Illegal invocation» in Chrome
  • Why are certain function calls termed «illegal invocations» in JavaScript?
  • Uncaught TypeError: Illegal invocation in JavaScript

I learned about the differences between method invocations and function invocations from Douglas Crockford’s book JavaScript: The Good Parts. Chapter 4, «Functions,» has more details, and also describes two other invocation patterns in JavaScript:

  • the constructor invocation pattern
  • the apply invocation pattern.
  • Next blog post:new Date() and Date.parse() are bad at parsing dates
  • Previous blog post:Dynamic tag names in Pug

Курсы javascript

Вот тут
cleverDiv.style.color = ‘red’;
Вы не присваиваете в свойство style, а берете его.
Значит нужен обработчик get
Свойства объектов DOM это не просто строки или числа. Они реализованы через внутренние гетеры и сетеры. Поэтому для них не всегда срабатывает правило, что если обработчик не задан, то просто берется свойство объекта.

       

Uncaught typeerror illegal invocation что за ошибка

15,816,786 members

Sign in

Sign in with

Advertise
Privacy
Cookies
Terms of Use
Last Updated 13 Apr 2023

Copyright © CodeProject, 1999-2024
All Rights Reserved.

CodeProject, 20 Bay Street, 11th Floor Toronto, Ontario, Canada M5J 2N8 +1 (416) 849-8900

Strict mode

Note: Sometimes you’ll see the default, non-strict mode referred to as sloppy mode. This isn’t an official term, but be aware of it, just in case.

JavaScript’s strict mode is a way to opt in to a restricted variant of JavaScript, thereby implicitly opting-out of «sloppy mode». Strict mode isn’t just a subset: it intentionally has different semantics from normal code. Browsers not supporting strict mode will run strict mode code with different behavior from browsers that do, so don’t rely on strict mode without feature-testing for support for the relevant aspects of strict mode. Strict mode code and non-strict mode code can coexist, so scripts can opt into strict mode incrementally.

Strict mode makes several changes to normal JavaScript semantics:

  1. Eliminates some JavaScript silent errors by changing them to throw errors.
  2. Fixes mistakes that make it difficult for JavaScript engines to perform optimizations: strict mode code can sometimes be made to run faster than identical code that’s not strict mode.
  3. Prohibits some syntax likely to be defined in future versions of ECMAScript.

Invoking strict mode

Strict mode applies to entire scripts or to individual functions. It doesn’t apply to block statements enclosed in <> braces; attempting to apply it to such contexts does nothing. eval code, Function code, event handler attributes, strings passed to setTimeout() , and related functions are either function bodies or entire scripts, and invoking strict mode in them works as expected.

Strict mode for scripts

To invoke strict mode for an entire script, put the exact statement «use strict»; (or ‘use strict’; ) before any other statements.

// Whole-script strict mode syntax "use strict"; const v = "Hi! I'm a strict mode script!"; 

Strict mode for functions

Likewise, to invoke strict mode for a function, put the exact statement «use strict»; (or ‘use strict’; ) in the function’s body before any other statements.

function myStrictFunction()  // Function-level strict mode syntax "use strict"; function nested()  return "And so am I!"; > return `Hi! I'm a strict mode function! $nested()>`; > function myNotStrictFunction()  return "I'm not strict."; > 

The «use strict» directive can only be applied to the body of functions with simple parameters. Using «use strict» in functions with rest, default, or destructured parameters is a syntax error.

function sum(a = 1, b = 2)  // SyntaxError: "use strict" not allowed in function with default parameter "use strict"; return a + b; > 

Strict mode for modules

The entire contents of JavaScript modules are automatically in strict mode, with no statement needed to initiate it.

function myStrictFunction()  // because this is a module, I'm strict by default > export default myStrictFunction; 

Strict mode for classes

All parts of a class’s body are strict mode code, including both class declarations and class expressions.

class C1  // All code here is evaluated in strict mode test()  delete Object.prototype; > > new C1().test(); // TypeError, because test() is in strict mode const C2 = class  // All code here is evaluated in strict mode >; // Code here may not be in strict mode delete Object.prototype; // Will not throw error 

Changes in strict mode

Strict mode changes both syntax and runtime behavior. Changes generally fall into these categories:

  • changes converting mistakes into errors (as syntax errors or at runtime)
  • changes simplifying how variable references are resolved
  • changes simplifying eval and arguments
  • changes making it easier to write «secure» JavaScript
  • changes anticipating future ECMAScript evolution.

Converting mistakes into errors

Strict mode changes some previously-accepted mistakes into errors. JavaScript was designed to be easy for novice developers, and sometimes it gives operations which should be errors non-error semantics. Sometimes this fixes the immediate problem, but sometimes this creates worse problems in the future. Strict mode treats these mistakes as errors so that they’re discovered and promptly fixed.

Assigning to undeclared variables

Strict mode makes it impossible to accidentally create global variables. In sloppy mode, mistyping a variable in an assignment creates a new property on the global object and continues to «work». Assignments which would accidentally create global variables throw an error in strict mode:

"use strict"; let mistypeVariable; // Assuming no global variable mistypeVarible exists // this line throws a ReferenceError due to the // misspelling of "mistypeVariable" (lack of an "a") mistypeVarible = 17; 
Failing to assign to object properties

Strict mode makes assignments which would otherwise silently fail to throw an exception. There are three ways to fail a property assignment:

  • assignment to a non-writable data property
  • assignment to a getter-only accessor property
  • assignment to a new property on a non-extensible object

For example, NaN is a non-writable global variable. In sloppy mode, assigning to NaN does nothing; the developer receives no failure feedback. In strict mode, assigning to NaN throws an exception.

"use strict"; // Assignment to a non-writable global undefined = 5; // TypeError Infinity = 5; // TypeError // Assignment to a non-writable property const obj1 = >; Object.defineProperty(obj1, "x",  value: 42, writable: false >); obj1.x = 9; // TypeError // Assignment to a getter-only property const obj2 =  get x()  return 17; >, >; obj2.x = 5; // TypeError // Assignment to a new property on a non-extensible object const fixed = >; Object.preventExtensions(fixed); fixed.newProp = "ohai"; // TypeError 
Failing to delete object properties

Attempts to delete a non-configurable or otherwise undeletable (e.g. it’s intercepted by a proxy’s deleteProperty handler which returns false ) property throw in strict mode (where before the attempt would have no effect):

"use strict"; delete Object.prototype; // TypeError delete [].length; // TypeError 

Strict mode also forbids deleting plain names. delete name in strict mode is a syntax error:

"use strict"; var x; delete x; // syntax error 

If the name is a configurable global property, prefix it with globalThis to delete it.

"use strict"; delete globalThis.x; 
Duplicate parameter names

Strict mode requires that function parameter names be unique. In sloppy mode, the last duplicated argument hides previous identically-named arguments. Those previous arguments remain available through arguments , so they’re not completely inaccessible. Still, this hiding makes little sense and is probably undesirable (it might hide a typo, for example), so in strict mode, duplicate argument names are a syntax error:

function sum(a, a, c)  // syntax error "use strict"; return a + a + c; // wrong if this code ran > 
Legacy octal literals

Strict mode forbids a 0 -prefixed octal literal or octal escape sequence. In sloppy mode, a number beginning with a 0 , such as 0644 , is interpreted as an octal number ( 0644 === 420 ), if all digits are smaller than 8. Novice developers sometimes believe a leading-zero prefix has no semantic meaning, so they might use it as an alignment device — but this changes the number’s meaning! A leading-zero syntax for the octal is rarely useful and can be mistakenly used, so strict mode makes it a syntax error:

"use strict"; const sum = 015 + // syntax error 197 + 142; 

The standardized way to denote octal literals is via the 0o prefix. For example:

const sumWithOctal = 0o10 + 8; console.log(sumWithOctal); // 16 

Octal escape sequences, such as «\45» , which is equal to «%» , can be used to represent characters by extended-ASCII character code numbers in octal. In strict mode, this is a syntax error. More formally, it’s disallowed to have \ followed by any decimal digit other than 0 , or \0 followed by a decimal digit; for example \9 and \07 .

Setting properties on primitive values

Strict mode forbids setting properties on primitive values. Accessing a property on a primitive implicitly creates a wrapper object that’s unobservable, so in sloppy mode, setting properties is ignored (no-op). In strict mode, a TypeError is thrown.

"use strict"; false.true = ""; // TypeError (14).sailing = "home"; // TypeError "with".you = "far away"; // TypeError 
Duplicate property names

Duplicate property names used to be considered a SyntaxError in strict mode. With the introduction of computed property names, making duplication possible at runtime, this restriction was removed in ES2015.

"use strict"; const o =  p: 1, p: 2 >; // syntax error prior to ECMAScript 2015 

Note: Making code that used to error become non-errors is always considered backwards-compatible. This is a good part of the language being strict about throwing errors: it leaves room for future semantic changes.

Simplifying scope management

Strict mode simplifies how variable names map to particular variable definitions in the code. Many compiler optimizations rely on the ability to say that variable X is stored in that location: this is critical to fully optimizing JavaScript code. JavaScript sometimes makes this basic mapping of name to variable definition in the code impossible to perform until runtime. Strict mode removes most cases where this happens, so the compiler can better optimize strict mode code.

Removal of the with statement

Strict mode prohibits with . The problem with with is that any name inside the block might map either to a property of the object passed to it, or to a variable in surrounding (or even global) scope, at runtime; it’s impossible to know which beforehand. Strict mode makes with a syntax error, so there’s no chance for a name in a with to refer to an unknown location at runtime:

"use strict"; const x = 17; with (obj)  // Syntax error // If this weren't strict mode, would this be const x, or // would it instead be obj.x? It's impossible in general // to say without running the code, so the name can't be // optimized. x; > 

The simple alternative of assigning the object to a short name variable, then accessing the corresponding property on that variable, stands ready to replace with .

Non-leaking eval

In strict mode, eval does not introduce new variables into the surrounding scope. In sloppy mode, eval(«var x;») introduces a variable x into the surrounding function or the global scope. This means that, in general, in a function containing a call to eval , every name not referring to an argument or local variable must be mapped to a particular definition at runtime (because that eval might have introduced a new variable that would hide the outer variable). In strict mode, eval creates variables only for the code being evaluated, so eval can’t affect whether a name refers to an outer variable or some local variable:

var x = 17; var evalX = eval("'use strict'; var x = 42; x;"); console.assert(x === 17); console.assert(evalX === 42); 

Whether the string passed to eval() is evaluated in strict mode depends on how eval() is invoked (direct eval or indirect eval).

Block-scoped function declarations

The JavaScript language specification, since its start, had not allowed function declarations nested in block statements. However, it was so intuitive that most browsers implemented it as an extension grammar. Unfortunately, the implementations’ semantics diverged, and it became impossible for the language specification to reconcile all implementations. Therefore, block-scoped function declarations are only explicitly specified in strict mode (whereas they were once disallowed in strict mode), while sloppy mode behavior remains divergent among browsers.

Making eval and arguments simpler

Strict mode makes arguments and eval less bizarrely magical. Both involve a considerable amount of magical behavior in sloppy mode: eval to add or remove bindings and to change binding values, and arguments syncing named arguments with its indexed properties. Strict mode makes great strides toward treating eval and arguments as keywords.

Preventing binding or assigning eval and arguments

The names eval and arguments can’t be bound or assigned in language syntax. All these attempts to do so are syntax errors:

"use strict"; eval = 17; arguments++; ++eval; const obj =  set p(arguments) > >; let eval; try  > catch (arguments) > function x(eval) > function arguments() > const y = function eval() >; const f = new Function("arguments", "'use strict'; return 17;"); 
No syncing between parameters and arguments indices

Strict mode code doesn’t sync indices of the arguments object with each parameter binding. In a sloppy mode function whose first argument is arg , setting arg also sets arguments[0] , and vice versa (unless no arguments were provided or arguments[0] is deleted). arguments objects for strict mode functions store the original arguments when the function was invoked. arguments[i] does not track the value of the corresponding named argument, nor does a named argument track the value in the corresponding arguments[i] .

function f(a)  "use strict"; a = 42; return [a, arguments[0]]; > const pair = f(17); console.assert(pair[0] === 42); console.assert(pair[1] === 17); 

«Securing» JavaScript

Strict mode makes it easier to write «secure» JavaScript. Some websites now provide ways for users to write JavaScript which will be run by the website on behalf of other users. JavaScript in browsers can access the user’s private information, so such JavaScript must be partially transformed before it is run, to censor access to forbidden functionality. JavaScript’s flexibility makes it effectively impossible to do this without many runtime checks. Certain language functions are so pervasive that performing runtime checks has a considerable performance cost. A few strict mode tweaks, plus requiring that user-submitted JavaScript be strict mode code and that it be invoked in a certain manner, substantially reduce the need for those runtime checks.

No this substitution

The value passed as this to a function in strict mode is not forced into being an object (a.k.a. «boxed»). For a sloppy mode function, this is always an object: either the provided object, if called with an object-valued this ; or the boxed value of this , if called with a primitive as this ; or the global object, if called with undefined or null as this . (Use call , apply , or bind to specify a particular this .) Not only is automatic boxing a performance cost, but exposing the global object in browsers is a security hazard because the global object provides access to functionality that «secure» JavaScript environments must restrict. Thus for a strict mode function, the specified this is not boxed into an object, and if unspecified, this is undefined instead of globalThis :

"use strict"; function fun()  return this; > console.assert(fun() === undefined); console.assert(fun.call(2) === 2); console.assert(fun.apply(null) === null); console.assert(fun.call(undefined) === undefined); console.assert(fun.bind(true)() === true); 
Removal of stack-walking properties

In strict mode it’s no longer possible to «walk» the JavaScript stack. Many implementations used to implement some extension features that make it possible to detect the upstream caller of a function. When a function fun is in the middle of being called, fun.caller is the function that most recently called fun , and fun.arguments is the arguments for that invocation of fun . Both extensions are problematic for «secure» JavaScript because they allow «secured» code to access «privileged» functions and their (potentially unsecured) arguments. If fun is in strict mode, both fun.caller and fun.arguments are non-deletable properties which throw when set or retrieved:

function restricted()  "use strict"; restricted.caller; // throws a TypeError restricted.arguments; // throws a TypeError > function privilegedInvoker()  return restricted(); > privilegedInvoker(); 

Similarly, arguments.callee is no longer supported. In sloppy mode, arguments.callee refers to the enclosing function. This use case is weak: name the enclosing function! Moreover, arguments.callee substantially hinders optimizations like inlining functions, because it must be made possible to provide a reference to the un-inlined function if arguments.callee is accessed. arguments.callee for strict mode functions is a non-deletable property which throws an error when set or retrieved:

"use strict"; const f = function ()  return arguments.callee; >; f(); // throws a TypeError 

Future-proofing JavaScript

Extra reserved words

Reserved words are identifiers that can’t be used as variable names. Strict mode reserves some more names than sloppy mode, some of which are already used in the language, and some of which are reserved for the future to make future syntax extensions easier to implement.

Transitioning to strict mode

Strict mode has been designed so that the transition to it can be made gradually. It is possible to change each file individually and even to transition code to strict mode down to the function granularity.

You can migrate a codebase to strict mode by first adding «use strict» to a piece of source code, and then fixing all execution errors, while watching out for semantic differences.

Syntax errors

When adding ‘use strict’; , the following cases will throw a SyntaxError before the script is executing:

  • Octal syntax const n = 023;
  • with statement
  • Using delete on a variable name delete myVariable ;
  • Using eval or arguments as variable or function argument name
  • Using one of the newly reserved keywords (in prevision for future language features): implements , interface , let , package , private , protected , public , static , and yield
  • Declaring two function parameters with the same name function f(a, b, b) <>
  • Declaring the same property name twice in an object literal . This constraint was later removed (bug 1041128).

These errors are good, because they reveal plain errors or bad practices. They occur before the code is running, so they are easily discoverable as long as the code gets parsed by the runtime.

New runtime errors

JavaScript used to silently fail in contexts where what was done should be an error. Strict mode throws in such cases. If your code base contains such cases, testing will be necessary to be sure nothing is broken. You can screen for such errors at the function granularity level.

  • Assigning to an undeclared variable throws a ReferenceError . This used to set a property on the global object, which is rarely the expected effect. If you really want to set a value to the global object, explicitly assign it as a property on globalThis .
  • Failing to assign to an object’s property (e.g. it’s read-only) throws a TypeError . In sloppy mode, this would silently fail.
  • Deleting a non-deletable property throws a TypeError . In sloppy mode, this would silently fail.
  • Accessing arguments.callee , strictFunction.caller , or strictFunction.arguments throws a TypeError if the function is in strict mode. If you are using arguments.callee to call the function recursively, you can use a named function expression instead.

Semantic differences

These differences are very subtle differences. It’s possible that a test suite doesn’t catch this kind of subtle difference. Careful review of your code base will probably be necessary to be sure these differences don’t affect the semantics of your code. Fortunately, this careful review can be done gradually down the function granularity.

In sloppy mode, function calls like f() would pass the global object as the this value. In strict mode, it is now undefined . When a function was called with call or apply , if the value was a primitive value, this one was boxed into an object (or the global object for undefined and null ). In strict mode, the value is passed directly without conversion or replacement.

In sloppy mode, modifying a value in the arguments object modifies the corresponding named argument. This made optimizations complicated for JavaScript engine and made code harder to read/understand. In strict mode, the arguments object is created and initialized with the same values than the named arguments, but changes to either the arguments object or the named arguments aren’t reflected in one another.

In strict mode code, eval doesn’t create a new variable in the scope from which it was called. Also, of course, in strict mode, the string is evaluated with strict mode rules. Thorough testing will need to be performed to make sure nothing breaks. Not using eval if you don’t really need it may be another pragmatic solution.

In sloppy mode, a function declaration inside a block may be visible outside the block and even callable. In strict mode, a function declaration inside a block is only visible inside the block.

Specifications

Specification
ECMAScript Language Specification

See also

  • JavaScript modules guide
  • Lexical grammar

Добавить комментарий

Ваш адрес email не будет опубликован. Обязательные поля помечены *