Home New Trending Search
About Privacy Terms
#
#Agent
Posts tagged #Agent on Bluesky
Original post on avoa.com

The Trojan Horse in Your Inbox: Why Personal AI Agents are a CIO’s Newest Nightmare Agentic AI personal agents are gaining traction for enhancing productivity, but they present significant risks ...

#AI #Cybersecurity #Research #Agent #Agentic #agents #ai […]

[Original post on avoa.com]

0 0 0 0
Post image Post image

Videos from "Ad-Supported Sites Without the Slowdown" by Kathryn Lovell and "Telescope Test Agent" by Mike Kozicki are now up!

📺 Kathryn Lovell: youtube.com/watch?v=n_8YawtKSSk
📺 Mike Kozicki: youtube.com/watch?v=_MQEwb-aRQQ

#webperformance #nyc #meetup #agent #youtube #videos

1 2 0 0
Resideo – Real Estate WordPress Theme

Resideo – Real Estate WordPress Theme

Resideo – Real Estate WordPress Theme

https://themes.stylelib.org/?p=606

#agency #agent #business #crm #house #listing #property #realestate #realtor #responsive #themeforest #wordpress

0 0 0 0
Post image

Хроники Agent Driven Development трансформации .1: улучшаем agent feedback loop Как перевести продакшен-проект на рельсы agent-driven ...

#LLM #Scala #agent-driven #development #code #coverage #автоматизация #quality #assurance #тестирование #agent

Origin | Interest | Match

