Pages

luni, 22 septembrie 2025

News : Marvelous Designer 2025.1 Quickstart Guide #5: Arrangement Tools

 <div><iframe width="560" height="315" src="https://www.youtube.com/embed/JLlM1QTpfms?si=axyUN3XNa92Z9EhG" title="YouTube video player" frameborder="0" allow="accelerometer; autoplay; clipboard-write; encrypted-media; gyroscope; picture-in-picture; web-share" referrerpolicy="strict-origin-when-cross-origin" allowfullscreen></iframe></div>

duminică, 21 septembrie 2025

News : A Personal AI Supercomputer for Accelerated Protein AI

 <div><iframe width="560" height="315" src="https://www.youtube.com/embed/Xzg3Ty8vAQ8?si=-0MaIhaoKGuFJ-UW" title="YouTube video player" frameborder="0" allow="accelerometer; autoplay; clipboard-write; encrypted-media; gyroscope; picture-in-picture; web-share" referrerpolicy="strict-origin-when-cross-origin" allowfullscreen></iframe></div>

News : ... website with infos about AI .

see this website with good infos about AI.

duminică, 14 septembrie 2025

News : online assembly editor - x86-64 Playground

An online assembly editor and GDB-like debugger, see this tool online:

News : EthrA | Trailer

News : BDOlogy: Edania | Black Desert

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.

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 : Dune: Awakening — Explore Arrakis

News : Marvelous Designer 2025.1 Quickstart Guide #1: UI

Security : About fake clicks and security ...

Fake clicks and security. See this article.

News : New videos from Cartesian Caramel.

... the last videos from the Cartesian Caramel - youtube channel :

News : Create with DeviantArt Draw

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."

News : ... two videos from Roblox.

Day 1 | RDC 2025
Infinite Possibilities | RDC 2025

News : Hollow Knight: Silksong – Nintendo Switch 2 Edition – Launch Trailer

News : ... videos from Sony Pictures Animation

... by Sony Pictures Animation !!!

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.

News : The Sims 4 Adventure Awaits | Official Reveal Trailer

News : CGI 3D Animated Short: "Coquille" - by ESMA | TheCGBros

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 : ... free on Epic Games - 5 september 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.