2D, 3D, game, games, online game, game development, game engine, programming, OpenGL, Open AI, math, graphics, design, graphic, graphics, game development, game engine, programming, web development, web art, web graphic, arts, tutorial, tutorials,
miercuri, 17 septembrie 2025
marți, 16 septembrie 2025
luni, 15 septembrie 2025
duminică, 14 septembrie 2025
News : online assembly editor - x86-64 Playground
An online assembly editor and GDB-like debugger, see this tool online:

Posted by
Cătălin George Feștilă
Labels:
2025,
2025 news,
assembly,
news,
online,
online tool,
programming

News : simple optimization with powershell 7 version.
Today, I tested this poweershell 7 version script:
# Check if script is running as Administrator
if (-not ([Security.Principal.WindowsPrincipal] [Security.Principal.WindowsIdentity]::GetCurrent()).IsInRole([Security.Principal.WindowsBuiltInRole] "Administrator")) {
Write-Warning "Please run this script as Administrator."
exit
}
Write-Host "Starting system optimization..." -ForegroundColor Cyan
# Set execution policy
try {
Set-ExecutionPolicy RemoteSigned -Scope Process -Force
Write-Host "Execution policy set to RemoteSigned." -ForegroundColor Green
} catch {}
# Clean temporary files
try {
Remove-Item "$env:TEMP\*" -Recurse -Force -ErrorAction SilentlyContinue
Remove-Item "C:\Windows\Temp\*" -Recurse -Force -ErrorAction SilentlyContinue
Write-Host "Temporary files cleaned." -ForegroundColor Green
} catch {}
# Set High Performance power plan
try {
powercfg -duplicatescheme SCHEME_MIN | Out-Null
powercfg -setactive SCHEME_MIN
Write-Host "High Performance power plan activated." -ForegroundColor Green
} catch {}
# Disable visual effects
try {
Set-ItemProperty -Path "HKCU:\Software\Microsoft\Windows\CurrentVersion\Explorer\VisualEffects" -Name "VisualFXSetting" -Value 2
Write-Host "Visual effects disabled." -ForegroundColor Green
} catch {}
# Disable unnecessary services
$services = @(
"DiagTrack", "WSearch", "Fax", "SysMain", "XblGameSave", "MapsBroker",
"RetailDemo", "dmwappushservice", "RemoteRegistry", "WerSvc", "WMPNetworkSvc"
)
foreach ($svc in $services) {
try {
Stop-Service -Name $svc -Force -ErrorAction SilentlyContinue
Set-Service -Name $svc -StartupType Disabled
Write-Host "Service '$svc' disabled." -ForegroundColor Green
} catch {
Write-Warning "Could not disable service '$svc': $_"
}
}
# Kill unwanted processes by name (PID cleanup)
$processesToKill = @("Cortana", "SkypeApp", "PeopleApp", "FeedbackHub", "SearchUI", "RuntimeBroker")
foreach ($proc in $processesToKill) {
try {
Get-Process -Name $proc -ErrorAction SilentlyContinue | Stop-Process -Force
Write-Host "Process '$proc' terminated." -ForegroundColor Green
} catch {
Write-Warning "Could not terminate process '$proc': $_"
}
}
# Optimize pagefile if RAM is 4GB or less
try {
$ramGB = [math]::Round((Get-CimInstance -ClassName Win32_ComputerSystem).TotalPhysicalMemory / 1GB)
if ($ramGB -le 4 -and (Get-Command wmic -ErrorAction SilentlyContinue)) {
Start-Process powershell -ArgumentList "-Command `"wmic computersystem where name='%computername%' set AutomaticManagedPagefile=False; wmic pagefileset where name='C:\\pagefile.sys' set InitialSize=4096,MaximumSize=8192`"" -Verb RunAs
Write-Host "Pagefile optimized for low RAM." -ForegroundColor Green
}
} catch {}
# Configure DNS using netsh
try {
$interfaces = Get-CimInstance -Namespace root/StandardCimv2 -ClassName MSFT_NetAdapter | Where-Object { $_.State -eq "Enabled" }
foreach ($iface in $interfaces) {
$name = $iface.Name
Write-Host "Configuring DNS for interface '$name'..."
Start-Process powershell.exe -ArgumentList "-Command `"netsh interface ip set dns name='$name' source=static addr=1.1.1.1`"" -Verb RunAs
Start-Process powershell.exe -ArgumentList "-Command `"netsh interface ip add dns name='$name' addr=8.8.8.8 index=2`"" -Verb RunAs
Write-Host "DNS configured for '$name'." -ForegroundColor Green
}
} catch {
Write-Warning "DNS configuration failed: $_"
}
# Legacy commands for PowerShell 5.1
$legacyCommands = @'
# Remove unwanted apps
$bloatware = @(
"Microsoft.3DBuilder", "Microsoft.XboxApp", "Microsoft.ZuneMusic",
"Microsoft.ZuneVideo", "Microsoft.BingWeather", "Microsoft.GetHelp",
"Microsoft.Getstarted", "Microsoft.People", "Microsoft.SkypeApp",
"Microsoft.WindowsFeedbackHub", "Microsoft.Cortana"
)
foreach ($app in $bloatware) {
try {
Get-AppxPackage -Name $app -AllUsers | Remove-AppxPackage -ErrorAction SilentlyContinue
Write-Host "Removed app: $app"
} catch {}
}
# Disable telemetry
try {
Set-ItemProperty -Path "HKLM:\SOFTWARE\Policies\Microsoft\Windows\DataCollection" -Name "AllowTelemetry" -Value 0 -Force
Write-Host "Telemetry disabled."
} catch {}
# Enable SmartScreen
try {
Set-MpPreference -EnableSmartScreen $true
Write-Host "SmartScreen enabled."
} catch {}
# Enable firewall
try {
Set-NetFirewallProfile -Profile Domain,Public,Private -Enabled True
Write-Host "Firewall enabled."
} catch {}
'@
# Save and run legacy script in PowerShell 5.1
try {
$tempScript = "$env:TEMP\legacy_opt.ps1"
if (Test-Path $tempScript) { Remove-Item $tempScript -Force }
Set-Content -Path $tempScript -Value $legacyCommands
Start-Process powershell.exe -ArgumentList "-ExecutionPolicy Bypass -File `"$tempScript`"" -Verb RunAs
Start-Sleep -Seconds 5
Remove-Item $tempScript -Force -ErrorAction SilentlyContinue
Write-Host "Legacy commands executed in PowerShell 5.1." -ForegroundColor Green
} catch {
Write-Warning "Failed to execute legacy commands: $_"
}
# Final message
Write-Host "`nSystem optimization completed successfully. A restart is recommended." -ForegroundColor Cyan
This is the result:
.\optimization_001.ps1
Starting system optimization...
Execution policy set to RemoteSigned.
Temporary files cleaned.
High Performance power plan activated.
Visual effects disabled.
Service 'DiagTrack' disabled.
Service 'WSearch' disabled.
Service 'Fax' disabled.
Service 'SysMain' disabled.
Service 'XblGameSave' disabled.
Service 'MapsBroker' disabled.
Service 'RetailDemo' disabled.
Service 'dmwappushservice' disabled.
Service 'RemoteRegistry' disabled.
Service 'WerSvc' disabled.
Service 'WMPNetworkSvc' disabled.
Process 'Cortana' terminated.
Process 'SkypeApp' terminated.
Process 'PeopleApp' terminated.
Process 'FeedbackHub' terminated.
Process 'SearchUI' terminated.
Process 'RuntimeBroker' terminated.
Pagefile optimized for low RAM.
Legacy commands executed in PowerShell 5.1.
System optimization completed successfully. A restart is recommended.
sâmbătă, 13 septembrie 2025
News : Release candidate: Godot 4.5 RC 2 .
On Friday of last week, we dropped our first Release Candidate build. As a reminder, we release RC builds once we think the engine has stabilized and is ready for release. It is your last chance to report critical regressions before we release the stable version. Now, not even a full week later, we’re ready with our second snapshot. This RC2 fixes the last of the critical regressions that we are aware of. Unless someone reports a new regression coming from the changes made in RC1 or RC2, we should be on track to release 4.5 stable soon.
See the official blogger.
vineri, 12 septembrie 2025
News : ... LMDE 7, codename Gigi.
Linux Mint 22.3
Although the latest release came later than expected and we’re currently focused on LMDE 7, we’re still planning on having a Mint 22.3 release in December.
This is going to be a very short release cycle. The priority will be the new version of Cinnamon and shipping some of the important WIP (work in progress / planned features) which were started earlier this year:
The new menu
The status applet
The Wayland-compatible handling for keyboard layouts and input methods
News : OldSchool Editor android application.
News : New videos from Cartesian Caramel.
... the last videos from the Cartesian Caramel - youtube channel :

joi, 11 septembrie 2025
miercuri, 10 septembrie 2025
News : How to retarget auto-rig pro rig to a MIXAMO animation
Posted by
Cătălin George Feștilă
Labels:
2025,
2025 news,
2D,
3D,
Blender 3D,
graphic,
graphics,
news

News : TV online
NOTE : ... it seems that I have posted about this website with free online TV before, but I can't find the post ... good to know that TV is free.
See the official website.

marți, 9 septembrie 2025
luni, 8 septembrie 2025
duminică, 7 septembrie 2025
News : Windows PowerShell and more ...
PowerShell 2.0 is finally history: The version of the shell program introduced with Windows 7 will be removed from Windows 11 version 24H2 from August 2025 and from Windows Server 2025 from September 2025.
Windows PowerShell is a command-line shell and scripting environment developed by Microsoft, designed for system administration and automation tasks designed by Jeffrey Snover, Bruce Payette, James Truher (et al.) by DeveloperMicrosoft team, and first appearedNovember 14, 2006 .
The default blue now designe is known by any windows user.
PowerShell 7 is the latest major update to PowerShell, a cross-platform automation tool and configuration framework optimized for dealing with structured data (e.g., JSON, CSV, XML), REST APIs, and object models. PowerShell 7 runs on Windows, Linux, and macOS, making it a versatile tool for various environments. This comes with a black color.
Let's see, this script performs a system integrity check, including checks for Python installation, recent file modifications, and potential unauthorized changes.
# === SYSTEM INTEGRITY AUDIT ===
# Installed applications
Write-Host "Installed applications:"
$apps = Get-ItemProperty HKLM:\Software\Microsoft\Windows\CurrentVersion\Uninstall\*, HKLM:\Software\Wow6432Node\Microsoft\Windows\CurrentVersion\Uninstall\* |
Where-Object { $_.DisplayName } |
Select-Object DisplayName, DisplayVersion, InstallDate |
Sort-Object DisplayName
foreach ($a in $apps) {
$name = $a.DisplayName
$ver = if ($a.DisplayVersion) { $a.DisplayVersion } else { "-" }
$date = if ($a.InstallDate) { $a.InstallDate } else { "-" }
Write-Host "$name | $ver | $date"
}
# DLLs modified recently
Write-Host "DLLs modified in the last 7 days:"
$dlls = Get-ChildItem -Path "C:\Windows","C:\Program Files","C:\Program Files (x86)" -Recurse -Filter *.dll -File -ErrorAction SilentlyContinue |
Where-Object { $_.LastWriteTime -gt (Get-Date).AddDays(-7) }
foreach ($d in $dlls) {
Write-Host "$($d.FullName) | $($d.LastWriteTime.ToString('yyyy-MM-dd HH:mm:ss'))"
}
# SSH logs
Write-Host "SSH logs:"
if (Get-Service -Name sshd -ErrorAction SilentlyContinue) {
$events = Get-WinEvent -LogName "Microsoft-Windows-OpenSSH/Operational" -MaxEvents 20 -ErrorAction SilentlyContinue
foreach ($e in $events) {
$t = $e.TimeCreated.ToString("yyyy-MM-dd HH:mm:ss")
$m = ($e.Message -replace "\r?\n",' ')
Write-Host "$t | $m"
}
} else {
Write-Host "OpenSSH service is not active."
}
# System files modified recently
Write-Host "System files modified in the last 3 days:"
$sys = Get-ChildItem -Path "C:\Windows" -Recurse -File -ErrorAction SilentlyContinue |
Where-Object { $_.LastWriteTime -gt (Get-Date).AddDays(-3) }
foreach ($f in $sys) {
Write-Host "$($f.FullName) | $($f.LastWriteTime.ToString('yyyy-MM-dd HH:mm:ss'))"
}
# Python check
Write-Host "Python check:"
$pythonPaths = @(Get-Command python -ErrorAction SilentlyContinue | Select-Object -ExpandProperty Source)
if ($pythonPaths.Count -gt 0) {
foreach ($p in $pythonPaths) { Write-Host "Path: $p" }
try {
$v = & $pythonPaths[0] --version 2>$null
Write-Host "Version: $v"
} catch { Write-Host "Error retrieving Python version." }
} else {
Write-Host "Python not found."
}
# pip check
Write-Host "pip check:"
$pipPath = Get-Command pip -ErrorAction SilentlyContinue | Select-Object -ExpandProperty Source
if ($pipPath) {
Write-Host "Path: $pipPath"
try {
$pv = & $pipPath --version 2>$null
Write-Host "Version: $pv"
} catch { Write-Host "Error retrieving pip version." }
} else {
Write-Host "pip not found."
}
# Alias check
Write-Host "Checking python.exe alias:"
$aliasPath = "$env:LOCALAPPDATA\Microsoft\WindowsApps\python.exe"
if (Test-Path $aliasPath) {
Write-Host "Alias exists: $aliasPath"
} else {
Write-Host "Alias not found."
}
Write-Host "Audit completed."
Posted by
Cătălin George Feștilă
Labels:
2025,
2025 news,
2D,
3D,
design,
graphics,
Microsoft Windows,
news,
powershell,
windows 10,
windows 11

News : Quality of Life Update in Travian: Legends - Autumn 2024 - Travian: Legends
... Travian: Legends!
sâmbătă, 6 septembrie 2025
News : Windows Subsystem For Android project.
Run Windows Subsystem For Android on your Windows 10 and Windows 11 PC using prebuilt binaries with Google Play Store (MindTheGapps) and/or Magisk or KernelSU (root solutions) built in.
The project can be found on the GitHub repo.
Posted by
Cătălin George Feștilă
Labels:
2025,
2025 news,
android,
github,
Microsoft Windows,
news,
windows 10

News : Increasing DevEx — Creators Will Now Earn 8.5% More
If you’re eligible for DevEx, you don’t need to take any action, as this change went into effect earlier today. Any Robux earned from 10 AM PT September 5th, 2025 onward will automatically cash out a rate of $0.0038 for every Earned Robux.
For example:
10,000 Earned Robux previously converted to $35
Now, that same 10,000 Earned Robux will convert to $38
News : Chaos releases Vantage 3.0 in beta
Chaos has released Vantage 3.0 in beta, introducing initial support for USD, MaterialX, 3D Gaussian Splatting, and volumes in the real-time ray tracing renderer.
For VFX artists, Vantage 3.0 is another significant release, since it adds initial support for both the USD and MaterialX standards.
Users can now import and render both static and animated USD scenes – Vantage supports .usd, .usda, .usdc, and .usdz files – with MaterialX shaders.
That opens up the possibility of using the software in non-V-Ray-based pipelines.
vineri, 5 septembrie 2025
News : SpaceX Starlink ...
Starlink is the world’s most advanced satellite internet constellation, beaming terabytes per second to the most remote parts of Earth. Made possible by the advent of reusable rocketry, Starlink marks the beginning of a new age of orbital technology.
See the official website.

joi, 4 septembrie 2025
sâmbătă, 30 august 2025
News : New videos from Unreal Engine
... the latest videos from the Unreal Engine - the official youtube channel :

News : New videos from Houdini
... the latest videos from the Houdini - the official youtube channel :

News : New videos from Farming Simulator
... the latest videos from the Farming Simulator - youtube channel :

News : New videos from Rockstar Games
... the latest videos from the Rockstar Games - the official youtube channel :

News : New videos from Elvenar Official
... the latest videos from the Elvenar Official - the official youtube channel :

vineri, 29 august 2025
PyQt6 : ... management of installations and build python package.
Yesterday I created a small project for managing Python packages and building a new package based on added modules. I only tested the local installations of various Python versions and the creation of a new package, but it worked.
python catafest_build_package_001.py
🔍 Verificare module standard...
[✓] Modul standard 'json' este disponibil.
[✓] Modul standard 'subprocess' este disponibil.
[✓] Modul standard 'platform' este disponibil.
[✓] Modul standard 'datetime' este disponibil.
[✓] Modul standard 'os' este disponibil.
[✓] Modul standard 'sys' este disponibil.
📦 Verificare și instalare module pip...
[✓] Modulul 'PyQt6' este deja instalat.
[✓] Modulul 'build' este deja instalat.
* Creating isolated environment: venv+pip...
* Installing packages in isolated environment:
- setuptools
- wheel
...

Posted by
Cătălin George Feștilă
Labels:
2025,
datetime,
json,
modules,
os,
packages,
platform,
PyQt6,
python,
python 3,
python modules,
python packages,
setuptools,
subprocess,
sys,
tutorial,
tutorials,
wheel

miercuri, 27 august 2025
marți, 26 august 2025
duminică, 24 august 2025
News : New videos from Marvelous Designer
... the latest videos from the Marvelous Designer - the official youtube channel :

sâmbătă, 23 august 2025
vineri, 22 august 2025
News : Star Trek Voyager: Across the Unknown
Daedalic Entertainment is a renowned publisher supporting indie developers since 2007, bringing their titles to every major gaming platform. On the August 20, 2025 the Daedalic Entertainment and the development team from Germany gameXcite succeeded and announced that Star Trek fans will soon be able to return to the Delta Quadrant in a brand-new Star Trek: Voyager
The name of the game is: Star Trek Voyager: Across the Unknown
They comes with this info:
Star Trek Voyager: Across the Unknown is a Single Player Survival Strategy game based on the Star Trek™ license from Paramount Consumer Products and developed with Unreal Engine 5 for PC, PS5 and Xbox Series X|S. More information will be released soon.
Posted by
Cătălin George Feștilă
Labels:
2025,
2025 news,
Daedalic Entertainment,
gameXcite,
news,
Star Trek Voyager

News : Godot Benchmarks tests for development.
This page tracks Godot Engine performance running on a benchmark suite. Benchmarks are run on a daily basis to track performance improvements and regressions over time.
You can find on the official project page.
Posted by
Cătălin George Feștilă
Labels:
2025,
2025 news,
development,
game development,
Godot,
Godot Engine,
news

joi, 21 august 2025
News : Learning with new artificial intelligence into stackoverflow area.
The known stackoverflow website comes with learning with artificial intelligence, on stackoverflow area.
News : Compare the 10+ free AI tools by google cloud .
The Google Cloud come with this webpage about free artificial intelligence tools and some features.
Posted by
Cătălin George Feștilă
Labels:
2025,
2025 news,
artificial intelligence,
Google Cloud,
news

News : Krita development monthly-update-29.
Another important piece of the Text Tool update has made it into the unstable nightly builds: Style Presets.
... the development team of Krita comes with this monthly-update-29 ...
marți, 19 august 2025
News : GPT-5 vs Sonnet-4: Side-by-Side on Real Coding Tasks on Theia I.D.E.
The Theia IDE is a modern IDE for cloud and desktop built on the Theia Platform.
The Theia Platform is a framework for building custom, tailored cloud & desktop IDEs.
See more on the official website.
... another video from the EclipseSource - official channel.
Posted by
Cătălin George Feștilă
Labels:
2025,
2025 news,
artificial intelligence,
EclipseSource,
news,
Theia,
video,
video tutorial,
youtube

News : Diffeomorphic Add-ons Version 4.5.0 Released
On Saturday, August 2, 2025 the official blog comes with new versions for these addons:
DAZ Importer, MHX Runtime System and BVH and FBX Retargeter
duminică, 17 august 2025
News : Debian Grml 2025.08 - codename Oneinonein.
Grml 2025.08 live distro for system administrators is now available for download based on the Debian 13 “Trixie” operating system series.
I used debian distros and are very good.
Grml is a Debian-based live Linux distribution tailored for system administrators. It’s designed to run directly from a USB stick or CD/DVD without installation, making it ideal for rescue tasks, system recovery, and quick deployments.
Grml uses the Debian package system APT to manage software. Another tool is grml-live Build System that allows users to create custom Grml images.
Grml is a Debian based live system focusing on the needs of system administrators. The 2025.08 release provides fresh software packages from Debian trixie. As usual it also incorporates up to date hardware support and fixes known bugs from previous Grml releases.
... see the official website.
News : GNOME 49.beta and more ...
GNOME is used as the default experience across Red Hat Enterprise Linux, Ubuntu, Debian, Fedora Workstation, SUSE Linux Enterprise, Vanilla OS, Endless OS, and more.
The last version is named as : GNOME 48, “Bengaluru”, see the official webpage.
This is not a news or something special, the news comes with:
GNOME 49.beta is now available. It also marks the start of the UI, feature and API freezes (collectively known as The Freeze). If you’d like to target the GNOME 49 platform, this is the best time to start testing your apps or shell extensions.
... and they try to help users with: Continue using your old computer after the end of Windows 10 support this October. Visit endof10.org
Posted by
Cătălin George Feștilă
Labels:
2025,
2025 news,
gnome,
linux,
Linux 32,
Linux 64,
Microsoft Windows,
news

News : KDE Gear is back ...
KDE Gear is back with a cool wave of apps for your summertime desktop!
Whether you need to brush up on your languages to visit exotic lands, plan your trips, keep up to date while on the move, meet up with friends and colleagues, create content from your holiday clips, or just chill as your quaint steam engine trundles up a picturesque peak, KDE Gear 🌞 25.08 has got you covered.
The news comes on 14 august 2025 from the official website.
KDE Gear - originally known as the KDE Applications Bundle, was first released on December 17, 2014
KDE Gear version 25.08 release include and provides powerful, user-friendly apps for everyday tasks:
- Itinerary: Travel planner that helps with tickets, delays, maps, and even health certificates.
- Dolphin: File manager with improved search and integration with Filelight for disk usage visualization.
- KOrganizer: Calendar and task manager with better navigation and tooltips.
- Kleopatra: Encryption and certificate manager with multi-window support.
- Neochat: Matrix-based chat app with polls and thread controls.
- Artikulate: Language pronunciation trainer, now compatible with Plasma 6.
- Angelfish: Web browser with customizable shortcuts and adblock toggle.
I don't use KDE very often and haven't in the past either. I prefer simpler and faster desktop environment solutions for my older hardware.
News : New videos from ZBrush
... the ZBrush software is not open-source, see the official website.
... the last videos from the Joomla! - the official youtube channel :

News : mesa 25.2.0-rc1 - new release.
Hello everyone,
I'm happy to announce the start of a new release cycle with the first
release candidate, 25.2.0-rc1.
As always, if you find any issues please report them here:
https://gitlab.freedesktop.org/mesa/mesa/-/issues/new
Any issue that should block the release of 25.2.0 final, thus adding
more 25.2.0-rc* release candidates, must be added to this milestone:
https://gitlab.freedesktop.org/mesa/mesa/-/milestones/51
The next release candidate is expected in one week, on July 23rd.
Cheers,
Eric
This mail is from the official mail list of mesa-dev.
vineri, 15 august 2025
News : mesh2motion online tool.
The mesh2motion online tool can be found on the official website.
Posted by
Cătălin George Feștilă
Labels:
2025,
2025 news,
3D,
graphic,
graphics,
news,
online tool,
tool

News : perchance website - test , development note ...
I tested today the perchance with empty data and give me one result.
Also, the development team say on this development note on webpage - 8 august 2025:
Image Gen Update (August 8th)
I'm in the middle of updating the text gen model (used for story/chat/etc) and it turns out it's going to cost a bit too much.
I need to temporarily reduce the quality and speed of image gen so I can deploy the new text gen.
Image gen was already mediocre in terms of quality and speed, I know. And to add to the annoyance, you'll probably need to update your prompts to get back to the same styles. Sorry about that.
There may be some initial bugginess with this update - please bear with me while I fix any issues that come up. Edit: Currently there's an issue where prompts are being ignored sometimes, resulting in random/weird/nonsense images. I'm working on fixing it.
Once I'm finished with the text gen update, I'll get back to optimizing the image gen. It should be possible to get it down to a few seconds per image after a couple of months of work.
Aside: Thank you to those who don't block the advert - the AI stuff on Perchance would very literally be impossible without you. Of course, some people have no choice (e.g. network-level blocking that they don't control), and some people don't have any ads load for them due to the country they're from (e.g. sanctions, low advertising demand, etc.) or other issues like that. Either way, I'm working as hard as I can to optimize the models so Perchance can always be completely free and unlimited for everyone.
Let's see the result with empty data:

