Pages

vineri, 10 aprilie 2026

FASM : mouse crosshair with lines on the window GDI.

For a year now, it keeps hacking me on Windows. And when I am in a bad mood, I turn to complex things. Today, I wanted to see if I could make a functional assembly code with Microsoft's Copilot artificial intelligence and my assembly knowledge with FASM. Here is what resulted.
The program is a Win32 GUI application written in FASM that draws a crosshair (vertical + horizontal line) following the mouse cursor inside a window classic GDI.
1. Window Setup
The app starts by registering a Win32 window class (WNDCLASSEX) and creating a standard overlapped window. Nothing unusual here — just the classic Win32 boilerplate.
2. Message Loop
The program enters the main loop:
  • GetMessage
  • TranslateMessage
  • DispatchMessage
This keeps the window responsive and forwards events to the window procedure.
3. Tracking the Mouse
Whenever the mouse moves inside the window, Windows sends a WM_MOUSEMOVE message. The program extracts the X and Y coordinates from lParam:
  • LOWORD(lParam) → X
  • HIWORD(lParam) → Y
These values are stored and the window is invalidated so it can be repainted.
4. Drawing the Crosshair (GDI)
All drawing happens inside WM_PAINT using classic GDI:
  • MoveToEx
  • LineTo
  • Ellipse
  • TextOut
  • FillRect
The steps are:
  • Clear the client area
  • Get the window’s current size (GetClientRect)
  • Draw a vertical line at the mouse’s X position
  • Draw a horizontal line at the mouse’s Y position
  • Draw a small circle at the intersection
  • Print the coordinates in the corner
Because the client size is read dynamically, the crosshair always stretches across the entire window — no matter how it’s resized.
See the source code
; mouse_crosshair.asm
format PE GUI 4.0
entry start
include "win32a.inc"

WM_MOUSEMOVE = 0x0200

section '.data' data readable writeable

    szClass db "MouseGraph",0
    szTitle db "Mouse Crosshair Demo",0

    mouseX dd 0
    mouseY dd 0

    fmt    db "X=%d  Y=%d",0
    buffer db 64 dup(0)

    rc  RECT
    ps  PAINTSTRUCT
    wc  WNDCLASSEX
    msg MSG

section '.code' code readable executable

start:
    invoke GetModuleHandle,0
    mov [wc.hInstance],eax

    mov [wc.cbSize],sizeof.WNDCLASSEX
    mov [wc.style],CS_HREDRAW or CS_VREDRAW
    mov [wc.lpfnWndProc],WndProc
    mov [wc.cbClsExtra],0
    mov [wc.cbWndExtra],0
    mov [wc.hIcon],0
    mov [wc.hIconSm],0
    mov [wc.lpszMenuName],0
    mov [wc.lpszClassName],szClass
    mov [wc.hbrBackground],COLOR_WINDOW+1

    invoke LoadCursor,0,IDC_ARROW
    mov [wc.hCursor],eax

    invoke RegisterClassEx,wc

    invoke CreateWindowEx,0,szClass,szTitle,\
           WS_VISIBLE+WS_OVERLAPPEDWINDOW,\
           200,200,800,600,0,0,[wc.hInstance],0

msg_loop:
    invoke GetMessage,msg,0,0,0
    test eax,eax
    jz exit
    invoke TranslateMessage,msg
    invoke DispatchMessage,msg
    jmp msg_loop

exit:
    invoke ExitProcess,0

; ---------------------------------------------------------
proc WndProc hWnd,uMsg,wParam,lParam

    cmp [uMsg],WM_MOUSEMOVE
    je .mouse

    cmp [uMsg],WM_PAINT
    je .paint

    cmp [uMsg],WM_DESTROY
    je .destroy

.def:
    invoke DefWindowProc,[hWnd],[uMsg],[wParam],[lParam]
    ret

; ---------------- WM_MOUSEMOVE ----------------
.mouse:
    mov eax,[lParam]
    and eax,0FFFFh
    mov [mouseX],eax

    mov eax,[lParam]
    shr eax,16
    and eax,0FFFFh
    mov [mouseY],eax

    invoke InvalidateRect,[hWnd],0,TRUE
    ret

; ---------------- WM_PAINT ----------------
.paint:
    invoke BeginPaint,[hWnd],ps
    mov esi,eax ; hdc

    ; clean client
    invoke GetClientRect,[hWnd],rc
    invoke FillRect,esi,rc,COLOR_WINDOW+1

    ; pen red
    invoke CreatePen,PS_SOLID,1,0x0000FF
    mov ebx,eax
    invoke SelectObject,esi,ebx

    ; ---------------- linie verticala (cruce) ----------------
    mov eax,[mouseX]        ; X constant
    mov edx,[rc.bottom]     ; Y max (jos)
    invoke MoveToEx,esi,eax,0,0
    invoke LineTo,esi,eax,edx

    ; ---------------- line  ----------------
    mov eax,[mouseY]        ; Y constant
    mov edx,[rc.right]      ; X max (dreapta)
    invoke MoveToEx,esi,0,eax,0
    invoke LineTo,esi,edx,eax

    ; punct în intersec?ie
    mov eax,[mouseX]
    mov edx,[mouseY]
    invoke Ellipse,esi,eax-4,edx-4,eax+4,edx+4

    ; text coordonate
    invoke wsprintf,buffer,fmt,[mouseX],[mouseY]
    invoke lstrlen,buffer
    invoke TextOut,esi,10,10,buffer,eax

    invoke EndPaint,[hWnd],ps
    ret

; ---------------- WM_DESTROY ----------------
.destroy:
    invoke PostQuitMessage,0
    ret

endp

section '.idata' import data readable
library kernel32,"KERNEL32.DLL",\
        user32,"USER32.DLL",\
        gdi32,"GDI32.DLL"

include "api/kernel32.inc"
include "api/user32.inc"
include "api/gdi32.inc"

News : SASM - SimpleASM has support multiple languages.

