fix(guide): simplify directory structure

This commit is contained in:
Mrugesh Mohapatra
2018-10-16 21:26:13 +05:30
parent f989c28c52
commit da0df12ab7
35752 changed files with 0 additions and 317652 deletions

View File

@@ -0,0 +1,9 @@
---
title: Add a New Element to a Binary Search Tree
localeTitle: Добавление нового элемента в двоичное дерево поиска
---
## Добавление нового элемента в двоичное дерево поиска
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/add-a-new-element-to-a-binary-search-tree/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Add Elements at a Specific Index in a Linked List
localeTitle: Добавить элементы по определенному индексу в связанном списке
---
## Добавить элементы по определенному индексу в связанном списке
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/add-elements-at-a-specific-index-in-a-linked-list/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Adjacency List
localeTitle: Список прилавков
---
## Список прилавков
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/adjacency-list/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Adjacency Matrix
localeTitle: Матрица смежности
---
## Матрица смежности
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/adjacency-matrix/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,51 @@
---
title: Breadth-First Search
localeTitle: Поиск по ширине
---
## Поиск по ширине
Давайте сначала определим класс `Tree` который будет использоваться для реализации алгоритма первого поиска Breadth.
```python
class Tree:
def __init__(self, x):
self.val = x
self.left = None
self.right = None
```
Алгоритм поиска ширины ширины перемещается с одного уровня на другой, начиная с корня дерева. Мы будем использовать для этого `queue` .
```python
def bfs(root_node):
queue = [root_node]
while queue:
top_element = queue.pop()
print("Node processed: ",top_element)
if top_element.left:
queue.append(top_element.left)
if top_element.right:
queue.append(top_element.right)
```
Мы можем легко изменить приведенный выше код, чтобы напечатать уровень каждого узла.
```python
def bfs(root_node):
queue = [(root_node, 0)]
while queue:
top_element, level = queue.pop()
print("Node processed: {} at level {}".format(top_element, level))
if top_element.left:
queue.append((top_element.left, level + 1))
if top_element.right:
queue.append((top_element.right, level + 1))
```
| Сложность | Время | Космос | | ----- | ------ | ------ | | BFS | n | n |

View File

