-
Notifications
You must be signed in to change notification settings - Fork 1
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Больше деталей #3
Merged
keksobot
merged 3 commits into
htmlacademy-univer-javascript-1:master
from
1Alex4949031:module4-task1
Dec 3, 2024
Merged
Changes from all commits
Commits
File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -1,0 +1,98 @@ | ||
// Массив с сообщениями для комментариев | ||
const messages = [ | ||
"Всё отлично!", | ||
"В целом всё неплохо. Но не всё.", | ||
"Когда вы делаете фотографию, хорошо бы убирать палец из кадра. В конце концов это просто непрофессионально.", | ||
"Моя бабушка случайно чихнула с фотоаппаратом в руках и у неё получилась фотография лучше.", | ||
"Я поскользнулся на банановой кожуре и уронил фотоаппарат на кота и у меня получилась фотография лучше.", | ||
"Лица у людей на фотке перекошены, как будто их избивают. Как можно было поймать такой неудачный момент?!" | ||
]; | ||
|
||
// Массив c описаниями фотографии | ||
const descriptions = [ | ||
"Фото сделано в самом центре города, когда солнце только начало садиться.", | ||
"Прекрасный момент, пойманный на природе, с солнечными лучами, пробивающимися через деревья.", | ||
"Эта фотография была сделана во время путешествия по горам. Вечер, туман и немного мистики.", | ||
"Отличный кадр с друзьями на празднике! Эмоции переполняют.", | ||
"Удивительный вид на город с высоты птичьего полета. Горы, дома и небо в одном кадре.", | ||
"Момент из отпуска, когда мы катались на лодке по реке. Спокойствие и умиротворение.", | ||
]; | ||
|
||
// Массив с именами пользователей | ||
const names = [ | ||
"Артём", "Мария", "Иван", "Светлана", "Никита", "Елена", "Дмитрий", "Ольга", "Максим", "Александра" | ||
]; | ||
|
||
/** | ||
* Генерация случайного целого числа в заданном диапазоне. | ||
* @param {number} min - Минимальное значение. | ||
* @param {number} max - Максимальное значение. | ||
* @returns {number} - Случайное целое число от min до max (включительно). | ||
*/ | ||
function getRandomInt(min, max) { | ||
return Math.floor(Math.random() * (max - min + 1) + min); | ||
} | ||
|
||
/** | ||
* Генерация случайных комментариев для фотографии. | ||
* Количество комментариев выбирается случайным образом (от 0 до 30). | ||
* Каждый комментарий состоит из уникального id, сообщений, имени отправителя и аватарки отправителя. | ||
* @returns {Array} - Массив объектов комментариев. | ||
*/ | ||
function generateComments() { | ||
const commentsCount = getRandomInt(0, 30); | ||
const comments = []; | ||
|
||
for (let i = 0; i < commentsCount; i++) { | ||
const messagesCount = getRandomInt(1, 3); | ||
const randomMessages = []; | ||
|
||
for(let j = 0; j < messagesCount; j++) { | ||
const randomMessage = messages[getRandomInt(0, messages.length - 1)]; | ||
randomMessages.push(randomMessage); | ||
} | ||
|
||
const randomName = names[getRandomInt(0, names.length - 1)]; | ||
const avatarNumber = getRandomInt(1, 6); | ||
comments.push({ | ||
id: i + 1, | ||
avatar: `img/avatar-${avatarNumber}.svg`, | ||
message: randomMessages.join("\n"), | ||
name: randomName | ||
}); | ||
} | ||
|
||
return comments; | ||
} | ||
|
||
/** | ||
* Генерация одного объекта фотографии. | ||
* Каждая фотография имеет уникальный id, url, описание, количество лайков и случайные комментарии. | ||
* @param {number} id - Идентификатор фотографии. | ||
* @returns {Object} - Объект, представляющий фотографию с уникальными аттрибутами. | ||
*/ | ||
function generatePhoto(id) { | ||
return { | ||
id: id, | ||
url: `photos/${id}.jpg`, | ||
description: descriptions[getRandomInt(0, descriptions.length - 1)], | ||
likes: getRandomInt(15, 200), | ||
comments: generateComments() | ||
}; | ||
} | ||
|
||
/** | ||
* Генерация массива из 25 фотографий. | ||
* Каждая фотография представляет собой объект с уникальным id, url, описанием, лайками и комментариями. | ||
* @returns {Array} - Массив из 25 объектов фотографий. | ||
*/ | ||
function generatePhotos() { | ||
const photos = []; | ||
for (let i = 1; i <= 25; i++) { | ||
photos.push(generatePhoto(i)); | ||
} | ||
return photos; | ||
} | ||
|
||
const generatedPhotos = generatePhotos(); | ||
console.log(generatedPhotos); | ||
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Ты обычно пишешь комменты до написания код или после?)
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
В начале пишу комментаий с абстрактной информанцией о функции, например, Генерация случайного целого числа в заданном диапазоне. Затем пишу код функции. В самом конце дописываю параметры функции и проверяю соответствие комментария и функции, также дописываю какие-либо детали.
Ну обычно да, вначале пишу код, затем детальные комменты пишу.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Просто выглядит полезно, как тз перенесенное из задания академии, чтобы не бегать сверяться 👍🏻