... multi-languages for this good assembly editor named SASM - SimpleASM.
SASM (SimpleASM) - simple Open Source crossplatform IDE for NASM, MASM, GAS, FASM assembly languages. SASM has syntax highlighting and debugger. The program works out of the box and is great for beginners to learn assembly language. SASM is translated into Russian, English, Turkish (thanks Ali Goren), Chinese (thanks Ahmed Zetao Yang), German (thanks Sebastian Fischer), Italian (thanks Carlo Dapor), Polish (thanks Krzysztof Rossa), Hebrew (thanks Elian Kamal), Spanish (thanks Mariano Cordoba), Portuguese (thanks alglus), French (thanks Franc Serres), Brazilian Portuguese (thanks williampe99), Japanese (thanks ookatuk). Licensed under the GNU GPL v3.0. Based on the Qt.

Tools : test devv.ai for development with artificial intelligence.

Today I tested devv.ai and I asked it to make me an image generator with a prompt.
The issue was : Create an AI image generator app with gallery and user authentication.
After the application was created , I tested online on this webpage.
I asked on the prompt : A magnificent futuristic city based on Christianity, science and knowledge, robots, rehabilitation centers, food, everything is free and fair, without weapons or coercive institutions.
This is resized result:

marți, 7 aprilie 2026

Tools : Xournal++ best free tool for handwritten notes.

Xournal++ (/ˌzɚnl̟ˌplʌsˈplʌs/) is an open-source and cross-platform note-taking software that is fast, flexible, and functional. A modern rewrite and a more feature-rich version of the wonderful Xournal program.
Support for pressure-sensitive stylus and drawing tablets (Wacom, Huion, XP-Pen, etc.).
Robust and customizable pen, highlighter and eraser tools, allowing you to write how you want to write.
Use layers to make complex notes that are still pleasant to work with.
Keep track of the notes by using page previews.
Add images and create various shapes, from circles to splines to axis.
Snap objects to rectangular grid or degrees of rotation.
Create anything from differential equations to electrical circuits or the structural formula of molecules using our built-in LaTeX editor.
Customize your toolbar to create a new layout, tailor-made for you.
Use a plugin or create your own via the Lua programming language.
Record audio while you write and insert the recording to any object in your note.
Listen to the recorded audio with the 'Play Object' tool.
Xournal++ for Mobile is now available in Beta!
In short, Xournal++ is a powerful, free tool for handwritten notes, PDF annotation, and technical or academic work — especially if you use a stylus.
You can use with yours any operating system: Linux, Apple, mobile and Windows.
This application can be download from the official website.

News : Did you know Riot Games used Moho to animate their latest Valorant short film?

luni, 6 aprilie 2026

News : Google AdSense upcoming changes.

Starting on or after April 20, 2026, Google AdSense will experiment with an updated set of commonly used ad technology partners. If this experiment is deemed beneficial for publishers, the list will be updated on or after June 5, 2026. This update will reflect the partners that work most closely with publishers globally, determined by data collected from all programmatic demand sources, as well as meeting our privacy standards.
You'll be able to find the up-to-date version of the list published at Manage your ad technology partners (ATPs). You can view the controls, the list of current ad technology partners and, once the experiment starts, those who are part of the experiment in your account in Privacy & messaging, on the European regulations settings page, in the "Your ad partners" menu.
If you want to prevent automatic updates or do not want to participate in the experiment, select "Do not automatically include commonly used ad partners". This will create a custom list pre-filled with your current selections, which you can then modify as needed. If you're using a third-party CMP to collect GDPR consent, your list of ad tech partners is managed through your CMP provider.

News : Low price for Trae AI - best and cheap development tool.

See the trae AI tool for development with low prices, started from 3 euro .

Tools : PlayCanvas Developer Site is easy to use ...

You need to read the documantation to be more accurate from the official website.

News : The new Qt Quick 3D with XR and VR applications into new Qt 6.11.

This is an old news from two weeks ago about the Qt 6.11.
Even the Qt was released now the news comes about the Qt Quick 3D:
Qt Quick 3D provides a high-level API for creating 3D content and 3D user interfaces based on Qt Quick. Rather than using an external engine, which creates syncing issues and additional layers of abstraction, Qt Quick 3D provides extensions to the existing Qt Quick Scene Graph for spatial content and a renderer for that extended scene graph. When using the spatial scene graph, it's possible to mix Qt Quick 2D content with 3D content.
Qt Quick 3D also provides for XR and VR applications with Qt Quick 3D Xr.
See the new video from the official youtube channel - Qt Studio about the new released Qt 6.11.

sâmbătă, 4 aprilie 2026

News : volumetric videos for XR and beyond ...

Gaussian splatting-based volumetric videos for XR and beyond ...

News : Real-World 3D Geospatial Capability for Unity by Cesium.

Built on open standards and APIs, Cesium for Unity combines the 3D geospatial capability of Cesium and 3D Tiles with the Unity ecosystem.

News : Agent Development Kit for Go by google.

Agent Development Kit (ADK) is a flexible and modular framework that applies software development principles to AI agent creation. It is designed to simplify building, deploying, and orchestrating agent workflows, from simple tasks to complex systems. While optimized for Gemini, ADK is model-agnostic, deployment-agnostic, and compatible with other frameworks.
This Go version of ADK is ideal for developers building cloud-native agent applications, leveraging Go's strengths in concurrency and performance.

News : Maintenance release: Godot 4.6.2.

While the majority of our team continues to focus on development snapshots for Godot 4.7, we still have a commitment to maintenance releases for the latest stable version. Specifically, our release support policy promises active support until the successor’s first patch release, so there’s still room for yet more maintenance releases in the future. As for now, we’d like to thank everyone who took the time to evaluate and ratify our release candidates for Godot 4.6.2.

vineri, 3 aprilie 2026

News : Space Engineers 2: Olive-like Trees

News : A UE5-powered virtual factory to optimize Cadbury Creme Egg production.

News : Paralives - Town Events Showcase

Tools : Arnis : handle large-scale geographic into Minecraft worlds.