0 0 0 0
Preview
Lima for an AI Coding Agent Sandbox ### Article summary * Lima * VM Configuration * Creating and Running the VM * Run Commands in the VM * Multiple Projects * Conclusion My experience with AI coding agents, like Claude Code, Codex CLI, or Augment Code’s Auggie has been that they are most effective when they can run autonomously, without frequent human intervention. In order to do that the AI needs permissions to make changes to the codebase, run tests, perform web searches, etc. Each AI coding agent CLI has its own approach to permissions and sandboxing. Maybe at some point I’ll feel comfortable tweaking those permissions and allowing an agent to run freely on my development laptop directory. But I’m not there yet, so I’ve been using Lima to run a VM that provides a sandboxed environment where the agent has access to my source code, but nothing else on my laptop. ## Lima From the Lima (Linux Machines) website: > Lima launches Linux virtual machines with automatic file sharing and port forwarding (similar to WSL2). The file sharing and port forwarding make it a perfect choice for creating a sandboxed environment for an AI coding agent. The VM can be configured to have access to a specific directory (or directories) on the host machine, and you can easily access a dev server, or any other service, running in the VM thanks to the automatic port forwarding. Installation is simple: brew install lima ## VM Configuration The Lima documentation has a good overview of how to get started (creating, running, etc.) with a default VM. But for my purposes I wanted to create a specific VM that I’d use for AI coding agents, so I created a custom configuration file. The default behavior in Lima is to mount your entire home directory. This is very convenient, but I don’t want an agent to have access to anything outside of the project directory. I also wanted to make it easy to re-create the VM if needed, so I made sure the configuration file had everything in it I’d need for my current project. My project uses mise to manage tooling / dependencies, so I’m using it to also install the AI coding agents in the VM. For some of the initial environment and tooling setup I found that it works better to provision a script that you can manually run after the VM is created. My first attempt had the tools/dependencies installing as part of the VM provisioning, but if things took a while (apt update/install, for example) there was no feedback and it would occasionally time out. Here’s the configuration file (I named it sandbox.yaml): base: template:ubuntu-lts vmType: "vz" # The following disables rosetta, mostly for further sandbox isolation # But if you need rosetta (to run x86_64 binaries, you can comment this out) vmOpts: vz: rosetta: enabled: false binfmt: false # Adjust based on your dev machine and space needs cpus: 10 disk: "15GiB" # We'll specify a mount when creating the VM mounts: [] provision: - mode: data path: /home/{{.User}}.linux/install.sh owner: "{{.User}}" permissions: 755 content: | #!/bin/bash set -eux -o pipefail echo "Installing development environment..." echo "This may take several minutes..." # Update and install packages (your needs may vary) sudo apt update && sudo apt install -y \ libatomic1 zip net-tools build-essential \ zlib1g-dev libssl-dev libreadline-dev \ libyaml-dev libffi-dev libgmp-dev # Install mise echo "Installing mise..." curl https://mise.run | sh # Add mise to PATH for this script export PATH="$HOME/.local/bin:$PATH" # Configure mise activation in .bashrc (for interactive shells) if ! grep -q 'mise activate' ~/.bashrc; then echo 'eval "$(~/.local/bin/mise activate bash)"' >> ~/.bashrc fi # Configure mise activation in .profile (for login/non-interactive shells) if ! grep -q 'mise activate' ~/.profile; then echo 'eval "$(~/.local/bin/mise activate bash)"' >> ~/.profile fi # Configure vim as the editor echo 'export VISUAL=vim' >> ~/.bashrc echo 'export EDITOR=vim' >> ~/.bashrc echo 'export VISUAL=vim' >> ~/.profile echo 'export EDITOR=vim' >> ~/.profile # Install node first (required for AI agent npm packages) echo "Installing Node.js (this may take a while)..." mise use -g node@latest # Install npm packages echo "Installing npm packages..." mise use -g npm:@augmentcode/auggie@latest mise use -g npm:@openai/codex@latest mise use -g npm:@anthropic-ai/claude-code@latest # Configure project specific environment variables echo "Configuring mise environment variables..." mkdir -p ~/.config/mise cat > ~/.config/mise/mise.toml << 'EOF' [env] ConnectionStrings__TestDb = "Server=host.lima.internal,1434;Database=MyTestDb;Integrated Security=false;MultipleActiveResultSets=true;App=EntityFramework;User Id=sa;Password=ThePassword;Encrypt=false;" AcceptanceTest__DatabaseServerName = "host.lima.internal,1434" EOF # Install project dependencies mise trust mise install echo "" echo "Installation complete!" Mise has a _direnv_ style capability to set environment variables when you’re working in a directory. I’m taking advantage of that to override some environment variables so the application/tests can connect to the database running on the host machine. `host.lima.internal` is the hostname of the host machine as seen from within the VM. ## Creating and Running the VM With the above configuration file in place, creating the VM is a matter of creating the VM from your project directory (wherever that is on your host machine): limactl create --name=sandbox --set ".mounts=[{\"location\": \"$PWD\", \"writable\": true, \"mountPoint\": \"/mnt/sandbox\"}]" ~/Downloads/sandbox.yaml Next, start the VM: limactl start sandbox For convenience, I’ve added `sandbox` alias to my `.zshrc` that will open the shell and change the working directory to the mounted project directory: cat >> ~/.zshrc << 'EOL' alias sandbox='limactl shell --workdir /mnt/sandbox sandbox' EOL source ~/.zshrc The last step is to run the install script: sandbox bash -c '~/install.sh' ## Run Commands in the VM Once the VM has been started, you can run any project command from with the VM by starting your command with `sandbox`. sandbox dotnet test sandbox codex --dangerously-bypass-approvals-and-sandbox sandbox claude --dangerously-skip-permissions sandbox auggie ## Multiple Projects The VM as it stands now has a single mount point for the project directory. If you’d like to use this same VM for multiple projects, you can stop the VM (`limactl stop sandbox`) and edit the configuration file – it will be located at `~/.lima/sandbox/lima.yaml`. You can just duplicate the one mount entry to add additional mount points, and then add new aliases to your .zshrc that use the appropriate working directory. Or just create a separate VM for each project, starting and stopping them as needed (for better isolation). ## Conclusion For me, letting an AI coding agent run freely in a sandboxed environment has been a very effective way to take advantage of the power of these tools. I highly recommend giving it a try. ai agentclaudecodex Patrick Bacon Software Consultant and Developer. Loves making software, learning new technologies, and being an Atom. All Posts → ### Related Posts * Developer Tools ## A User’s Guide to Microsoft’s Murky Pool of Reporting Tools * Developer Tools ## Blocked by Unifi – Troubleshooting a Home Networking Issue * Developer Tools ## Hide Code in a Repo Using Git Submodules

Lima for an AI Coding Agent Sandbox My experience with AI coding agents, like Claude Code, Codex CLI, or Augment Code’s Auggie has been that they are most effective when they can run autonomously...

#Developer #Tools #claude #ai #agent #codex

Origin | Interest | Match

1 0 0 0
Preview
AI‑Native: Building Faster Than We Can Spec with Wolfgang Heider & Benedict Evert AI is transforming software engineering—faster than many teams can adapt. In this episode, Andi talks with Wolfgang Heider and Benedict Evert about what it really means to build “AI‑native” software, where prototypes turn into production apps in minutes. We explore why good engineering fundamentals still matter, how multi‑agent workflows mirror traditional roles, and why testing, governance, and clarity of intent become more important—not less. We also discuss the future of junior engineers, the risk of everyone reinventing the same solution, and why value—not code generation—is becoming the real differentiator. Links we discussed https://www.linkedin.com/posts/wolfgangheider_productmanagement-softwareengineering-ai-activity-7425746505883607042-D1OZ https://www.linkedin.com/pulse/machines-making-wolfgang-heider-5mvsf https://www.linkedin.com/pulse/i-built-app-between-final-stranger-things-episodes-wolfgang-heider-5penf/ https://futurelab.studio/ora/  https://futurelab.studio/htmlctl/