News : Skywork Matrix-Game 2.0
This is an open-source interactive world model generating minutes of playable video at 25 FPS, similar to DeepMind's Genie 3.
The project can be found on this website.
You can find the model on the Skywork - huggingface.co .
The jbilcke-hf user has a demo on the huggingface.co webspage with this AI .
joi, 14 august 2025
News : Marmoset Toolbag 5.02
Marmoset Toolbag 5.02 has arrived, bringing a huge set of new features and improvements to supercharge your 3D baking, texturing, and rendering workflows.
Marmoset Toolbag is the all-in-one creative software package for 3D artists! Produce stunning artwork for games, film, product viz, and more with an industry-leading baking engine, intuitive texturing & 3D painting tools, & physically-accurate ray-traced, hybrid, & raster rendering engines.
News : Arctic Awakening - Release Date Trailer
We’re an independent video game studio with a passion for creating groundbreaking interactive stories that connect people all around the world.
... by the GoldFireGames - youtube channel.
News : some changes about Google AI.
Today, I received one mail from google ...
Hello Cătălin George,
You can now generate high-fidelity, 720p videos with native audio using Veo 3 and Veo 3 Fast, available in paid preview in the Gemini API.
...
The first test with this A.P.I. was on 21 may 2025, about the Veo 3 on Google you can read on the gopogle blog with one article on 17 july 2025.
The last changelog was on 7 august 2025 on the google developer website with new features:
allow_adult setting in Image to Video generation are now available in restricted regions.
The mail also tell me about:
Veo 3 brings your prompts to life, creating 8-second videos with native audio. It lets you generate video from a text prompt, an initial image, or a combination of both to guide the style and starting frame. It can create a wide range of visual styles and natively generate dialogue in multiple languages, as well as sound effects and ambient noise.
... and has a simple python script for the A.P.I. and genai python package.
import time
from google import genai
Posted by
Cătălin George Feștilă
Labels:
2025,
2025 news,
artificial intelligence,
google,
Google Developers,
news,
python