Arnis creates complex and accurate Minecraft Java Edition (1.17+) and Bedrock Edition worlds that reflect real-world geography, topography, and architecture.
This free and open source project is designed to handle large-scale geographic data from the real world and generate detailed Minecraft worlds. The algorithm processes geospatial data from OpenStreetMap as well as elevation data to create an accurate Minecraft representation of terrain and architecture. Generate your hometown, big cities, and natural landscapes with ease!

News : Kahoot Review 2026: Features, Pricing & Better Alternatives by Atomi Systems.

If you’ve spent any time in a modern classroom, physical or virtual, you’ve almost certainly heard the iconic Kahoot countdown music. Since its launch over a decade ago, Kahoot has become synonymous with gamified quizzes. It’s colorful, it’s energetic, and students genuinely light up when they see it on screen.
But here’s the question I keep hearing from fellow instructional designers and educators in 2026: Is Kahoot still the right tool when your needs go beyond a quick classroom warm-up?
What Is Kahoot? A Quick Overview
Kahoot is a cloud-based, game-based learning platform primarily designed for live, synchronous quiz sessions. Teachers or trainers create quiz games (“Kahoots”), share a game PIN with participants, and players answer questions on their own devices in real time. Points are awarded for speed and accuracy, and a live leaderboard keeps the competitive energy high.
Founded: 2013, Norway
Primary Use Case: Live gamified quizzes and polls
Platform: Web-based (works on any browser, plus iOS/Android apps)
Target Users: K-12 teachers, corporate trainers, event facilitators
See prices on the official website.

joi, 2 aprilie 2026

Tools : online comics with artificial intelligence ...

You can create your comics book with artificial intelligence online website, see the official website.
I tested with 100 points free account, I found some mistakes but works great, see my comics Mission 76:

marți, 31 martie 2026

News : example with cubes from omma.build website

3D scenes, websites, games, apps. Describe anything and Omma builds it for you in seconds.
I found this idea of html graphics design, see this exemple website.
The main website is the omma website.

News : ... free on Epic Games - 31 March 2026.

sâmbătă, 28 martie 2026

Tools : ... krita brushes by David Revoy

See the official page with brushes by David Revoy.

News : Discover Krita 5.3/6.0: 10 new features explained to get you started.

News : Add Noise to Objects | Animation Scripts in Cascadeur

News : Wan2.2-Animate animation and replacement.

Wan2.2-Animate: Unified Character Animation and Replacement with Holistic Replication.
You can test on the demo - huggingface.co.

News : Cline Kanban a single view of multi-agent orchestration.

Introducing Cline Kanban: A standalone app for CLI-agnostic multi-agent orchestration. Claude and Codex compatible.
Cline Kanban brings your agents out of the terminal and into the board. Create, manage, and chain agent tasks within a single view. Claude Code and Codex compatible.
npm i -g cline
Tasks run in worktrees, click to review diffs, & link cards together to create dependency chains that complete large amounts of work autonomously.

vineri, 27 martie 2026

News : Kena: Bridge of Spirits – Launch Trailer – Nintendo Switch 2

News : Meet Baby Globe, Wikipedia’s 25th birthday mascot.

Baby Globe is finally here to celebrate 25 years of knowledge at its best. Press play for a few hints on where this fun-loving character will be showing up.
Follow the instructional snapshots below to activate Baby Globe on your phone or computer. For now, you will only see Baby Globe on these Wikipedias. ... Baby Globe Plushie By: Wikipedia $29.99 .

Star Trek Online: ... new event on this online game - 26-03-2026.

A new event this month in the online game Star Trek Online. I'm in a bit of a hurry with more important tasks because I had a lot of blockages in my tasks, I didn't make a Steam video, rewards are in the Klingon area: ships ...

joi, 26 martie 2026

Tools : remove language keyboard with powewrshell.

Simple powershell script with graphic user interface for remove language keyboard. I used copilot artificial intelligence to help me to create this powershell script.
Add-Type -AssemblyName System.Windows.Forms
Add-Type -AssemblyName System.Drawing

# ============================
# STARTUP MESSAGE
# ============================
[System.Windows.Forms.MessageBox]::Show(
"Run this script as Administrator.

If scripts are blocked, run:
Set-ExecutionPolicy -Scope Process -ExecutionPolicy Bypass",
"IMPORTANT",
"OK",
"Information"
)

# ============================
# GET INSTALLED LANGUAGES
# ============================
$languages = Get-WinUserLanguageList

# Build a list of IMTs with language names
$imtList = @()

foreach ($lang in $languages) {
    foreach ($imt in $lang.InputMethodTips) {
        $entry = [PSCustomObject]@{
            LanguageName = $lang.Autonym
            LanguageTag  = $lang.LanguageTag
            IMT          = $imt
        }
        $imtList += $entry
    }
}

# ============================
# BUILD THE FORM
# ============================
$form = New-Object System.Windows.Forms.Form
$form.Text = "Keyboard Layout Selector"
$form.Size = New-Object System.Drawing.Size(520, 600)
$form.StartPosition = "CenterScreen"

$label = New-Object System.Windows.Forms.Label
$label.Text = "Select the keyboard layouts you want to KEEP:"
$label.AutoSize = $true
$label.Location = New-Object System.Drawing.Point(10,10)
$form.Controls.Add($label)

$panel = New-Object System.Windows.Forms.Panel
$panel.Location = New-Object System.Drawing.Point(10,40)
$panel.Size = New-Object System.Drawing.Size(480,460)
$panel.AutoScroll = $true
$form.Controls.Add($panel)

$checkboxes = @()
$y = 10

foreach ($item in $imtList) {
    $cb = New-Object System.Windows.Forms.CheckBox
    $cb.Text = "$($item.LanguageName)  |  $($item.LanguageTag)  |  $($item.IMT)"
    $cb.Location = New-Object System.Drawing.Point(10, $y)
    $cb.AutoSize = $true
    $panel.Controls.Add($cb)
    $checkboxes += $cb
    $y += 30
}

$button = New-Object System.Windows.Forms.Button
$button.Text = "Apply"
$button.Location = New-Object System.Drawing.Point(200,520)
$button.Size = New-Object System.Drawing.Size(100,30)
$form.Controls.Add($button)