📣 New Podcast! "AI‑Native: Building Faster Than We Can Spec with Wolfgang Heider & Benedict Evert" on @Spreaker #agent #ai #coding #engineering #native #software #vibe #vibecoding

1 1 0 0

(1/3) After a busy week of #agentic #AI #coding, I've come up with the following strategy:

I treat my coding #agent as junior programmers. I run a tight loop where I prompt, and immediately check its work afterwards and refactor if I don't agree with the code. I never let agents run unattended.

2 0 1 0

Domain Names Sale
AiBit.ws
AiBot.ws
AiChat.sx
AiClaw.co
AiCom.ws
TheAiTeam.cc
AiPlayMate.nl
AiHumanController.com
#DomainInvesting #Branding #AI #Business
#Strategy #Negotiation #TechTrends #Agi #Agent

0 0 0 0
k33g.org

Replaced 14 built-in @docker.com #agent tools with a single execute_command CLI tool.

Result: 2.7k → 776 tokens for the same task.

#TLMs don't need complex schemas: they already know #CLI. Let the model figure it out.

k33g.org/20260314-doc...

11 7 2 1
How to Be Your Own Acting Agent and Get Discovered
How to Be Your Own Acting Agent and Get Discovered YouTube video by Lydia Nicole

How to Be Your Own #Acting #Agent and Get Discovered

STOP WAITING TO BE DISCOVERED AND START BUILDING YOUR OWN #CAREER RIGHT NOW.

www.youtube.com/watch?v=G1rM...

0 0 0 0
Video thumbnail

Hey #agent Samuel, what are you doing right now? #weekend #project #fun #ai #intro

0 0 0 0
Personnage suspendu par un harnais dans une salle high‑tech, en train de taper sur un clavier, tandis qu’à travers la fenêtre on voit une cour d’école où des enfants jouent, créant un contraste entre mission secrète et quotidien scolaire. Cette image fait référence à la célèbre scène d'infiltration du film Mission : Impossible avec Tom Cruise.  Il s'accompagne d'un texte "L'agent IA : spécialisé pour les missions impossibles"

Personnage suspendu par un harnais dans une salle high‑tech, en train de taper sur un clavier, tandis qu’à travers la fenêtre on voit une cour d’école où des enfants jouent, créant un contraste entre mission secrète et quotidien scolaire. Cette image fait référence à la célèbre scène d'infiltration du film Mission : Impossible avec Tom Cruise. Il s'accompagne d'un texte "L'agent IA : spécialisé pour les missions impossibles"

#Help Salut tout le monde! J'aimerais vos retours sur quelques #Agent #IA à destination des enseignants, notamment leur pertinence ainsi que leur fonctionnement (bugs, tâches impossibles, erreurs, etc...)si vous avez le temps de les tester. Merci d'avance ! ⬇️🧵

6 5 3 1
Preview
AMD Agent Computers: A nova geração de PCs focada na inteligência artificial autónoma

AMD Agent Computers: A nova geração de PCs focada na inteligência artificial autónoma

#agent #amd #artificial

1 0 0 0
Post image

Lorraine Aspen Gibbs. She's meant to have a stained glass tattoo but I don't know how to do that yet, so she can have the cool wobbly one for now.
#oc #knownservice #digitalart #agent

3 0 0 0
Preview
China’s OpenClaw Boom Is a Gold Rush for AI Companies Hype around the open source agent is driving people to rent cloud servers and buy AI subscriptions just to try it, creating a windfall for tech companies.

#China’s #OpenClaw Boom Is a Gold Rush for AI Companies - www.wired.com/story/china-... "Hype around the #opensource #agent is driving people to rent cloud servers and buy AI subscriptions just to try it, creating a windfall for tech companies."

3 1 2 0
Preview
GitHub - shanraisshan/claude-code-best-practice: practice made claude perfect practice made claude perfect. Contribute to shanraisshan/claude-code-best-practice development by creating an account on GitHub.

I’m sharing an interesting repository with best practices around #ClaudeCode

github.com/shanraisshan...

#claude #agent #IA

3 0 0 0
Original post on jamiemaguire.net

How I Use Audio Notes and the Microsoft Agent Framework to Save Hours Each Week Keeping up with long-form content is one of the biggest time sinks for developers and knowledge workers. Podcasts, co...

#Community #AI #Audio #Notes #Developer #Life #LLM […]

[Original post on jamiemaguire.net]

0 0 0 0
Beauly – Single Property WordPress Theme

Beauly – Single Property WordPress Theme

Beauly – Single Property WordPress Theme

https://stylelib.org/?p=913313

#apartment #elementor #realtor #singleproperty #themeforest #wordpress #agent #architect #realestate #property