miercuri, 13 august 2025
News : Construct 3 r452 & Construct Animate r452 - beta versions released.
The price start from 34.29 Euro + TVA to Business Non-gambling related commercial organisations with 456.19 EUR + TVA. All prices comes Paid annually or Per seat annually.
You can find both beta versions on the official website.
marți, 12 august 2025
News : Intel® Software Developer Tools 2025.2 Release.
... this released comes with faster AI inference, real-time rendering, and expanded HPC support for 3D/graphics workloads, article from the official website.
... optimized performance and productivity for AI, graphics, and accelerated compute.
News : New tools for real-world and interactive 3D simulations ...
Generative AI has rapidly moved from research labs into the hands of developers, artists, and product teams—enabling new forms of content creation for many industries, with the promise of greatly improved efficiency. But it's not so easy to get up and running, there are a lot of practical challenges: deploying large models efficiently, managing ever-changing dependencies, keeping up with hardware requirements, and maintaining reliable performance across environments ...
... more on that article by techpowerup website.
News : Linux 6.17 kernel tests.
Early Linux 6.17 kernel tests ... see more on the phoronix website ...
News : Microsoft Copilot 3D new feature.
Microsoft Copilot 3D Launch: Microsoft released Copilot 3D, a free AI tool in Copilot Labs that converts 2D images as JPG/PNG file types up to 10MB into 3D GLB models without text prompts. It's globally available on the web and useful for design, AR/VR, gaming, and 3D printing.
See the official website.
luni, 11 august 2025
duminică, 10 august 2025
sâmbătă, 9 august 2025
News : ORCID under GitHub account.
ORCID is a free, unique, persistent identifier (PID) for individuals to use as they engage in research, scholarship, and innovation activities. Learn how ORCID can help you spend more time conducting your research and less time managing it.
Now, you can use ORCID with your GitHub account. See the official website for ORCID info.
joi, 7 august 2025
News : Google come with a new feature on blogger area.
Google love blogger idea and come with a new feature.
**Try our New Beta Features**: Create a more engaging reading experience with the help of Google
Google Search links: Based on your blog content, Blogger will automatically identify key words and phrases in your post and insert Search links in case your readers want to explore more. In Compose View, Look for the ‘Pencil’ icon on the top-right of the page to get started.
After you wrote your post the go from HTML area to Compose View and on the right area of your post you will see an pencil. If you press this button then you got this feature.
I think about Google as it could do more than just one feature after many years for Blogger users. It seems that automation will irritate creativity, but it will improve the processed information.
News : ... mesa 25.2.0 major update.
The mesa 25.2.0 comes with one major update for open-source Linux graphics drivers. It includes new features for OpenGL, Vulkan, and OpenCL ...
See more on this email from Eric Engestrom
Hello everyone,
I'm happy to announce a new feature release, 25.2.0! ...
miercuri, 6 august 2025
News : Flameshot is back.
After a three-year, the open-source cross-platform screenshot and annotation tool Flameshot is back with version 13.0 beta, new features and Qt6.
Flameshot is a free and open-source, cross-platform tool to take screenshots with many built-in features to save you time.
Read more on the official website
marți, 5 august 2025
News : OpenMed - open-source AI models.
OpenMed is new open-source AI models and datasets made to help advance healthcare and medical research. This provides tools, resources, and community support for anyone interested in using AI for tasks like medical imaging, diagnostics, and data analysis.
You can find it on the Hugging Face website.
Posted by
Cătălin George Feștilă
Labels:
2025,
2025 news,
artificial intelligence,
huggingface,
news