# ============================
# APPLY BUTTON LOGIC
# ============================
$button.Add_Click({
    $selectedIMTs = @()

    foreach ($cb in $checkboxes) {
        if ($cb.Checked) {
            # Extract IMT from checkbox text
            $parts = $cb.Text.Split("|")
            $imt = $parts[2].Trim()
            $selectedIMTs += $imt
        }
    }

    if ($selectedIMTs.Count -eq 0) {
        [System.Windows.Forms.MessageBox]::Show("You must select at least one layout to keep.")
        return
    }

    # Build new language list
    $newList = @()

    foreach ($lang in $languages) {
        $newLang = New-WinUserLanguageList $lang.LanguageTag
        $newLang[0].InputMethodTips.Clear()

        foreach ($imt in $lang.InputMethodTips) {
            if ($selectedIMTs -contains $imt) {
                $newLang[0].InputMethodTips.Add($imt)
            }
        }

        if ($newLang[0].InputMethodTips.Count -gt 0) {
            $newList += $newLang[0]
        }
    }

    Set-WinUserLanguageList $newList -Force

    [System.Windows.Forms.MessageBox]::Show("Keyboard layouts updated successfully.")
    $form.Close()
})

# ============================
# SHOW FORM
# ============================
$form.ShowDialog()
NOTE : To resolve issues with the wrong keyboard layout at the sign-in screen, users can follow these steps: Press Win + R to open the Run dialog. Type intl.cpl and click OK to open the Region settings.

News : Building Autonomous Networks with Agentic AI.

News : Microsoft Flight Simulator | Local Legend 23: The Fokker F27 Friendship

News : Farming Simulator 26: Announcement Trailer

News : April 24 onward on GitHub.

From April 24 onward, interaction data—specifically inputs, outputs, code snippets, and associated context—from Copilot Free, Pro, and Pro+ users will be used to train and improve our AI models unless they opt out.
  • Install Copilot in your editor;
  • Chat with Copilot anywhere;
  • Start building with Copilot - Learn how to build with Copilot in Visual Studio Code or Visual Studio.

miercuri, 25 martie 2026

News : hacked again ...

After install , window was renamed with DESKTOP-A7711RR and seams is hacked again...
The Star Trek Online webpage works but the game software not ...
I install the android emulator and after few restart I have this issue with another folder: C:\Program1\BlueStacks X
This happend from the first time work on this network ... many hackking issue on Linux and Windows.

News : 🏠 Welcome Home, Hobbit 🏠 | Tales of the Shire Is Out Now on Nintendo Switch 2

News : Wan: Open and Advanced Large-Scale Video Generative Models.

We are excited to introduce Wan2.2, a major upgrade to our foundational video models. With Wan2.2, we have focused on incorporating the following innovations:

News : DreamOS.

A small 32 bit Operating system written from scratch.
Please be aware that the development of this project has been halted, but the good news is that I started a new os from scratch 64 bits this time, with framebuffer... and it is called... Dreamos64, you can find it here:

luni, 23 martie 2026

News : Release candidate: Godot 4.6.2 RC 2

Last week, we released our first Release Candidate snapshot for 4.6.2, and have since backported even more critical bugfixes. While we normally only need a single pass for maintenance releases, sometimes enough changes are integrated to warrant a second pass. So, once more for good measure: Godot 4.6.2 RC 2 is ready for general testing!
Please consider supporting the project financially, if you are able. Godot is maintained by the efforts of volunteers and a small team of paid contributors. Your donations go towards sponsoring their work and ensuring they can dedicate their undivided attention to the needs of the project.
Jump to the Downloads section, and give it a spin right now, or continue reading to learn more about improvements in this release. You can also try the Web editor, the XR editor, or the Android editor for this release. If you are interested in the latter, please request to join our testing group to get access to pre-release builds.

duminică, 22 martie 2026

Tools : install scoop with powershell script.

Scoop downloads and manages packages in a portable way, keeping them neatly isolated in ~\scoop .
Simple powershell script to install the scoop installer.
# check is scoop is on pc
if (Get-Command scoop -ErrorAction SilentlyContinue) {
    Write-Host "Scoop este deja instalat."
    exit
}

# set running script for user
Set-ExecutionPolicy RemoteSigned -Scope CurrentUser -Force

# install the scoop
iwr -useb get.scoop.sh | iex

# check the install process
if (Get-Command scoop -ErrorAction SilentlyContinue) {
    Write-Host "Scoop a fost instalat cu succes!"
} else {
    Write-Host "Instalarea Scoop a eșuat."
}

Tools : analyzes your hardware for AI

llmfit.exe is a command‑line tool that analyzes your hardware (CPU, RAM, GPU, VRAM) and tells you which LLMs you can realistically run on your machine. It supports both an interactive TUI mode and a non‑interactive CLI mode.

News : Local AI for iPhone, iPad, and Mac.

Local AI for Private, Uncensored Chat on iPhone, iPad, and Mac with No Cloud, No Tracking, No Logins.
Private LLM is a local AI chatbot for iOS and macOS that works offline, keeping your information completely on-device, safe and private. It doesn't need the internet to work, so your data never leaves your device. It stays just with you. With no subscription fees, you pay once and use it on all your Apple devices. It's designed for everyone, with easy-to-use features for generating text, helping with language, and a whole lot more. Private LLM uses the latest AI models quantized with state of the art quantization techniques to provide a high-quality on-device AI experience without compromising your privacy. It's a smart, secure way to get creative and productive, anytime and anywhere.

News : Maintenance release: Godot 4.5.2

Another news from Rémi Verschelde at 19 March 2026 about the Godot game engine.
While most users have upgraded their projects to Godot 4.6 by now, some have to stay on the previous 4.5 branch for various reasons, so we do our best to provide them with important fixes.
Our release support policy is that we support a given stable branch actively until its successor has had its first patch release, which happened a month ago with 4.6.1. But 4.5.2 was already in the pipeline with RC1, I just never got to finalizing it… so it’s time to wrap it up with a stable release!
Note: Following this maintenance release, the 4.5 branch switches to partial support, and the 4.4 branch is end of life and won’t get new patch releases.