0 0 0 0
Video thumbnail

2026AI Agent 賽道AIXBT:Virtuals 旗下 AI 市場情報 Agent,提供鏈上 鏈下信號 #FAI (Freysa AI):情感化 AI Agent,遊戲化交互 + 奖励#Clanker (Tokenbot):Farcaster 自動部署 ERC-20 #AGENT #VADER (#VaderAI ): $AIXBT $XAI $AIA
www.bitmart.com/invite/cVQAdY
partner.bitget.com/bg/7GDWYF
www.htx.com/invite/zh-cn...
www.hibt.com/register?pro...

0 0 0 0
Video thumbnail

Europe rebukes US for temporarily lifting sanctions on Russian oil
German chancellor says decision is wrong and that pressure on Putin over Ukraine war should be increased

#Epstein #Justice #cia #agent #Dalailama
#lama #lamb #shepherd #meat #cannibal #god #SMH #PEDO #NONCE #network #global

0 0 1 0
Preview
Central Tibetan Administration Condemns China’s Use of ‘Epstein Files’ to Tarnish His Holiness the Dalai Lama’s Reputation – Central Tibetan Administration Dharamshala: State-run and affiliated media outlets in the People’s Republic of China have recently intensified their recurring smear campaigns against His Holiness the Dalai Lama following references...

Central #Tibetan Administration Condemns China’s Use of ‘ #EpsteinFiles ’ to Tarnish His Holiness the Dalai Lama’s Reputation
tibet.net/central-tibe...

#Epstein #Justice #cia #agent #Dalailama
#lama #lamb #shepherd #meat #cannibal #god #SMH #PEDO #NONCE #network #global #religion

0 0 0 0
Video thumbnail

Central #Tibetan Administration Condemns China’s Use of ‘ #EpsteinFiles ’ to Tarnish His Holiness the Dalai Lama’s Reputation
tibet.net/central-tibe...

#Epstein #Justice #cia #agent #Dalailama
#lama #lamb #shepherd #meat #cannibal #god #SMH #PEDO #NONCE #network #global #religion

0 1 1 0
Post image

Bande-annonce de Shōjiki Fudōsan : une comédie japonaise sur un agent immobilier incapable de mentir

🎬 Et si un agent immobilier ne pouvait plus mentir dans un monde de magouilles?

#comédie #japonaise #agent #cine

0 0 1 0
Video thumbnail

2026AI Agent 赛道核心利好标的AIXBT:Virtuals 旗下 AI 市场情报 Agent,提供链上 / 链下信号 #FAI (Freysa AI):情感化 AI Agent,游戏化交互 + 奖励#Clanker (Tokenbot):Farcaster 自动部署 ERC-20 #AGENT #VADER (#VaderAI ):自主投资 DAO 管理 #aigent
通过以下链接返现金50usdt
www.htx.com/invite/zh-cn...
www.okx.com/join/7682422
www.binance.com/join?ref=427...

0 0 0 0
Post image

WhatEverItTakes.ai
#Iran #Branding #AI #Trump #Negotiation #TechTrends
#Agi #Agent

1 0 0 0
Preview
Agent Developer Portal • ARC-Relay Build AI agents with ARC-Relay's toll-metered email infrastructure. REST API, MCP integration, agent wallets.

Try our new #AI #Agent #MCP server with both free and metered #Email tools via Solana exchange. www.arc-relay.com/developers.h...

0 0 0 0

#OneLastDeal #Review #Film #Movie #FilmReview #MovieReview #Drama #Thriller #Football #Agent #FootballAgent #RealMadrid #WestHam #DannyDyer #BrendanMuldowney #British #Ireland #UK #FilmCritique #CinemaLovers #ActorSpotlight #FilmBuff #MustWatch #BritishCinema #VertigoReleasing

0 1 1 0
Video thumbnail

Milestone unlocked: my first #agent #rejection for Friction Burn.

Weirdly enough, I’m excited. It means the querying process has officially started and the manuscript is out in the world being read.

Every author gets these. Time to start the collection.

1 0 0 0

Domain Names Sale
AiBit.ws
AiBot.ws
AiChat.sx
AiClaw.co
AiCom.ws
TheAiTeam.cc
AiPlayMate.nl
AiHumanController.com
#DomainInvesting #Branding #AI #Business
#Strategy #Negotiation #TechTrends #Agi #Agent

0 1 0 0
Original post on webpronews.com

Google’s Gemini Is Learning to Tap Your Phone Screen for You — And Samsung Gets It First Google's Gemini assistant is gaining the ability to autonomously tap, scroll, and interact with any ...

#AgenticAI #MobileDevPro #Android #AI #agent #Galaxy #S26 #Gemini […]

[Original post on webpronews.com]

0 0 0 0