News : Elevate3D new AI.
Elevate3D enhances low-quality 3D models, transforming them into high-quality assets through iterative texture and geometry refinement. At its core, HFS-SDEdit generatively refines textures while preserving the input’s identity, leveraging high-frequency guidance.
You can read more and test some demo on the official webpage.
luni, 4 august 2025
News : Keeper - Announce Trailer
... another video from the Double Fine - the official youtube channel.
Double Fine Productions, creators of Psychonauts, Brütal Legend, Broken Age, and Rad.
Home to content from 2 Player Productions, our trusty embedded documentary crew.
News : ... movies and business! from the Wordfence security plugin.
... movies and business ! I got this tosay on this youtube channel.
Wordfence currently protects over 5 million WordPress websites worldwide. Fueled by unparalleled threat intelligence, there is no better security solution for WordPress. With more than 200 million downloads & over 3,300 5-star ratings on WordPress.org, Wordfence is the most popular WordPress security plugin.
Wordfence includes an endpoint firewall and malware scanner that were built from the ground up to protect WordPress. Our Threat Defense Feed arms Wordfence with the newest firewall rules, malware signatures and malicious IP addresses it needs to keep your website safe. Rounded out by a suite of additional features, Wordfence is the most comprehensive security option available for Wordpress sites. Find out more at https://www.wordfence.com
News : Just Dance 2026 Edition - Announcement
Just Dance 2026 Edition launches on October 14, 2025! 🎉
duminică, 3 august 2025
News : Build Apps Faster with AI | Vibe Coding with Goose.
Goose is a relatively new project, see the project's source code on GitHub.
The Goose CLI and desktop apps are under active and continuous development. To get the newest features and fixes, you should periodically update your Goose client using the following instructions.
See this video tutorial from the official youtube channel:
News : Three.js Project: Creative Coding with Physics.
... another video from Robot Bobby - the official youtube channel.
News : ... timeline in Google free personal account!
This functionality - timeline was launched in Google Workspace two years ago, and here we are today seeing that it is also appearing in my personal free account. Obviously, Google Workspace is more advanced and specially created for.
Free Account: Personal use, free, includes Gmail, Google Drive (15GB storage), Docs, Sheets, etc. Basic features, no custom domain, limited support.
Google Workspace: Business-focused, paid (subscription-based), includes Gmail with custom domain, increased storage (30GB+), advanced collaboration tools (real-time co-editing in Docs, Sheets, Slides; Google Meet for video conferencing; shared calendars for team scheduling), admin controls, enhanced security, and 24/7 support.
sâmbătă, 2 august 2025
News : Krita, Inkscape and Gimp - July updates.
All of these free softwares: Krita, Inkscape, and GIMP have recent updates, with Krita 5.2.11 and Inkscape 1.4.2 released on July 31, 2025, and GIMP 3.0.4 from June 23, 2025
... most of these released are focusing on bug fixes and new features.
vineri, 1 august 2025
News : NodeJS and JavaScript security packages over sercurity areas.
Because I used NodeJS and JavaScript on web development, today I will show you some good packages for security using tree main areas of security ...
The first one:
ACLs known as Access Control Lists this use node_acl - npm package.
Will allow you to integrates with Express, also supports role-based access control known as RBAC, and stores rules in memory, Redis, or MongoDB.
The main goal is to define user roles and permissions for resources.
The RBAC known as Role-Based Access Control): A security model where user permissions are assigned based on roles. Each role has specific access rights to resources, simplifying management and ensuring users only access what’s necessary for their job.
The second one:
SAML known as Security Assertion Markup Language:
This allow you to use passport-saml - npm package.
This package configure SAML strategy in Express for secure authentication.
Enables SSO by integrating with identity providers (e.g., Okta, Azure AD).
The SSO known as Single Sign-On is a system allowing users to authenticate once with an identity provider as IdP known as Identity Provider and access multiple applications without re-entering credentials, improving user experience and security.
The IdP is a system that manages user identities and authenticates users for applications.This verifies user credentials (e.g., username/password) and issues security tokens (e.g., SAML assertions) to enable single sign-on aka SSO across trusted services, like Okta or Azure AD.
The last one is audit Log known as SIEM:
SIEM known as Security Information and Event Management is a system that collects, analyzes, and correlates logs and event data from various sources (e.g., systems, applications) in real-time.
This use winston or bunyan - npm packages for logging.
The main goal is to capture system/user events and integrate with SIEM systems like Splunk via HTTP or TCP forwarding.
Store logs in JSON format for compatibility.
Posted by
Cătălin George Feștilă
Labels:
2025,
2025 news,
development,
javascript,
news,
nodejs,
security,
web development