sâmbătă, 21 martie 2026

News : MINECRAFT DUNGEONS II | Announce Trailer

News : Death Stranding 2: On The Beach - "No Rain No Rainbow" Launch Trailer | PC Games

News : Microsoft Flight Simulator | City Update 14: The Netherlands and Belgium

News : Starship Troopers: Ultimate Bug War! - Launch Trailer | PS5 Games

News : OpenClaw: The ChatGPT Moment for Long-Running, Autonomous Agents

News : Google Earth's data catalog goes global

News : Stitch into an AI-native software design canvas.

Over the last year, AI has fundamentally changed how we build, turning simple descriptions into functional software. We launched Stitch to bring your ideas to life starting with the design process.
Today, we are evolving Stitch into an AI-native software design canvas. With it, anyone can create, iterate and collaborate to turn natural language into high-fidelity UI designs.
Stitch is accessible by users 18+ who are located in regions where Gemini is available.
It’s an AI‑powered design tool that lets you create full, high‑fidelity user interfaces (UI) simply by describing what you want in natural language. It helps you brainstorm, design, prototype.

miercuri, 18 martie 2026

marți, 17 martie 2026

News : Personal Mobility - MD Ride Bike

News : What's New in Blender 5.1! Official Overview

News : Sushi Cat - Tower Defense (Meow Available)

News : Google Arts & Culture - t-SNE map experiment

The t‑SNE Map Experiment is an interactive visualization created by Google Arts & Culture. It uses machine learning to arrange thousands of artworks on a giant map, not by geography, but by visual similarity.

luni, 16 martie 2026

News : Aerial_Knight's DropShot | Launch Trailer

News : The New Blender Remesh Trick for Impossible Retopology

News : Add Drift Tuning to Select New Vehicles in GTA Online

News : Synth Riders | Level UP Progression System Trailer | Meta Quest 2 + Meta Quest 3

News : Creations - The Elder Scrolls V: Skyrim - Legacy of Orsinium

News : NEVER FIGHT ALONE // Miks Agent Trailer - VALORANT.

News : 0 A. D. Empires Ascendant — Release 28 Boiorix Trailer

News : Headquarters: Cold War | UH-60 Black Hawk - Unit video

News : Brand Dossier: CASE IH | Farming Simulator 25

News : OpenClaw package for Ollama.

OpenClaw isn’t a built‑in Ollama model — it’s an AI coding agent that Ollama can launch, but it requires:
Node.js + npm (because OpenClaw is a JavaScript/Node-based agent)
The OpenClaw package installed locally:
npm install -g openclaw

duminică, 15 martie 2026

News : ... free on Epic Games - 16 March 2026.

Star Trek Online: Corruption - gameplay .

I play live this mission from Star Trek Online - Corruption and looks very good. I lost some lives because this laptop works slow on live recording task ...

luni, 9 martie 2026

News : Planet of Lana II: Children of the Leaf | Launch Trailer

News : MakeRoom Update 13 Trailer

News : Rebelle 8 Brush Creator: Customize and Save Brushes

News : An early concept of surface probes leaving and returning.

News : Update pack for the K-Lite Codec Pack.

KLCP gets updated frequently. However, there may be worthwhile updates to some of the included components in between the regular releases of KLCP. The update pack below can be used to keep your current installation up-to-date.
This update pack is suppossed to be installed on top of the latest version of the codec pack. The minimum required version of your currently installed codec pack is mentioned below. The update pack is cumulative, meaning it contains all changes since that version. You do not need to install any versions in between.

vineri, 6 martie 2026

News : WordPress 7.0 Beta 3.

This beta version of the WordPress software is still under development. Please do not install, run, or test this version of WordPress on production or mission-critical websites. Instead, you should evaluate Beta 3 on a test server and site.WordPress 7.0 Beta 3 can be tested using any of the following methods
The scheduled final release date for WordPress 7.0 is April 9, 2026.

miercuri, 4 martie 2026

News : Ollama's cloud comes with GLM-5!

GLM-5 is on Ollama's cloud!
ollama run glm-5:cloud 
ollama launch claude --model glm-5:cloud
ollama launch codex --model glm-5:cloud

marți, 3 martie 2026

News : GIMP 3.2 RC3: Third Release Candidate for GIMP 3.2

We’re excited to release the third release candidate of GIMP version 3.2! It contains a number of bug fixes and final polishes as we prepare the first stable release of GIMP 3.2.

sâmbătă, 28 februarie 2026

CodePen : march 2026

Tools : FragCoord.xyz

News : Annulet Announcement Trailer.

News : Forged in Fury | Shyvana Champion Update Trailer - League of Legends

Security : CORS (Cross‑Origin Resource Sharing) few headers.