@@ -0,0 +1,9 @@
---
title: Check if an Element is Present in a Binary Search Tree
localeTitle: Проверьте, присутствует ли элемент в дереве двоичного поиска
---
## Проверьте, присутствует ли элемент в дереве двоичного поиска
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/check-if-an-element-is-present-in-a-binary-search-tree/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Create a Circular Queue
localeTitle: Создание круговой очереди
---
## Создание круговой очереди
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/create-a-circular-queue/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Create a Doubly Linked List
localeTitle: Создать двойной список
---
## Создать двойной список
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/create-a-doubly-linked-list/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Create a Hash Table
localeTitle: Создание таблицы хешей
---
## Создание таблицы хешей
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/create-a-hash-table/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Create a Linked List Class
localeTitle: Создать класс связанного списка
---
## Создать класс связанного списка
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/create-a-linked-list-class/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Create a Map Data Structure
localeTitle: Создание структуры данных карты
---
## Создание структуры данных карты
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/create-a-map-data-structure/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Create a Priority Queue Class
localeTitle: Создание класса очереди приоритетов
---
## Создание класса очереди приоритетов
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/create-a-priority-queue-class/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Create a Queue Class
localeTitle: Создание класса очереди
---
## Создание класса очереди
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/create-a-queue-class/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Create a Set Class
localeTitle: Создание набора классов
---
## Создание набора классов
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/create-a-set-class/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,81 @@
---
title: Create a Stack Class
localeTitle: Создать класс стека
---
## Создать класс стека
### Метод:
* Стек представляет собой абстрактную структуру данных.
* Стек следует за принципом LIFO / FILO.
## \- В этом вызове нам нужно добавить `.push()` , `.pop()` , `.peek()` , `.isEmpty()` и `.clear()` .
* Метод `push()` выталкивает значение в стек.
* `pop()` выдает первое значение из стека.
* Метод `peek()` возвращает первое значение из стека.
* Метод `isEmpty()` проверяет, пустой ли стек.
## \- `.clear()` удаляет все элементы из стека.
| DS | Доступ | Поиск | Вставить | Удалить | | ----- | ------ | ------ | ------ | ------ | | Стек | n | n | 1 | 1 |
### Решение:
#### Основные:
```js
function Stack() {
var collection = [];
this.print = function() {
console.log(collection);
};
this.push = function(val){
return collection.push(val);
}
this.pop = function(){
return collection.pop();
}
this.peek = function(){
return collection[collection.length-1];
}
this.isEmpty = function(){
return collection.length === 0;
}
this.clear = function(){
collection.length = 0;
}
}
```
#### Дополнительно - синтаксис класса ES6:
```js
class Stack {
constructor() {
this.collection = [];
}
print(){
console.log(this.collection);
}
push(val){
retiurn this.collection.push(val);
}
pop(){
return this.collection.pop();
}
peek(){
return this.collection[this.collection.length-1];
}
isEmpty(){
return this.collection.length === 0;
}
clear(){
return this.collection.length = 0;
}
}
```
\### Ресурсы:
* [Википедия](https://en.wikipedia.org/wiki/Stack_(abstract_data_type))

View File

@@ -0,0 +1,9 @@
---
title: Create a Trie Search Tree
localeTitle: Создание дерева поиска Trie
---
## Создание дерева поиска Trie
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/create-a-trie-search-tree/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Create an ES6 JavaScript Map
localeTitle: Создание карты JavaScript ES6
---
## Создание карты JavaScript ES6
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/create-an-es6-javascript-map/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Create and Add to Sets in ES6
localeTitle: Создание и добавление к наборам в ES6
---
## Создание и добавление к наборам в ES6
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/create-and-add-to-sets-in-es6/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Delete a Leaf Node in a Binary Search Tree
localeTitle: Удалить узел листа в двоичном дереве поиска
---
## Удалить узел листа в двоичном дереве поиска
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/delete-a-leaf-node-in-a-binary-search-tree/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Delete a Node with One Child in a Binary Search Tree
localeTitle: Удаление узла с одним ребенком в двоичном дереве поиска
---
## Удаление узла с одним ребенком в двоичном дереве поиска
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/delete-a-node-with-one-child-in-a-binary-search-tree/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Delete a Node with Two Children in a Binary Search Tree
localeTitle: Удаление узла с двумя детьми в двоичном дереве поиска
---
## Удаление узла с двумя детьми в двоичном дереве поиска
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/delete-a-node-with-two-children-in-a-binary-search-tree/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Depth-First Search
localeTitle: Поиск по глубине
---
## Поиск по глубине
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/depth-first-search/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,60 @@
---
title: Find the Minimum and Maximum Height of a Binary Search Tree
localeTitle: Найдите минимальную и максимальную высоту двоичного дерева поиска
---
## Найдите минимальную и максимальную высоту двоичного дерева поиска
Каждый современный веб-браузер включает в себя мощный набор инструментов для разработчиков. Эти инструменты выполняют целый ряд задач, начиная с проверки загруженных в текущий момент HTML, CSS и JavaScript, показывая, какие активы запрашивала страница, и как долго они загружаются. Ниже перечислены некоторые основные функции:
* Доступ к консоли браузера
* Тестируемые адаптивные и специализированные видовые экраны
* Редактировать DOM
* отладка
* Анализ сетевой активности
* Понимание проблем безопасности
и многое другое…
## Как открыть инструменты для разработки
### клавиатура
```
Ctrl + Shift + I
```
### Строка меню
#### Fire Fox
```
Tools ➤ Web Developer ➤ Toggle Tools
```
#### Хром / Хром
```
Tools ➤ Developer Tools
```
#### Сафари
```
Develop ➤ Show Web Inspector.
```
Если вы не видите меню «Разработка», перейдите к `Safari ➤ Preferences ➤ Advanced` и установите флажок `Show Develop menu` в панели меню.
#### опера
```
Developer ➤ Web Inspector
```
### Контекстное меню
`Right-click` элемент на веб-странице (нажмите Ctrl-click на Mac) и выберите « `Inspect Element` в появившемся контекстном меню.
Этот метод прямо указывает на код элемента, который вы щелкнули правой кнопкой мыши.
## Дополнительная информация:
Веб-документы Mozilla Developer Network: [что такое инструменты для разработчиков браузеров?](https://developer.mozilla.org/en-US/docs/Learn/Common_questions/What_are_browser_developer_tools)
Разработчики Google: [инструменты Chrome Dev](https://developers.google.com/web/tools/chrome-devtools/
)

View File

@@ -0,0 +1,9 @@
---
title: Find the Minimum and Maximum Value in a Binary Search Tree
localeTitle: Найти минимальное и максимальное значение в двоичном дереве поиска
---
## Найти минимальное и максимальное значение в двоичном дереве поиска
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/find-the-minimum-and-maximum-value-in-a-binary-search-tree/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Implement Heap Sort with a Min Heap
localeTitle: Выполнение сортировки кучи с помощью Min Heap
---
## Выполнение сортировки кучи с помощью Min Heap
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/implement-heap-sort-with-a-min-heap/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Incidence Matrix
localeTitle: Матрица инцидентов
---
## Матрица инцидентов
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/incidence-matrix/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,11 @@
---
title: Data Structures
localeTitle: Структуры данных
---
## Структуры данных
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/mathematics/quadratic-equations/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .
#### Дополнительная информация:

View File

@@ -0,0 +1,9 @@
---
title: Insert an Element into a Max Heap
localeTitle: Вставка элемента в максимальную кучу
---
## Вставка элемента в максимальную кучу
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/insert-an-element-into-a-max-heap/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Invert a Binary Tree
localeTitle: Инвертировать двоичное дерево
---
## Инвертировать двоичное дерево
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/invert-a-binary-tree/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,27 @@
---
title: Learn how a Stack Works
localeTitle: Узнайте, как работает стек
---
## Узнайте, как работает стек
### Метод:
* Стеки представляют собой абстрактные структуры данных.
* Они следуют принципу LIFO (Last In First Out) или FILO (First In Last Out).
* Операции вставки и удаления стека имеют сложность времени **O (1)** .
* В Javascript массивы можно рассматривать как стек, поскольку `.push()` и `.pop()` имеют временную сложность **O (1)** .
* В этом вызове нам нужно `.pop()` а затем `.push()` в стек.
### Решение:
```js
var homeworkStack = ["BIO12","HIS80","MAT122","PSY44"];
homeworkStack.pop();
homeworkStack.push("CS50");
```
### Ссылка:
* [Википедия](https://en.wikipedia.org/wiki/Stack_(abstract_data_type))
* Видео от [Hackerrank](https://www.youtube.com/watch?v=wjI1WNcIntg)

View File

@@ -0,0 +1,9 @@
---
title: Perform a Difference on Two Sets of Data
localeTitle: Выполните разницу на двух наборах данных
---
## Выполните разницу на двух наборах данных
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/perform-a-difference-on-two-sets-of-data/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Perform a Subset Check on Two Sets of Data
localeTitle: Выполните проверку подмножества на двух наборах данных
---
## Выполните проверку подмножества на двух наборах данных
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/perform-a-subset-check-on-two-sets-of-data/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Perform a Union on Two Sets
localeTitle: Выполните Союз на двух наборах
---
## Выполните Союз на двух наборах
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/perform-a-union-on-two-sets/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Perform an Intersection on Two Sets of Data
localeTitle: Выполнить пересечение на двух наборах данных
---
## Выполнить пересечение на двух наборах данных
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/perform-an-intersection-on-two-sets-of-data/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Remove an Element from a Max Heap
localeTitle: Удалить элемент из максимальной кучи
---
## Удалить элемент из максимальной кучи
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/remove-an-element-from-a-max-heap/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Remove Elements from a Linked List by Index
localeTitle: Удалить элементы из связанного списка по индексу
---
## Удалить элементы из связанного списка по индексу
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/remove-elements-from-a-linked-list-by-index/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Remove Elements from a Linked List
localeTitle: Удалить элементы из связанного списка
---
## Удалить элементы из связанного списка
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/remove-elements-from-a-linked-list/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Remove from a Set
localeTitle: Удалить из набора
---
## Удалить из набора
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/remove-from-a-set/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Remove items from a set in ES6
localeTitle: Удаление элементов из набора в ES6
---
## Удаление элементов из набора в ES6
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/remove-items-from-a-set-in-es6/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Reverse a Doubly Linked List
localeTitle: Переверните двойной список ссылок
---
## Переверните двойной список ссылок
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/reverse-a-doubly-linked-list/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Search within a Linked List
localeTitle: Поиск в связанном списке
---
## Поиск в связанном списке
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/search-within-a-linked-list/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Size of the Set
localeTitle: Размер набора
---
## Размер набора
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/size-of-the-set/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,25 @@
---
title: Typed Arrays
localeTitle: Типизированные массивы
---
## Типизированные массивы
### Метод:
* В этом случае сначала нам нужно создать буфер из 64 байтов. Мы можем использовать конструктор `ArrayBuffer()` .
* После создания буфера нам нужно создать Int32Array, для этого мы можем использовать конструктор `Int32Array()` .
### Решение:
```js
//Create a buffer of 64 bytes
var buffer = new ArrayBuffer(64);
//Make 32-bit int typed array with the above buffer
var i32View = new Int32Array(buffer);
```
### Рекомендации:
* [ArrayBuffer](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/ArrayBuffer)
* [TypedArray](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Typed_arrays)

View File

@@ -0,0 +1,9 @@
---
title: Use .has and .size on an ES6 Set
localeTitle: Используйте .has и .size в наборе ES6.
---
## Используйте .has и .size в наборе ES6.
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/use-.has-and-.size-on-an-es6-set/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Use Breadth First Search in a Binary Search Tree
localeTitle: Использовать пятый поиск в двоичном дереве поиска
---
## Использовать пятый поиск в двоичном дереве поиска
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/use-breadth-first-search-in-a-binary-search-tree/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Use Depth First Search in a Binary Search Tree
localeTitle: Использовать глубину первого поиска в двоичном дереве поиска
---
## Использовать глубину первого поиска в двоичном дереве поиска
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/use-depth-first-search-in-a-binary-search-tree/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Use Spread and Notes for ES5 Set() Integration
localeTitle: Использование Spread и Notes для интеграции ES5 Set ()
---
## Использование Spread и Notes для интеграции ES5 Set ()
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/use-spread-and-notes-for-es5-set-integration/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .

View File

@@ -0,0 +1,9 @@
---
title: Work with Nodes in a Linked List
localeTitle: Работа с узлами в связанном списке
---
## Работа с узлами в связанном списке
Это заглушка. [Помогите нашему сообществу расширить его](https://github.com/freecodecamp/guides/tree/master/src/pages/certifications/coding-interview-prep/data-structures/work-with-nodes-in-a-linked-list/index.md) .
[Это руководство по быстрому стилю поможет вам принять ваш запрос на тягу](https://github.com/freecodecamp/guides/blob/master/README.md) .