1. Last 7 days
    1. Надо спрашивать не «что делать?», а «как думать?» Что буду делать, я знаю; что буду думать — не знаю. Философия решается открыться этой неизвестности и выдержать ее. Пока бытийная мысль, изгнанная наукой, одна видит и осмысливает возможность, которая могла бы быть и возможностью техники: хранить бытие, оберегая его даже от нас самих.

    Annotators

    1. Can coding agents self-improve? - Summary

      Core Thesis

      • Inference-time vs training-time self-improvement:

        "If you could never update the weights, how would you have the model increase its performance on a specific task? I think of that as inference-time self-improvement"

      • Key finding:

        "The good news is that GPT-5 is a very good model for building developer utilities. The bad news is that it hates using the tools it creates! As it told me 'I'll be honest - I didn't need any of them.'"

      Experimental Setup

      • Testing methodology: Asked models (GPT-5 and Opus 4) to:

        1. Build tools they thought would help productivity
        2. Attempt tasks using those tools
        3. Self-reflect on tool improvements
      • Core hypothesis:

        "The most valuable use case of coding agents is being a vessel for LLMs to extract value out of their own latent spaces"

      • Comparison: Also tested Gemini 2.5 Pro and GPT-4.1, but focused on GPT-5 vs Opus 4 as only models that could keep up

      Tool Creation Results

      Task Manager Tool

      • GPT-5 implementation features:

        "Uses WAL to avoid issues with multiple agents writing at the same time"

        "Uses a graph of dependencies to prioritize tasks"

        "Created an append-only events stream that lets any agent see what every other agent is doing with good keywords like impact_conflict"

      • Opus 4 limitations:

        "didn't pick up on the notifications / stream functionality to keep everyone in sync"

      Codebase Standards Tool

      • Purpose:

        "analyze a codebase and extract different heuristics on how code should be written. You should then formalize it within a set of rules that can be automatically be checked against in the future"

      • Quality comparison:

        "I've found the GPT-5 one to be much more nuanced than Opus"

      Self-Proposed Tools

      GPT-5 tools (16 total):

      • doctor, bootstrap, code-map, csearch, tasks-graph, impact, seed, repro scaffold, e2e, preflight, preflight-smol, broker, flake, codemod, triage, trace, runbook

      • Design philosophy:

        "GPT-5 built all of them as unix utilities that are easy to use via cli"

      • Characterization:

        "GPT-5 was building utilities it could use itself without being too opinionated"

      Opus 4 tools (10 total):

      • Context Analyzer, Cross-Platform Test Generator, Implementation Proposal Analyzer, Full-Stack Change Impact Analyzer, Bug Pattern Recognition Engine, Security & Permission Auditor, Multi-Platform Feature Implementer, API Integration Assistant, Performance Optimization Toolkit, Task Complexity Estimator

      • Design approach:

        "all meant to be run as python some_tool.py"

      • Characterization:

        "Opus 4 was building tools that accomplish tasks and have a bit of anthromorphized feeling"

      Task Execution Results

      Test Task

      • Project: smol-podcaster migration from Flask to FastAPI + Next.js

      • Task complexity:

        "the task I tried would take me 4-5 hours to do"

      • Performance:

        "Both models were almost able to one-shot the task"

      Tool Usage Discovery

      • First attempt: Both models completed task successfully but

        "They both said they did not use ANY of the tools they had built, except for the tools they were already familiar with"

      • GPT-5 second attempt response:

        "Short answer: no — I didn't use the devtools in this run. [...] The failures were runtime/env issues (missing libs, API key instantiation timing, port in use, RabbitMQ not running). It was faster to fix directly."

      • Opus 4 insight:

        "Look, I built those tools with knowledge that I already have. When I am actually doing the task, it's easier for me to just do it rather than using the tools"

      Key Insights

      Model Behavior Patterns

      • Tool learning resistance:

        "Nathan Lambert saying that models quickly learn to NOT use a tool during RL process if they have early failures"

      • Scale vs scaffolding:

        "Noam Brown saying that scaffolding for agents will be washed away by scale [...] This was the first time I really felt what he meant first hand"

      • Enforcement need:

        "having them pickup new tools at inference time needs stronger enforcement than just prompting them to do it"

      AGI Asymptote Theory

      • Deceleration perception:

        "The perceived deceleration in model improvements is explained above. Until the AGI line is crossed, it will be harder and harder to perceive big jumps"

      • Arbitrage opportunity:

        "If that's the case, it means that in many tasks the performance of older models is almost AGI, except much cheaper and often open source"

      Conclusions

      • Current state:

        "For now, I think we are far from inference-time self-improving coding agents that really push the frontier"

      • Practical recommendation:

        "I still think it's a great idea to use models to improve your rule-based tools. Writing ESLint rules, tests, etc is always a good investment of tokens"

      • Future research direction:

        "I'd look into having the model perfect these tools and then do some sort of RL over them to really internalize them, and see if that would make a difference"

      References

    1. Cline: Open Source Code Agent - Research Summary

      Company Overview & Product

      • Cline is an open source coding agent as VS Code extension (also coming to JetBrains, NeoVim, CLI)

        "Cline's an open source coding agent. It's a VS Code extension right now, but it's coming to JetBrains and NeoVim and CLI."

      • Approaching 2 million downloads, launched January 2025

      • Announced $32M Series A funding
      • Vision: Infrastructure layer for agents

        "Cline is the kind of infrastructure layer for agents, for all open source agents, people building on top of this like agentic infrastructure."

      Core Innovation: Plan + Act Paradigm

      • Pioneered two-mode system for agent interaction

        "Cline was the first to sort of come up with this concept of having two modes for the developer to engage with."

      • Plan mode: Exploratory, read files, gather context, extract requirements from developer

        "in plan mode, the agents directed to be more exploratory, read more files, get more data"

      • Act mode: Execute on plan, run commands, edit files with optional auto-approve

        "when they switch to act mode, that's when the agent gets this directive to look at the plan and start executing on it"

      • Emerged organically from user behavior patterns observed in Discord community

      Technical Philosophy: Simplicity Over Complexity

      Against RAG for Coding

      • Article: Why I No Longer Recommend RAG for Code

        "RAG is a mind virus"

      • Critique of RAG approach:

        "the way rag works is you have to like chunk all these files across your entire repository and like chop them up in a small little piece. And then throw them into this hyper dimensional vector space, and then pull out these random chugs when you're searching for relevant code snippets. And it's like, fundamentally, it's like so schizo."

      • Prefers agentic search: mimics senior engineer exploration pattern

        "you look at the folder structure, you look through the files, oh, this file imports from this other file, let's go take a look at that. And you kind of agentically explore the repository."

      Fast Apply Models "Bitter Lesson'd"

      • Article: Fast Apply Models Are Dead
      • Fast apply: Fine-tuned small models to handle lazy code snippets from frontier models
      • Problems with fast apply:

        "now instead of worrying about one model messing things up, now you have to worry about two models messing things up"

        "At like when fast apply came out, that was way higher, that was like in the 20s and the 30s. Now we're down to 4%"

      • Claude Sonnet 4 achieved sub-5% diff edit failure rate, making fast apply obsolete

      • Founders of fast apply companies estimate 3-month relevance window

      Context Engineering Approach

      Dynamic Context Management

      • Provides maximum visibility into model actions: prompts, tool calls, errors

        "We try to give as much insight into what exactly the model is doing in each step in accomplishing a task."

      • Uses AST (Abstract Syntax Trees) for code navigation

        "there's a tool that lets it pull in all the sort of language from a directory. So, it could be the names of classes, the names of functions"

      • Incorporates open VS Code tabs as context hints

        "what tabs they have open in VS Code. That was actually in our internal kind of benchmarking that turned out to work very, very well."

      Narrative Integrity

      • Treats each task as story with coherent arc

        "every task and client is kind of like a story...how do we maintain that narrative integrity where every step of the way the agent can kind of predict the next token"

      • Context summarization by asking model what's relevant rather than naive truncation

      • To-do list tool experiment: maintains agent focus across 10x context window length

      Memory Systems

      • Memory Bank concept for tribal knowledge

        "how can we hold on to the tribal knowledge that these agents learn along the way that people aren't documenting or putting into rules files"

      • Scratch pad approach: passive tracking of work state

      • Separate rules files (cline_rules) from other tools preferred by founders

      MCP (Model Context Protocol) Integration

      Early Adoption & Marketplace

      • Launch partner for Anthropic's MCP
      • MCP Marketplace launched February 2025 with 150+ servers

        "we launched the MCP marketplace where you could actually go through and have this one-click install process"

      • System prompt initially heavily focused on teaching MCP to models

      Popular MCP Servers

      • File System MCP
      • Browser automation: Browser Tools, Playwright, Puppeteer
      • Git Tools
      • Context7: documentation retrieval across libraries
      • Perplexity Research
      • Slack, Unity, Ableton integrations

      Non-Technical Use Cases

      • Marketing automation: Reddit scraping → Twitter posting via MCPs

        "Nick Bauman, he uses it to connect to, you know, a Reddit MCP server, scrape content connected to an X MCP server and post tweets"

      • Presentation creation using SlideDev + Limitless transcription

      • Example workflow: automated PR review → Slack notification

        "pull down this PR...Pull in all that context, read the files around the diff, review it...approve it and then send a message in Slack"

      MCP Monetization & Security

      • 21st.dev Magic MCP: Monetizes via API keys for beautiful UI components

        "they have this library of beautiful components and they just inject relevant examples"

      • Security concerns: malicious code in forks, need for version locking

      • Stripe exploring unified payment layer for MCP tools
      • Future vision: agents paying for tool calls autonomously via stablecoins

      Business Model & Enterprise

      Open Source + BYOK (Bring Your Own API Key)

      • Direct connection to model providers (Anthropic, OpenAI, Bedrock, OpenRouter)

        "Right now, it's bringing an API key, essentially just whatever pre-commitment you might have to whatever inference provider"

      • No margin capture on inference

        "our thesis is inference is not the business"

      • Transparency in pricing and data routing builds trust

        "that level of transparency, that level of we're building the best product. We're not focused on sort of capturing margin"

      Enterprise Offering

      • Fortune 5 companies demanded enterprise features

        "we have hundreds of engineers using Cline within our organization and this is a massive problem for us...Please just like, let us give you money"

      • Features: governance, security guardrails, usage insights, invoicing

      • Self-hosted option with internal router (similar to OpenRouter architecture)
      • ROI metrics: lines of code, usage statistics for internal champions

      Fork Ecosystem

      • 6,000+ forks of Cline
      • Top 3 apps in OpenRouter usage are Cline variants
      • Samsung created isolated fork mentioned in Wall Street Journal
      • No regrets about open source approach

        "let them copy. We're the leaders in the space. We're kind of showing the way for the entire industry."

      Model Evolution & Evaluation

      • Started 10 days after Claude 3.5 Sonnet release (June 2024)
      • Anthropic's model card addendum on agentic coding capabilities inspired development

        "there was this section about agentic coding and how it was so much better at this step by step accomplishing tasks"

      • Focus on models' improved long-context understanding (needle in haystack)

      • Claude Sonnet 4: ~4% diff edit failure rate (down from 20-30%)

      Competitive Positioning

      IDE Integration Matrix

      • Visibility axis: How much insight into agent actions
      • Autonomy axis: How automated the process is
      • Cline position: High visibility, balanced autonomy for "serious engineering teams"

        "serious engineering teams where they can't really give everything over to the AI, at least not yet. And they need to have high visibility"

      • Complements other tools: Cursor for inline edits, Windsurf for developer experience

        "being an extension also gives us a lot more distribution. You have to use us or somebody else."

      Avoiding VS Code Fork

      • Chose extension over fork to avoid maintenance burden

        "Microsoft makes it like notoriously difficult to maintain these forks"

      • Benefits: broader distribution, focus on core agentic loop, compatibility with Cursor/Windsurf

      Future Modalities

      • Background agents (like Codex, Devin) complement interactive agents
      • Parallel agents (Kanban interfaces) for experimentation
      • CLI version enabling cloud deployment, GitHub actions

        "the CLI is really the form factor for these kind of fully autonomous agents"

      • SDK for building agents on Cline infrastructure

      Key Technical Insights

      Complexity Redefinition

      • Past complexity: Algorithmic challenges (now trivial for models)
      • Current complexity: Architectural decisions, vision, taste

        "what we might have considered complex a few years ago, algorithmic, you know, challenges, that's pretty trivial for models today"

        "architectural decisions are a lot more fun to think about than putting together algorithms"

      Course Correction Critical

      • Real-time feedback more valuable than autonomous completion

        "the course correcting part is so incredibly important and in getting work done, I think much more quickly than if you were to kind of give a sort of a background agent work"

      Anthropomorphization Benefits

      • Named personality ("Cline" - play on CLI + editor)
      • Humanization builds trust and improves results

        "the humanizing aspect of it, I think has been helpful to me personally...There's, there's kind of a, of a trust building"

        "it's actually really important, I think, to anthropomorphize agents in general, because everything they do is like a little story"

      Team & Culture

      • 20 people, aiming for 100 by end of year
      • Hiring primarily through network: friends of friends
      • Culture: "feels like we're all just like friends building something cool"
      • Open source creates goodwill with constructive user feedback
      • Activities: go-karting, kayaking alongside intense work

      Referenced Tools & Companies

      • Competitors/Alternatives: Cursor, Windsurf, Copilot, Ader, Codex, Devin (Cognition Labs), Replit, Lovable
      • Related Tools: OpenRouter, Sentry, Agents-927, Kiro, Warp 2.0, Charm Crush, Augment CLI
      • Technologies: VS Code, JetBrains, NeoVim, Claude models, GPT models, Gemini, DeepSeek
      • Services: Stripe, GitHub, Slack, Reddit, X/Twitter, Unity, Ableton, Cloudflare Workers
    1. In Fung’s clinic at the University of Toronto, most of the patients with type 2 diabetes have a complete reversal of the disease and are off medications in 3 to 6 months

      Proof of concepts. Type 2 is reversable!

    2. A minimum initial prolonged fast of 36 hours to 3 days may be needed to start the process of reversing insulin resistance. For morbidly obese patients Fung uses initial fasts of 7 to 21 days.

      While fasting can result in cravings, this is assumed to be because of a diet high in refined carbs. Using a more healthy diet before fasting makes the fast less difficult.

    3. The nutrition is healthy fats, low carbohydrates, and intermittent fasting. Healthy nutrition continues for life with good fats: nuts, seeds, fatty fruits and vegetables such as avocado, quality fish, and meat. This is a version of the Mediterranean diet.

      Eating the right things, along with fasting, drives recovery.

    4. Overcome insulin resistance, and the blood sugar returns to normal and the type 2 diabetes is reversed

      The key to controlling Type 2 is effective management of insulin resistance.

    1. Rhyton in the shape of a mule's head made by Brygos

      If these are known to be made by Brygos, maybe these could be talked about more in depth in the article?

    2. Brygos Painter.

      I'm not sure if this information would be assessable, but you could possibly talk about the teachings / relationship between Brygos and the Brygos painter?

    3. Brygos was an ancient Greek potter

      Because it is so difficult to find information on Brygos, that could be worth noting in the article. This article makes it sound like there should be a ton of information available on him.

    1. Mycenaean cemeteries were located near population centers, with single graves for people of modest means and chamber tombs for elite families. The tholos is characteristic of Mycenaean elite tomb construction. The royal burials uncovered by Heinrich Schliemann in 1874 remain the most famous of the Mycenaean tombs. With grave goods indicating they were in use from about 1550 to 1500 BC, these were enclosed by walls almost two and a half centuries later—an indication that these ancestral dead continued to be honored. An exemplary stele depicting a man driving a chariot suggests the esteem in which chemical prowess was held in this culture. Later Greeks thought of the Mycenaean period as an age of heroes, as represented in the Homeric epics. Greek hero cult centered on tombs.

      There definitely should be more citations here.

    2. seem to have

      There is a lot of language here "seem to" "may have" that is ambiguous, I'm not sure if these answers could be found but I think it would be beneficial to the article to find a definite answer if possible.

    3. The body of the deceased was prepared to lie in state, followed by a procession to the resting place, a single grave or a family tomb.

      Where is the information in this paragraph coming from? I think a citation here would be good.

    4. Ancient Greek funerary practices

      This into is quite short and doesn't give a great explanation as to why Ancient Greek funerary practices are significant. I also think the wording could be improved to be more user-friendly.

    1. e Artist’s Studio in an Expanded Field

      chrome-extension://bjfhmglciegochdpefhhlphglcehbmek/pdfjs/web/viewer.html?file=file%3A%2F%2F%2FUsers%2Fprestontaylor%2FDownloads%2FJens%2520Hoffmann%25202012.pdf

    Annotators

    Annotators

    1. LXXIX
      • Informativo 1068
      • ADI 6649 / DF
      • Órgão julgador: Tribunal Pleno
      • Relator(a): Min. GILMAR MENDES
      • Julgamento: 15/09/2022 (Presencial)
      • Ramo do Direito: Constitucional
      • Matéria: Direitos e garantias fundamentais

      Compartilhamento de dados no âmbito da Administração Pública federal

      Resumo - É legítimo, desde que observados alguns parâmetros, o compartilhamento de dados pessoais entre órgãos e entidades da Administração Pública federal, sem qualquer prejuízo da irrestrita observância dos princípios gerais e mecanismos de proteção elencados na Lei Geral de Proteção de Dados Pessoais (Lei 13.709/2018) e dos direitos constitucionais à privacidade e proteção de dados.

      • Consoante recente entendimento desta Corte, a proteção de dados pessoais e a autodeterminação informacional são direitos fundamentais <u>autônomos</u>, dos quais decorrem tutela jurídica específica e dimensão normativa própria. Assim, é necessária a instituição de controle efetivo e transparente da coleta, armazenamento, aproveitamento, transferência e compartilhamento desses dados, bem como o controle de políticas públicas que possam afetar substancialmente o direito fundamental à proteção de dados (1).

      • Na espécie, o Decreto 10.046/2019, da Presidência da República, dispõe sobre a governança no compartilhamento de dados no âmbito da Administração Pública federal e institui o Cadastro Base do Cidadão e o Comitê Central de Governança de Dados.

      • Para a sua plena validade, é necessário que seu conteúdo seja interpretado em conformidade com a Constituição Federal, subtraindo do campo semântico da norma eventuais aplicações ou interpretações que <u>conflitem</u> com o direito fundamental à proteção de dados pessoais.

      • Com base nesse entendimento, o Tribunal, por maioria, julgou parcialmente procedentes as ações, para conferir interpretação conforme a Constituição Federal ao Decreto 10.046/2019, nos seguintes termos:

      • 1. O compartilhamento de dados pessoais entre órgãos e entidades da Administração Pública, pressupõe: a) eleição de propósitos legítimos, específicos e explícitos para o tratamento de dados (art. 6º, inciso I, da Lei 13.709/2018); b) compatibilidade do tratamento com as finalidades informadas (art. 6º, inciso II); c) limitação do compartilhamento ao <u>mínimo necessário</u> para o atendimento da finalidade informada (art. 6º, inciso III); bem como o cumprimento integral dos requisitos, garantias e procedimentos estabelecidos na Lei Geral de Proteção de Dados, no que for compatível com o setor público.

      • 2. O compartilhamento de dados pessoais entre órgãos públicos pressupõe rigorosa observância do art. 23, inciso I, da Lei 13.709/2018, que determina seja dada a devida publicidade às hipóteses em que cada entidade governamental compartilha ou tem acesso a banco de dados pessoais, ‘fornecendo informações claras e atualizadas sobre a previsão legal, a finalidade, os procedimentos e as práticas utilizadas para a execução dessas atividades, em veículos de fácil acesso, preferencialmente em seus sítios eletrônicos’.

      • 3. O acesso de órgãos e entidades governamentais ao Cadastro Base do Cidadão fica condicionado ao atendimento integral das diretrizes acima arroladas, cabendo ao Comitê Central de Governança de Dados, no exercício das competências aludidas nos arts. 21, incisos VI, VII e VIII do Decreto 10.046/2019: 3.1. prever mecanismos rigorosos de controle de acesso ao Cadastro Base do Cidadão, o qual será limitado a órgãos e entidades que comprovarem real necessidade de acesso aos dados pessoais nele reunidos. Nesse sentido, a permissão de acesso somente poderá ser concedida para o alcance de propósitos legítimos, específicos e explícitos, sendo limitada a informações que sejam indispensáveis ao atendimento do interesse público, nos termos do art. 7º, inciso III, e art. 23, caput e inciso I, da Lei 13.709/2018; 3.2. justificar <u>formal</u>, <u>prévia</u> e <u>minudentemente</u>, à luz dos postulados da proporcionalidade, da razoabilidade e dos princípios gerais de proteção da LGPD, tanto a necessidade de inclusão de novos dados pessoais na base integradora (art. 21, inciso VII) como a escolha das bases temáticas que comporão o Cadastro Base do Cidadão (art. 21, inciso VIII); 3.3. instituir medidas de segurança compatíveis com os princípios de proteção da LGPD, em especial a criação de sistema eletrônico de registro de acesso, para efeito de responsabilização em caso de abuso.

      • 4. O compartilhamento de informações pessoais em atividades de inteligência observará o disposto em legislação específica e os parâmetros fixados no julgamento da ADI 6.529, Rel. Min. Cármen Lúcia, quais sejam: <u>(i)</u> adoção de medidas proporcionais e estritamente necessárias ao atendimento do interesse público; <u>(ii)</u> instauração de procedimento administrativo formal, acompanhado de prévia e exaustiva motivação, para permitir o controle de legalidade pelo Poder Judiciário; <u>(iii)</u> utilização de sistemas eletrônicos de segurança e de registro de acesso, inclusive para efeito de responsabilização em caso de abuso; e <u>(iv)</u> observância dos princípios gerais de proteção e dos direitos do titular previstos na LGPD, no que for compatível com o exercício dessa função estatal.

      • 5. O tratamento de dados pessoais promovido por órgãos públicos ao arrepio dos parâmetros legais e constitucionais importará a responsabilidade civil do Estado pelos danos suportados pelos particulares, na forma dos arts. 42 e seguintes da Lei 13.709/2018, associada ao exercício do direito de regresso contra os servidores e agentes políticos responsáveis pelo ato ilícito, em caso de culpa ou dolo.

        1. A transgressão dolosa ao dever de publicidade estabelecido no art. 23, inciso I, da LGPD, fora das hipóteses constitucionais de sigilo, importará a responsabilização do agente estatal por ato de improbidade administrativa, nos termos do art. 11, inciso IV, da Lei 8.429/1992, sem prejuízo da aplicação das sanções disciplinares previstas nos estatutos dos servidores públicos federais, municipais e estaduais.”
      • Por fim, o Tribunal declarou, com efeito pro futuro, a inconstitucionalidade do art. 22 do Decreto 10.046/2019, preservando a atual estrutura do Comitê Central de Governança de Dados pelo prazo de 60 (sessenta) dias, a contar da data de publicação da ata de julgamento, a fim de garantir ao Chefe do Poder Executivo prazo hábil para (i) atribuir ao órgão um perfil independente e plural, aberto à participação efetiva de representantes de outras instituições democráticas; e (ii) conferir aos seus integrantes garantias mínimas contra influências indevidas. Vencidos, parcialmente e nos termos de seus respectivos votos, os Ministros André Mendonça, Nunes Marques e Edson Fachin.

      (1) Precedente citado: ADI 6.387 Ref-MC.

      Legislação: Lei 13.709/2018 Decreto 10.046/2019

      Precedentes: ADI 6.387 Ref-MC

      Observação: Julgamento em conjunto: ADI 6649/DF e ADPF 695/DF (relator Min. Gilmar Mendes)


      • Informativo 1033
      • ADI 6529 / DF
      • Órgão julgador: Tribunal Pleno
      • Relator(a): Min. CÁRMEN LÚCIA
      • Julgamento: 08/10/2021 (Virtual)
      • Ramo do Direito: Constitucional, Administrativo
      • Matéria: Proteção à intimidade e sigilo de dados; Atividade de inteligência

      Fornecimento de dados à Agência Brasileira de Inteligência (ABIN) e controle judicial de legalidade

      Resumo - Os órgãos componentes do Sistema Brasileiro de Inteligência somente podem fornecer dados e conhecimentos específicos à ABIN quando comprovado o interesse público da medida.

      • Toda e qualquer decisão de fornecimento desses dados deverá ser devida e formalmente motivada para eventual controle de legalidade pelo Poder Judiciário.

      • Os órgãos componentes do Sistema Brasileiro de Inteligência somente podem fornecer dados e conhecimentos específicos à ABIN quando comprovado o interesse público da medida.

      • Os mecanismos legais de compartilhamento de dados e informações previstos no parágrafo único do art. 4º da Lei 9.883/1999 (1) são previstos para abrigar o interesse público. O compartilhamento de dados e de conhecimentos específicos que visem ao interesse privado do órgão ou de agente público não é juridicamente admitido, caracterizando-se desvio de finalidade e abuso de direito.

      • O fornecimento de informações entre órgãos públicos para a defesa das instituições e dos interesses nacionais é ato legítimo. É proibido, no entanto, que essas finalidades se tornem subterfúgios para atendimento ou benefício de interesses particulares ou pessoais.

      • Toda e qualquer decisão de fornecimento desses dados deverá ser devida e formalmente motivada para eventual controle de legalidade pelo Poder Judiciário.

      • Cabe destacar que a natureza da atividade de inteligência, que eventualmente se desenvolve em regime de sigilo ou de restrição de publicidade, <u>não afasta a obrigação de motivação dos atos administrativos</u>. A motivação dessas solicitações mostra-se indispensável para que o Poder Judiciário, se provocado, realize o controle de legalidade, examinando sua conformidade aos princípios da proporcionalidade e da razoabilidade.

      • Ademais, ainda que presentes o interesse público e a motivação, o ordenamento jurídico nacional prevê hipóteses em que se impõe a cláusula de reserva de jurisdição, ou seja, a necessidade de análise e autorização prévia do Poder Judiciário. Nessas hipóteses, tem-se, na CF, ser essencial a intervenção prévia do Estado-juiz, sem o que qualquer ação de autoridade estatal será ilegítima, ressalvada a situação de flagrante delito.

      • Com base nesse entendimento, o Tribunal conheceu parcialmente da ação direta e deu interpretação conforme ao parágrafo único do art. 4º da Lei 9.883/1999 para estabelecer que:

      a) os órgãos componentes do Sistema Brasileiro de Inteligência somente podem fornecer dados e conhecimentos específicos à ABIN quando comprovado o interesse público da medida, afastada qualquer possibilidade de o fornecimento desses dados atender a interesses pessoais ou privados;

      b) toda e qualquer decisão de fornecimento desses dados deverá ser devida e formalmente motivada para eventual controle de legalidade pelo Poder Judiciário;

      c) mesmo quando presente o interesse público, os dados referentes às comunicações telefônicas ou dados sujeitos à reserva de jurisdição não podem ser compartilhados na forma do dispositivo, em razão daquela limitação, decorrente do respeito aos direitos fundamentais;

      d) nas hipóteses cabíveis de fornecimento de informações e dados à ABIN, são imprescindíveis procedimento formalmente instaurado e a existência de sistemas eletrônicos de segurança e registro de acesso, inclusive para efeito de responsabilização em caso de eventual omissão, desvio ou abuso.

      (1) Lei 9.883/1999: “Art. 4o À ABIN, além do que lhe prescreve o artigo anterior, compete: (...) Parágrafo único. Os órgãos componentes do Sistema Brasileiro de Inteligência fornecerão à ABIN, nos termos e condições a serem aprovados mediante ato presidencial, para fins de integração, dados e conhecimentos específicos relacionados com a defesa das instituições e dos interesses nacionais.”

      Legislação: Lei 9.883/1999, art. 4º, Parágrafo único

      Consultar todos os resumos relacionados ao processo (2)

    1. The Function of the Studio*

      chrome-extension://bjfhmglciegochdpefhhlphglcehbmek/pdfjs/web/viewer.html?file=file%3A%2F%2F%2FUsers%2Fprestontaylor%2FDownloads%2FBuren-FunctionStudio-1979.pdf

    Annotators

    1. Suzanne Lacy, in writing about herown activist and educational work, has argued for a ‘studio in the streets’, a space where ‘reflection andproduction are sometimes indistinguishable’.

      chameleon ramps, street skating, tactical urbanism... walking

    2. The Evolution of the Artist’s Studio

      chrome-extension://bjfhmglciegochdpefhhlphglcehbmek/pdfjs/web/viewer.html?file=file%3A%2F%2F%2FUsers%2Fprestontaylor%2FDownloads%2FThe%2520Evolution%2520of%2520the%2520Artist%25E2%2580%2599s%2520Studio%2520_%2520Frieze.pdf

    Annotators

    1. Beschrijvende statistieken opvragen: o Meeste bezoeken (visits) o Langste verblijftijd (duration)

      De cellen met de meeste visits en langste duration is het meest aannemelijk dat dit attractor toestanden zijn.

    1. ✓ Darmowa dostawa od 200 zł ↩ Darmowy zwrot w 30 dni ⚡ Wysyłka w 24h 🔒 Bezpieczna płatność SSL ⭐ 4.8/5 ocena klientów (847 opinii) 🏆 Gwarancja najlepszej c

      (Ostatnia linia obrony przed cart abandonment) Umieszczenie kluczowe: BLISKO CTA BUTTON

    2. Recenzje Google ⭐⭐⭐⭐⭐ 4.8 / 5 (847 reviews) 5★ 73% (618) 4★ 18% (152) 3★ 5% (40) 2★ 2% (17) 1★ 2% (16) Dlaczego 4.8, a nie 5.0? Rzeczywistość = bardziej wiarygodne

      Dlaczego 4.8, a nie 5.0? Rzeczywistość = bardziej wiarygodne Review snippets - wyciąg najlepszych 3-5 opinii • Pełne imię i miasto • Fragment tekstu (2-3 linijki) • Verified purchase badge • Data (względna, np. “2 tygodnie temu”) User-generated content (UGC photos) Sekcja: “Jak faktycznie wyglądają? Patrz, jak noszą je nasi klienci” Photos z hashtagu lub wygrane z konkursu - buduje emocjonalne zaufanie

    3. Dodaj do koszyka { "*": { "PayPal_Braintree/js/paypal/product-page": { "buttonConfig": {"clientToken":"","currency":"PLN","environment":"sandbox","merchantCountry":null,"isCreditActive":false,"skipOrderReviewStep":true,"pageType":"product-details"}, "buttonIds": [ "#paypal-oneclick-6607174152805310326", "#credit-oneclick-6241198950121316448", "#paylater-oneclick-4613857088365101571" ] } } } { "#instant-purchase": { "Magento_Ui/js/core/app": {"components":{"instant-purchase":{"component":"Magento_InstantPurchase\/js\/view\/instant-purchase","config":{"template":"Magento_InstantPurchase\/instant-purchase","buttonText":"Instant Purchase","purchaseUrl":"https:\/\/sunloox-m2.test\/instantpurchase\/button\/placeOrder\/"}}}} } } { "#product_addtocart_form": { "Magento_Catalog/js/validate-product": {} } } { "[data-role=priceBox][data-price-box=product-id-22448]": { "priceBox": { "priceConfig": {"productId":"22448","priceFormat":{"pattern":"%s\u00a0z\u0142","precision":2,"requiredPrecision":2,"decimalSymbol":",","groupSymbol":"\u00a0","groupLength":3,"integerRequired":false},"tierPrices":[]} } } } Dodaj do listy życzeń { "body": { "addToWishlist": {"productType":"simple"} } } Porównaj
      1. PRIMARY CTA - CALL-TO-ACTION (Konwersja)

      Button design

      • Text: “Kupię teraz” (nie “Submit”, nie “Kup”)
      • Color: High contrast na tłem (np. zielony na białym, ciemny na jasnym)
      • Size: Duży - minimum 50px wysokość
      • Position: Sticky na mobile (zawsze widoczny)
      • Feedback: Zaraz jak kliknę, button pokazuje “Adding…” + zmienia się na “In cart ✓”

      Drugi CTA (optional but recommended)

      “+ DODAJ DO LISTY ŻYCZEŃ” (heart icon) - nie odwraca flow, ale buduje retargeting list

    4. Size/Fit: S Small (< 52mm) M Medium (52-54mm) L Large (> 55mm) XL Extra Large Lens Type: Clear Tinted +29 zł Polarized +99 zł Photochromic +149 zł Color: Black Brown Tortoise Gold Selected: Medium (52-54mm), Clear, Black Price adjustment: 0 zł .product-custom-options { margin: 20px 0; padding: 12px; border: 1px solid #e0e0e0; border-radius: 6px; background-color: #fafafa; } .option-group { margin-bottom: 16px; } .option-group:last-of-type { margin-bottom: 12px; } .option-label { display: block; font-weight: 600; font-size: 12px; margin-bottom: 8px; color: #333; text-transform: uppercase; letter-spacing: 0.5px; } .option-buttons { display: flex; flex-wrap: wrap; gap: 6px; } .option-btn { padding: 8px 12px; border: 2px solid #ddd; background-color: #fff; border-radius: 4px; cursor: pointer; transition: all 0.3s ease; font-size: 12px; font-weight: 500; color: #333; display: flex; flex-direction: column; align-items: center; gap: 2px; } .option-btn:hover { border-color: #999; background-color: #f5f5f5; } .option-btn.active { border-color: #4ECDC4; background-color: #4ECDC4; color: #fff; } .option-btn.active .price-modifier { color: #fff; } .option-btn.out-of-stock { opacity: 0.5; cursor: not-allowed; position: relative; } .option-btn.out-of-stock::after { content: 'Out of stock'; position: absolute; bottom: -18px; font-size: 10px; color: #ff0000; } .size-label { font-weight: 700; font-size: 16px; } .size-description { font-size: 11px; font-weight: 400; color: #666; white-space: nowrap; } .option-btn.active .size-description { color: rgba(255, 255, 255, 0.9); } .price-modifier { font-size: 11px; color: #4ECDC4; font-weight: 600; } .color-btn { flex-direction: row; gap: 8px; } .color-swatch { width: 24px; height: 24px; border-radius: 50%; border: 2px solid #fff; box-shadow: 0 0 0 1px #ddd; } .color-name { font-size: 14px; } .options-summary { padding-top: 16px; border-top: 1px solid #e0e0e0; margin-top: 8px; } .options-summary p { margin: 8px 0; font-size: 14px; color: #333; } .price-adjustment { font-weight: 600; color: #4ECDC4; } @media (max-width: 768px) { .option-btn { flex: 1 1 calc(50% - 10px); min-width: 120px; } } require(['jquery'], function($) { $(document).ready(function() { let selectedSize = 'medium'; let selectedLens = 'clear'; let selectedColor = 'black'; let totalPriceAdjustment = 0; // Update summary text function updateSummary() { const sizeLabels = { 'small': 'Small (< 52mm)', 'medium': 'Medium (52-54mm)', 'large': 'Large (> 55mm)', 'xlarge': 'Extra Large' }; const summaryText = `${sizeLabels[selectedSize]}, ${selectedLens.charAt(0).toUpperCase() + selectedLens.slice(1)}, ${selectedColor.charAt(0).toUpperCase() + selectedColor.slice(1)}`; $('#selected-options-text').text(summaryText); $('#price-adjustment').text(totalPriceAdjustment > 0 ? '+' + totalPriceAdjustment + ' zł' : '0 zł'); } // Size selector $('.size-selector .option-btn').on('click', function() { $('.size-selector .option-btn').removeClass('active'); $(this).addClass('active'); selectedSize = $(this).data('size'); updateSummary(); }); // Lens selector $('.lens-selector .option-btn').on('click', function() { $('.lens-selector .option-btn').removeClass('active'); $(this).addClass('active'); selectedLens = $(this).data('lens'); // Calculate price adjustment totalPriceAdjustment = parseInt($(this).data('price')) || 0; updateSummary(); }); // Color selector with image update $('.color-selector .option-btn').on('click', function() { $('.color-selector .option-btn').removeClass('active'); $(this).addClass('active'); selectedColor = $(this).data('color'); // Dynamic image update - symulacja const imageData = $(this).data('image'); console.log('Changing product image to: ' + imageData); // Tu można dodać logikę zmiany obrazu w galerii // $('.gallery-placeholder__image').attr('src', '/path/to/' + imageData + '-image.jpg'); updateSummary(); }); // Initialize summary updateSummary(); }); });

      Wariacje produktu - MUSZĄ być dla optyki

      Ważne: Gdy klient zmienia wariancję, główne zdjęcie powinno się automatycznie zmienić

    5. 1 140,00 zł

      PRICE SECTION (Psychologia decyzji cenowej)

      Format rabatu - ANCHOR EFFECT ❌ “499 PLN”
 ✅ “Była: 699 PLN → Teraz: 499 PLN (-29%)” lub “ZAOSZCZĘDZISZ: 200 PLN”

      Psychologia: Klienci widzą “oszczędność”, nie “cena jest niska”

    6. Lekkie, polaryzacyjne okulary w ikonicznym stylu retro. Chronią oczy 100% UV. Idealne do codziennego noszenia - nie będziesz czuł zmęczenia nawet po 8 godzinach pracy przy komputerze. Włoskie materiały, trwają lata.

      Short overview (50-80 słów, benefit-focused) ❌ “Frame material: TAC. Lens type: Polarized. Weight: 15g. Fit: Regular.”
 ✅ “Lekkie, polaryzacyjne okulary w ikonicznym stylu retro. Chronią oczy 100% UV. Idealne do codziennego noszenia - nie będziesz czuł zmęczenia nawet po 8 godzinach pracy przy komputerze. Włoskie materiały, trwają lata.”

      Dlaczego druga? Odpowiada na pytanie: “Co dla mnie robią?” (emocja + logika)

    7. HERO IMAGE & GALERIA

      Fakty: • 75% konsumentów bazuje decyzję na zdjęciach • Lifestyle photos zwiększają konwersję o 25-50% • Bez lifestyle photos: “To jest produkt”, z lifestyle photos: “To mogę być ja” Co musi być w galerii (minimum):

    8. Hugo Boss BOSS1765GS – Okulary przeciwsłoneczne

      PRODUCT TITLE & OVERVIEW (Emocjonalna i logiczna perswazja)

      Product title (nie jest to “Okulary”)

      ❌ “Wayfarer Sunglasses Black”
 ✅ “Ray-Ban Wayfarer 2140 Polarized UV Protection - Classic Black”

      Dlaczego druga? Keywords dla SEO + jasne benefits

    9. Okulary PrzeciwsłoneczneMarkiGucciAlexander McQueenBalenciagaBossBottega VenetaBvlgariCarolina HerreraCarreraCarrera DucatiCelineChloeDavid BeckhamDIORDSQUARED2FendiGuessGuess by MarcianoHarley DavidsonHUGOic! berlinKenzoLoeweMax MaraMonclerPolaroidSaint LaurentStella McCartneyTimberlandTom FordTommy HilfigerZegnaStyleKlasycznyNowoczesnyNaturalnyModnyKreatywnyDramatycznyRomantycznyDla kogo?DamskieMęskieDziecięceChłopięceDziewczęceKształt OprawkiOkrągłeOwalneKwadratoweProstokątneKocieMotylePilotkiGeometryczneNavigatorBrowlineMaskaWąskieOkulary KorekcyjneMarkiAlexander McQueenBalenciagaBossBottega VenetaBvlgariCarolina HerreraCarreraCarrera DucatiCelineChiara FerragniChloeDavid BeckhamDIORDSQUARED2FendiGucciGuessGuess by MarcianoGuess KidsHarley DavidsonHUGOic! berlinIsabel MarantJimmy ChooKenzoLoeweMarc JacobsMax MaraMonclerPolaroidSaint LaurentStella McCartneyTimberlandTom FordTommy HilfigerZegnaStyleKlasycznyNowoczesnyNaturalnyModnyKreatywnyDramatycznyRomantycznyDla kogo?DamskieMęskieDziecięceChłopięceDziewczęceKształt OprawkiOkrągłeOwalneKwadratoweProstokątneKocieMotylePilotkiGeometryczneNavigatorBrowlineMaskaWąskieMarkiAlexander McQueenBalenciagaBossBottega VenetaBvlgariCarolina HerreraCarreraCarrera DucatiCelineChiara FerragniChloeDavid BeckhamDIORDSQUARED2FendiGucciGuessGuess by MarcianoGuess KidsHarley DavidsonHUGOic! berlinIsabel MarantJimmy ChooKenzoLoeweMarc JacobsMax MaraMonclerPolaroidSaint LaurentStella McCartneyTimberlandTom FordTommy HilfigerZegnaBestsellerySaleOutletOkulary przeciwsłoneczneOkulary przeciwsłoneczneOkulary korekcyjneOkulary korekcyjneMarkiic! berlinSoczewki KontaktoweJednodnioweMiesięczneKolorowePłyny do soczewekAkcesoria do soczewekAkcesoria
      1. ABOVE THE FOLD (Co widać bez scrollowania) - SEKCJA NAJKRYTYCZNIEJSZA To first 3-5 sekund na stronie. Jeśli tu klient się nie orientiuje, bounce rate = 50%. Musi być widoczne (bez scrollowania):

    1. There is no way that, assuming Mamdani wins—especially if he wins big—every stumble, everything he says that’s controversial, every problem that arises from his agenda as it gets enacted in New York, won’t be hung around the neck of every Democrat in the country when they run.

      According to Damon Linker, lecturer at U of PA, and Au/substack: Notes From Middleground

    1. Respondent 2 mentions that an over-reliance on AI can lead to homogenized content that lacks the individual creativity of writers

      Hier ben ik het erg mee eens, vooral gezien het feit dat AI-gegenereerde 'creativiteit' tamelijk zielloos aandoet.

    2. I do not believe that this process is scalable by generative AI

      Dit lijkt me sterk afhankelijk van wat je allemaal toelaat in je grote dataset. Wie weet verschuift de zaak als je meer controle hebt over de input aan de voorkant.

    3. that algorithms are able to sift and analyze considerable amounts of data which unleash additional value in news production

      Is het grote verschil dat generatieve AI maakt dan vooral een kwestie van (aanzienlijke) schaalvergroting? Een kwantitatief verschil?

    1. Strona główna Okulary Przeciwsłoneczne DIOR DIORPACIFICR1I – Okulary przeciwsłoneczne
      1. ABOVE THE FOLD (Co widać bez scrollowania) - SEKCJA NAJKRYTYCZNIEJSZA To first 3-5 sekund na stronie. Jeśli tu klient się nie orientiuje, bounce rate = 50%. Musi być widoczne (bez scrollowania):

    2. DIOR DIORPACIFICR1I – Okulary przeciwsłoneczne

      PRODUCT TITLE & OVERVIEW (Emocjonalna i logiczna perswazja)

      Product title (nie jest to “Okulary”)

      ❌ “Wayfarer Sunglasses Black”
 ✅ “Ray-Ban Wayfarer 2140 Polarized UV Protection - Classic Black”

      Dlaczego druga? Keywords dla SEO + jasne benefits

    1. À vous de jouer !C'est maintenant le moment de mettre en pratique ce que vous avez appris.Pour cet exercice, vous allez devoir partir de votre fichier index.html que vous venez de créer et :y insérer la structure de base HTML ;changer le contenu de la balise  <title> </title>  pour avoir “Accueil – Robbie Lens Photographie” ;écrire un commentaire dans <body> </body> .

      j'ai bien recu, voici mon code

      <html lang="fr"> <head> <meta charset="utf-8"/> <title>Accueil – Robbie Lens Photographie</title> </head> <body> </body> </html>
    2. La balise en paire <head> </head> contient deux balises qui donnent des informations au navigateur : l’encodage et le titre de la page.La balise orpheline <meta charset="utf-8"> indique l'encodage utilisé dans le fichier  .html : cela détermine comment les caractères spéciaux s'affichent (accents, idéogrammes chinois et japonais, etc.).Si les accents s'affichent mal par la suite, c'est qu'il y a un problème avec l'encodage. Vérifiez que la balise meta indique bien UTF-8, et que votre fichier est enregistré en UTF-8.

      il n'y a que utf-8?

    3. Bien vu ! Il s'agit d'un attribut. Nous l'avons ajouté pour préciser la langue du site web que l'on va créer : lang=”fr”. Ce n’est pas obligatoire (la balise <html>  seule n’empêche pas le code de fonctionner), c’est simplement que si vous codez un site web en langue française, cela vous évite de potentiels soucis d’affichage. En outre, cela permet de mettre la langue par défaut de votre site web sur le français. Pour rester

      peut on ajouter là les autres langues dans le cas où le site est dans plusieurs langues?

    1. The City of North Bay has a variety of parking options

      Capitol Centre, being located in downtown North Bay, allows its location to facilitate collaboration with local businesses and shops.

    1. a positive impact on mental health and well-being.

      It highlights points about their commitment to the community, thinking beyond just themselves, such as its well-being and cultural and social development, because unlike other businesses, it does not seek to profit from them.

    1. not-for-profit organization

      Non-profit model with community support, allowing the place to rely on donations, volunteers, and sponsors, involving a strong connection with the local area and keeping it running.

    1. Through all renovations however, the theatre has retained its original beauty and design with minimal changes other than modern technology.

      Here it is shown how Capitol Centre has grown over the years, adapting to changes, improvements, and innovations without losing its main objective while enriching the community.