CORS (Cross‑Origin Resource Sharing) is a browser security mechanism that controls whether a web application is allowed to request resources from a different domain than the one it was loaded from. It is a controlled extension of the Same‑Origin Policy, which would otherwise block most cross‑site requests.
CORS allows a server to explicitly declare which origins are permitted to access its resources. Without this rule, a malicious website could attempt to read sensitive data from your account on another site.
Header Explanation
Access-Control-Allow-Origin: * Allows any origin to access the resource (very risky for sensitive APIs).
Access-Control-Allow-Origin: https://example.com Allows only the specified origin to access the resource.
Access-Control-Allow-Methods: GET, POST, PUT, DELETE, PATCH Specifies which HTTP methods are allowed for cross-origin requests.
Access-Control-Allow-Headers: Content-Type, Authorization, X-Api-Key Lists which custom request headers the client is allowed to send.
Access-Control-Allow-Credentials: true Allows cookies and authentication data in cross-origin requests; cannot be used with "*".
Access-Control-Expose-Headers: X-RateLimit-Remaining, X-Custom-Header Allows the browser to read specific response headers that are normally hidden.
Access-Control-Max-Age: 86400 Defines how long the browser may cache the preflight response (in seconds).
Access-Control-Request-Method: PUT Sent by the browser during preflight to ask if the HTTP method is allowed.
Access-Control-Request-Headers: Authorization, X-Api-Key Sent by the browser during preflight to ask if custom headers are allowed.
Origin: https://client.com Sent by the browser to indicate the origin of the request.
Vary: Origin Instructs caches that the response may vary depending on the Origin header.
Vary: Access-Control-Request-Headers Ensures caches treat responses differently based on requested headers.
Vary: Access-Control-Request-Method Ensures caches treat responses differently based on requested methods.
Timing-Allow-Origin: * Allows cross-origin access to detailed performance timing information.
Timing-Allow-Origin: https://example.com Allows only the specified origin to access performance timing data.
Access-Control-Allow-Private-Network: true Allows requests to private network resources (used in newer browser security models).
Cross-Origin-Opener-Policy: same-origin Isolates the browsing context from cross-origin pages to prevent data leaks.
Cross-Origin-Opener-Policy: same-origin-allow-popups Allows popups but keeps the main page isolated from cross-origin interference.
Cross-Origin-Opener-Policy: unsafe-none Disables isolation; allows cross-origin interactions (least secure).
Cross-Origin-Embedder-Policy: require-corp Requires embedded resources to explicitly allow cross-origin embedding (needed for SharedArrayBuffer).
Cross-Origin-Embedder-Policy: unsafe-none Allows embedding any resource without restrictions (not secure).
Cross-Origin-Resource-Policy: same-origin Restricts resource loading to the same origin only.
Cross-Origin-Resource-Policy: same-site Allows resource loading from the same site but different subdomains.
Cross-Origin-Resource-Policy: cross-origin Allows resource loading from any origin.
Cross-Origin-Opener-Policy-Report-Only Reports violations of COOP without enforcing them.
Cross-Origin-Embedder-Policy-Report-Only Reports violations of COEP without enforcing them.
Content-Security-Policy: script-src 'self' Restricts which scripts can run; critical for preventing cross-origin script injection.
Content-Security-Policy: worker-src 'self' Controls which origins can load Web Workers; required for secure WASM execution.
Content-Security-Policy: frame-ancestors 'none' Prevents the page from being embedded in iframes (anti-clickjacking).
Content-Security-Policy: require-trusted-types-for 'script' Protects against DOM XSS by enforcing Trusted Types.
Permissions-Policy: shared-array-buffer=(self) Allows SharedArrayBuffer only in isolated contexts (COOP + COEP required).
Permissions-Policy: fullscreen=(self) Controls which origins can request fullscreen mode.
Permissions-Policy: geolocation=() Blocks geolocation access for all origins.
Referrer-Policy: no-referrer Prevents sending the Referer header to any destination.
Referrer-Policy: strict-origin-when-cross-origin Sends full referrer on same-origin requests, but only origin on cross-origin.
Sec-Fetch-Site: cross-site Indicates the request came from a different site; used by browsers for security decisions.
Sec-Fetch-Mode: cors Indicates the request is a CORS request.
Sec-Fetch-Dest: script Indicates the destination type of the request (script, image, iframe, etc.).
Sec-Fetch-User: ?1 Indicates the request was triggered by a user interaction.
Report-To: {"group":"coop","max_age":10886400} Defines where browsers should send COOP/COEP violation reports.
NEL: {"report_to":"coop","max_age":10886400} Network Error Logging; allows reporting of network failures.

News : CORE browser.

An out of this world experience, CORE is the most innovative web browser that exists on the market. With its high-end, scale-able functionalities, we aim high with CORE. CORE is the web browser from the future - built specifically to optimise your lifestyle and combine the best of both traditional and modern worlds in the new digital age.

vineri, 27 februarie 2026

News : Mod Spotlight - February 2026 | Farming Simulator 25

News : Alien Heroes and Villains | Halo Quiz | Halo 25th Anniversary

News : Starship Troopers: Extermination | The Federation Needs You.

News : Delphi turns 31 in 2026 with new budget model.

I've used Delphi in the past, which is based on the Pascal programming language and comes with object-oriented programming. It didn't cost much, it was also freeware, I don't know... it had a component-type package system.
Delphi turns 31 in 2026. If your team builds and maintains high-performance apps, this anniversary promo is a straightforward way to cut costs now, or lock in predictable updates and support for the next 31 months.
CTOs and CIOs usually weigh ROI, risk, scalability, and long-term maintainability. RAD Studio 13 is built for native, enterprise-grade apps: better performance, and a platform designed for long-lived codebases. That helps you reduce stack sprawl, keep delivery moving with a small team, and protect the code you already own.
Your new license will also include the next product release at no additional cost.
Choose the option that matches your budget model:
Option A - Immediate savings
  • 15% off Professional
  • 25% off Enterprise
  • 31% off Architect (one of the biggest discounts we’ve offered)
Option B - Predictable maintenance
  • Pay full price on any edition and get 31 months of maintenance total (12 months included + 19 months free), including free updates and support.
Promo pricing is available now until Feb 28, 2026.

News : Ollama can now launch Pi.

Ollama can now launch Pi, a minimal coding agent which you can customize for your workflow.
ollama launch pi

joi, 26 februarie 2026

News : Paralives - Still Time to Support Us on Patreon!

News : WHAT IT TAKES TO SURVIVE IN OUTWARD 2 - IGN FAN FEST

News : ... free on Epic Games - 26 February 2026.

News : Everwind - Release Trailer

News : Krita 5.2.16 bugfix release!

Today we're releasing Krita 5.2.16. The previous version of 5.2 had issues with saving heif, heic and avif files, and while we are busy preparing 5.3, we decided this was worth it to make another release over.
If you're using the portable zip files, just open the zip file in Explorer and drag the folder somewhere convenient, then double-click on the Krita icon in the folder. This will not impact an installed version of Krita, though it will share your settings and custom resources with your regular installed version of Krita. For reporting crashes, also get the debug symbols folder.

Tools : A series of advanced mathematical and computational algorithms ...