joi, 31 iulie 2025
News : Ollama’s new app.
Ollama’s comes with new app available for macOS and Windows.
See the official blog.
miercuri, 30 iulie 2025
News : Vite new changes.
From the official website ...
Vite is a blazing fast frontend build tool powering the next generation of web applications.
Vite makes web development simple again
The last release on GitHub project comes with the version 7.0.6 .
The good news comes from the same GitHub project and the x.com vite account:
The news is on this change log:
7.1.0-beta.0 (2025-07-30)
Posted by
Cătălin George Feștilă
Labels:
2025,
2025 news,
development,
github,
javascript,
news,
vite,
web development

News : app.1min.ai comes with credits for testing artificial intelligence issues.
... another news about the app.1min.ai - online tool.
the development team let users to add credits to test the artificial intelligence issues, I got already 745,000 credits.
you can see in the next image ...

Posted by
Cătălin George Feștilă
Labels:
2025,
2025 news,
artificial intelligence,
model,
models,
news,
online tool

News : Tiny Glade - Release Date Trailer by Ana & Tom.
... today , I saw one post on x.com , aka old twitter.com about the project on steam.
Tiny Glade is a small relaxing game about doodling castles. Explore gridless building chemistry, and watch the game carefully assemble every brick, pebble and plank. There's no management, combat, or wrong answers - just kick back and turn forgotten meadows into lovable dioramas.
This video is from 11 months ago on Ana & Tom - the youtube channel.
Posted by
Cătălin George Feștilă
Labels:
2025,
2025 news,
Ana & Tom,
news,
steam,
video,
video tutorial,
youtube

