feat: less summarization tests
This commit is contained in:
@@ -1,76 +0,0 @@
|
||||
20 приемов JavaScript, которые должен знать каждый разработчик От Редакция techrocks.ru / 14.03.2025 JavaScript — мощный, гибкий язык, а знание нескольких интересных приемов работы с ним может сделать ваш код чище, быстрее и эффективнее. Ниже приведены 20 практических советов по работе с JavaScript, которые вы можете использовать в реальных приложениях для улучшения процесса разработки. 1. Деструктуризация и переименование за один шаг Вы можете переименовывать переменные во время деструктуризации объекта, что полезно при конфликтах имен. const user = { name: 'Alice', age: 25 };
|
||||
const { name: userName, age: userAge } = user;
|
||||
console.log(userName); // Alice
|
||||
console.log(userAge); // 25 2. Опциональная последовательность с вызовами функций Опциональная последовательность (опциональная цепочка, англ. optional chaining) может использоваться с функциями, проверяя существование функции до ее вызова. const user = {
|
||||
getName: () => 'Alice',
|
||||
};
|
||||
console.log(user.getName?.()); // Alice
|
||||
console.log(user.getAge?.()); // undefined 3. Использование оператора ||= для присваивания по умолчанию Логическое присваивание OR (||=) присваивает значение только в том случае, если значение переменной null или undefined или если значение переменной ложно (например 0). let count;
|
||||
count ||= 10;
|
||||
console.log(count); // 10 4. Преобразование NodeList в массив с помощью оператора spread Оператор spread предоставляет быстрый способ преобразования NodeList в массив. const divs = document.querySelectorAll('div');
|
||||
const divArray = [...divs];
|
||||
console.log(Array.isArray(divArray)); // true 5. Деструктуризация массива/объекта со значениями по умолчанию Присваивайте значения по умолчанию при деструктуризации, чтобы избежать undefined при отсутствии ключей. const user = { name: 'Alice' };
|
||||
const { name, age = 25 } = user;
|
||||
console.log(age); // 25 6. Удаление ложных значений из массива Используйте filter() для удаления из массива ложных значений (таких как 0, null, undefined, false). const arr = [0, 'hello', null, 42, false, 'world'];
|
||||
const filtered = arr.filter(Boolean);
|
||||
console.log(filtered); // ["hello", 42, "world"] 7. Сортировка массивов объектов по свойствам Вот пример того, как можно легко отсортировать массив объектов по определенному свойству: const users = [{ name: 'Alice', age: 25 }, { name: 'Bob', age: 20 }];
|
||||
users.sort((a, b) => a.age - b.age);
|
||||
console.log(users); // [{ name: 'Bob', age: 20 }, { name: 'Alice', age: 25 }] 8. Динамический импорт для ленивой загрузки Динамический импорт позволяет загружать модули только по мере необходимости, сокращая время первоначальной загрузки. const loadModule = async () => {
|
||||
const module = await import('./myModule.js');
|
||||
module.default(); // Calls the default export function
|
||||
};
|
||||
loadModule(); 9. Параметры по умолчанию с деструктуризацией объектов При использовании параметров по умолчанию вы также можете деструктурировать и устанавливать значения по умолчанию для определенных свойств. function createUser({ name = 'Guest', age = 18 } = {}) {
|
||||
console.log(name, age);
|
||||
}
|
||||
createUser(); // Guest 18
|
||||
createUser({ name: 'Alice' }); // Alice 18 10. Использование Object.assign() для поверхностного копирования Object.assign() удобен для поверхностного копирования объектов без изменения оригинала. const original = { a: 1, b: 2 };
|
||||
const copy = Object.assign({}, original);
|
||||
copy.a = 3;
|
||||
console.log(original.a); // 1 (unchanged) 11. Мемоизация функций для повышения производительности Мемоизация кэширует результаты вызовов дорогих функций на основе аргументов, что полезно для функций, требующих сложных вычислений. const memoize = (fn) => {
|
||||
const cache = {};
|
||||
return (...args) => {
|
||||
const key = JSON.stringify(args);
|
||||
if (!cache[key]) {
|
||||
cache[key] = fn(...args);
|
||||
}
|
||||
return cache[key];
|
||||
};
|
||||
};
|
||||
const slowSquare = (n) => n * n;
|
||||
const memoizedSquare = memoize(slowSquare);
|
||||
console.log(memoizedSquare(4)); // 16 (cached on second call) 12. Использование reduce для группировки элементов массива Функция reduce() позволяет группировать элементы массива на основе какого-либо свойства. Это часто требуется при обработке данных. const people = [
|
||||
{ name: 'Alice', role: 'admin' },
|
||||
{ name: 'Bob', role: 'user' },
|
||||
{ name: 'Charlie', role: 'admin' },
|
||||
];
|
||||
const grouped = people.reduce((acc, person) => {
|
||||
(acc[person.role] = acc[person.role] || []).push(person);
|
||||
return acc;
|
||||
}, {});
|
||||
console.log(grouped);
|
||||
// { admin: [{ name: 'Alice' }, { name: 'Charlie' }], user: [{ name: 'Bob' }] } 13. Уплощение вложенных массивов с помощью Array.flat(Infinity) Уплощение многоуровневых вложенных массивов становится простым благодаря Array.flat(Infinity). const nested = [1, [2, [3, [4]]]];
|
||||
console.log(nested.flat(Infinity)); // [1, 2, 3, 4] 14. Переключение булевых значений с помощью ! Переключить булево значение так же просто, как дважды применить оператор NOT. let isVisible = false;
|
||||
isVisible = !isVisible;
|
||||
console.log(isVisible); // true 15. Объединение нескольких массивов с помощью concat() Оператор concat() помогает объединить несколько массивов в одном предложении. const arr1 = [1, 2];
|
||||
const arr2 = [3, 4];
|
||||
const arr3 = [5, 6];
|
||||
const merged = arr1.concat(arr2, arr3);
|
||||
console.log(merged); // [1, 2, 3, 4, 5, 6] 16. Асинхронный перебор массива с помощью for…of и await При итерации по массиву промисов for...of и await гарантируют, что каждый промис разрешится до выполнения следующего. const fetchData = async () => {
|
||||
const urls = ['url1', 'url2'];
|
||||
for (const url of urls) {
|
||||
const response = await fetch(url);
|
||||
console.log(await response.json());
|
||||
}
|
||||
}; 17. Быстрое получение последнего элемента в массиве Получение последнего элемента в массиве без необходимости знать его длину. const arr = [1, 2, 3, 4];
|
||||
console.log(arr.at(-1)); // 4 18. Использование Intl для форматирования даты Intl.DateTimeFormat предлагает мощный способ форматирования дат в разных локалях. const date = new Date();
|
||||
const formatted = new Intl.DateTimeFormat('en-GB', {
|
||||
dateStyle: 'full',
|
||||
}).format(date);
|
||||
console.log(formatted); // e.g., "Monday, 25 October 2021" 19. Округление чисел с помощью Math.round() и шаблонных литералов Шаблонные литералы могут напрямую форматировать округленные числа. const num = 3.14159;
|
||||
console.log(`${Math.round(num * 100) / 100}`); // 3.14 20. Преобразование объектов, подобных массивам, в массивы с помощью Array.from() Используйте Array.from() для преобразования массивоподобных объектов (например, аргументов) в настоящие массивы. function example() {
|
||||
const argsArray = Array.from(arguments);
|
||||
console.log(argsArray);
|
||||
}
|
||||
example(1, 2, 3); // [1, 2, 3] Все эти приемы упрощают распространенные шаблоны написания кода на JavaScript. Внедрите их в свой рабочий процесс, чтобы писать эффективный и выразительный код. Успешного кодинга! Перевод статьи “20 JavaScript Tricks Every Developer Must Know”. 7 уроков дизайна для разработчиков 1 комментарий / Новости, Обучение / От andrey_av Не документируйте код. Кодируйте документацию 1 комментарий / Новости, Обучение / От andrey_av
|
||||
==============
|
||||
JavaScript — мощный язык, знание которого может улучшить код. Вот 20 полезных приемов: деструктуризация и переименование, опциональная последовательность, логическое присваивание, преобразование NodeList в массив, деструктуризация с значениями по умолчанию, удаление ложных значений, сортировка массивов, динамический импорт, параметры по умолчанию, Object.assign() для копирования, мемоизация функций, reduce для группировки, flat() для уплощения, переключение булевых значений, concat() для объединения массивов, await в for…of, at() для получения последнего элемента, Intl для форматирования даты, Math.round() для округления, Array.from() для преобразования объектов в массивы.
|
||||
File diff suppressed because one or more lines are too long
@@ -1,3 +0,0 @@
|
||||
🤖 Лучшие GitHub-репозитории, чтобы выучить AI с нуля в 2026 16.01.2026 Искусственный интеллект, Машинное обучение Если хочешь разобраться в ИИ не по курсам “в вакууме”, а через реальные open-source проекты – вот топ реп, которые реально ведут от базы до практики: 1) **Karpathy – Neural Networks: Zero to Hero** Самый понятный вход в нейросети и backprop “на пальцах” https://github.com/karpathy/nn-zero-to-hero 2) **Hugging Face Transformers** Главная библиотека современного NLP/LLM: модели, токенизаторы, fine-tuning https://github.com/huggingface/transformers 3) **FastAI – Fastbook** Практическое DL-обучение через проекты и эксперименты https://github.com/fastai/fastbook 4) **Made With ML** ML как инженерная система: пайплайны, прод, деплой, мониторинг https://github.com/GokuMohandas/Made-With-ML 5) **Machine Learning System Design (Chip Huyen)** Как строить ML-системы в реальном бизнесе: данные, метрики, инфраструктура https://github.com/chiphuyen/machine-learning-systems-design 6) **Awesome Generative AI Guide** Подборка материалов по GenAI: от основ до практики https://github.com/aishwaryanr/awesome-generative-ai-guide 7) **Dive into Deep Learning (D2L)** Одна из лучших книг по DL + код + задания https://github.com/d2l-ai/d2l-en Сохрани себе – это база, на которой можно реально вырасти до ML/LLM-инженера. +1 0 +1 0 +1 0 +1 0 +1 0 Просмотры: 22 0 Grok 4.20: ИИ нашёл новую Bellman-функцию и продвинул сложную задачу в анализеП… 15.01.2026 У DeepSeek может быть один из самых сильных “скрытых источников финансирования”… 12.01.2026 Андрей Карпаты нашел идеальный баланс токенов и параметров для обучения LLM.Анд… 09.01.2026
|
||||
==============
|
||||
Список лучших GitHub-репозиториев для изучения ИИ с нуля, включающий ресурсы для освоения нейронных сетей, NLP/LLM, практического глубокого обучения, построения ML-систем и генеративного ИИ. Представлены такие проекты, как "Neural Networks: Zero to Hero", "Hugging Face Transformers", "FastAI – Fastbook", "Made With ML", "Machine Learning System Design" и "Awesome Generative AI Guide", а также учебники "Dive into Deep Learning (D2L)". Эти репозитории предоставляют материалы от базовых концепций до практического применения.
|
||||
@@ -1,3 +0,0 @@
|
||||
AnthropicAI выпустили Claude Cowork – по сути это Claude Code, но для НЕтехнаре… 13.01.2026 Машинное обучение 🔥 AnthropicAI выпустили Claude Cowork – по сути это Claude Code, но для НЕтехнарей Идея простая: теперь агенты на твоём компьютере становятся доступными не только разработчикам. Что умеет Claude Cowork: ✅ Долгие задачи прямо на твоём ПК Не “ответил и забыл”, а реально берёт задачу и делает её часами, пока не закончит. ✅ Без терминала Никаких команд, npm, pip и прочего – запускается прямо в Claude app как новая вкладка. ✅ Доступ ко всему контексту компьютера Может: – видеть файлы и папки – использовать контекст приложений – управлять браузером – собирать данные и заполнять формы – выполнять цепочки действий Мир сейчас впервые массово увидит, каково это – когда твой компьютер реально работает за тебя, пока ты спишь. Следующий шаг очевиден: люди начнут “нанимать” ИИ как ассистента,а не как чатбота. Ждём эпоху: *поставил задачу вечером → утром получил готовый результат*. 📌 Скачать: https://claude.com/download 📌 Анонс: https://claude.com/blog/cowork-research-preview View Source +1 0 +1 0 +1 0 +1 0 +1 0 Просмотры: 5 0 Google: проблема дата-центров уже не в “купить электричество”. Проблема – подкл… 20.01.2026 NVIDIA KVzap: жмем KV-кэш в 4 раза.Все любят длинный контекст, но для GPU это б… 18.01.2026 🤖 Лучшие GitHub-репозитории, чтобы выучить AI с нуля в 2026 16.01.2026
|
||||
==============
|
||||
AnthropicAI представили Claude Cowork, версию Claude Code, предназначенную для неспециалистов. Она позволяет пользователям запускать сложные задачи на своих компьютерах без использования командной строки, предоставляя доступ к файлам, приложениям и браузеру, а также автоматизируя выполнение задач в течение длительного времени. Это открывает возможности для использования ИИ в качестве персонального помощника, позволяя пользователям получать готовые результаты, например, утром, после задания вечером.
|
||||
@@ -1,3 +0,0 @@
|
||||
CEO Cursor заявил, что они скоординировали сотни GPT-5.2 агентов, чтобы автоном… 15.01.2026 Машинное обучение 🔥 CEO Cursor заявил, что они скоординировали сотни GPT-5.2 агентов, чтобы автономно собрать браузер с нуля всего за 1 неделю. Цитата: > “Мы построили браузер с GPT-5.2 прямо в Cursor. Он работал без остановки целую неделю.” Что особенно дико: – 3M+ строк кода – тысячи файлов – рендер-движок с нуля на Rust – парсинг HTML / CSS Если это правда – мы уже не “пишем код”, мы управляем армией агентов, которые строят целые продукты без сна и выходных. https://x.com/mntruell/status/2011562190286045552 View Source +1 0 +1 0 +1 0 +1 0 +1 0 Просмотры: 8 0 Google: проблема дата-центров уже не в “купить электричество”. Проблема – подкл… 20.01.2026 NVIDIA KVzap: жмем KV-кэш в 4 раза.Все любят длинный контекст, но для GPU это б… 18.01.2026 🤖 Лучшие GitHub-репозитории, чтобы выучить AI с нуля в 2026 16.01.2026
|
||||
==============
|
||||
Компания CEO Cursor заявляет о создании браузера на базе GPT-5.2, собранного сотнями агентов за неделю, при этом использованы 3 миллиона строк кода, тысячи файлов и рендер-движок на Rust. Это позволяет управлять армией агентов для создания продуктов без участия человека.
|
||||
File diff suppressed because one or more lines are too long
@@ -1,3 +0,0 @@
|
||||
Google показала интересный пример того, как мультимодели уже помогают в гуманит… 05.01.2026 Машинное обучение ⚡️ Google показала интересный пример того, как мультимодели уже помогают в гуманитарных исследованиях. Gemini 3.0 Pro смогла расшифровать загадочные пометки в «Нюрнбергской хронике», которым более 500 лет. В модель залили сканы страниц и попросили не просто переписать текст, а объяснить, что означают заметки с учетом контекста. Оказалось, что круговые таблицы на полях были попыткой примирить две конкурирующие библейские хронологии и вычислить год рождения Авраама. Сложность состояла в том, что заметки смешивали латинские сокращения, римские цифры и обрывки надписей. Gemini связала вычисления с системой датировки Anno Mundi (год от сотворения мира), привязала их к традициям Септуагинты и еврейской Библии, а затем перевела в «до н.э.», получив расхождение примерно в 100 лет. siliconangle. com/2026/01/01/googles-gemini-3-0-pro-helps-solve-long-standing-mystery-nuremberg-chronicle/ View Source +1 0 +1 0 +1 0 +1 0 +1 0 Просмотры: 1 0 Grok 4.20: ИИ нашёл новую Bellman-функцию и продвинул сложную задачу в анализеП… 15.01.2026 У DeepSeek может быть один из самых сильных “скрытых источников финансирования”… 12.01.2026 Андрей Карпаты нашел идеальный баланс токенов и параметров для обучения LLM.Анд… 09.01.2026
|
||||
==============
|
||||
Google продемонстрировала возможности мультимодели Gemini 3.0 Pro, которая успешно расшифровала исторические заметки в "Нюрнбергской хронике", относящиеся к 6 веку. Модель, получив сканы страниц, интерпретировала контекст и определила, что круговые таблицы отражали попытку примирения библейских хронологий и вычисления года рождения Авраама, используя систему Anno Mundi и традиции Септуагинты. Результатом стало расхождение в около 100 лет, которое было объяснено с помощью перевода в "до н.э.".
|
||||
@@ -1,3 +0,0 @@
|
||||
Google: проблема дата-центров уже не в “купить электричество”. Проблема – подкл… 20.01.2026 Машинное обучение ⚡️ Google: проблема дата-центров уже не в “купить электричество”. Проблема – подключиться к сети Google признались в очень показательной вещи: Самое сложное в запуске новых дата-центров – не подписать контракт на электроэнергию. Самое сложное – физически подключиться к магистральной электросети (transmission grid). И там ад: в некоторых регионах ожидание подключения растягивается до 10+ лет, а один оператор вообще называл 12 лет только на исследования interconnection. То есть AI-бум упёрся не в модели и не в GPU… а в бумажки, согласования, кабели и подстанции. Что теперь главный bottleneck: чипы, электричество или подключение? Сейчас всё чаще выигрывает третий вариант: 1) Чипы – уже не единственная проблема GPU можно купить (дорого, но можно). 2) Электричество – можно законтрактовать BigTech подписывает долгосрочные power deals, строит генерацию, даже заходит в атомку. 3) А вот grid connection – это настоящий стоп-кран Потому что: – мало линий передач – всё перегружено – долгие разрешения и стройка – interconnection очереди на годы Вывод В 2026 bottleneck для ИИ всё чаще звучит так: не “где взять GPU”, а “как подключить мегаватты к дата-центру”. И это меняет игру: тот, кто быстрее строит энергетику + сеть, будет масштабировать AI быстрее всех. View Source +1 0 +1 0 +1 0 +1 0 +1 0 Просмотры: 28 0 NVIDIA KVzap: жмем KV-кэш в 4 раза.Все любят длинный контекст, но для GPU это б… 18.01.2026 🤖 Лучшие GitHub-репозитории, чтобы выучить AI с нуля в 2026 16.01.2026 CEO Cursor заявил, что они скоординировали сотни GPT-5.2 агентов, чтобы автоном… 15.01.2026
|
||||
==============
|
||||
Основная проблема для дата-центров Google – не приобретение электроэнергии, а физическое подключение к электросети, что часто занимает годы из-за нехватки инфраструктуры, длительных согласований и перегруженных линий электропередач. Это ограничивает масштабирование искусственного интеллекта, и скорость строительства энергетической инфраструктуры и сети становится ключевым фактором.
|
||||
@@ -1,3 +0,0 @@
|
||||
Grok 4.20: ИИ нашёл новую Bellman-функцию и продвинул сложную задачу в анализеП… 15.01.2026 Машинное обучение 🧠 Grok 4.20: ИИ нашёл новую Bellman-функцию и продвинул сложную задачу в анализе По сообщениям, Grok 4.20 смог идентифицировать новую Bellman function, которая помогает продвинуться в одной из “тяжёлых” тем математики – на стыке: – гармонического анализа – стохастических процессов – и поведения случайных средних Самое интересное – ИИ не просто “угадал ответ”, а предложил явную формулу, основанную на времени выхода броуновского движения (exit time of Brownian motion). Результат: – удалось улучшить известную нижнюю оценку – и приблизить математическое сообщество к более точному пониманию того, как ведут себя средние значения в стохастических системах Мы входим в эпоху, где ИИ ускоряет математику не на проценты – а на порядки. ⚡️ https://x.com/PI010101/status/2011560477688463573 View Source +1 0 +1 0 +1 0 +1 0 +1 0 Просмотры: 9 0 У DeepSeek может быть один из самых сильных “скрытых источников финансирования”… 12.01.2026 Андрей Карпаты нашел идеальный баланс токенов и параметров для обучения LLM.Анд… 09.01.2026 Главные новости ИИ и Мл. OpenAI запустила ChatGPT Health.ChatGPT Health — отдел… 08.01.2026
|
||||
==============
|
||||
В тексте обсуждаются достижения ИИ Grok 4.20, в частности, его способность находить новые Bellman-функции и продвигаться в сложных математических задачах, связанных с гармоническим анализом, стохастическими процессами и поведением случайных средних. ИИ предложил явную формулу, основанную на времени выхода броуновского движения, что позволило улучшить известные оценки и приблизиться к более точному пониманию поведения средних значений в стохастических системах. Также упоминаются успехи других ИИ, включая DeepSeek и OpenAI с ChatGPT Health, и поиск оптимальных параметров для обучения LLM.
|
||||
File diff suppressed because one or more lines are too long
@@ -1,3 +0,0 @@
|
||||
Подробный вводный курс по парсингу на Python 2026 годаВ этом бесплатном курсе в… 09.01.2026 Машинное обучение 🖥 Подробный вводный курс по парсингу на Python 2026 года В этом бесплатном курсе вы шаг за шагом научитесь собирать данные с веб-сайтов с помощью Python. Мы начнём с основ парсинга (скрапинга) – автоматического сбора информации с веб-страниц – и постепенно перейдём к более продвинутым темам. Материал разбит на модули с понятными примерами и практическими заданиями после каждой темы. Курс рассчитан на начинающих и продолжающих (junior/middle) разработчиков, знакомых с основами Python. 📌 Гайд View Source +1 0 +1 0 +1 0 +1 0 +1 0 Просмотры: 10 0 Google: проблема дата-центров уже не в “купить электричество”. Проблема – подкл… 20.01.2026 NVIDIA KVzap: жмем KV-кэш в 4 раза.Все любят длинный контекст, но для GPU это б… 18.01.2026 🤖 Лучшие GitHub-репозитории, чтобы выучить AI с нуля в 2026 16.01.2026
|
||||
==============
|
||||
Бесплатный вводный курс по парсингу на Python, предназначенный для начинающих и продолжающих разработчиков, обучает сбору данных с веб-сайтов с использованием Python. Курс охватывает основы парсинга, продвинутые темы и включает практические задания. Также представлены ссылки на статьи о проблемах дата-центров, использовании KV-кэша NVIDIA и лучших GitHub-репозиториях для изучения AI.
|
||||
@@ -1,3 +0,0 @@
|
||||
У DeepSeek может быть один из самых сильных “скрытых источников финансирования”… 12.01.2026 Машинное обучение 💰 У DeepSeek может быть один из самых сильных “скрытых источников финансирования” в AI – хедж-фонд его основателя. Речь про Ляна Вэньфэна (Liang Wenfeng) и его фонд Zhejiang High-Flyer Asset Management. По данным Bloomberg, 2025 год у них получился просто феноменальным: средняя доходность по фондам – 56.6%. Почему это важно для DeepSeek? Потому что такие результаты дают не просто “успешный год на рынке”, а реальные деньги, которыми можно оплачивать развитие ИИ: – зарплаты сильной команде – закупку GPU – серверы, сети, дата-центры – всё железо, без которого LLM не масштабируются Ключевые факты: – High-Flyer управляет капиталом более $10 млрд – занял 2-е место среди китайских квант-фондов с капиталом > $1.4 млрд – фонд заработал +56% → эти деньги фактически остаются у владельца фонда (Ляна). – если прикинуть выручку по стандартной схеме 1% management fee + 20% performance fee, получается $700+ млн – и это выглядит особенно мощно на фоне того, что бюджет DeepSeek на “топопвые” модели оценивался менее чем в $6 млн Интересный момент: в 2024 фонд отошёл от market-neutral и сделал ставку на long-only стратегии (покупка акций в расчёте на рост). А когда сразу несколько топ-квант-фондов показывают 50-70%+ за один год – это чаще говорит о том, что рынок был очень удачным для их системных стратегий, а не о единичной “везухе”. В среднем китайские квант-фонды показали 30.5% за 2025 – больше чем в 2 раза выше глобальных конкурентов. DeepSeek может иметь редкое преимущество – внутренний финансовый двигатель, который способен стабильно оплачивать масштабирование AI, не зависеть от раундов и инвесторов. View Source +1 0 +1 0 +1 0 +1 0 +1 0 Просмотры: 5 0 Grok 4.20: ИИ нашёл новую Bellman-функцию и продвинул сложную задачу в анализеП… 15.01.2026 Андрей Карпаты нашел идеальный баланс токенов и параметров для обучения LLM.Анд… 09.01.2026 Главные новости ИИ и Мл. OpenAI запустила ChatGPT Health.ChatGPT Health — отдел… 08.01.2026
|
||||
==============
|
||||
У DeepSeek возможно значительное "скрытое финансирование" от хедж-фонда основателя, Zhejiang High-Flyer Asset Management, который продемонстрировал высокую доходность в 2025 году (56,6%). Это может обеспечить финансирование развития ИИ, включая зарплаты, закупку оборудования и масштабирование моделей, особенно учитывая, что бюджет DeepSeek на топовые модели оценивался в менее чем 6 миллионов долларов. Фонд управляет капиталом более 10 миллиардов долларов и занимает второе место среди китайских квант-фондов.
|
||||
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
@@ -1,3 +0,0 @@
|
||||
404 Media is an independent website whose work is written, reported, and owned by human journalists. Our intended audience is real people, not AI scrapers, bots, or a search algorithm. Become a paid subscriber here for access to all of our articles ad-free and bonus content. This is Behind the Blog, where we share our behind-the-scenes thoughts about how a few of our top stories of the week came together. This week, we discuss the staying power of surveillance coverage, the jigsaw of reporting, and eyestrain. JASON: I’ve started this year in the same way I spent a lot of last year: Writing about the automated license plate reader company Flock. In my career it’s been sort of weird for me to focus on one company or one thing so much for so long. I tend to get a little restless about the topics I cover, and there can sometimes be a very real fatigue with specific types of stories. After a while, people “get it,” and so the bar for a new story on a topic keeps going up. I wish this weren’t the case, and we try to cover things we feel are important, but if you’re writing about a topic and no one is reading it, then the audience might be telling you they don’t find that thing interesting anymore. This has not yet been the case with Flock, somewhat to my surprise. I’ve been writing about surveillance technologies for a long time, and it’s rare for a specific company or specific type of technology to hold people’s interest and attention for too long. This post is for paid members only Become a paid member for unlimited ad-free access to articles, bonus podcast content, and more. Subscribe Sign up for free access to this post Free members get access to posts like this one along with an email round-up of our week's stories. Subscribe Already have an account? Sign in
|
||||
==============
|
||||
"404 Media" – независимый веб-сайт, созданный журналистами. Целевая аудитория – реальные люди, а не боты или поисковые алгоритмы. Подписка предоставляет доступ ко всем статьям без рекламы и дополнительному контенту. В статье "Behind the Blog" авторы обсуждают сохраняющийся интерес к освещению темы видеонаблюдения, сложность репортажа и проблемы, связанные с утомлением от одной темы. Автор отмечает, что освещение конкретной компании, например, Flock, привлекает внимание аудитории, несмотря на его длительный период освещения. Статья предназначена для подписчиков.
|
||||
File diff suppressed because one or more lines are too long
@@ -1,3 +0,0 @@
|
||||
404 Media is an independent website whose work is written, reported, and owned by human journalists. Our intended audience is real people, not AI scrapers, bots, or a search algorithm. Become a paid subscriber here for access to all of our articles ad-free and bonus content. The Federal Aviation Administration put a drone no fly zone within 3,000 feet of “Department of Homeland Security facilities and mobile assets,” according to a notice to airmen posted by the government. The no fly zone is the same type that the U.S. uses to restrict consumer drones over military bases and Department of Energy (DOE) research centers and facilities. The order appears to attempt to criminalize the use of drones to film Immigration and Customs Enforcement and DHS employees who are detaining people all over the country. This post is for paid members only Become a paid member for unlimited ad-free access to articles, bonus podcast content, and more. Subscribe Sign up for free access to this post Free members get access to posts like this one along with an email round-up of our week's stories. Subscribe Already have an account? Sign in
|
||||
==============
|
||||
404 Media - независимый веб-сайт, созданный и управляемый журналистами. Сайт ориентирован на реальных людей, а не на автоматизированные системы. Предлагается платная подписка для доступа ко всем статьям без рекламы и дополнительному контенту. Федеральное управление гражданской авиации (FAA) ввело запрет на полеты дронов в радиусе 3000 футов от объектов Министерства внутренней безопасности и его мобильных активов. Этот запрет аналогичен тем, которые применяются над военными базами и исследовательскими центрами Министерства энергетики (DOE). Похоже, что цель этой меры - криминализировать использование дронов для съемки сотрудников иммиграционной и таможенной службы (ICE) и Министерства внутренней безопасности, особенно при задержании людей. Доступ к статьям предоставляется только подписчикам.
|
||||
@@ -1,3 +0,0 @@
|
||||
The Belarusian government is threatening three ham radio operators with the death penalty, detained at least seven people, and has accused them of “intercepting state secrets,” according to Belarusian state media, independent media outside of Belarus, and the Belarusian human rights organization Viasna. The arrests are an extreme attack on what is most often a wholesome hobby that has a history of being vilified by authoritarian governments in part because the technology is quite censorship resistant. The detentions were announced last week on Belarusian state TV, which claimed the men were part of a network of more than 50 people participating in the amateur radio hobby and have been accused of both “espionage” and “treason.” Authorities there said they seized more than 500 pieces of radio equipment. The men were accused on state TV of using radio to spy on the movement of government planes, though no actual evidence of this has been produced. State TV claimed they were associated with the Belarusian Federation of Radioamateurs and Radiosportsmen (BFRR), a long-running amateur radio club and nonprofit that holds amateur radio competitions, meetups, trainings, and forums. WhatsApp and email requests to the BFRR from 404 Media were not returned. On Reddit, Siarhei Besarab, a Belarusian amateur radio operator, posted a plea for support from others in the hobby: “MAYDAY from Belarus: Licensed operators facing death penalty.” “I am writing this because my local community is being systematically liquidated in what I can only describe as a targeted intellectual genocide,” Besarab wrote. “They have detained over 50 licensed people, including callsigns EW1ABT, EW1AEH, and EW1ACE. These men were paraded on state television like war criminals and were coerced to publicly repent for the "crime" of technical curiosity. Propagandists presented the Belarusian Federation of Radioamateurs and Radiosportsmen (BFRR) as a front for a ‘massive spy network.’” “State propaganda unironically claims these men were ‘pumping state secrets out of the air’ using nothing more than basic $25 Baofeng handhelds and consumer-grade SDR dongles,” he added. “Any operator knows that hardware like this is physically incapable of cracking the modern AES-256 digital encryption used by government security forces. It is a technical fraud, yet they are being charged with High Treason and Espionage. The punishment in Belarus for these charges is life in prison or the death penalty.” The Belarusian human rights group Viasna and its associated Telegram channel confirmed the detention and said that it spoke to a cellmate of Andrei Repetsi, who said that Repetsi was unable to talk about his case in jail: “The case is secret, so Andrei never told the essence of the case in the cell. He joked that his personal file was marked ‘Top secret. Burn before reading,’” Viasna wrote. Most hams operate amateur radios for fun, as part of competitions, or to keep in touch with other hams around the world. But the hobby has a long history of being attacked by governments in part because it is resistant to censorship. Amateur radio often works even if a natural disaster or political action takes down internet, cell, and phone services, so it is popular among people interested in search and rescue and doomsday prepping. Amateur radio has been used to share information out of Cuba, for example, and in 2021 the Cuban government jammed ham radio frequencies during anti-government protests there. About the author Jason is a cofounder of 404 Media. He was previously the editor-in-chief of Motherboard. He loves the Freedom of Information Act and surfing. More from Jason Koebler
|
||||
==============
|
||||
Белорусские власти обвиняют нескольких радиолюбителей в "перехвате секретной информации" и "шпионаже", арестовав их и угрожая им смертной казнью. Это вызывает обеспокоенность из-за того, что радиолюбительство, особенно использование недорогого оборудования, часто подвергается преследованиям со стороны авторитарных режимов. Обвиняемые, связанные с белорусским клубом радиолюбителей, утверждают, что их обвиняют без каких-либо доказательств, и что их оборудование не способно к шифрованию, используемому правительством.
|
||||
@@ -1,3 +0,0 @@
|
||||
Wikipedia is turning 25 this month, and it’s never been more important. The online, collectively created encyclopedia has been a cornerstone of the internet decades, but as generative AI started flooding every platform with AI-generated slop over the last couple of years, Wikipedia’s governance model, editing process, and dedication to citing reliable sources has emerged as one of the most reliable and resilient models we have. And yet, as successful as the model is, it’s almost never replicated. This week on the podcast we’re joined by Selena Deckelmann, the Chief Product and Technology Officer at the Wikimedia Foundation, the nonprofit organization that operates Wikipedia. That means Selena oversees the technical infrastructure and product strategy for one of the most visited sites in the world, and one the most comprehensive repositories of human knowledge ever assembled. Wikipedia is turning 25 this month, so I wanted to talk to Selena about how Wikipedia works and how it plans to continue to work in the age of generative AI. Listen to the weekly podcast on Apple Podcasts, Spotify, or YouTube. Become a paid subscriber for early access to these interview episodes and to power our journalism. If you become a paid subscriber, check your inbox for an email from our podcast host Transistor for a link to the subscribers-only version! You can also add that subscribers feed to your podcast app of choice and never miss an episode that way. The email should also contain the subscribers-only unlisted YouTube link for the extended video version too. It will also be in the show notes in your podcast player. Wikipedia’s value in the age of generative AI The Editors Protecting Wikipedia from AI Hoaxes Wikipedia Pauses AI-Generated Summaries After Editor Backlash Wikipedia Says AI Is Causing a Dangerous Decline in Human Visitors Jimmy Wales Says Wikipedia Could Use AI. Editors Call It the 'Antithesis of Wikipedia' About the author Emanuel Maiberg is interested in little known communities and processes that shape technology, troublemakers, and petty beefs. Email him at emanuel@404media.co More from Emanuel Maiberg
|
||||
==============
|
||||
В этом тексте обсуждается важность Википедии в эпоху генеративного ИИ, а также её устойчивость и надежность. В интервью с Селеной Декельман, техническим директором Викимедиа, рассматриваются особенности работы и планы развития Википедии в условиях распространения ИИ-контента. Особое внимание уделяется защите Википедии от мошеннических публикаций, созданных ИИ, и обсуждению возможности использования ИИ для улучшения работы платформы.
|
||||
@@ -1,3 +0,0 @@
|
||||
404 Media is an independent website whose work is written, reported, and owned by human journalists. Our intended audience is real people, not AI scrapers, bots, or a search algorithm. Become a paid subscriber here for access to all of our articles ad-free and bonus content. When authorities used Immigration and Customs Enforcement’s (ICE) facial recognition app on a detained woman in an attempt to learn her identity and immigration status, it returned two different and incorrect names, raising serious questions about the accuracy of the app ICE is using to determine who should be removed from the United States, according to testimony from a Customs and Border Protection (CBP) official obtained by 404 Media. ICE has told lawmakers the app, called Mobile Fortify, provides a “definitive” determination of someone’s immigration status, and should be trusted over a birth certificate. The incident, which happened last year in Oregon, casts doubt on that claim. 💡 Do you know anything else about this app? Do you work at ICE or CBP? I would love to hear from you. Using a non-work device, you can message me securely on Signal at joseph.404 or send me an email at joseph@404media.co. This post is for paid members only Become a paid member for unlimited ad-free access to articles, bonus podcast content, and more. Subscribe Sign up for free access to this post Free members get access to posts like this one along with an email round-up of our week's stories. Subscribe Already have an account? Sign in
|
||||
==============
|
||||
"404 Media" сообщает о случае, когда приложение "Mobile Fortify" от ICE выдало неверные данные о женщине, которую задержала иммиграционная служба. Этот инцидент вызывает сомнения в точности приложения, используемого для определения статуса иммиграции. Автор призывает к обратной связи от сотрудников ICE или CBP. Статья доступна только для платных подписчиков.
|
||||
@@ -1,3 +0,0 @@
|
||||
404 Media is an independent website whose work is written, reported, and owned by human journalists. Our intended audience is real people, not AI scrapers, bots, or a search algorithm. Become a paid subscriber here for access to all of our articles ad-free and bonus content. This article was produced in collaboration with Court Watch, an independent outlet that unearths overlooked court records. To subscribe to Court Watch, click here. A serial mail thief’s alleged robbery spree ended after he posted photos of stolen credit cards and bins of mail to his Instagram Stories on the same day he robbed a carrier at knifepoint. Jordan McCorvey, a 32-year-old man in Ohio, allegedly robbed a USPS letter carrier’s truck while they were on their delivery route on November 28. The carrier told investigators two men approached their truck with a knife and demanded access to the truck, according to the affidavit, and when the carrier unlocked the truck and gave them access, they took a tray of mail. The description of one of the suspects matched a man who investigators already knew as “a known mail thief with criminal history related to possession of stolen mail and bank fraud,” the complaint says. The same day as the theft, McCorvey’s Instagram accounts—with the usernames "2corkmoney," "Icorkmoneybaby," and "cork2saucy”—posted photos of him flipping through stacks of mail still in the USPS tray, showing the same zip code on the letters as the carrier’s stolen deliveries. For the next few days, more evidence appeared on McCorvey’s Instagram Stories, where he uploaded photos and videos “involving banking transactions and other various posts connected to financial institutions,” according to the complaint. “These posts included solicitations for individuals with bank accounts or other related financial information.” In one photo, a man—it’s not clear from the complaint whether it’s McCorvey— celebrates in front of a Wells Fargo ATM, holding a card in the air, with a Wells Fargo branch tagged as a location sticker on the photo. This isn’t the first time an alleged criminal outed himself by bragging on social media and in public. Idriss Qibaa, the man who ran an extortion scheme called Unlocked4Life.com that promised to unlock clients’ social media accounts, admitted on the popular No Jumper podcast that he was the one locking people’s accounts to extort them out of thousands of dollars, which helped the FBI charge him. McCorvey was arrested on January 9 in Columbus. Mail theft is a federal crime and McCorvey could face fines and up to five years in prison. About the author Sam Cole is writing from the far reaches of the internet, about sexuality, the adult industry, online culture, and AI. She's the author of How Sex Changed the Internet and the Internet Changed Sex. More from Samantha Cole
|
||||
==============
|
||||
Огайо, 32-летний мужчина, Дордн МакКорви, был арестован за кражу почты, в том числе за кражу почтового сотрудника USPS, а также за публикацию в Instagram фотографий украденных кредитных карт и почтовых ящиков. МакКорви также использовал свою учетную запись Instagram для публикации информации о банковских транзакциях и финансовых учреждениях. Дело похоже на другие случаи, когда люди признаются в преступлениях через социальные сети.
|
||||
@@ -1,3 +0,0 @@
|
||||
404 Media is an independent website whose work is written, reported, and owned by human journalists. Our intended audience is real people, not AI scrapers, bots, or a search algorithm. Become a paid subscriber here for access to all of our articles ad-free and bonus content. We start this week with Joseph’s article about ELITE, a tool Palantir is working on for ICE. After the break, Emanuel tells us how AI influencers are making fake sex tape-style photos with celebrities, who can’t be best pleased about it. In the subscribers-only section, Matthew breaks down Comic-Con’s ban of AI art. Listen to the weekly podcast on Apple Podcasts, Spotify, or YouTube. Become a paid subscriber for access to this episode's bonus content and to power our journalism. If you become a paid subscriber, check your inbox for an email from our podcast host Transistor for a link to the subscribers-only version! You can also add that subscribers feed to your podcast app of choice and never miss an episode that way. The email should also contain the subscribers-only unlisted YouTube link for the extended video version too. It will also be in the show notes in your podcast player. ‘ELITE’: The Palantir App ICE Uses to Find Neighborhoods to Raid Instagram AI Influencers Are Defaming Celebrities With Sex Scandals Comic-Con Bans AI Art After Artist Pushback 404 Media is an independent website whose work is written, reported, and owned by human journalists. Our intended audience is real people, not AI scrapers, bots, or a search algorithm. Become a paid subscriber here for access to all of our articles ad-free and bonus content. About the author Joseph is an award-winning investigative journalist focused on generating impact. His work has triggered hundreds of millions of dollars worth of fines, shut down tech companies, and much more. More from Joseph Cox
|
||||
==============
|
||||
404 Media представляет собой независимый веб-сайт, создаваемый и управляемый журналистами. Сайт ориентирован на реальных людей, а не на автоматизированные системы. Предоставляет статьи, подкасты и эксклюзивный контент для платных подписчиков. В статьях и подкасте освещаются темы, связанные с использованием технологий, включая приложения для правоохранительных органов, использование искусственного интеллекта для создания фальшивых изображений знаменитостей и запрет использования ИИ в искусстве Comic-Con. Подписка предоставляет доступ ко всему контенту без рекламы и дополнительному материалу.
|
||||
File diff suppressed because one or more lines are too long
@@ -1,3 +0,0 @@
|
||||
404 Media is an independent website whose work is written, reported, and owned by human journalists. Our intended audience is real people, not AI scrapers, bots, or a search algorithm. Become a paid subscriber here for access to all of our articles ad-free and bonus content. It’s possible to win a gem mint Surging Sparks Pikachu EX Pokémon card worth as much as $840 from a vending machine in the Pentagon food court. Thanks to a company called Lucky Box Vending, anyone passing through the center of American military power can pay to win a piece of randomized memorabilia from a machine dispensing collectibles. On Christmas Eve, a company called Lucky Box announced it had installed one of its vending machines at the Pentagon in a now-deleted post on Threads. “A place built on legacy, leadership, and history—now experiencing the thrill of Lucky Box firsthand,” the post said. “This is a milestone moment for Lucky Box and we’re excited for this opportunity. Nostalgia. Pure Excitement.” A Lucky Box is a kind of gacha machine or lootbox, a vending machine that dispenses random prizes for cash. A person puts in money and the machine spits out a random collectible. Customers pick a “type” of collectible they want—typically either a rare Pokémon card, sports card, or sports jersey—insert money and get a random item. The cost of a spin on the Lucky Box varies from location to location, but it’s typically somewhere around $100 to $200. Pictures and advertisements of the Pentagon Lucky Box don’t tell us how much a box cost in the nation’s capitol and the company did not respond to 404 Media’s request for comment. Most of the cards and jerseys inside a Lucky Box vending machine are only worth a few dollars, but the company promises that every machine has a few of what it calls “holy grail” items. The Pentagon Lucky Box had a picture of a gem mint 1st edition Charizard Pokémon card on the side of it, a card worth more than $100,000. The company’s social media feed is full of people opening items like a CGC graded perfect 10 1st edition Venusaur shadowless holo Pokémon card (worth around $14,000) or a 2023 Mookie Betts rookie card. Most people, however, don’t win the big prizes. Lucky Box vending machines are scattered across the country and mostly installed in malls. According to the store locator on its website, more than 20 of the machines are in Las Vegas. Which makes sense, because Lucky Boxes are a kind of gambling. These types of gacha machines are wildly popular in Japan and other countries in Southeast Asia. They’ve seen an uptick in popularity in the US in the past few years, driven by loosening restrictions on gambling and pop culture crazes such as Labubu. Task & Purpose first reported that the Lucky Box had been in place since December 23, 2025. Pentagon spokesperson Susan Gough told 404 Media that, as of this writing, the Lucky Box vending machine was still installed in the Pentagon’s main food court. Someone took pictures of the thing and posted them to the r/army on Monday. From there, the pictures made it onto most of the major military subreddits and various Instagram accounts like USArmyWTF. After Task & Purpose reported on the presence of the Lucky Box at the Pentagon, Lucky Box deleted any mention of the location from its social media and the Pentagon location is not currently listed on the company’s store locator. But it is, according to Gough, still there. In gaming, the virtual versions of these loot boxes are frowned upon. Seven years ago, games like Star Wars: Battlefront II were at the center of a controversy around similar mechanics. At the time, it was common for video games to sell loot boxes to users for a few bucks. This culminated in an FTC investigation. A year ago, the developers of Genshin Impact agreed to pay a $20 million fine for selling loot boxes to teens under 16 without parental consent.The practice never went away in video games, but most major publishers backed off the practice in non-sports titles. Now, almost a decade later, the lootboxes have spread into real life and one of them is in the Pentagon. 404 Media is an independent website whose work is written, reported, and owned by human journalists. Our intended audience is real people, not AI scrapers, bots, or a search algorithm. Become a paid subscriber here for access to all of our articles ad-free and bonus content. About the author Matthew Gault is a writer covering weird tech, nuclear war, and video games. He’s worked for Reuters, Motherboard, and the New York Times. More from Matthew Gault
|
||||
==============
|
||||
В Пентагоне установлена машина Lucky Box, предлагающая случайные призы за деньги, включая редкие коллекционные карточки, такие как Charizard или Venusaur. Компания Lucky Box, специализирующаяся на подобных автоматах, также располагает ими в торговых центрах и казино. Появление такой машины в Пентагоне вызвало общественный резонанс и дискуссии о влиянии подобных развлечений, особенно в контексте видеоигр, где подобные механики уже вызвали споры и санкции. Компания удалила упоминание о Пентагоне из своих социальных сетях, но машина остается.
|
||||
@@ -1,3 +0,0 @@
|
||||
Stop overpaying - start transferring money with Ogvio. Sign up, invite friends & grab Rewards now! 🎁 Enjoyed this article? Share it with your friends! Aave AAVE $157.38 , a decentralized finance (DeFi) protocol, has handed over the leadership of its social protocol, Lens, to Mask Network. The decision shifts responsibility for building user-facing applications to Mask, while Aave keeps its focus on decentralized finance. The update was confirmed by both Lens and Aave’s founder, Stani Kulechov. In a post on X, Kulechov said Aave will now provide technical guidance rather than lead development. Did you know? Want to get smarter & wealthier with crypto? Subscribe - We publish new crypto explainer videos every week! What is NEO in Crypto? Chinese Ethereum Explained (ANIMATED) SUBSCRIBE ON YOUTUBE Mask Network, known for adding blockchain tools to social and messaging apps, will guide Lens through its next phase. It will take charge of product planning, user experience, and daily operations for applications built on the protocol. These include social platforms like Orb, as well as other projects that use Lens to connect users via on-chain profiles. Although the transition was described as a change in "stewardship", both teams clarified that it was not a sale or ownership transfer. Its main parts, such as the social graph, profiles, follows, and smart contracts, will stay accessible to anyone who wants to build on them. There is no sign of a transfer involving governance, intellectual property, or treasury assets. Aave’s role will be limited to providing protocol-level advice, while Mask Network will handle everything related to the user side and app development. Recently, Chainlink announced plans to bring more of the US stock market onto blockchain networks. How? Read the full story. Aaron S. Editor-In-Chief Having completed a Master’s degree in Economics, Politics, and Cultures of the East Asia region, Aaron has written scientific papers analyzing the differences between Western and Collective forms of capitalism in the post-World War II era. With close to a decade of experience in the FinTech industry, Aaron understands all of the biggest issues and struggles that crypto enthusiasts face. He’s a passionate analyst who is concerned with data-driven and fact-based content, as well as that which speaks to both Web3 natives and industry newcomers. Aaron is the go-to person for everything and anything related to digital currencies. With a huge passion for blockchain & Web3 education, Aaron strives to transform the space as we know it, and make it more approachable to complete beginners. Aaron has been quoted by multiple established outlets, and is a published author himself. Even during his free time, he enjoys researching the market trends, and looking for the next supernova. Full Bio See Our Experts Thirsty for the Hottest Crypto News in Your Inbox? Get crypto-smart in just 3 mins a day with our newsletter! Join 120,000+ subscribers & get a juicy Daily Squeeze of the hottest, jargon-free news and insights straight to your inbox. Subscribe
|
||||
==============
|
||||
Aave передает управление своим социальным протоколом Lens компании Mask Network, сосредотачиваясь на поддержке и техническом руководстве, в то время как Mask Network берет на себя ответственность за разработку и управление приложениями на базе Lens, включая социальные платформы, такие как Orb. Это изменение не связано с передачей владения, интеллектуальной собственности или средств, а лишь с передачей ответственности за пользовательскую часть и разработку приложений.
|
||||
@@ -1,3 +0,0 @@
|
||||
Stop overpaying - start transferring money with Ogvio. Sign up, invite friends & grab Rewards now! 🎁 Enjoyed this article? Share it with your friends! Bhutan has announced plans to begin operating a Sei Network validator in the first quarter. According to a press release published on January 20, the project is being carried out through a partnership between the Sei Development Foundation and Druk Holding and Investments (DHI), the country’s main sovereign wealth fund. DHI’s technology division will oversee the setup and operation of the validator. Did you know? Want to get smarter & wealthier with crypto? Subscribe - We publish new crypto explainer videos every week! What Are Flash Loans? TOP Ways to Make Passive Income Explained SUBSCRIBE ON YOUTUBE Phuntsho Namgay, who heads DHI’s Innovation and Technology Department, said the organization intends to continue working with the Sei Development Foundation to explore additional blockchain-related opportunities aligned with Bhutan’s modernization goals. Namgay stated, "This collaboration marks an exciting step toward strengthening Bhutan’s role in global blockchain innovation while unlocking new pathways for data valuation, scientific advancement, and financial technology". Eleanor Davies, the Sei Development Foundation’s science and innovation lead, said the collaboration extends beyond validator deployment. She noted that future initiatives could focus on tokenization, digital payments, and identity systems. She said, “Our collaboration is a significant investment in national blockchain adoption, further expands Sei’s global validator footprint, and will set the stage for us to partner on innovative projects like payments, tokenization, and personal identification into the future". Bhutan has announced its intention to dedicate 10,000 Bitcoin BTC $89,275.30 from its reserves to fund the establishment of the Gelephu Mindfulness City (GMC). What is it? Read the full story. Aaron S. Editor-In-Chief Having completed a Master’s degree in Economics, Politics, and Cultures of the East Asia region, Aaron has written scientific papers analyzing the differences between Western and Collective forms of capitalism in the post-World War II era. With close to a decade of experience in the FinTech industry, Aaron understands all of the biggest issues and struggles that crypto enthusiasts face. He’s a passionate analyst who is concerned with data-driven and fact-based content, as well as that which speaks to both Web3 natives and industry newcomers. Aaron is the go-to person for everything and anything related to digital currencies. With a huge passion for blockchain & Web3 education, Aaron strives to transform the space as we know it, and make it more approachable to complete beginners. Aaron has been quoted by multiple established outlets, and is a published author himself. Even during his free time, he enjoys researching the market trends, and looking for the next supernova. Full Bio See Our Experts Thirsty for the Hottest Crypto News in Your Inbox? Get crypto-smart in just 3 mins a day with our newsletter! Join 120,000+ subscribers & get a juicy Daily Squeeze of the hottest, jargon-free news and insights straight to your inbox. Subscribe
|
||||
==============
|
||||
Бутан планирует запустить валидатор сети Sei в первом квартале в партнерстве с Sei Development Foundation и Druk Holding and Investments (DHI). Целью является укрепление роли Бутана в глобальной инновации в области блокчейна, а также развитие новых возможностей в таких областях, как токенизация, цифровые платежи и системы идентификации. Также Бутан намеревается выделить 10 000 биткоинов для финансирования Gelephu Mindfulness City (GMC).
|
||||
@@ -1,3 +0,0 @@
|
||||
Stop overpaying - start transferring money with Ogvio. Sign up, invite friends & grab Rewards now! 🎁 Enjoyed this article? Share it with your friends! BitDegree, the leading platform for Web3 education, has launched its latest Mission titled Global Money Transfers: Brazil Edition. Participants can explore the best ways to send money to Brazil and earn up to 1,700 Bits for completing all rounds of the Mission. The Mission can be retaken, but participants can receive Bits and Degrees only on their first attempt. Did you know? Want to get smarter & wealthier with crypto? Subscribe - We publish new crypto explainer videos every week! What Are Flash Loans? TOP Ways to Make Passive Income Explained SUBSCRIBE ON YOUTUBE Notably, the Bits collected can be used to increase participants’ share in the BitDegree x Ogvio Airdrop, which features a $20,000 prize pool in crypto. The more Bits participants have, the larger their share of the prize pool will be. Once the BitDegree x Ogvio Airdrop concludes on February 8, 2026, participants’ collected Bits will be converted into their share of the prize pool. To earn more Bits, users can complete more Missions, refer friends, and finish bonus tasks. Previously, BitDegree launched the Win $25K With Figure’s Democratized Prime Mission, where participants could earn up to 2,500 Bits and additional rewards. Aaron S. Editor-In-Chief Having completed a Master’s degree in Economics, Politics, and Cultures of the East Asia region, Aaron has written scientific papers analyzing the differences between Western and Collective forms of capitalism in the post-World War II era. With close to a decade of experience in the FinTech industry, Aaron understands all of the biggest issues and struggles that crypto enthusiasts face. He’s a passionate analyst who is concerned with data-driven and fact-based content, as well as that which speaks to both Web3 natives and industry newcomers. Aaron is the go-to person for everything and anything related to digital currencies. With a huge passion for blockchain & Web3 education, Aaron strives to transform the space as we know it, and make it more approachable to complete beginners. Aaron has been quoted by multiple established outlets, and is a published author himself. Even during his free time, he enjoys researching the market trends, and looking for the next supernova. Full Bio See Our Experts Thirsty for the Hottest Crypto News in Your Inbox? Get crypto-smart in just 3 mins a day with our newsletter! Join 120,000+ subscribers & get a juicy Daily Squeeze of the hottest, jargon-free news and insights straight to your inbox. Subscribe
|
||||
==============
|
||||
BitDegree запускает миссию "Global Money Transfers: Brazil Edition", предлагая участникам возможность зарабатывать до 1700 Bits, отправляя деньги в Бразилию. Участники могут повторно проходить миссию, но получают вознаграждение только один раз. Собранные Bits можно использовать для увеличения доли в Airdrop BitDegree x Ogvio, где призовой фонд составляет 20 000 долларов в криптовалюте. Для получения дополнительных Bits участники могут проходить другие миссии, приглашать друзей и выполнять дополнительные задания.
|
||||
@@ -1,3 +0,0 @@
|
||||
Stop overpaying - start transferring money with Ogvio. Sign up, invite friends & grab Rewards now! 🎁 Enjoyed this article? Share it with your friends! The Circle Foundation will support the United Nations Digital Hub of Treasury Solutions (DHoTS) to accelerate the flow of aid funds across the UN ecosystem. According to a press release, this offer was presented during a World Economic Forum session in Davos. Legacy systems that handle over $38 billion in aid each year often lag and add costs. This is not the first time Circle worked with the refugee agency. In 2022, they used USDC USDC $1.00 to deliver aid to displaced Ukrainians. Did you know? Want to get smarter & wealthier with crypto? Subscribe - We publish new crypto explainer videos every week! What is a Perpetual Contract in Crypto? (Definition + Example) SUBSCRIBE ON YOUTUBE The new grant's goal is to improve the DHoTS platform's ability to send funds more quickly, improve recordkeeping, and reduce overhead. It marks the Circle Foundation's first global initiative, backed by a 1% equity pledge from Circle Internet Group, Inc. The Circle Foundation's donation will support upgrades in payment infrastructure across UN bodies. It is designed to reduce handling costs and provide clearer logs, so donors know how their funds are spent. Funds will go toward modern tools that let agencies access global banking systems more quickly and reliably. Elisabeth Carpenter, Founding Chair of Circle Foundation, stated, "By helping DHoTS integrate digital financial infrastructure, including regulated stablecoins with embedded regulatory financial risk management, compliance, and integrated AI-enabled controls, we can help make aid faster, more transparent, and more accountable across the entire UN system". Recently, Chainlink LINK $12.28 announced plans to bring more of the US stock market onto blockchain networks. How? Read the full story. Aaron S. Editor-In-Chief Having completed a Master’s degree in Economics, Politics, and Cultures of the East Asia region, Aaron has written scientific papers analyzing the differences between Western and Collective forms of capitalism in the post-World War II era. With close to a decade of experience in the FinTech industry, Aaron understands all of the biggest issues and struggles that crypto enthusiasts face. He’s a passionate analyst who is concerned with data-driven and fact-based content, as well as that which speaks to both Web3 natives and industry newcomers. Aaron is the go-to person for everything and anything related to digital currencies. With a huge passion for blockchain & Web3 education, Aaron strives to transform the space as we know it, and make it more approachable to complete beginners. Aaron has been quoted by multiple established outlets, and is a published author himself. Even during his free time, he enjoys researching the market trends, and looking for the next supernova. Full Bio See Our Experts Thirsty for the Hottest Crypto News in Your Inbox? Get crypto-smart in just 3 mins a day with our newsletter! Join 120,000+ subscribers & get a juicy Daily Squeeze of the hottest, jargon-free news and insights straight to your inbox. Subscribe
|
||||
==============
|
||||
Компания Circle Foundation предоставит финансирование для улучшения платформы DHoTS, используемой Организацией Объединенных Наций для ускорения и повышения прозрачности потока средств, особенно в контексте доставки помощи. Это включает модернизацию инфраструктуры платежей, интеграцию с цифровыми валютами и снижение операционных издержек, что позволит обеспечить более эффективное использование средств доноров и улучшить учет транзакций.
|
||||
@@ -1,3 +0,0 @@
|
||||
Stop overpaying - start transferring money with Ogvio. Sign up, invite friends & grab Rewards now! 🎁 Enjoyed this article? Share it with your friends! Ethereum ETH $2,951.90 co-founder Vitalik Buterin plans to dedicate 2026 to developing decentralized social media. He noted that true progress in online communication depends on building networks powered by decentralized data systems. He also stated that such an approach creates healthy competition and platforms that reflect what users actually value, rather than chasing engagement numbers. Did you know? Want to get smarter & wealthier with crypto? Subscribe - We publish new crypto explainer videos every week! What Is Tether? (USDT SIMPLY Explained With Animations) SUBSCRIBE ON YOUTUBE In a post on X on January 21, Buterin shared that he has already shifted most of his online activity to decentralized platforms this year. Every post he has made or read so far in 2026 has been through Firefly, a platform that connects to X, Lens, Farcaster, and Bluesky. Buterin wrote, “If we want a better society, we need better mass communication tools". He explained that decentralization allows multiple social apps to run on the same open data layer. However, Buterin noted that these projects often reward status and quick profits rather than improving the quality of conversations. According to him, these SocialFi attempts have failed because they prioritize token gains over building meaningful systems. As a comparison, he mentioned creator-focused models like Substack, which he believes better align incentives with the creation of useful, high-quality work. Buterin urged the community to spend more time in decentralized ecosystems. He described them as the next step away from the “single centralized info warzone” that dominates today’s internet. Recently, Buterin urged developers to rethink how decentralized autonomous organizations (DAOs) are built. What did he say? Read the full story. Aaron S. Editor-In-Chief Having completed a Master’s degree in Economics, Politics, and Cultures of the East Asia region, Aaron has written scientific papers analyzing the differences between Western and Collective forms of capitalism in the post-World War II era. With close to a decade of experience in the FinTech industry, Aaron understands all of the biggest issues and struggles that crypto enthusiasts face. He’s a passionate analyst who is concerned with data-driven and fact-based content, as well as that which speaks to both Web3 natives and industry newcomers. Aaron is the go-to person for everything and anything related to digital currencies. With a huge passion for blockchain & Web3 education, Aaron strives to transform the space as we know it, and make it more approachable to complete beginners. Aaron has been quoted by multiple established outlets, and is a published author himself. Even during his free time, he enjoys researching the market trends, and looking for the next supernova. Full Bio See Our Experts Thirsty for the Hottest Crypto News in Your Inbox? Get crypto-smart in just 3 mins a day with our newsletter! Join 120,000+ subscribers & get a juicy Daily Squeeze of the hottest, jargon-free news and insights straight to your inbox. Subscribe
|
||||
==============
|
||||
Виталик Буттерн считает, что развитие децентрализованных социальных сетей, основанных на открытых данных, необходимо для создания здоровой конкуренции и платформ, отражающих потребности пользователей, а не просто стремления к увеличению числа активных пользователей. Он отмечает, что текущие попытки в области SocialFi (социальные сети на основе блокчейна) часто фокусируются на получении прибыли от токенов, а не на создании качественных систем для общения. Буттерн рекомендует больше использовать децентрализованные платформы, такие как Firefly, и переосмыслить создание DAO (децентрализованных автономных организаций).
|
||||
@@ -1,3 +0,0 @@
|
||||
Stop overpaying - start transferring money with Ogvio. Sign up, invite friends & grab Rewards now! 🎁 Enjoyed this article? Share it with your friends! Blockchain analytics firm Elliptic has reported that the Central Bank of Iran (CBI) purchased about $507 million worth of Tether’s USDT USDT $1.00 . According to Elliptic’s report, the CBI began collecting USDT during a time of economic instability. The report stated, "The CBI's accumulation of USDT began in earnest during a period of extreme economic volatility". Did you know? Want to get smarter & wealthier with crypto? Subscribe - We publish new crypto explainer videos every week! How to Buy Crypto SAFELY With a Credit Card (Animated) SUBSCRIBE ON YOUTUBE Over an eight-month period, the rial’s worth dropped by half compared to the US dollar. To slow this decline, the bank may have started using its Tether holdings to buy back rials on the Iranian crypto exchange Nobitex. Elliptic’s data shows that the Iranian central bank likely used Nobitex, one of the country’s largest crypto exchanges, to handle its USDT transactions. The partnership continued until June 2025, when Nobitex experienced a security breach. After that, the CBI changed its approach before exchanging them for other assets and shifting them across several blockchains and trading platforms. They transferred their stablecoins “to a cross-chain bridge service to move the funds from TRON TRX $0.3009 to Ethereum ETH $2,950.17 ". The report also noted that Tether can freeze wallets holding USDT. Elliptic cited an incident from June 2025 when “several wallets linked to the CBI were blacklisted", which froze around $37 million worth of stablecoins. Recently, a Chainalysis report showed that Iran’s cryptocurrency activity reached about $7.8 billion in 2025. How? Read the full story. Aaron S. Editor-In-Chief Having completed a Master’s degree in Economics, Politics, and Cultures of the East Asia region, Aaron has written scientific papers analyzing the differences between Western and Collective forms of capitalism in the post-World War II era. With close to a decade of experience in the FinTech industry, Aaron understands all of the biggest issues and struggles that crypto enthusiasts face. He’s a passionate analyst who is concerned with data-driven and fact-based content, as well as that which speaks to both Web3 natives and industry newcomers. Aaron is the go-to person for everything and anything related to digital currencies. With a huge passion for blockchain & Web3 education, Aaron strives to transform the space as we know it, and make it more approachable to complete beginners. Aaron has been quoted by multiple established outlets, and is a published author himself. Even during his free time, he enjoys researching the market trends, and looking for the next supernova. Full Bio See Our Experts Thirsty for the Hottest Crypto News in Your Inbox? Get crypto-smart in just 3 mins a day with our newsletter! Join 120,000+ subscribers & get a juicy Daily Squeeze of the hottest, jargon-free news and insights straight to your inbox. Subscribe
|
||||
==============
|
||||
Центральный банк Ирана использовал Tether (USDT) для стабилизации иранского риала в период экономической нестабильности, приобретая USDT через крупнейшую криптовалютную биржу Nobitex. После взлома Nobitex и последующих изменений в политике, ЦБ Ирана перевел USDT на другие блокчейны, включая Ethereum, и использовал услуги cross-chain bridge для перемещения средств. Отчет Elliptic также указывает на возможность заморозки кошельков USDT, что было продемонстрировано в июне 2025 года, когда были заблокированы счета, содержащие около 37 миллионов долларов USDT. Объем криптовалютной активности в Иране в 2025 году составил около 7,8 миллиарда долларов.
|
||||
@@ -1,3 +0,0 @@
|
||||
Stop overpaying - start transferring money with Ogvio. Sign up, invite friends & grab Rewards now! 🎁 Enjoyed this article? Share it with your friends! The US Securities and Exchange Commission (SEC) has received two new public comments through its Crypto Task Force page. Both focus on how digital asset ownership and decentralized finance (DeFi) trading should be regulated in the future. One submission was sent by “DK Willard", which represents concerns from Louisiana users. The other came from the Blockchain Association Trading Firm Working Group, which deals with tokenized equity markets and regulatory definitions for dealers. Did you know? Want to get smarter & wealthier with crypto? Subscribe - We publish new crypto explainer videos every week! What is Basic Attention Token (BAT)? Brave Browser EASILY Explained SUBSCRIBE ON YOUTUBE The Louisiana comment refers to House Bill 488, a state law that confirms residents’ right to keep control of their digital assets. It emphasizes that any upcoming federal crypto laws should maintain clear registration standards, ensure transparency, and uphold rules that prevent fraud and manipulation. It also warns that some federal proposals could create loopholes that allow developers and platforms to avoid key investor protection obligations. Meanwhile, the Blockchain Association’s letter asks the SEC to clarify how dealer rules apply to firms active in tokenized and DeFi markets. The group argues that companies trading only on their own behalf, without managing client funds or acting as agents, should not automatically be classified as dealers under the Exchange Act. The letter adds that today’s broker-dealer rules were built for traditional financial systems and may not suit blockchain environments that rely on smart contracts for trade settlement. Recently, SEC Chair Paul Atkins spoke in a Fox Business interview about claims that Venezuela might hold around $60 billion in Bitcoin BTC $89,275.30 . What did he say? Read the full story. Aaron S. Editor-In-Chief Having completed a Master’s degree in Economics, Politics, and Cultures of the East Asia region, Aaron has written scientific papers analyzing the differences between Western and Collective forms of capitalism in the post-World War II era. With close to a decade of experience in the FinTech industry, Aaron understands all of the biggest issues and struggles that crypto enthusiasts face. He’s a passionate analyst who is concerned with data-driven and fact-based content, as well as that which speaks to both Web3 natives and industry newcomers. Aaron is the go-to person for everything and anything related to digital currencies. With a huge passion for blockchain & Web3 education, Aaron strives to transform the space as we know it, and make it more approachable to complete beginners. Aaron has been quoted by multiple established outlets, and is a published author himself. Even during his free time, he enjoys researching the market trends, and looking for the next supernova. Full Bio See Our Experts Thirsty for the Hottest Crypto News in Your Inbox? Get crypto-smart in just 3 mins a day with our newsletter! Join 120,000+ subscribers & get a juicy Daily Squeeze of the hottest, jargon-free news and insights straight to your inbox. Subscribe
|
||||
==============
|
||||
Компания Ogvio предлагает удобный способ перевода денег. Комиссия SEC рассматривает комментарии о регулировании цифровых активов и децентрализованных финансов, в которых высказываются опасения по поводу возможных лазеек в федеральных законах, а также необходимостью адаптации существующих правил к новым технологиям, таким как смарт-контракты.
|
||||
@@ -1,3 +0,0 @@
|
||||
Stop overpaying - start transferring money with Ogvio. Sign up, invite friends & grab Rewards now! 🎁 Enjoyed this article? Share it with your friends! Blockchain security company SlowMist has reported a new security issue affecting Linux users. Attackers are using trusted apps on the Snap Store to collect crypto wallet recovery phrases and steal funds. According to SlowMist’s chief information security officer, 23pds, the attackers are taking over Snap Store publisher accounts by registering expired domains. These accounts, once controlled, are then used to push fake updates through official channels. Did you know? Want to get smarter & wealthier with crypto? Subscribe - We publish new crypto explainer videos every week! What is a Crypto Airdrop & How to Get FREE Coins? (Animated) SUBSCRIBE ON YOUTUBE The fake apps are made to look like real crypto wallets, including Exodus, Ledger Live, and Trust Wallet. When users install or update the app, they are asked to enter their wallet recovery phrases. The attackers then capture these details and gain access to the users’ funds. SlowMist explained that the attackers monitor developer accounts linked to domains that have expired but were once legitimate. Once the domain becomes available, they register it and use email addresses tied to that domain to reset the account password. After gaining access, the attackers can add harmful code through normal software updates instead of creating new apps, which helps them avoid suspicion. SlowMist confirmed that two publisher domains, “storewise[.]tech" and “vagueentertainment[.]com", have already been compromised. CertiK traced about $63 million in Tornado Cash deposits linked to the $282 million crypto wallet hack on January 10. What did the blockchain security firm say? Read the full story. Aaron S. Editor-In-Chief Having completed a Master’s degree in Economics, Politics, and Cultures of the East Asia region, Aaron has written scientific papers analyzing the differences between Western and Collective forms of capitalism in the post-World War II era. With close to a decade of experience in the FinTech industry, Aaron understands all of the biggest issues and struggles that crypto enthusiasts face. He’s a passionate analyst who is concerned with data-driven and fact-based content, as well as that which speaks to both Web3 natives and industry newcomers. Aaron is the go-to person for everything and anything related to digital currencies. With a huge passion for blockchain & Web3 education, Aaron strives to transform the space as we know it, and make it more approachable to complete beginners. Aaron has been quoted by multiple established outlets, and is a published author himself. Even during his free time, he enjoys researching the market trends, and looking for the next supernova. Full Bio See Our Experts Thirsty for the Hottest Crypto News in Your Inbox? Get crypto-smart in just 3 mins a day with our newsletter! Join 120,000+ subscribers & get a juicy Daily Squeeze of the hottest, jargon-free news and insights straight to your inbox. Subscribe
|
||||
==============
|
||||
Компания SlowMist предупреждает о новой угрозе безопасности для пользователей Linux: злоумышленники используют приложения из Snap Store для кражи данных восстановления криптовалютных кошельков. Приложения, маскирующиеся под известные, такие как Exodus, Ledger Live и Trust Wallet, запрашивают данные восстановления, которые затем используются для получения доступа к средствам. Злоумышленники взламывают аккаунты издателей, регистрируя ранее неактивные доменные имена и используя связанные с ними адреса электронной почты для сброса паролей. Это позволяет им внедрять вредоносный код через официальные каналы обновлений. SlowMist сообщает о компрометации двух доменных имен: storewise[.]tech и vagueentertainment[.]com. Также упоминается, что компания CertiK отследила $63 миллиона в депозитах, связанных с хаком Tornado Cash.
|
||||
@@ -1,3 +0,0 @@
|
||||
Stop overpaying - start transferring money with Ogvio. Sign up, invite friends & grab Rewards now! 🎁 Enjoyed this article? Share it with your friends! Solana Mobile, a company under Solana SOL $128.12 Labs, has started a new token airdrop for people who own its Solana Seeker smartphone. The announcement was made on X, where the company confirmed that the SKR token is now live. Owners of the Seeker phone have 90 days to claim their tokens. After claiming, users can choose to stake SKR through Solana Mobile’s staking feature to earn extra rewards. Did you know? Want to get smarter & wealthier with crypto? Subscribe - We publish new crypto explainer videos every week! What Is a Neobank (And Should You Use It)? SUBSCRIBE ON YOUTUBE The distribution includes about 2 billion SKR tokens, worth around $26.6 million when announced. It covers more than 100,000 users and 188 developers. The SKR token is the main token for the Solana Mobile ecosystem. It has a total supply of 10 billion tokens and follows the SPL standard used across the Solana blockchain. Within the platform, SKR is used for both governance and rewards. Solana Mobile said the goal of SKR is to motivate participation from users, support platform security, and reward both developers and contributors. It also helps users access certain features and services within the Solana Mobile system. According to the company, users who stake SKR will start earning rewards right away. The process has no commission fees at launch, and inflation events occur every 48 hours. Solana Mobile said, "Staked SKR starts earning immediately, with inflation events every 48 hours and 0% commission upon launch". Meanwhile, The non-fungible token (NFT) martketplace Magic Eden will begin sharing a part of its income with holders of the ME token. What did the company say? Read the full story. Aaron S. Editor-In-Chief Having completed a Master’s degree in Economics, Politics, and Cultures of the East Asia region, Aaron has written scientific papers analyzing the differences between Western and Collective forms of capitalism in the post-World War II era. With close to a decade of experience in the FinTech industry, Aaron understands all of the biggest issues and struggles that crypto enthusiasts face. He’s a passionate analyst who is concerned with data-driven and fact-based content, as well as that which speaks to both Web3 natives and industry newcomers. Aaron is the go-to person for everything and anything related to digital currencies. With a huge passion for blockchain & Web3 education, Aaron strives to transform the space as we know it, and make it more approachable to complete beginners. Aaron has been quoted by multiple established outlets, and is a published author himself. Even during his free time, he enjoys researching the market trends, and looking for the next supernova. Full Bio See Our Experts Thirsty for the Hottest Crypto News in Your Inbox? Get crypto-smart in just 3 mins a day with our newsletter! Join 120,000+ subscribers & get a juicy Daily Squeeze of the hottest, jargon-free news and insights straight to your inbox. Subscribe
|
||||
==============
|
||||
Компания Solana Mobile запустила токен SKR для владельцев смартфона Solana Seeker, предоставляя 2 миллиарда токенов. Токен используется для управления и вознаграждения пользователей, разработчиков и участников экосистемы. Владельцы токенов могут использовать SKR для доступа к определенным функциям и сервисам, а также получать вознаграждения за стейкинг. Процесс стейкинга начинается немедленно, с инфляцией каждые 48 часов и отсутствием комиссий.
|
||||
File diff suppressed because one or more lines are too long
@@ -1,3 +0,0 @@
|
||||
AI is no longer a research experiment or a novelty in the IDE: it is part of the software delivery pipeline. Teams are learning that integrating AI into production is less about model performance and more about architecture, process, and accountability. In this article series, we examine what happens after the proof of concept and how AI changes the way we build, test, and operate systems. Across the articles, a consistent message emerges: sustainable AI development depends on the same fundamentals that underpin good software engineering, clear abstractions, observability, version control, and iterative validation. The difference now is that part of the system learns while it runs, which raises the bar for context design, evaluation pipelines, and human accountability. As teams mature, attention shifts from tools to architecture, from what a model can do to how the surrounding system ensures reliability, transparency, and control. You will see this in practice here, from resource-aware model building and human-in-the-loop data creation to the use of layered protocols, such as A2A with MCP, that enable agents to discover capabilities and collaborate without requiring rewrites. Agentic architectures are no longer a thought experiment. Systems that coordinate, adapt, and negotiate are moving into production, and the safest path is incremental, with clear guardrails and shared workflows. The InfoQ "AI Assisted Development: Real World Patterns, Pitfalls, and Production Readiness" article series captures where we are today: engineers turning experimentation into engineering, and AI moving from curiosity to craft. You can download the entire series collated in PDF format, in the associated eMag. Series Contents 1 AI Trends Disrupting Software Teams This article positions AI as the most significant shift in software since cloud computing, reshaping how teams build, operate, and collaborate. It highlights emerging trends from generative development to agentic systems, providing concrete guidance for developers, architects, and product managers as they adapt to this new era of AI-assisted software engineering. Article by: Bilgin Ibryam 2 Virtual Panel: AI in the Trenches: How Developers Are Rewriting the Software Process The virtual panel titled shifts from observation to hands-on experience. It brings together engineers, architects, and technical leaders to explore how AI is changing the landscape of software development. Practitioners share their insights on what succeeds and what fails when AI is incorporated into daily workflows, emphasizing the significance of context, validation, and cultural adaptation in making AI a sustainable element of modern engineering practices. Panelists: Mariia Bulycheva, May Walter, Phil Calçado, Andreas Kollegger Hosted by: Arthur Casals To be released: week of January 26, 2026 3 Why Most Machine Learning Projects Fail to Reach Production This article takes a diagnostic approach, examining why many initiatives stall before delivery, from weak problem framing and brittle data practices to the gap between promising models and real products. It offers practical guidance on setting clear business goals, treating data as a product, building early evaluation and monitoring, and aligning teams to move from prototype to production with confidence. Article by: Wenjie Zi To be released: week of February 2, 2026 4 Building LLMs in Resource Constrained Environments In this article, the focus shifts to exploring how limitations in infrastructure, data, and compute can drive innovation rather than hinder it. Drawing on real-world examples, it demonstrates how smaller, more efficient models, synthetic data generation, and disciplined engineering practices enable the creation of impactful AI systems even under severe resource constraints. Article by: Olimpiu Pop To be released: week of February 9, 2026 5 Architecting Agentic MLOps: A Layered Protocol Strategy with A2A and MCP This article shows how combining Agent-to-Agent communication with the Model Context Protocol enables interoperable, extensible multi-agent systems for real MLOps workflows. It outlines an architecture that decouples orchestration from execution, allowing teams to add new capabilities through discovery rather than rewrites and evolve from static pipelines to coordinated, intelligent operations. Article by: Shashank Kapoor, Sanjay Surendranath Girija, Lakshit Arora To be released: week of February 16, 2026 About the Author Arthur Casals Arthur Casals is a researcher and technology strategist exploring the intersection of Artificial Intelligence, Distributed Systems, and Multi-Agent Architectures. With more than two decades of experience in software engineering and leadership roles, he focuses on bridging advanced AI concepts with real-world systems and development practices. Show moreShow less
|
||||
==============
|
||||
Серия статей рассматривает переход от концептуальных AI-решений к их внедрению в производственную среду, подчеркивая важность архитектуры, процессов и ответственности. Ключевые моменты включают необходимость учитывать не только производительность моделей, но и создание надежных, прозрачных и контролируемых систем, а также применение принципов хорошего программного обеспечения, таких как абстракции, наблюдаемость и итеративное тестирование. Особое внимание уделяется адаптации к обучению "в реальном времени", что требует переосмысления контекста, пайплайнов оценки и человеческой ответственности. Акцент делается на постепенном, итеративном подходе с четкими границами и общими рабочими процессами, а также на использовании таких технологий, как A2A с MCP, для обеспечения взаимодействия и координации между агентами. Цель – превратить эксперименты в надежные инженерные решения, используя AI для повышения эффективности и автоматизации процессов.
|
||||
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
@@ -1,3 +0,0 @@
|
||||
To prevent LLMs and agents from obeying malicious instructions embedded in external data, all text entering an agent's context, not just user prompts, must be treated as untrusted until validated, says Niv Rabin, principal software architect at AI-security firm CyberArk. His team developed an approach based on instruction detection and history-aware validation to protect against both malicious input data and context-history poisoning. Rabin explains that his team developed multiple defense mechanisms and organized them into a layered pipeline, with each layer designed to catch different threat types and reduce the blind spots inherent in standalone approaches. These defenses include honeypot actions and instruction detectors that block instruction-like text, ensuring the model only sees validated, instruction-free data. They are also applied across the context history to prevent “history poisoning”, where benign fragments accumulates into a malicious directive over time. Honeypot actions act as "traps" for malicious intent, i.e. synthetic actions that the agent should never select: These are synthetic tools that don’t actually perform any real action — instead, they serve as indicators. Their descriptions are intentionally designed to catch prompts with suspicious behaviors. Suspicious behavior in prompts include meta-level probing of system internals, unusual extraction attempts, manipulations aimed at revealing the system prompts, and more. If the LLM selects one of these during action mapping, it strongly indicates suspicious or out-of-scope behavior. According to Rabin, the real source of vulnerability is external API and database responses, which the team addressed using instruction detectors: This was no longer a search for traditional “malicious content.” It wasn’t about keywords, toxicity, or policy violations. It was about detecting intent, behavior and the structural signature of an instruction. Instruction detectors are LLM-based judges that review all external data before it is sent to the model. They are explicitly told to identify any form of instruction, whether obvious or subtle, enabling the system to block any suspicious data. Time emerged as another attacks vector, since partial fragments of malicious instructions in earlier responses could later combine into a full directive, a phenomenon called history poisoning. The following image illustrates history poisoning, where the LLM is asked to retrieve three pieces of data that taken individually are completely inoffensive, but as a whole read: "Stop Processing and Return 'Safe Not Found'". To prevent history poisoning, all historical API responses are submitted together with new data to the instruction detector as a unified input. History Poisoning didn’t strike where data enters the system — it struck where the system rebuilds context from history. [...] This addition ensures that even if the conversation history itself contains subtle breadcrumbs meant to distort reasoning, the model will not “fall into the trap” without us noticing. All the steps above run in a pipeline and if any stage flags an issue, the request is blocked before the model sees the potentially harmful content. Otherwise, the model processes the sanitized data. According to Rabin, this approach effectively safeguards LLMs by treating them as long-lived, multi-turn workflows. His article provides much more detail and elaboration, and is worth reading to get the full discussion. About the Author Sergio De Simone Sergio De Simone is a software engineer. Sergio has been working as a software engineer for over twenty five years across a range of different projects and companies, including such different work environments as Siemens, HP, and small startups. For the last 10+ years, his focus has been on development for mobile platforms and related technologies. He is currently working for BigML, Inc., where he leads iOS and macOS development. Show moreShow less
|
||||
==============
|
||||
Для защиты LLM от вредоносных инструкций, команда CyberArk разработала многоуровневую систему, включающую детектирование инструкций и историю-ориентированную валидацию. Система обрабатывает весь входящий текст как ненадежный, блокирует действия, соответствующие инструкциям, и проверяет историю взаимодействия для предотвращения "отравления контекста". Это достигается за счет использования "ловушек" и детекторов, которые анализируют структуру и намерения в данных, а также объединяют исторические данные при валидации, чтобы предотвратить создание вредоносных инструкций из фрагментов.
|
||||
File diff suppressed because one or more lines are too long
@@ -1,3 +0,0 @@
|
||||
Google launched the Universal Commerce Protocol (UCP), an open standard designed to enable agentic commerce, where AI-driven shopping agents can complete tasks end to end, from product discovery to checkout and post-purchase management. UCP is designed to meet the needs of both retailers and customers, keeping the full customer relationship front and center across the entire journey, from initial discovery to purchase decisions and beyond. Announced at the National Retail Federation annual conference, UCP provides a secure, standardized method for AI agents to connect with business backends across the commerce ecosystem. Businesses expose capabilities, which can be extended with features such as discounts, and agents dynamically discover available services and payment options through business profiles. Payments are separated between instruments and processors, supporting multiple payment providers. Communication is supported across standard APIs, Agent2Agent, and Model Context Protocol bindings. Sample implementations, including a Python server and software development kit containing product data, demonstrate how agents can discover capabilities and execute checkout flows. American Express highlighted the protocol’s potential to streamline commerce in a LinkedIn post: Google’s Universal Commerce Protocol (UCP) is a new open standard for agentic commerce designed to reduce fragmented shopping journeys and help connect retailers and consumers for more seamless experiences. UCP will soon power new checkout experiences in AI Mode in Google Search and the Gemini app. Open standards like this are critical to building more secure, trusted commerce. UCP defines core commerce capabilities, including product discovery, cart management, checkout, and post-purchase workflows, as Google described in an under-the-hood technical blog post. Agents query business profiles to identify available services and negotiate supported features, reducing the need for bespoke integrations. This approach allows businesses to retain control over pricing, inventory, and fulfillment logic while enabling AI agents to operate autonomously. UCP high-level architecture (Source: Google Blog Post) The protocol includes a security architecture in which credential providers tokenize payment and identity information, and payment service providers handle transaction processing. This separation allows agents to operate without accessing raw payment or personal data. UCP is transport agnostic and supports standard API interactions as well as agent-focused bindings for conversational interfaces, AI assistants, and automated workflows. Early implementations appear in AI-powered search and assistant platforms, where eligible retailers can offer direct checkout experiences without redirecting users to external websites. Purchase Flow Demonstration Using an AI Agent (Source: Google Blog Post) UCP was co-developed with Shopify, Etsy, Wayfair, Target, and Walmart, and is endorsed by more than 20+ additional partners across the commerce ecosystem, including Adyen, American Express, Best Buy, Flipkart, Macy’s, Mastercard, Stripe, The Home Depot, Visa, and Zalando. The UCP roadmap focuses on establishing a comprehensive, global commerce standard that extends beyond isolated transactions. Initiatives include multi-item checkout, cart management, loyalty programs, post-order workflows, and personalized cross-sell and upsell options, all while keeping business logic central. Early implementations enable checkout from eligible U.S. retailers directly within Google surfaces during product research. The protocol will expand to markets including India, Indonesia, and Latin America. Google and partners invite feedback to refine the protocol, shaping interoperable, AI-driven commerce. About the Author Leela Kumili Leela is a Lead Software Engineer at Starbucks with deep expertise in building scalable, cloud-native systems and distributed platforms. She drives architecture, delivery, and operational excellence across the Rewards Platform, leading efforts to modernize systems, improve scalability, and enhance reliability. In addition to her technical leadership, Leela serves as an AI Champion for the organization, identifying opportunities to improve developer productivity and workflows using LLM-based tools and establishing best practices for AI adoption. She is passionate about building production-ready systems, enhancing developer experience, and mentoring engineers to grow in both technical and strategic impact. Her interests include platform engineering, distributed systems, developer productivity, and bridging technical solutions with business and product goals. Show moreShow less
|
||||
==============
|
||||
Google представила Universal Commerce Protocol (UCP), открытый стандарт для агентного комерса, позволяющий AI-агентам выполнять задачи от поиска продукта до оплаты и послепродажного обслуживания. UCP обеспечивает безопасный и стандартизированный способ взаимодействия AI-агентов с бизнес-системами, позволяя агентам динамически обнаруживать доступные услуги и варианты оплаты. Протокол поддерживает взаимодействие через стандартные API, Agent2Agent и Model Context Protocol, обеспечивая безопасную передачу данных и автоматизацию процессов. UCP разработан совместно с такими компаниями, как Shopify и другие, и предназначен для упрощения и ускорения процесса покупок с помощью AI.
|
||||
@@ -1,3 +0,0 @@
|
||||
Meta has published new details on how it is scaling its privacy infrastructure, outlining architectural changes designed to support generative AI product development while managing increasingly complex data flows and enforcing privacy compliance across its systems. Meta engineers emphasized that generative AI workloads introduce new challenges for privacy enforcement, including increased data volumes, new data modalities, and faster iteration cycles. They explained that traditional review and approval processes were not designed to operate at this scale or pace, particularly in environments where data moves across thousands of interconnected services and pipelines. To address these constraints, Privacy-Aware Infrastructure (PAI) was expanded to include a set of shared services and libraries that embed privacy controls directly into data storage, processing, and generative AI inference workflows. Engineers explained that this expansion provides a common foundation for enforcing privacy policies across heterogeneous systems, enabling controls to be applied consistently as data moves between services and products. End-to-end lineage for AI-glasses interaction(Source : Meta Tech Blog) A key component of this infrastructure is large-scale data lineage. Meta engineers explained that lineage tracking provides them visibility into where data originates, how it propagates across systems, and how downstream services, including AI training and inference pipelines, consume it. This visibility enables continuous evaluation of privacy policies as data flows through batch processing, real-time services, and generative AI workloads. To support lineage at scale, a shared privacy library, PrivacyLib, is embedded across infrastructure layers. Engineers detailed how the library instruments data reads and writes, and emits metadata linked into a centralized lineage graph. Standardizing the capture of privacy metadata allows policy constraints to be evaluated consistently without requiring individual teams to implement custom logic. Lineage observability via PrivacyLib (Source: Meta Tech Blog) Policy-based controls have also been added to govern how data can be stored, accessed, and used for specific purposes. These controls evaluate data flows at runtime, detecting and responding to violations as they occur. Enforcement actions can include logging, blocking prohibited flows, or routing data through approved pathways, engineers outlined. From lineage to proof via Policy Zones (Source: Meta Tech Blog) Meta's engineer describes this infrastructure as supporting GenAI-enabled products that generate continuous streams of interaction and sensor data, including wearable devices, and how privacy infrastructure allowed Meta products to evolve without introducing manual approval bottlenecks, while still enforcing constraints on data usage, retention, and downstream processing. Privacy workflows are organized around four stages: understanding data, discovering data flows, enforcing policies, and demonstrating compliance. These stages are supported by automated tooling that produces audit artifacts and compliance evidence as part of normal system operation. According to Meta engineers, scaling privacy for generative AI is an ongoing effort. As AI capabilities advance, enhanced lineage analysis and developer-facing tools are being integrated to manage increasingly complex data flows and support privacy enforcement across systems. PAI continues to evolve to meet these demands while enabling the development of AI-powered products without introducing manual bottlenecks. About the Author Leela Kumili Leela is a Lead Software Engineer at Starbucks with deep expertise in building scalable, cloud-native systems and distributed platforms. She drives architecture, delivery, and operational excellence across the Rewards Platform, leading efforts to modernize systems, improve scalability, and enhance reliability. In addition to her technical leadership, Leela serves as an AI Champion for the organization, identifying opportunities to improve developer productivity and workflows using LLM-based tools and establishing best practices for AI adoption. She is passionate about building production-ready systems, enhancing developer experience, and mentoring engineers to grow in both technical and strategic impact. Her interests include platform engineering, distributed systems, developer productivity, and bridging technical solutions with business and product goals. Show moreShow less
|
||||
==============
|
||||
Meta разрабатывает расширенную инфраструктуру, ориентированную на конфиденциальность, для поддержки генеративного ИИ, включая общие сервисы и библиотеки, встроенные в процессы хранения, обработки и вывода данных. Эта инфраструктура обеспечивает отслеживание происхождения данных, применение политики контроля доступа и соблюдение требований конфиденциальности, автоматизируя процессы аудита и обеспечения соответствия. Цель – упростить разработку и масштабирование ИИ-продуктов, обеспечивая при этом надежную защиту данных.
|
||||
@@ -1,7 +0,0 @@
|
||||
Prisma, the widely-adopted TypeScript-first ORM for Node.js, has released Prisma ORM 7.0, delivering performance improvements, a dramatically smaller footprint, and enhanced developer experience through a complete architectural shift away from Rust. Prisma ORM 7.0 introduces several transformative changes, including a Rust-free client runtime built entirely in TypeScript, generated code moved out of node_modules, a new dynamic configuration file, and significantly faster type generation. The release also brings improvements to Prisma Postgres, their managed database offering, which now supports standard Postgres connection protocols. One of the most significant changes in Prisma 7 is the complete removal of the Rust-based query engine in favor of a TypeScript implementation. While this might seem counterintuitive given Rust's performance reputation, the Prisma team found that the communication layer between Rust and the JavaScript runtime created bottlenecks. The new architecture delivers 90% smaller bundle sizes, 3x faster query execution, and lower CPU and memory utilization. The changes also enable simpler deployments for edge runtimes like Vercel Edge and Cloudflare Workers, where binary dependencies previously caused complications. The syntax for adopting the new client is straightforward. Developers simply need to update their schema provider from prisma-client-js to prisma-client: generator client {
|
||||
provider = "prisma-client"
|
||||
}
|
||||
|
||||
Community response to the Rust removal has been mixed but largely positive. One Reddit user noted they tested it myself on a smaller project locally and clearly felt it was much faster than the previous Prisma 6. However, some developers have raised concerns, with GitHub issues questioning whether the advertised 3x performance improvement holds true across all workloads. The Prisma team have posted an article as a response to these concerns with a detailed benchmark methodology and acknowledged they are continuing to refine measurements based on community feedback. They also mention they will be Optimizing the parts of Prisma 7 that these benchmarks stress. Prisma 7 also addresses a long-standing pain point by moving generated artifacts out of node_modules and into the project source code by default. This change means that when developers run prisma generate after schema modifications, file watchers and build tools can react immediately without requiring application restarts. Additionally, the new config file separates project configuration from data schema, allowing dynamic configuration using JavaScript or TypeScript. Type generation has seen huge improvements through collaboration with David Blass, creator of ArkType. Prisma now requires 98% fewer types to evaluate a schema and is 70% faster when performing full type checks compared to previous versions. This puts Prisma ahead of competing ORMs like Drizzle in type evaluation performance. For developers migrating from earlier versions, Prisma provides an upgrade guide covering breaking changes, including the removal of the deprecated Metrics preview feature and updates to minimum Node.js and TypeScript versions. The team has also made migration tooling available through AI coding assistants to streamline the upgrade process. Prisma is an open-source ORM developed and maintained by Prisma Data, designed to simplify database workflows in TypeScript and JavaScript applications. It competes with alternatives like Drizzle, Kysely, and TypeORM, offering end-to-end type safety from database to application code. Prisma supports PostgreSQL, MySQL, SQLite, MongoDB, SQL Server, and CockroachDB. About the Author Daniel Curtis Daniel Curtis is a UI Development Manager at Griffiths Waite, a software consultancy based in Birmingham, UK. He leads front-end engineering efforts with a strong focus on delivering innovative enterprise solutions using TypeScript across the stack. Daniel is passionate about modern web architecture, developer experience, and the use of AI to both support software delivery and solve real customer problems within products. Show moreShow less
|
||||
==============
|
||||
Prisma ORM 7.0 представляет собой значительные улучшения, включая полностью TypeScript-based клиент, перемещение сгенерированного кода из node_modules, новую динамическую конфигурацию и значительно более быструю генерацию типов. Ключевым изменением является удаление Rust-based query engine в пользу TypeScript, что позволяет добиться уменьшения размера пакета в 90%, увеличения скорости выполнения запросов в 3 раза и снижения использования CPU и памяти. Также улучшена поддержка Prisma Postgres, включая стандартные протоколы подключения. Новые изменения упрощают развертывание на edge runtimes и улучшают производительность при оценке типов, превосходя конкурирующие ORMs.
|
||||
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
@@ -1,3 +0,0 @@
|
||||
User Login Search Search Nav Nav Find People, Projects, etc. Search Login Register Email: Password: Work for a Member organization and forgot your password? Work for a Member organization and need a Member Portal account? Register here with your official email address. Register a Member Account News + Updates Research About Support the Media Lab MAS Graduate Program People Events Videos Member Portal For Press + Media Publication Your Brain on ChatGPT: Accumulation of Cognitive Debt when Using an AI Assistant for Essay Writing Task Research June 10, 2025 People Nataliya Kos'myna Research Scientist Projects Your Brain on ChatGPT Groups Media Lab Research Theme: Life with AI Share this publication Nataliya Kosmyna, Eugene Hauptmann, Ye Tong Yuan, Jessica Situ, Xian-Hao Liao, Ashly Vivian Beresnitzky, Iris Braunstein, and Pattie Maes. "Your brain on chatgpt: Accumulation of cognitive debt when using an ai assistant for essay writing task." arXiv preprint arXiv:2506.08872 (2025). Abstract This study explores the neural and behavioral consequences of LLM-assisted essay writing. Participants were divided into three groups: LLM, Search Engine, and Brain-only (no tools). Each completed three sessions under the same condition. In a fourth session, LLM users were reassigned to Brain-only group (LLM-to-Brain), and Brain-only users were reassigned to LLM condition (Brain-to-LLM). A total of 54 participants took part in Sessions 1-3, with 18 completing session 4. We used electroencephalography (EEG) to assess cognitive load during essay writing, and analyzed essays using NLP, as well as scoring essays with the help from human teachers and an AI judge. Across groups, NERs, n-gram patterns, and topic ontology showed within-group homogeneity. EEG revealed significant differences in brain connectivity: Brain-only participants exhibited the strongest, most distributed networks; Search Engine users showed moderate engagement; and LLM users displayed the weakest connectivity. Cognitive activity scaled down in relation to external tool use. In session 4, LLM-to-Brain participants showed reduced alpha and beta connectivity, indicating under-engagement. Brain-to-LLM users exhibited higher memory recall and activation of occipito-parietal and prefrontal areas, similar to Search Engine users. Self-reported ownership of essays was the lowest in the LLM group and the highest in the Brain-only group. LLM users also struggled to accurately quote their own work. While LLMs offer immediate convenience, our findings highlight potential cognitive costs. Over four months, LLM users consistently underperformed at neural, linguistic, and behavioral levels. These results raise concerns about the long-term educational implications of LLM reliance and underscore the need for deeper inquiry into AI's role in learning. via https://arxiv.org/abs/2506.08872 Related Content Post Research Media Lab Brain Study on ChatGPT Sparks Global Media Coverage From CNN to The New Yorker, international outlets spotlight Nataliya Kos’myna’s research on how AI tools affect cognitive function. June 24, 2025 in Fluid Interfaces · Media Lab Research Theme: Life with AI Article Research CNN: AI's Effects On The Brain Study: Using AI Could Cost You Brainpower via CNN · June 20, 2025 in Fluid Interfaces #human-computer interaction #artificial intelligence Article Research Is Using ChatGPT to Write Your Essay Bad for Your Brain? New MIT Study Explained Does ChatGPT harm critical thinking abilities? A new study from researchers at MIT’s Media Lab has returned some concerning results. via Time · June 25, 2025 in Fluid Interfaces #human-computer interaction #artificial intelligence Article Research Brain Experts WARNING: Watch This Before Using ChatGPT Again! The evolutionary reason why ChatGPT is dangerous for your brain. via YouTube · Aug. 18, 2025 in Fluid Interfaces #human-computer interaction #artificial intelligence News + Updates Research About Support the Media Lab MAS Graduate Program People Events Videos Member Portal For Press + Media More ways to explore Videos Publications Job Opportunities Contact Massachusetts Institute of Technology School of Architecture + Planning Accessibility Donate to the Lab
|
||||
==============
|
||||
Исследование изучает влияние использования LLM на написание эссе, обнаруживая, что постоянное использование LLM приводит к снижению когнитивной активности, ухудшению связности мозга и снижению способности к самостоятельному мышлению. Участники, использующие LLM, показали более низкий уровень активности мозга и трудности с самооценкой своих работ, в то время как те, кто использовал LLM в перерыве, показали улучшенные результаты, близкие к результатам, полученным при использовании поисковых систем. Результаты подчеркивают потенциальные негативные последствия длительного использования LLM для когнитивных функций и обучения.
|
||||
@@ -1,3 +0,0 @@
|
||||
20 лет назад, когда был выпущен gcc4, компилятор g77 был заменён на gfortran. Однако из-за некоторых возникших с ним проблем он был исключён из базового образа NetBSD. Благодаря недавно внесённым изменениям в NetBSD-current, gfortran теперь снова поставляется в базовом образе операционной системы. В скором будущем планируют добавить соответствующие переменные в pkgsrc для компиляции программ с использованием этого системного компилятора, без необходимости установки пакета gcc12 из репозитория pkgsrc.
|
||||
==============
|
||||
Компилятор gfortran, ранее исключенный из базового образа NetBSD из-за проблем, теперь снова доступен в NetBSD-current. В ближайшее время планируется добавить поддержку gfortran в pkgsrc, что позволит компилировать программы с использованием этого компилятора без необходимости установки пакета gcc12.
|
||||
@@ -1,3 +0,0 @@
|
||||
Для композитного менеджера KWin предложен экспериментальный плагин, превращающий KDE в среду рабочего стола для систем виртуальной реальности. Плагин позволяет формировать интерфейс не на физическом мониторе, а в форме виртуальных экранов в 3D-пространстве, работа с которым осуществляется через очки дополненной реальности или 3D-шлемы. Поддерживается работа с плавающими окнами, совмещение физических и виртуальных экранов, произвольное позиционирование экранов в 3D-пространстве, управление при помощи клавиатуры без необходимости использования мыши или VR-контроллеров, режим отслеживания положения пользователя. Для отрисовки задействован модуль Qt Quick 3D Xr, завязанный на runtime OpenXR. В качестве runtime опробована платформа Monado в сочетании с очками дополненной реальности Rokid Max и HP G2, а также сервер WiVRn c 3D-шлемом Quest 3. Для организации ввода реализовано устройство KwinVrInputDevice, позволяющее перемещать указатель по аналогии с мышью, но не ограничиваясь границами области вывода. Для размещения окон в 3D-пространстве задействованы штатные возможности KWin, немного изменённые для всплывающих окон и расширенные возможностью перемещать окна за пределы области вывода. Для работы требуется применение патчей к Qt и XWayland. Большинство патчей уже приняты в кодовую базу Qt и войдут в состав выпусков 6.10.2 и 6.11, не перенесёнными остаются только 4 патча.
|
||||
==============
|
||||
Предложен плагин для KWin, позволяющий использовать KDE в виртуальной реальности, отображая интерфейс в виде 3D-экранов для работы с очками дополненной реальности или 3D-шлемами. Плагин поддерживает плавающие окна, совмещение физических и виртуальных экранов, позиционирование экранов в 3D-пространстве, управление клавиатурой и режим отслеживания положения пользователя, используя Qt Quick 3D Xr и runtime OpenXR. Для ввода используется устройство KwinVrInputDevice, а для размещения окон – модифицированные возможности KWin. Для работы требуются патчи к Qt и XWayland, большинство из которых уже включены в версии 6.10.2 и 6.11.
|
||||
@@ -1,5 +0,0 @@
|
||||
В сервере telnetd из набора GNU InetUtils выявлена уязвимость, позволяющая подключиться под любым пользователем, включая пользователя root, без проверки пароля. CVE-идентификатор пока не присвоен. Уязвимость проявляется начиная с версии InetUtils 1.9.3 (2015 год) и остаётся неисправленной в актуальном выпуске 2.7.0. Исправление доступно в форме патчей (1, 2). Проблема вызвана тем, что для проверки пароля процесс telnetd вызывает утилиту "/usr/bin/login", передавая в качестве аргумента имя пользователя, указанного клиентом при подключении к серверу. Утилита "login" поддерживает опцию "-f", позволяющую осуществить вход без выполнения аутентификации (подразумевается, что эта опция используется, когда пользователь уже прошёл проверку). Таким образом, если добиться подстановки опции "-f" в имени пользователя, можно подключиться без проверки пароля. При обычном подключении использовать имя пользователя вида "-f root" не получится, но в telnet имеется режим автоматического подключения, активируемый опцией "-a". В данном режиме имя пользователя берётся не из командной строки, а передаётся через переменную окружения USER (клиент передаёт переменные окружения на сервер при помощи опции ENVIRON). При вызове утилиты login значение данной переменной окружения подставлялось без дополнительной проверки и без экранирования спецсимволов. Таким образом, для подключения под пользователем root достаточно выставить в переменную окружения USER значение "-f root" и подключиться к telnet-серверу, указав опцию "-a":
|
||||
$ USER='-f root' telnet -a имя_сервера
|
||||
Приведшее к уязвимости изменение было добавлено в код telnetd в марте 2015 года и было связано с устранением проблемы, не позволявшей определить имя пользователя в режиме autologin без аутентификации в Kerberos. В качестве решения была добавлена поддержка передачи имени пользователя для режима autologin через переменную окружения, но проверку корректности имени пользователя из переменной окружения добавить забыли. В 2007 году похожая проблема c передачей аргумента "-f" при вызове login была выявлена в telnet из состава Solaris, а в 1994 году в rlogin из AIX.
|
||||
==============
|
||||
В telnetd версии InetUtils (1.9.3 и выше) существует уязвимость, позволяющая получить доступ к серверу без пароля, используя опцию "-f" при подключении через переменную окружения USER или режим autologin. Эта уязвимость возникла из-за отсутствия проверки имени пользователя, передаваемого в утилиту login.
|
||||
@@ -1,3 +0,0 @@
|
||||
Опубликован релиз web-браузера Pale Moon 34.0.0, ответвившегося от кодовой базы Firefox для обеспечения более высокой эффективности работы, сохранения классического интерфейса, минимизации потребления памяти и предоставления дополнительных возможностей по настройке. Сборки Pale Moon формируются для Windows и Linux (x86_64). Код проекта распространяется под лицензией MPLv2 (Mozilla Public License). Проект придерживается классической организации интерфейса, без перехода к интегрированным в Firefox 29 и 57 интерфейсам Australis и Photon, и с предоставлением широких возможностей кастомизации. Из удалённых компонентов можно отметить DRM, Social API, WebRTC, PDF-просмотрщик, Сrash Reporter, код для сбора статистики, средства для родительского контроля и людей с ограниченными возможностями. По сравнению с Firefox, в браузер возвращена поддержка расширений, использующих XUL, и сохранена возможность применения как полноценных, так и легковесных тем оформления. Основные изменения: Обновлена тема оформления, применяемая по умолчанию в Windows. Обеспечена интеграция оформления с Windows 11 и улучшена поддержка тёмных акцентных цветов. Реализован объект WeakRef для определения слабых ссылок (weak reference) на объекты JavaScript, позволяющие сохранить ссылку на объект, но не блокирующие удаление связанного объекта сборщиком мусора. Добавлен метод URL.canParse(), упрощающий разбор и проверку корректности URL. Добавлены CSS-свойства inset-block и inset-inline. Добавлена настройка "privacy.forgetaboutsite.clearPasswords" для очистки паролей при вызове функции очистки информации о сайте в менеджере полномочий. Генератор псевдослучайных чисел в JavaScript переведён на алгоритм Xoroshiro128+. Возвращена поддержка каскадных слоёв CSS (@layer) и CSS-функции color-mix. Решена проблема с сайтами, использующими CSS-свойство "overflow-x: clip" без выставления "overflow-y". Добавлена поддержка CSS-свойства "appearance". Обновлены версии NSS 3.90.9, ICU 78.1, Unicode 17 и expat 2.7.3. Добавлена поддержка сборки на оборудовании LoongArch64, Sparc64 и Mac PowerPC. Добавлена поддержка запуска во FreeBSD 15. Возвращена возможность выполнения NPAPI-плагинов внутри основного процесса. Повышена стабильность JavaScript-движка IonMonkey на ARM и Mac SoC. Linux-сборки с GTK теперь всегда собираются с gio, поддержка gconf удалена.
|
||||
==============
|
||||
В релизе браузера Pale Moon 34.0.0 реализованы улучшения в производительности, интерфейсе и настройках, включая поддержку расширений XUL, интеграцию с Windows 11, новые функции URL, CSS-свойства, улучшенный JavaScript-движок и поддержка новых архитектур процессоров. Также обновлены версии библиотек и улучшена стабильность.
|
||||
@@ -1,3 +0,0 @@
|
||||
Компания Oracle опубликовала плановый выпуск обновлений своих продуктов (Critical Patch Update), нацеленный на устранение критических проблем и уязвимостей. В январском обновлении устранено 337 уязвимостей. Некоторые проблемы: 11 проблем с безопасностью в Java SE. Все уязвимости в Java SE могут быть эксплуатированы удалённо без проведения аутентификации и затрагивают окружения, допускающие выполнение не заслуживающего доверия кода. Наиболее опасные проблемы в Java SE имеют уровень опасности 7.5 и затрагивают JavaFX (WebKitGTK, libxslt), AWT и систему защиты. Уязвимости устранены в выпусках Java SE 25.0.2, 21.0.10, 17.0.18, 11.0.30, 8u481. 14 уязвимостей в сервере MySQL, из которых две могут быть эксплуатированы удалённо. Наиболее серьёзная проблема имеет критический уровень опасности (9.8), присутствует в официальном Docker-образе c MySQL и связана с уязвимостью в библиотеке SQLite (CVE-2025-6965), которая используется во вспомогательных инструментах для настройки и работы с MySQL. Вторая удалённо эксплуатируемая уязвимость имеет уровень опасности 7.5 и вызвана переполнением буфера (CVE-2025-9230) в библиотеке OpenSSL. Менее опасные уязвимости затрагивают OpenSSL, InnoDB, оптимизатор, DDL, парсер, Pluggable Auth и Thread Pooling. Проблемы устранены в выпусках MySQL Community Server 9.6.0 и 8.0.45. 14 уязвимостей в VirtualBox, пять из которых помечены как опасные (8.2 из 10). Одна из уязвимостей может быть эксплуатирована удалённо. Детали о характере уязвимостей не раскрываются. Проблемы будут устранены в выпуске VirtualBox 7.2.6, который ожидается в течение дня. 4 уязвимости в Solaris, которые затрагивают драйверы, ядро и файловую систему (максимальный уровень опасности 5.8 из 10). Уязвимости устранены в обновлении Solaris 11.4 SRU89. В новой версии Solaris также обновлены версии пакетов Wireshark 4.6.2, Firefox 140.6.0esr, Thunderbird 140.6.0esr, Unbound 1.24.2, Apache httpd 2.4.66, OpenSSH 10.2, Django 5.2.9 и squid 7.3.
|
||||
==============
|
||||
Компания Oracle выпустила обновленные версии продуктов (Critical Patch Update), содержащие исправления для 337 уязвимостей, включая 11 в Java SE (с уровнем опасности 7.5), 14 в MySQL (с критической уязвимостью в Docker-образе и переполнением буфера), 8 в VirtualBox (с уязвимостью, эксплуатируемой удаленно) и 4 в Solaris. Обновления охватывают Java SE 25.0.2, 21.0.10, 17.0.18, 11.0.30, 8u481, MySQL Community Server 9.6.0 и 8.0.45, VirtualBox 7.2.6 и Solaris 11.4 SRU89.
|
||||
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
@@ -1,3 +0,0 @@
|
||||
Опубликованы корректирующие обновления платформы для организации совместной разработки GitLab - 18.8.2, 18.7.2, 18.6.4, в которых устранена уязвимость (CVE-2026-0723), позволяющая обойти проверку при двухфакторной аутентификации. Для совершения атаки злоумышленник должен знать идентификатор учётных данных жертвы. Уязвимость вызвана отсутствием должной проверки возвращаемого значения в сервисах аутентификации. Кроме того, в новых версиях устранены ещё 4 уязвимости, две из которых помечены опасными. Данные проблемы приводят к отказу в обслуживании при отправке специально оформленных запросов к компоненту для интеграции с Jira Connect (CVE-2025-13927), API управления релизами (CVE-2025-13928) и SSH (CVE-2026-1102), а также к зацикливанию при созданию специально оформленного Wiki-документа (CVE-2025-13335). Всем пользователям рекомендуется срочно установить обновление. Детали проблемы пока не раскрываются и станут доступны публично спустя 30 дней после публикации исправления. Сведения об уязвимостях переданы в GitLab в рамках действующей на HackerOne программы выплаты вознаграждений за обнаружение уязвимостей.
|
||||
==============
|
||||
Опубликованы патчи для GitLab (18.8.2, 18.7.2, 18.6.4), устраняющие уязвимости CVE-2026-0723 (обход двухфакторной аутентификации) и четыре другие опасные, включая уязвимости в интеграции с Jira Connect, управлении релизами и SSH, а также в Wiki. Уязвимости приводят к отказу в обслуживании и зацикливанию при отправке специальных запросов. Рекомендуется срочно установить обновления.
|
||||
@@ -1,28 +0,0 @@
|
||||
Разработчики из компании Mozilla объявили о создании официального репозитория с rpm-пакетами, позволяющими установить ночные сборки Firefox в openSUSE, SUSE, Fedora, RHEL, CentOS и различных RHEL-подобных дистрибутивах. Подобный репозиторий с deb-пакетами для Debian и Ubuntu предоставляется с 2023 года. Использование rpm-репозитория позволяет задействовать штатные для дистрибутивов возможности для установки и обновления пакетов. При сборке пакетов в компиляторе включены дополнительные оптимизации, а также флаги для усиления безопасности. Публикация сборок интегрирована в основной процесс подготовки релизов Firefox. В состав включён .desktop-файл для размещения ярлыка на рабочем столе и в меню дистрибутива. Для установки ночных сборок Firefox из репозитория можно использовать команды:
|
||||
Fedora:
|
||||
|
||||
sudo dnf config-manager addrepo --id=mozilla --set=baseurl=https://packages.mozilla.org/rpm/firefox --set=gpgcheck=0 --set=repo_gpgcheck=0
|
||||
sudo dnf makecache --refresh
|
||||
sudo dnf install firefox-nightly
|
||||
|
||||
openSUSE, SUSE Linux:
|
||||
|
||||
sudo zypper ar -G https://packages.mozilla.org/rpm/firefox mozilla
|
||||
sudo zypper refresh
|
||||
sudo zypper install firefox-nightly
|
||||
|
||||
RHEL, CentOS, Rocky Linux, Alma Linux, Oracle Linux
|
||||
|
||||
sudo tee /etc/yum.repos.d/mozilla.repo > /dev/null < EOF
|
||||
[mozilla]
|
||||
name=Mozilla Packages
|
||||
baseurl=https://packages.mozilla.org/rpm/firefox
|
||||
enabled=1
|
||||
repo_gpgcheck=0
|
||||
gpgcheck=0
|
||||
EOF
|
||||
|
||||
sudo dnf makecache --refresh
|
||||
sudo dnf install firefox-nightly
|
||||
==============
|
||||
Mozilla выпустила официальный репозиторий rpm-пакетов для установки ночных версий Firefox в различных дистрибутивах Linux, включая openSUSE, SUSE, Fedora, RHEL, CentOS и их производные. Репозиторий предоставляет возможность устанавливать и обновлять пакеты с использованием штатных инструментов дистрибутивов, включая оптимизации и флаги безопасности. Для установки необходимо использовать специальные команды для каждого дистрибутива.
|
||||
File diff suppressed because one or more lines are too long
@@ -1,3 +0,0 @@
|
||||
Project Lumen The Manual for the Universe Choose a phenomenon to explore. Sound The Invisible Dance Light The Hidden Colors Motion The Perfect Fall Life The Tiny City Mechanics The Trade-off Volume 01: Physical Foundations
|
||||
==============
|
||||
Проект "Лумэн" предлагает изучение физических явлений, таких как звук, свет, движение и жизнь, с акцентом на их взаимосвязи и принципах. Особое внимание уделяется физическим основам, включая механику и объем.
|
||||
@@ -1,3 +0,0 @@
|
||||
Skip to main content Open menu Open navigation Go to Reddit Home r/LLM Get App Get the Reddit app Log In Log in to Reddit Expand user menu Open settings menu Go to LLM r/LLM • DryEase865 I liked this paper- [2510.04226] Epistemic Diversity and Knowledge Collapse in Large Language Models arxiv.org Open Large language models (LLMs) tend to generate lexically, semantically, and stylistically homogenous texts. This poses a risk of knowledge collapse, where homogenous LLMs mediate a shrinking in the range of accessible information over time Read more Share New to Reddit? Create your account and connect with a world of communities. Continue with Email By continuing, you agree to our User Agreement and acknowledge that you understand the Privacy Policy. Public Anyone can view, post, and comment to this community 0 0 Reddit Rules Privacy Policy User Agreement Accessibility Reddit, Inc. © 2026. All rights reserved. Expand Navigation Collapse Navigation
|
||||
==============
|
||||
В тексте обсуждается проблема однородности текстов, генерируемых большими языковыми моделями (LLM), что может привести к сокращению доступной информации. Авторы указывают на тенденцию LLM к генерации текстов с одинаковой лексикой, семантикой и стилем, что создает риск "схлопывания" знаний.
|
||||
@@ -1,3 +0,0 @@
|
||||
Skip to main content Open menu Open navigation Go to Reddit Home r/LLM Get App Get the Reddit app Log In Log in to Reddit Expand user menu Open settings menu Go to LLM r/LLM • jdawg2216 Using AI For Product mockups For context, I sell products online. Does anyone use AI for their product mock ups and listing images? If so, what do you use? Is there a way to create a Gemini gem or GPT to generate mock ups in bulk? Any advice would be appreciated, thanks y’all Read more Share New to Reddit? Create your account and connect with a world of communities. Continue with Email By continuing, you agree to our User Agreement and acknowledge that you understand the Privacy Policy. Public Anyone can view, post, and comment to this community 0 0 Reddit Rules Privacy Policy User Agreement Accessibility Reddit, Inc. © 2026. All rights reserved. Expand Navigation Collapse Navigation
|
||||
==============
|
||||
Пользователь спрашивает о возможности использования ИИ для создания макетов и изображений продуктов для онлайн-продаж, интересуясь конкретными инструментами, такими как Gemini или GPT, для автоматизированного создания макетов в больших объемах.
|
||||
@@ -1,3 +0,0 @@
|
||||
Skip to main content Open menu Open navigation Go to Reddit Home r/MachineLearning Get App Get the Reddit app Log In Log in to Reddit Expand user menu Open settings menu Go to MachineLearning r/MachineLearning • quasiproductive [D] Do you feel like companies are scooping / abusing researchers for ideas during hiring for researcher roles? After having gone through at least 3 rounds where I had to present research solutions for problems, I get the feeling that I'm doing free labour for these guys. They usually give you a week and given the current glut of candidates, it feels like this could easily be happening in the background. This includes Mid tech companies (not FAANG) and startups. Is there some truth to this suspicion? For the most recent one, I purposefully chose not to dive into the advanced literature heavy stuff even though I did do the work. The scope of the task was pretty vague ("design an ML system blah blah") and as soon as I started my presentation, one of my interviewers immediately questioned me about whether I had read the literature and wasn't interested in older approaches to the same problem. The rest of the interview was spent getting grilled, as is usual. My motivation was to work bottom up and demonstrate strong fundamentals. Perhaps, I'm missing something here Read more Share New to Reddit? Create your account and connect with a world of communities. Continue with Email By continuing, you agree to our User Agreement and acknowledge that you understand the Privacy Policy. Public Anyone can view, post, and comment to this community 0 0 Reddit Rules Privacy Policy User Agreement Accessibility Reddit, Inc. © 2026. All rights reserved. Expand Navigation Collapse Navigation
|
||||
==============
|
||||
Автор задает вопрос о возможности использования компаний для получения идей от кандидатов на позиции исследователей, особенно в компаниях, не относящихся к FAANG. Автор утверждает, что интервью часто включают в себя задачи, требующие разработки решений, и интервьюеры могут задавать вопросы об использовании специализированной литературы, что может восприниматься как эксплуатация.
|
||||
@@ -1,3 +0,0 @@
|
||||
Skip to main content Open menu Open navigation Go to Reddit Home r/MachineLearning Get App Get the Reddit app Log In Log in to Reddit Expand user menu Open settings menu Go to MachineLearning r/MachineLearning • Aggravating_Map_2493 [D] Which data design patterns have held up for you in production? I came across this article on data design patterns and found it grounded in real system behavior rather than tools. It walks through patterns that show up when supporting ML and AI workloads at scale. After reading this , I was curious to hear from others here: which patterns you rely on most, which ones failed under scale and patterns you think are overused. I am keen on hearing more about failures and lessons learned than success stories from people who have been there and done that. Read more Share New to Reddit? Create your account and connect with a world of communities. Continue with Email By continuing, you agree to our User Agreement and acknowledge that you understand the Privacy Policy. Public Anyone can view, post, and comment to this community 0 0 Reddit Rules Privacy Policy User Agreement Accessibility Reddit, Inc. © 2026. All rights reserved. Expand Navigation Collapse Navigation
|
||||
==============
|
||||
Пользователь спрашивает о наиболее эффективных шаблонах проектирования данных для масштабных задач машинного обучения и искусственного интеллекта, особенно с акцентом на практический опыт и случаи неудач. Он интересуется, какие шаблоны используются, какие оказываются неэффективными и какие считаются избыточными.
|
||||
@@ -1,60 +0,0 @@
|
||||
Skip to main content Open menu Open navigation Go to Reddit Home r/datasets Get App Get the Reddit app Log In Log in to Reddit Expand user menu Open settings menu Go to datasets r/datasets • Hour-Dirt-8505 I fine-tuned LLaMA 3.2 1B Brazilian Address Parser — looking for honest feedback Recently, I posted here on Reddit asking for ideas on what I could build with a dataset of ~2 million pairs of messy/clean Brazilian addresses. A few kind folks shared some great suggestions, and one idea that really stood out was building an address parser. That pushed me into the world of LLM fine-tuning for the first time. I decided to partially fine-tune LLaMA 3.2 1B, focusing specifically on address normalization and field extraction (address, complement, neighborhood, city, state, country, coordinates, etc.). Surprisingly, the early results look quite promising. To properly evaluate it, I also built a small API to: Run inference tests Perform post-inference validation Compute a confidence score based on consistency checks (postal code, city/state match, field presence, etc.) Below is an example request body and the corresponding response. Request {
|
||||
"inputs": [
|
||||
"quadra -42.93386179 quadra arse 102 alameda 12 a, 5045 77023-582 brasil -21.26567258 palmas",
|
||||
"torre -43.02525939 bela vista 5 brasil minas gerais são joão do paraíso beco do pôr do sol, 4289 -19.14142529"
|
||||
]
|
||||
} Response [
|
||||
{
|
||||
"address": "Quadra Arse 102 Alameda 12 A, 5045",
|
||||
"complement": "quadra",
|
||||
"city": "Palmas",
|
||||
"country": "Brasil",
|
||||
"postal_code": "77023-582",
|
||||
"latitude": "-21.26567258",
|
||||
"longitude": "-42.93386179",
|
||||
"confidence": 1.0,
|
||||
"validation": {
|
||||
"postal_code_validation": {
|
||||
"is_valid": true,
|
||||
"found_in_input": true,
|
||||
"city_match": true
|
||||
},
|
||||
"field_validation": {
|
||||
"address_found": true,
|
||||
"complement_found": true,
|
||||
"neighborhood_found": false,
|
||||
"city_found": true,
|
||||
"state_found": false,
|
||||
"country_found": true
|
||||
}
|
||||
}
|
||||
},
|
||||
{
|
||||
"address": "Beco Do Pôr Do Sol, 4289",
|
||||
"complement": "torre",
|
||||
"neighborhood": "Bela Vista 5",
|
||||
"city": "São João Do Paraíso",
|
||||
"state": "Minas Gerais",
|
||||
"country": "Brasil",
|
||||
"latitude": "-19.14142529",
|
||||
"longitude": "-43.02525939",
|
||||
"confidence": 0.92,
|
||||
"validation": {
|
||||
"postal_code_validation": {
|
||||
"is_valid": false
|
||||
},
|
||||
"field_validation": {
|
||||
"address_found": true,
|
||||
"complement_found": true,
|
||||
"neighborhood_found": true,
|
||||
"city_found": true,
|
||||
"state_found": true,
|
||||
"country_found": true,
|
||||
"city_in_state": false,
|
||||
"neighborhood_in_city": false
|
||||
}
|
||||
}
|
||||
}
|
||||
] I’d really appreciate honest feedback from people more experienced with: Fine-tuning small LLMs Address parsing / entity extraction Post-inference validation strategies Confidence scoring approaches Does this look like a reasonable direction for a 1B model? Anything you’d improve architecturally or evaluation-wise? Thanks in advance — this project has been a great learning experience so far 🙏 Read more Share New to Reddit? Create your account and connect with a world of communities. Continue with Email By continuing, you agree to our User Agreement and acknowledge that you understand the Privacy Policy. Public Anyone can view, post, and comment to this community 0 0 Reddit Rules Privacy Policy User Agreement Accessibility Reddit, Inc. © 2026. All rights reserved. Expand Navigation Collapse Navigation
|
||||
==============
|
||||
Пользователь обучил модель LLaMA 3.2 1B для парсинга бразильских адресов, используя данные из датасета из ~2 миллионов пар адресов. Разработана API для оценки результатов, включающая тестирование, валидацию и оценку уверенности. Представлены примеры запросов и ответов, демонстрирующие процесс парсинга и валидации. Пользователь ищет обратную связь по направлению проекта, архитектуре и методам оценки.
|
||||
@@ -1,3 +0,0 @@
|
||||
Skip to main content Open menu Open navigation Go to Reddit Home r/datasets Get App Get the Reddit app Log In Log in to Reddit Expand user menu Open settings menu Go to datasets r/datasets • Ok_Concert6723 How to get DFDC Dataset Access ?? Is the website working??? Was working on a deepfake research paper and was trying to get access to DFDC dataset but for some reason the dfdc official website ain't working, is it because I didnt acquire access to it ??? Is there any other way I can get hands on the dataset??? Read more Share New to Reddit? Create your account and connect with a world of communities. Continue with Email By continuing, you agree to our User Agreement and acknowledge that you understand the Privacy Policy. Public Anyone can view, post, and comment to this community 0 0 Reddit Rules Privacy Policy User Agreement Accessibility Reddit, Inc. © 2026. All rights reserved. Expand Navigation Collapse Navigation
|
||||
==============
|
||||
Пользователь спрашивает о способах получения доступа к набору данных DFDC, указывая на проблемы с официальным веб-сайтом. Он также интересуется альтернативными способами получения доступа к данным для исследовательских целей.
|
||||
@@ -1,3 +0,0 @@
|
||||
Skip to main content Open menu Open navigation Go to Reddit Home r/ollama Get App Get the Reddit app Log In Log in to Reddit Expand user menu Open settings menu Go to ollama r/ollama • Unique_Winner_5927 FrançaisPortuguês (Brasil)Deutsch How to implement a RAG (Retrieval Augmented Generation) on your laptop This guide explains how to implement a RAG (Retrieval Augmented Generation) on your laptop. With n8n, Ollama and Qdrant (with Docker). https://github.com/ThomasPlantain/n8n I put a lot of screenshots to explain how to configure each component. #Ollama #n8n #Qdrant #dataSovereignty #embeddedAI Read more Share New to Reddit? Create your account and connect with a world of communities. Continue with Email By continuing, you agree to our User Agreement and acknowledge that you understand the Privacy Policy. Public Anyone can view, post, and comment to this community 0 0 Reddit Rules Privacy Policy User Agreement Accessibility Reddit, Inc. © 2026. All rights reserved. Expand Navigation Collapse Navigation
|
||||
==============
|
||||
Руководство описывает, как реализовать RAG (Retrieval Augmented Generation) на ноутбуке, используя n8n, Ollama и Qdrant (с Docker). В руководстве представлены скриншоты для объяснения настройки каждого компонента.
|
||||
@@ -1,3 +0,0 @@
|
||||
Skip to main content Open menu Open navigation Go to Reddit Home r/ollama Get App Get the Reddit app Log In Log in to Reddit Expand user menu Open settings menu Go to ollama r/ollama • Ok_Constant_9886 हिन्दीEspañol (Latinoamérica) What do you guys test LLMs in CI/CD? r/AIEval • What do you guys test LLMs in CI/CD? Something that our team is thinking about is how to test LLMs (apps, not just foundational models) in CI envs like GitHub Actions. In one standpoint, there's the concept of testing for functionality, while on the other hand there is the concept of testing for responsible AI such as bias and toxicity. Unlike traditional unit testing, tests for LLMs seem to be more scattered, with criteria that are not clearly defined (due to non-deterministically). The approaches we're doing right now includes separating tests by: Functionality: Test files and directories on whether APIs to our LLM app returns correctly Responsibility: Test files that tackle responsible AI - our app is user facing so it must comply with local regulations in our region Performance: Test latency, tokens per second, cost, deterministic metrics Specific business criteria: Custom LLM-as-a-judge criteria that is more subjective but gives us a good idea of how things are performing. We also found open-source tools like deepeval useful since it integrates with Pytest for CI, and offers the breadth of LLM-as-a-judge metrics we need. Curious how other people are doing it? Read more upvotes Share New to Reddit? Create your account and connect with a world of communities. Continue with Email By continuing, you agree to our User Agreement and acknowledge that you understand the Privacy Policy. Public Anyone can view, post, and comment to this community 0 0 Reddit Rules Privacy Policy User Agreement Accessibility Reddit, Inc. © 2026. All rights reserved. Expand Navigation Collapse Navigation
|
||||
==============
|
||||
Обсуждается вопрос тестирования LLM в CI/CD, включая функциональное, ответственное (избежание предвзятости и токсичности) и производительное тестирование, а также специфические бизнес-критерии. Предлагаются инструменты, такие как deepeval, для интеграции с Pytest, и подчеркивается важность определения четких критериев тестирования из-за непредсказуемости LLM.
|
||||
@@ -1,3 +0,0 @@
|
||||
Skip to main content Open menu Open navigation Go to Reddit Home r/technology Get App Get the Reddit app Log In Log in to Reddit Expand user menu Open settings menu Go to technology r/technology • ControlCAD Português (Brasil)Françaisहिन्दीFilipinoEspañol (Latinoamérica) President FCC threatens to enforce equal-time rule on late-night talk shows | FCC disputes long-standing view that the shows are exempt from equal-time rule. arstechnica.com Open Share New to Reddit? Create your account and connect with a world of communities. Continue with Email By continuing, you agree to our User Agreement and acknowledge that you understand the Privacy Policy. Public Anyone can view, post, and comment to this community 0 0 Reddit Rules Privacy Policy User Agreement Accessibility Reddit, Inc. © 2026. All rights reserved. Expand Navigation Collapse Navigation
|
||||
==============
|
||||
Федеральная комиссия по связи рассматривает возможность применения правила равного времени к ночным talk-шоу, противореча существующему мнению об их освобождении от этого правила.
|
||||
@@ -1,3 +0,0 @@
|
||||
Skip to main content Open menu Open navigation Go to Reddit Home r/technology Get App Get the Reddit app Log In Log in to Reddit Expand user menu Open settings menu Go to technology r/technology • Majano57 Job Applicants Sue to Open ‘Black Box’ of A.I. Hiring Decisions nytimes.com Open Share New to Reddit? Create your account and connect with a world of communities. Continue with Email By continuing, you agree to our User Agreement and acknowledge that you understand the Privacy Policy. Public Anyone can view, post, and comment to this community 0 0 Reddit Rules Privacy Policy User Agreement Accessibility Reddit, Inc. © 2026. All rights reserved. Expand Navigation Collapse Navigation
|
||||
==============
|
||||
Рабочие претендуют против компании, требуя доступа к информации о процессах принятия решений в системах искусственного интеллекта, используемых при найме.
|
||||
@@ -1,3 +0,0 @@
|
||||
Exclusive: The Race to Rent Out Nvidia Chips in the Cloud IntensifiesSave 25% and learn more Sign inSubscribe Pro menu Data Tools About Pro The Next GPs 2025 The Rising Stars of AI Research Leaders of the AI Shopping Revolution Enterprise Software Startup Takeover List Org Charts Sports Tech Owners Database The Information 50 2024 Generative AI Takeover List Generative AI Database AI Chip Database AI Data Center Database Cloud Database Creator Economy Database Creator Startup Takeover List Tech IPO Tracker Tech Sentiment Tracker Sports Rights Database Tesla Diaspora Database Gigafactory Database Pro Newsletter Special Projects The Information 50 Database VC Diversity Index Enterprise Tech Powerlist Kids and Technology Survey Org Charts Tech Finance Weekend Events TITV Community menu Directory Search, find and engage with others who are serious about tech and business. Forum Follow and be a part of discussions about tech, finance and media. More menu Brand Partnerships Premium advertising opportunities for brands Group Subscriptions Team access to our exclusive tech news Newsletters Journalists who break and shape the news, in your inbox Video Catch up on conversations with global leaders in tech, media and finance Partner Content Explore our recent partner collaborations X Facebook LinkedIn Threads Instagram Help & Support RSS Feed Careers Sign in Pro About Pro The Next GPs 2025 The Rising Stars of AI Research Leaders of the AI Shopping Revolution Enterprise Software Startup Takeover List Org Charts Sports Tech Owners Database The Information 50 2024 Generative AI Takeover List Generative AI Database AI Chip Database AI Data Center Database Cloud Database Creator Economy Database Creator Startup Takeover List Tech IPO Tracker Tech Sentiment Tracker Sports Rights Database Tesla Diaspora Database Gigafactory Database Pro Newsletter SPECIAL PROJECTS The Information 50 Database VC Diversity Index Enterprise Tech Powerlist Kids and Technology Survey Deep Research TITV Tech Finance Weekend Events Newsletters Community Directory Search, find and engage with others who are serious about tech and business. Forum Follow and be a part of discussions about tech, finance and media. More Brand Partnerships Premium advertising opportunities for brands Group Subscriptions Team access to our exclusive tech news Newsletters Journalists who break and shape the news, in your inbox Video Catch up on conversations with global leaders in tech, media and finance Partner Content Explore our recent partner collaborations Subscribe Sign in Search Opinion Venture Capital Artificial Intelligence Startups Market Research X Facebook LinkedIn Threads Instagram Help & Support RSS Feed Careers Tech driven.Hub for tech giants. Learn more Featured Partner AI Ad Tech ‘Land Grab’ Pits Salesforce Against Google, Microsoft and Amazon By Catherine Perloff Subscribe to unlock
|
||||
==============
|
||||
Компания The Information собирает данные о компаниях, связанных с искусственным интеллектом, включая Nvidia, и предоставляет информацию о трендах в сфере генеративного ИИ, облачных вычислениях и стартапах. Предоставляются инструменты для поиска и общения с другими профессионалами в области технологий и бизнеса, а также доступ к эксклюзивным новостям и аналитике.
|
||||
@@ -1,5 +0,0 @@
|
||||
<p>The flash crash that rumbled across the crypto market on Friday can be traced to an unusual token that aims to track the dollar, a fast-growing exchange that allows investors to borrow heavily and speculative tokens that traders buy using debt.</p>
|
||||
|
||||
<p>That combustible mix of borrowed money was ignited Friday by President Donald Trump’s announcement of new tariffs on China. Stocks sold off modestly but crypto crashed, at least for a short period.</p>
|
||||
==============
|
||||
Криптовалютный рынок пережил резкое падение, вызванное сочетанием факторов, включая новый токен, отслеживающий доллар, быстрорастущую биржу, позволяющую использовать заимствования, и спекулятивные токены, приобретенные с использованием долга. Этот коктейль, спровоцированный объявлением президентом Трампа о новых тарифах на Китай, привел к существенному падению цен.
|
||||
Some files were not shown because too many files have changed in this diff Show More
Reference in New Issue
Block a user