Below is the list of algorithms and mathematical concepts involved, from fundamental vector geometry to state-of-the-art neural networks in software development with vector mathematics:
  • Bezier Polynomials (Quadratic and Cubic): The mathematical foundation for generating smooth SVG paths using control points.
  • Casteljau Algorithm: A recursive method used for curve subdivision and robust geometric construction.
  • Affine Transformations: 3x3 matrix operations enabling translation, rotation, scaling, and skewing of objects.
  • Curve Tessellation: Adaptive subdivision algorithms converting smooth parametric curves into discrete pixel segments.
  • Spiro Splines: Used in Inkscape to create curves that minimize curvature variation through clothoid segments.
  • Boolean Operations (Union, Intersection, Difference, XOR): Based on computational geometry for combining complex shapes.
  • Bentley–Ottmann Algorithm: Used to detect line‑segment intersections during boolean path operations.
  • Winding Number Calculation: Determines whether a point lies inside or outside a path.
  • Arc‑Length Parameterization: Essential for placing text on a path and for uniform motion animations.
  • Potrace Algorithm: Converts bitmap images into vector paths through decomposition, polygon optimization, and least‑squares curve fitting.
  • Sobel Operator: Edge‑detection algorithm computing gradient magnitude and direction in raster images.
  • Ramer–Douglas–Peucker Algorithm: Simplifies paths by reducing intermediate points while preserving shape fidelity.
  • Schneider Algorithm: Optimizes Bézier curve fitting using Newton–Raphson iteration.
  • DeepSVG (Hierarchical Generative Networks): Enables vector graphics reconstruction and animation through latent‑space operations.
  • SVGformer (Transformer Architectures): Captures complex patterns and dependencies in large SVG datasets.
  • GANs (Generative Adversarial Networks): Produce professional vector outputs through adversarial training.
  • CVAEs (Convolutional Variational Autoencoders): Learn to encode and decode graphic data such as fonts or icons into latent spaces.
  • L‑Systems (Lindenmayer Systems): Use formal grammar rules and recursion to generate organic shapes.
  • Perlin Noise: Produces mathematically controlled random variations for organic patterns.
  • Verlet Integration: Used in force‑based simulations (Coulomb attraction, Hooke elasticity) for data visualization.
  • Convolution Mathematics: Implements SVG filters (such as Gaussian Blur) using discrete convolution matrices.

Tools : Hitem3d

With Hitem3d, turning a 2D image into a 3D model is simpler than ever. Just upload your image, generate the model with one click, and export it for further editing across multiple applications.

miercuri, 25 februarie 2026

Tools : new Qwen-Image-Edit-2511-Multiple-Angles-LoRA on the HuggingFace webpage.

Today, I see this new Qwen-Image-Edit-2511-Multiple-Angles-LoRA implementation on the HuggingFace.co website. Also, I used the demo reel to test with one web image with one comic - Iron Man.

Security : PNG Analysis by Didier Stevens.

This is another good tool by Didier Stevens :

marți, 24 februarie 2026

News : Electron on Windows Gallery Preview

News : Turn creative prompts into interactive XR experiences with Gemini

With the release of Canvas in the Gemini web app, our Android XR team began to explore how we might use it to make immersive computing accessible to developers and users at large. We noticed that Gemini is particularly adept at generating interactive 3D web graphics, and asked a simple question: What if you could experience Gemini’s 3D web creations in extended reality?

Star trek Online : new tasks for event on February.

Two tasks on this mounth - February, with stories ...

luni, 23 februarie 2026

Security : Google CVE-2026-2441- Chrome zero-day of 2026.

Google has issued a patch for a high‑severity Chrome zero‑day, tracked as CVE‑2026‑2441, a memory bug in how the browser handles certain font features that attackers are already exploiting.
CVE-2026-2441 has the questionable honor of being the first Chrome zero-day of 2026. Google considered it serious enough to issue a separate update of the stable channel for it, rather than wait for the next major release.

News : babylonjs wave example ...

If you use vertex positions and node materials, you can create effects the user understand and interact with a 3D scene!
On example with this feature on the official website.

News : NEXT FEST is back ...

See more about this new change on world of game : NEXT FEST from the official webiste .
Steam Next Fest is back with new demos from now until March 2!
Check out of demos of every genre and wishlist your favorites. Browse by genre, theme, or feature, or check out the For You tab for recommendations based on what you've been playing!

News : latest videos from Meta Quest.

News : latest videos from Farming Simulator.

News : latest videos from Feather 3D.

News : latest videos from Microids.

News : Getting Started with Daz to CC5 Workflow | Character Creator 5 Tutorial

Tools : AI File Renamer - Rename & Organize Files Automatically.

Rename PDFs, Photos & Documents Instantly with AI ...

sâmbătă, 21 februarie 2026

News : Wildfire Games new tribe ...

Wildfire Games, an international group of volunteer game developers, proudly announces the release of 0 A.D. Release 28: “Boiorix”, the twenty-eighth version of 0 A.D., a free, open-source real-time strategy game of ancient warfare. The release is named after the king of the Cimbri Germanic tribe Boiorix.

News : 【Ragnarok Online 3】 Reveals Exciting Updates: A New Chapter of the RO Legacy

Tools : Top 10 AI Agents for Cybersecurity - Introduction.