marți, 29 iulie 2025
News : New videos from UNIGINE.
... the latest videos from the UNIGINE - the official youtube channel.

News : another update on KLING AI !
You can find a new update for artificial intelligence on the official website - KLING AI.
You know already about the KLING AI online tool, and now comes with new changes for the artificial intelligence on the website features tools : KLING AI ver 2.1 and KLING AI 2.1 master !!
luni, 28 iulie 2025
News : Google Apps Script - add link to google document.
Today, I tested how to add a link to google drive document.
I tried some issues with some source code and this issue not work !
Let's see some simple examples:
/**
* Creates a new Google Docs document with a test link.
* This script is intended to verify the functionality of setLinkUrl and document placement in a folder.
*/
function createDocumentWithTestLink() {
const docTitle = "Document Test Link GAS";
const doc = DocumentApp.create(docTitle); // Creates the initial document in My Drive
const body = doc.getBody(); // Gets the body of the document to add content
// Add a paragraph of text to the document body
const paragraph = body.appendParagraph("This is a test link to Google.");
// Define the test URL (ensure it's a complete URL with protocol, e.g., https://)
const testUrl = "https://www.google.com";
// Set the hyperlink for the entire paragraph
try {
paragraph.setLinkUrl(testUrl); // Applies the URL as a hyperlink to the paragraph
Logger.log(`Link "${testUrl}" was successfully set on the paragraph.`);
} catch (e) {
Logger.log(`Error setting the link: ${e.message}`); // Logs any error during link setting
}
// --- NEW: Move the document to the same folder as the spreadsheet ---
try {
const spreadsheet = SpreadsheetApp.getActiveSpreadsheet(); // Gets the currently active spreadsheet
const spreadsheetFile = DriveApp.getFileById(spreadsheet.getId()); // Gets the Drive file object for the spreadsheet
// Get the parent folder(s) of the spreadsheet. Assumes there is at least one parent folder.
// If the spreadsheet is in the root of My Drive, this might require different handling.
const parentFolders = spreadsheetFile.getParents(); // Gets an iterator for parent folders
if (parentFolders.hasNext()) { // Checks if there is at least one parent folder
const parentFolder = parentFolders.next(); // Gets the first parent folder
DriveApp.getFileById(doc.getId()).moveTo(parentFolder); // Moves the newly created document to the parent folder
Logger.log(`Document "${docTitle}" was moved to folder: ${parentFolder.getName()} (${parentFolder.getUrl()})`);
} else {
// If the spreadsheet has no parent folder (i.e., it's in My Drive root), the document stays in root.
Logger.log(`Spreadsheet "${spreadsheet.getName()}" has no parent folder. The document remains in the root.`);
}
} catch (e) {
Logger.log(`Error moving the document to the folder: ${e.message}`); // Logs any error during folder move
}
// ------------------------------------------------------------------
// Get the URL of the created document and log it
const docUrl = doc.getUrl();
Logger.log(`Document was created: ${docUrl}`);
// Display a notification to the user (will appear in the script editor or logs)
SpreadsheetApp.getUi().alert('Document created', `A new document with a test link has been created. Check the logs for the document URL and its folder.`, SpreadsheetApp.getUi().ButtonSet.OK);
}
/**
* Adds an option to the "Custom Menu" to run the test function.
* This function is automatically called when the Google Sheet is opened.
*/
function onOpen() {
SpreadsheetApp.getUi() // Gets the user interface object for the spreadsheet
.createMenu('Custom Menu') // Creates a new custom menu named "Custom Menu"
.addItem('Create Test Link Document', 'createDocumentWithTestLink') // Adds an item to the menu that calls createDocumentWithTestLink
.addToUi(); // Adds the custom menu to the spreadsheet's UI
}
duminică, 27 iulie 2025
sâmbătă, 26 iulie 2025
News : Create your mail from google document!
Now, you can write in your document on google drive and send as mail.
First, click on edge document area to see templates buttons.Click the button Email draft, then will see an template for mail in the document.
You can click to star icon to star your document.
If you lost the visibility of these template buttons, just write something the delete all with backspace key.
This action will make template buttons: Templates, Metting notes, Email draft, More.
Fill with your content for mail, then press the blue M mail button.
This will open an gmail dialog with your data from document, then sent your mail!