Cybersecurity agents are intelligent software components designed to protect digital systems from attacks, vulnerabilities, and malicious activity. They operate as automated defenders that continuously monitor networks, devices, and applications to identify suspicious behavior or security risks. Using techniques such as machine learning, behavioral analysis, and real‑time data processing, these agents can detect intrusions, block harmful actions, isolate compromised systems, and alert security teams before damage occurs. In recent years, artificial intelligence has become a powerful tool not only for defenders but also for attackers. Malicious AI agents can automate phishing, scan for vulnerabilities, generate malware variants, or coordinate large-scale attacks. Because of this growing threat, cybersecurity teams rely on advanced defensive AI agents designed to detect, analyze, and stop attacks faster than any human could.
  • Behavioral Analysis – The agent learns normal system activity and detects unusual patterns that may indicate malicious behavior.
  • Anomaly Detection – Identifies irregular network traffic, unexpected login attempts, or abnormal process activity that deviates from the baseline.
  • Threat Intelligence Correlation – Compares local events with global threat databases to recognize known malicious indicators.
  • Real-Time Monitoring – Continuously observes logs, files, processes, and network flows to detect attacks as soon as they begin.
  • Automated Incident Response – Blocks harmful processes, isolates compromised devices, or quarantines suspicious files without waiting for human action.
  • File Integrity Monitoring – Tracks critical system files and alerts when unauthorized modifications occur.
  • Machine Learning Classification – Uses AI models to classify files, network traffic, or user actions as safe or malicious.
  • Log Analysis and Correlation – Processes large volumes of logs from multiple systems to uncover hidden attack patterns.
  • Endpoint Protection – Detects and blocks malware, ransomware, and unauthorized software directly on devices.
  • Network Intrusion Detection – Inspects network traffic to identify port scans, brute-force attempts, and suspicious communication patterns.
Below is a list of ten of the most effective AI-driven cybersecurity agents used today.
  • Microsoft Security Copilot – This AI-driven security assistant helps analysts understand complex threats, summarize incidents, and investigate attacks more efficiently. It integrates with Microsoft Defender and Sentinel to provide real-time insights and automated reasoning. Website: microsoft.com. Programming language: internal Microsoft technologies.
    Security Copilot is designed to reduce investigation time by analyzing logs, correlating alerts, and generating clear explanations of suspicious activity. It acts as a digital partner for security teams, helping them respond faster and more accurately to emerging threats.
  • Wazuh Agent – An open-source security agent used for intrusion detection, log monitoring, vulnerability scanning, and file integrity checking. Website: wazuh.com. Programming languages: C and Python.
    Wazuh agents run on endpoints and continuously monitor system behavior. They detect unauthorized changes, suspicious processes, and abnormal patterns in real time. Because it is open-source, organizations can customize the agent to fit their specific security needs.
  • OSSEC Agent – A lightweight host-based intrusion detection agent that monitors logs, detects anomalies, and enforces security policies. Website: ossec.net. Programming language: C.
    OSSEC agents are widely used in enterprise environments due to their stability and low resource usage. They analyze system logs, detect brute-force attempts, and alert administrators when unusual activity occurs. OSSEC is known for its reliability and strong community support.
  • CrowdStrike Falcon Agent – A next-generation endpoint protection agent that uses AI to detect malware, ransomware, and behavioral anomalies. Website: crowdstrike.com. Programming language: proprietary.
    Falcon agents continuously analyze endpoint behavior and use machine learning to identify threats before they cause damage. They are cloud-connected, allowing them to share intelligence across millions of devices, making detection faster and more accurate.
  • SentinelOne Singularity Agent – An autonomous AI agent capable of detecting, blocking, and remediating threats without human intervention. Website: sentinelone.com. Programming language: proprietary.
    Singularity agents use behavioral AI models to identify unknown attacks, including zero-day exploits. They can automatically isolate infected devices, roll back malicious changes, and prevent lateral movement inside a network.
  • Suricata AI-Enhanced Agents – Agents connected to the Suricata IDS/IPS engine that analyze network traffic using machine learning. Website: suricata.io. Programming languages: C and Rust.
    These agents enhance Suricata’s detection capabilities by identifying anomalies in network flows. They help detect advanced threats such as command-and-control traffic, data exfiltration attempts, and unusual communication patterns that traditional signatures may miss.
  • YARA AI Analysis Agents – AI-powered agents that generate and optimize YARA rules for malware detection. Website: virustotal.github.io/yara. Programming languages: C and Python.
    These agents assist malware analysts by automatically creating rules that identify malicious files. They can classify malware families, detect obfuscated code, and improve detection accuracy by learning from large datasets of malicious samples.
  • Elastic Security Agent – A unified agent that collects logs, monitors endpoints, and uses AI-driven analytics to detect intrusions. Website: elastic.co/security. Programming language: Go.
    Elastic agents integrate with the Elastic Stack to provide real-time threat detection and correlation. They analyze system activity, detect anomalies, and help security teams visualize attack patterns across large infrastructures.
  • Snort AI-Assisted Agents – Agents that enhance the Snort intrusion detection system with machine learning capabilities. Website: snort.org. Programming language: C.
    These agents help reduce false positives and identify complex attack signatures that traditional rule-based systems may overlook. They analyze traffic patterns and adapt detection logic based on evolving threats.
  • LangChain Cyber Defense Agents – Customizable AI agents built using large language models to automate threat analysis, investigate logs, and assist security teams. Website: langchain.com. Programming languages: Python and JavaScript.
    LangChain agents can be tailored to perform tasks such as analyzing alerts, summarizing incidents, correlating logs, and generating defensive recommendations. They are flexible and can integrate with various cybersecurity tools and APIs.

News : ... free on Epic Games - 21 February 2026.

News : NotebookLM adds Deep Research and support for more source types ...

Today, NotebookLM is introducing new ways to help you find and use sources more effectively: using Deep Research agents and supporting more of the file types you use every day.
We are now rolling out Deep Research to automate and simplify complex online research. It acts like your dedicated researcher, synthesising a detailed report or recommending relevant articles, papers or websites — and you can direct this "researcher" to search specific places, too.

News : Crimson Memories | 3D Animation and Visual Effects | Vancouver Film School (VFS)

News : Voice Design from 1min.ai tool.

Voice Design – Generate any AI voice you can imagine using just a text prompt. Customize the tone, accent, age, pacing, and delivery of your voices to create infinite characters with expressive delivery 🪄

vineri, 20 februarie 2026

News : Resident Evil Requiem X Porsche - An Undying Legacy | Trailer

News : The Rift | STFC Animated Short ft. Jeffrey Combs

News : Adventure is Calling You Home | Midnight Housing Ad Spots

News : Gemini 3.1 Pro and animated SVGs.

Gemini 3.1 Pro can generate website-ready, animated SVGs from a simple text prompt. Since these are built in pure code and not pixels, they stay crisp at any scale with incredibly small file sizes.
Let's see one example with my logo game developer.