Posted by
Cătălin George Feștilă
Labels:
2025,
2025 news,
google,
news,
online,
online tool,
website,
websites

News : Transform Your Development Workflow with Kiro.
Today, I saw this official webpage - kiro.dev.
Go from concept to production and beyond - Kiro is an AI IDE that works alongside you to turn ideas into production code with spec-driven development.
... another video from Kiro - the official youtube channel:
Posted by
Cătălin George Feștilă
Labels:
2025,
2025 news,
artificial intelligence,
development,
Kiro,
news,
video,
youtube

News : Cyberpunk 2077 — Update 2.3 Features Overview
... from eight days ago on Cyberpunk 2077 - the official youtube channel :
vineri, 25 iulie 2025
News : Google Patents source
Google Patents is a free, intuitive tool from Google designed to search and browse patents and patent applications from around the globe. It pulls together information from major patent offices like the USPTO, EPO, and WIPO, among others, creating a centralized hub for patent data. Using Google’s robust search engine, users can locate patents by entering keywords, patent numbers, inventor names, or other specific terms. The platform provides in-depth access to patent documents, including detailed technical descriptions, legal claims, illustrations, and translated texts, making it a vital resource for inventors, researchers, and companies.
Its standout features include powerful search filters, automatic translations for patents in foreign languages, and a straightforward interface for exploring patent details. While it doesn’t handle patent filings, Google Patents is an essential resource for uncovering prior art, studying existing technologies, or diving into innovations
Today, I found this great sci-fi knife design of the Collapsing Blade by Joseph Varner on the google patents website:

News : Introducing Opal.
Discover Opal, a new experimental tool that helps you compose prompts into dynamic, multi-step mini-apps using natural language.
Opal removes the need for code, allowing users to build and deploy shareable AI apps with powerful features and seamless integration with existing Google tools.
Not works on my country : Opal is not available in your country yet
You can try this google tool on the official website.
... another video from Google Developers - the youtube official channel.
Posted by
Cătălin George Feștilă
Labels:
2025,
2025 news,
google,
Google Developers,
news,
video,
video tutorial

News : Mini Trailer Rumba 2.0
Designed from the ground-up for animation, Rumba makes the animation process fast and intuitive. It provides a real-time creative experience that reduces time-consuming tasks to let the animators focus on their artistic expression.
You can read more on the official website.
... another video from Rumba Animation - the official youtube channel.
News : Pixel Composer by MakhamDev.
Today, I saw this project and seams to be a good one:
See more on these webpages: the documentation (WIP) webpage and the Pixel Composer on itch with full feature list.
You can see some videos on the MakhamDev - the official youtube channel.
Posted by
Cătălin George Feștilă
Labels:
2025,
2025 news,
itch,
news,
Pixel Composer,
video,
video tutorial,
youtube

joi, 24 iulie 2025
News : glTF Sizzle Reel
I don't see any post on my blog about The Khronos Group - youtube official channel. I don't know why !?
The Khronos Group, Inc. is an open, non-profit, member-driven consortium of 160 organizations developing, publishing and maintaining royalty-free interoperability standards and vibrant eco-systems for 3D graphics, VR, augmented reality, parallel computation, vision acceleration and machine learning.
News : Star Trek Online - Risa 2025 event comes with a new ship.
The new ship from the Risa 2025 event comes with the MIRANDA interior and these capabilities:


Abonați-vă la:
Postări (Atom)