• Rewriting SymCrypt in Rust to modernize Microsoft’s cryptographic library 

    Outdated coding practices and memory-unsafe languages like C are putting software, including cryptographic libraries, at risk. Fortunately, memory-safe languages like Rust, along with formal verification tools, are now mature enough to be used at scale, helping prevent issues like crashes, data corruption, flawed implementation, and side-channel attacks.
    To address these vulnerabilities and improve memory safety, we’re rewriting SymCrypt—Microsoft’s open-source cryptographic library—in Rust. We’re also incorporating formal verification methods. SymCrypt is used in Windows, Azure Linux, Xbox, and other platforms.
    Currently, SymCrypt is primarily written in cross-platform C, with limited use of hardware-specific optimizations through intrinsicsand assembly language. It provides a wide range of algorithms, including AES-GCM, SHA, ECDSA, and the more recent post-quantum algorithms ML-KEM and ML-DSA. 
    Formal verification will confirm that implementations behave as intended and don’t deviate from algorithm specifications, critical for preventing attacks. We’ll also analyze compiled code to detect side-channel leaks caused by timing or hardware-level behavior.
    Proving Rust program properties with Aeneas
    Program verification is the process of proving that a piece of code will always satisfy a given property, no matter the input. Rust’s type system profoundly improves the prospects for program verification by providing strong ownership guarantees, by construction, using a discipline known as “aliasing xor mutability”.
    For example, reasoning about C code often requires proving that two non-const pointers are live and non-overlapping, a property that can depend on external client code. In contrast, Rust’s type system guarantees this property for any two mutably borrowed references.
    As a result, new tools have emerged specifically for verifying Rust code. We chose Aeneasbecause it helps provide a clean separation between code and proofs.
    Developed by Microsoft Azure Research in partnership with Inria, the French National Institute for Research in Digital Science and Technology, Aeneas connects to proof assistants like Lean, allowing us to draw on a large body of mathematical proofs—especially valuable given the mathematical nature of cryptographic algorithms—and benefit from Lean’s active user community.
    Compiling Rust to C supports backward compatibility  
    We recognize that switching to Rust isn’t feasible for all use cases, so we’ll continue to support, extend, and certify C-based APIs as long as users need them. Users won’t see any changes, as Rust runs underneath the existing C APIs.
    Some users compile our C code directly and may rely on specific toolchains or compiler features that complicate the adoption of Rust code. To address this, we will use Eurydice, a Rust-to-C compiler developed by Microsoft Azure Research, to replace handwritten C code with C generated from formally verified Rust. Eurydicecompiles directly from Rust’s MIR intermediate language, and the resulting C code will be checked into the SymCrypt repository alongside the original Rust source code.
    As more users adopt Rust, we’ll continue supporting this compilation path for those who build SymCrypt from source code but aren’t ready to use the Rust compiler. In the long term, we hope to transition users to either use precompiled SymCrypt binaries, or compile from source code in Rust, at which point the Rust-to-C compilation path will no longer be needed.

    Microsoft research podcast

    Ideas: AI and democracy with Madeleine Daepp and Robert Osazuwa Ness
    As the “biggest election year in history” comes to an end, researchers Madeleine Daepp and Robert Osazuwa Ness and Democracy Forward GM Ginny Badanes discuss AI’s impact on democracy, including the tech’s use in Taiwan and India.

    Listen now

    Opens in a new tab
    Timing analysis with Revizor 
    Even software that has been verified for functional correctness can remain vulnerable to low-level security threats, such as side channels caused by timing leaks or speculative execution. These threats operate at the hardware level and can leak private information, such as memory load addresses, branch targets, or division operands, even when the source code is provably correct. 
    To address this, we’re extending Revizor, a tool developed by Microsoft Azure Research, to more effectively analyze SymCrypt binaries. Revizor models microarchitectural leakage and uses fuzzing techniques to systematically uncover instructions that may expose private information through known hardware-level effects.  
    Earlier cryptographic libraries relied on constant-time programming to avoid operations on secret data. However, recent research has shown that this alone is insufficient with today’s CPUs, where every new optimization may open a new side channel. 
    By analyzing binary code for specific compilers and platforms, our extended Revizor tool enables deeper scrutiny of vulnerabilities that aren’t visible in the source code.
    Verified Rust implementations begin with ML-KEM
    This long-term effort is in alignment with the Microsoft Secure Future Initiative and brings together experts across Microsoft, building on decades of Microsoft Research investment in program verification and security tooling.
    A preliminary version of ML-KEM in Rust is now available on the preview feature/verifiedcryptobranch of the SymCrypt repository. We encourage users to try the Rust build and share feedback. Looking ahead, we plan to support direct use of the same cryptographic library in Rust without requiring C bindings. 
    Over the coming months, we plan to rewrite, verify, and ship several algorithms in Rust as part of SymCrypt. As our investment in Rust deepens, we expect to gain new insights into how to best leverage the language for high-assurance cryptographic implementations with low-level optimizations. 
    As performance is key to scalability and sustainability, we’re holding new implementations to a high bar using our benchmarking tools to match or exceed existing systems.
    Looking forward 
    This is a pivotal moment for high-assurance software. Microsoft’s investment in Rust and formal verification presents a rare opportunity to advance one of our key libraries. We’re excited to scale this work and ultimately deliver an industrial-grade, Rust-based, FIPS-certified cryptographic library.
    Opens in a new tab
    #rewriting #symcrypt #rust #modernize #microsofts
    Rewriting SymCrypt in Rust to modernize Microsoft’s cryptographic library 
    Outdated coding practices and memory-unsafe languages like C are putting software, including cryptographic libraries, at risk. Fortunately, memory-safe languages like Rust, along with formal verification tools, are now mature enough to be used at scale, helping prevent issues like crashes, data corruption, flawed implementation, and side-channel attacks. To address these vulnerabilities and improve memory safety, we’re rewriting SymCrypt—Microsoft’s open-source cryptographic library—in Rust. We’re also incorporating formal verification methods. SymCrypt is used in Windows, Azure Linux, Xbox, and other platforms. Currently, SymCrypt is primarily written in cross-platform C, with limited use of hardware-specific optimizations through intrinsicsand assembly language. It provides a wide range of algorithms, including AES-GCM, SHA, ECDSA, and the more recent post-quantum algorithms ML-KEM and ML-DSA.  Formal verification will confirm that implementations behave as intended and don’t deviate from algorithm specifications, critical for preventing attacks. We’ll also analyze compiled code to detect side-channel leaks caused by timing or hardware-level behavior. Proving Rust program properties with Aeneas Program verification is the process of proving that a piece of code will always satisfy a given property, no matter the input. Rust’s type system profoundly improves the prospects for program verification by providing strong ownership guarantees, by construction, using a discipline known as “aliasing xor mutability”. For example, reasoning about C code often requires proving that two non-const pointers are live and non-overlapping, a property that can depend on external client code. In contrast, Rust’s type system guarantees this property for any two mutably borrowed references. As a result, new tools have emerged specifically for verifying Rust code. We chose Aeneasbecause it helps provide a clean separation between code and proofs. Developed by Microsoft Azure Research in partnership with Inria, the French National Institute for Research in Digital Science and Technology, Aeneas connects to proof assistants like Lean, allowing us to draw on a large body of mathematical proofs—especially valuable given the mathematical nature of cryptographic algorithms—and benefit from Lean’s active user community. Compiling Rust to C supports backward compatibility   We recognize that switching to Rust isn’t feasible for all use cases, so we’ll continue to support, extend, and certify C-based APIs as long as users need them. Users won’t see any changes, as Rust runs underneath the existing C APIs. Some users compile our C code directly and may rely on specific toolchains or compiler features that complicate the adoption of Rust code. To address this, we will use Eurydice, a Rust-to-C compiler developed by Microsoft Azure Research, to replace handwritten C code with C generated from formally verified Rust. Eurydicecompiles directly from Rust’s MIR intermediate language, and the resulting C code will be checked into the SymCrypt repository alongside the original Rust source code. As more users adopt Rust, we’ll continue supporting this compilation path for those who build SymCrypt from source code but aren’t ready to use the Rust compiler. In the long term, we hope to transition users to either use precompiled SymCrypt binaries, or compile from source code in Rust, at which point the Rust-to-C compilation path will no longer be needed. Microsoft research podcast Ideas: AI and democracy with Madeleine Daepp and Robert Osazuwa Ness As the “biggest election year in history” comes to an end, researchers Madeleine Daepp and Robert Osazuwa Ness and Democracy Forward GM Ginny Badanes discuss AI’s impact on democracy, including the tech’s use in Taiwan and India. Listen now Opens in a new tab Timing analysis with Revizor  Even software that has been verified for functional correctness can remain vulnerable to low-level security threats, such as side channels caused by timing leaks or speculative execution. These threats operate at the hardware level and can leak private information, such as memory load addresses, branch targets, or division operands, even when the source code is provably correct.  To address this, we’re extending Revizor, a tool developed by Microsoft Azure Research, to more effectively analyze SymCrypt binaries. Revizor models microarchitectural leakage and uses fuzzing techniques to systematically uncover instructions that may expose private information through known hardware-level effects.   Earlier cryptographic libraries relied on constant-time programming to avoid operations on secret data. However, recent research has shown that this alone is insufficient with today’s CPUs, where every new optimization may open a new side channel.  By analyzing binary code for specific compilers and platforms, our extended Revizor tool enables deeper scrutiny of vulnerabilities that aren’t visible in the source code. Verified Rust implementations begin with ML-KEM This long-term effort is in alignment with the Microsoft Secure Future Initiative and brings together experts across Microsoft, building on decades of Microsoft Research investment in program verification and security tooling. A preliminary version of ML-KEM in Rust is now available on the preview feature/verifiedcryptobranch of the SymCrypt repository. We encourage users to try the Rust build and share feedback. Looking ahead, we plan to support direct use of the same cryptographic library in Rust without requiring C bindings.  Over the coming months, we plan to rewrite, verify, and ship several algorithms in Rust as part of SymCrypt. As our investment in Rust deepens, we expect to gain new insights into how to best leverage the language for high-assurance cryptographic implementations with low-level optimizations.  As performance is key to scalability and sustainability, we’re holding new implementations to a high bar using our benchmarking tools to match or exceed existing systems. Looking forward  This is a pivotal moment for high-assurance software. Microsoft’s investment in Rust and formal verification presents a rare opportunity to advance one of our key libraries. We’re excited to scale this work and ultimately deliver an industrial-grade, Rust-based, FIPS-certified cryptographic library. Opens in a new tab #rewriting #symcrypt #rust #modernize #microsofts
    WWW.MICROSOFT.COM
    Rewriting SymCrypt in Rust to modernize Microsoft’s cryptographic library 
    Outdated coding practices and memory-unsafe languages like C are putting software, including cryptographic libraries, at risk. Fortunately, memory-safe languages like Rust, along with formal verification tools, are now mature enough to be used at scale, helping prevent issues like crashes, data corruption, flawed implementation, and side-channel attacks. To address these vulnerabilities and improve memory safety, we’re rewriting SymCrypt (opens in new tab)—Microsoft’s open-source cryptographic library—in Rust. We’re also incorporating formal verification methods. SymCrypt is used in Windows, Azure Linux, Xbox, and other platforms. Currently, SymCrypt is primarily written in cross-platform C, with limited use of hardware-specific optimizations through intrinsics (compiler-provided low-level functions) and assembly language (direct processor instructions). It provides a wide range of algorithms, including AES-GCM, SHA, ECDSA, and the more recent post-quantum algorithms ML-KEM and ML-DSA.  Formal verification will confirm that implementations behave as intended and don’t deviate from algorithm specifications, critical for preventing attacks. We’ll also analyze compiled code to detect side-channel leaks caused by timing or hardware-level behavior. Proving Rust program properties with Aeneas Program verification is the process of proving that a piece of code will always satisfy a given property, no matter the input. Rust’s type system profoundly improves the prospects for program verification by providing strong ownership guarantees, by construction, using a discipline known as “aliasing xor mutability”. For example, reasoning about C code often requires proving that two non-const pointers are live and non-overlapping, a property that can depend on external client code. In contrast, Rust’s type system guarantees this property for any two mutably borrowed references. As a result, new tools have emerged specifically for verifying Rust code. We chose Aeneas (opens in new tab) because it helps provide a clean separation between code and proofs. Developed by Microsoft Azure Research in partnership with Inria, the French National Institute for Research in Digital Science and Technology, Aeneas connects to proof assistants like Lean (opens in new tab), allowing us to draw on a large body of mathematical proofs—especially valuable given the mathematical nature of cryptographic algorithms—and benefit from Lean’s active user community. Compiling Rust to C supports backward compatibility   We recognize that switching to Rust isn’t feasible for all use cases, so we’ll continue to support, extend, and certify C-based APIs as long as users need them. Users won’t see any changes, as Rust runs underneath the existing C APIs. Some users compile our C code directly and may rely on specific toolchains or compiler features that complicate the adoption of Rust code. To address this, we will use Eurydice (opens in new tab), a Rust-to-C compiler developed by Microsoft Azure Research, to replace handwritten C code with C generated from formally verified Rust. Eurydice (opens in new tab) compiles directly from Rust’s MIR intermediate language, and the resulting C code will be checked into the SymCrypt repository alongside the original Rust source code. As more users adopt Rust, we’ll continue supporting this compilation path for those who build SymCrypt from source code but aren’t ready to use the Rust compiler. In the long term, we hope to transition users to either use precompiled SymCrypt binaries (via C or Rust APIs), or compile from source code in Rust, at which point the Rust-to-C compilation path will no longer be needed. Microsoft research podcast Ideas: AI and democracy with Madeleine Daepp and Robert Osazuwa Ness As the “biggest election year in history” comes to an end, researchers Madeleine Daepp and Robert Osazuwa Ness and Democracy Forward GM Ginny Badanes discuss AI’s impact on democracy, including the tech’s use in Taiwan and India. Listen now Opens in a new tab Timing analysis with Revizor  Even software that has been verified for functional correctness can remain vulnerable to low-level security threats, such as side channels caused by timing leaks or speculative execution. These threats operate at the hardware level and can leak private information, such as memory load addresses, branch targets, or division operands, even when the source code is provably correct.  To address this, we’re extending Revizor (opens in new tab), a tool developed by Microsoft Azure Research, to more effectively analyze SymCrypt binaries. Revizor models microarchitectural leakage and uses fuzzing techniques to systematically uncover instructions that may expose private information through known hardware-level effects.   Earlier cryptographic libraries relied on constant-time programming to avoid operations on secret data. However, recent research has shown that this alone is insufficient with today’s CPUs, where every new optimization may open a new side channel.  By analyzing binary code for specific compilers and platforms, our extended Revizor tool enables deeper scrutiny of vulnerabilities that aren’t visible in the source code. Verified Rust implementations begin with ML-KEM This long-term effort is in alignment with the Microsoft Secure Future Initiative and brings together experts across Microsoft, building on decades of Microsoft Research investment in program verification and security tooling. A preliminary version of ML-KEM in Rust is now available on the preview feature/verifiedcrypto (opens in new tab) branch of the SymCrypt repository. We encourage users to try the Rust build and share feedback (opens in new tab). Looking ahead, we plan to support direct use of the same cryptographic library in Rust without requiring C bindings.  Over the coming months, we plan to rewrite, verify, and ship several algorithms in Rust as part of SymCrypt. As our investment in Rust deepens, we expect to gain new insights into how to best leverage the language for high-assurance cryptographic implementations with low-level optimizations.  As performance is key to scalability and sustainability, we’re holding new implementations to a high bar using our benchmarking tools to match or exceed existing systems. Looking forward  This is a pivotal moment for high-assurance software. Microsoft’s investment in Rust and formal verification presents a rare opportunity to advance one of our key libraries. We’re excited to scale this work and ultimately deliver an industrial-grade, Rust-based, FIPS-certified cryptographic library. Opens in a new tab
    0 Commentarii 0 Distribuiri
  • From Networks to Business Models, AI Is Rewiring Telecom

    Artificial intelligence is already rewriting the rules of wireless and telecom — powering predictive maintenance, streamlining network operations, and enabling more innovative services.
    As AI scales, the disruption will be faster, deeper, and harder to reverse than any prior shift in the industry.
    Compared to the sweeping changes AI is set to unleash, past telecom innovations look incremental.
    AI is redefining how networks operate, services are delivered, and data is secured — across every device and digital touchpoint.
    AI Is Reshaping Wireless Networks Already
    Artificial intelligence is already transforming wireless through smarter private networks, fixed wireless access, and intelligent automation across the stack.
    AI detects and resolves network issues before they impact service, improving uptime and customer satisfaction. It’s also opening the door to entirely new revenue streams and business models.
    Each wireless generation brought new capabilities. AI, however, marks a more profound shift — networks that think, respond, and evolve in real time.
    AI Acceleration Will Outpace Past Tech Shifts
    Many may underestimate the speed and magnitude of AI-driven change.
    The shift from traditional voice and data systems to AI-driven network intelligence is already underway.
    Although predictions abound, the true scope remains unclear.
    It’s tempting to assume we understand AI’s trajectory, but history suggests otherwise.

    Today, AI is already automating maintenance and optimizing performance without user disruption. The technologies we’ll rely on in the near future may still be on the drawing board.
    Few predicted that smartphones would emerge from analog beginnings—a reminder of how quickly foundational technologies can be reimagined.
    History shows that disruptive technologies rarely follow predictable paths — and AI is no exception. It’s already upending business models across industries.
    Technological shifts bring both new opportunities and complex trade-offs.
    AI Disruption Will Move Faster Than Ever
    The same cycle of reinvention is happening now — but with AI, it’s moving at unprecedented speed.
    Despite all the discussion, many still treat AI as a future concern — yet the shift is already well underway.
    As with every major technological leap, there will be gains and losses. The AI transition brings clear trade-offs: efficiency and innovation on one side, job displacement, and privacy erosion on the other.
    Unlike past tech waves that unfolded over decades, the AI shift will reshape industries in just a few years — and that change wave will only continue to move forward.
    AI Will Reshape All Sectors and Companies
    This shift will unfold faster than most organizations or individuals are prepared to handle.
    Today’s industries will likely look very different tomorrow. Entirely new sectors will emerge as legacy models become obsolete — redefining market leadership across industries.
    Telecom’s past holds a clear warning: market dominance can vanish quickly when companies ignore disruption.
    Eventually, the Baby Bells moved into long-distance service, while AT&T remained barred from selling local access — undermining its advantage.
    As the market shifted and competitors gained ground, AT&T lost its dominance and became vulnerable enough that SBC, a former regional Bell, acquired it and took on its name.

    It’s a case study of how incumbents fall when they fail to adapt — precisely the kind of pressure AI is now exerting across industries.
    SBC’s acquisition of AT&T flipped the power dynamic — proof that size doesn’t protect against disruption.
    The once-crowded telecom field has consolidated into just a few dominant players — each facing new threats from AI-native challengers.
    Legacy telecom models are being steadily displaced by faster, more flexible wireless, broadband, and streaming alternatives.
    No Industry Is Immune From AI Disruption
    AI will accelerate the next wave of industrial evolution — bringing innovations and consequences we’re only beginning to grasp.
    New winners will emerge as past leaders struggle to hang on — a shift that will also reshape the investment landscape. Startups leveraging AI will likely redefine leadership in sectors where incumbents have grown complacent.
    Nvidia’s rise is part of a broader trend: the next market leaders will emerge wherever AI creates a clear competitive advantage — whether in chips, code, or entirely new markets.
    The AI-driven future is arriving faster than most organizations are ready for. Adapting to this accelerating wave of change is no longer optional — it’s essential. Companies that act decisively today will define the winners of tomorrow.
    #networks #business #models #rewiring #telecom
    From Networks to Business Models, AI Is Rewiring Telecom
    Artificial intelligence is already rewriting the rules of wireless and telecom — powering predictive maintenance, streamlining network operations, and enabling more innovative services. As AI scales, the disruption will be faster, deeper, and harder to reverse than any prior shift in the industry. Compared to the sweeping changes AI is set to unleash, past telecom innovations look incremental. AI is redefining how networks operate, services are delivered, and data is secured — across every device and digital touchpoint. AI Is Reshaping Wireless Networks Already Artificial intelligence is already transforming wireless through smarter private networks, fixed wireless access, and intelligent automation across the stack. AI detects and resolves network issues before they impact service, improving uptime and customer satisfaction. It’s also opening the door to entirely new revenue streams and business models. Each wireless generation brought new capabilities. AI, however, marks a more profound shift — networks that think, respond, and evolve in real time. AI Acceleration Will Outpace Past Tech Shifts Many may underestimate the speed and magnitude of AI-driven change. The shift from traditional voice and data systems to AI-driven network intelligence is already underway. Although predictions abound, the true scope remains unclear. It’s tempting to assume we understand AI’s trajectory, but history suggests otherwise. Today, AI is already automating maintenance and optimizing performance without user disruption. The technologies we’ll rely on in the near future may still be on the drawing board. Few predicted that smartphones would emerge from analog beginnings—a reminder of how quickly foundational technologies can be reimagined. History shows that disruptive technologies rarely follow predictable paths — and AI is no exception. It’s already upending business models across industries. Technological shifts bring both new opportunities and complex trade-offs. AI Disruption Will Move Faster Than Ever The same cycle of reinvention is happening now — but with AI, it’s moving at unprecedented speed. Despite all the discussion, many still treat AI as a future concern — yet the shift is already well underway. As with every major technological leap, there will be gains and losses. The AI transition brings clear trade-offs: efficiency and innovation on one side, job displacement, and privacy erosion on the other. Unlike past tech waves that unfolded over decades, the AI shift will reshape industries in just a few years — and that change wave will only continue to move forward. AI Will Reshape All Sectors and Companies This shift will unfold faster than most organizations or individuals are prepared to handle. Today’s industries will likely look very different tomorrow. Entirely new sectors will emerge as legacy models become obsolete — redefining market leadership across industries. Telecom’s past holds a clear warning: market dominance can vanish quickly when companies ignore disruption. Eventually, the Baby Bells moved into long-distance service, while AT&T remained barred from selling local access — undermining its advantage. As the market shifted and competitors gained ground, AT&T lost its dominance and became vulnerable enough that SBC, a former regional Bell, acquired it and took on its name. It’s a case study of how incumbents fall when they fail to adapt — precisely the kind of pressure AI is now exerting across industries. SBC’s acquisition of AT&T flipped the power dynamic — proof that size doesn’t protect against disruption. The once-crowded telecom field has consolidated into just a few dominant players — each facing new threats from AI-native challengers. Legacy telecom models are being steadily displaced by faster, more flexible wireless, broadband, and streaming alternatives. No Industry Is Immune From AI Disruption AI will accelerate the next wave of industrial evolution — bringing innovations and consequences we’re only beginning to grasp. New winners will emerge as past leaders struggle to hang on — a shift that will also reshape the investment landscape. Startups leveraging AI will likely redefine leadership in sectors where incumbents have grown complacent. Nvidia’s rise is part of a broader trend: the next market leaders will emerge wherever AI creates a clear competitive advantage — whether in chips, code, or entirely new markets. The AI-driven future is arriving faster than most organizations are ready for. Adapting to this accelerating wave of change is no longer optional — it’s essential. Companies that act decisively today will define the winners of tomorrow. #networks #business #models #rewiring #telecom
    From Networks to Business Models, AI Is Rewiring Telecom
    Artificial intelligence is already rewriting the rules of wireless and telecom — powering predictive maintenance, streamlining network operations, and enabling more innovative services. As AI scales, the disruption will be faster, deeper, and harder to reverse than any prior shift in the industry. Compared to the sweeping changes AI is set to unleash, past telecom innovations look incremental. AI is redefining how networks operate, services are delivered, and data is secured — across every device and digital touchpoint. AI Is Reshaping Wireless Networks Already Artificial intelligence is already transforming wireless through smarter private networks, fixed wireless access (FWA), and intelligent automation across the stack. AI detects and resolves network issues before they impact service, improving uptime and customer satisfaction. It’s also opening the door to entirely new revenue streams and business models. Each wireless generation brought new capabilities. AI, however, marks a more profound shift — networks that think, respond, and evolve in real time. AI Acceleration Will Outpace Past Tech Shifts Many may underestimate the speed and magnitude of AI-driven change. The shift from traditional voice and data systems to AI-driven network intelligence is already underway. Although predictions abound, the true scope remains unclear. It’s tempting to assume we understand AI’s trajectory, but history suggests otherwise. Today, AI is already automating maintenance and optimizing performance without user disruption. The technologies we’ll rely on in the near future may still be on the drawing board. Few predicted that smartphones would emerge from analog beginnings—a reminder of how quickly foundational technologies can be reimagined. History shows that disruptive technologies rarely follow predictable paths — and AI is no exception. It’s already upending business models across industries. Technological shifts bring both new opportunities and complex trade-offs. AI Disruption Will Move Faster Than Ever The same cycle of reinvention is happening now — but with AI, it’s moving at unprecedented speed. Despite all the discussion, many still treat AI as a future concern — yet the shift is already well underway. As with every major technological leap, there will be gains and losses. The AI transition brings clear trade-offs: efficiency and innovation on one side, job displacement, and privacy erosion on the other. Unlike past tech waves that unfolded over decades, the AI shift will reshape industries in just a few years — and that change wave will only continue to move forward. AI Will Reshape All Sectors and Companies This shift will unfold faster than most organizations or individuals are prepared to handle. Today’s industries will likely look very different tomorrow. Entirely new sectors will emerge as legacy models become obsolete — redefining market leadership across industries. Telecom’s past holds a clear warning: market dominance can vanish quickly when companies ignore disruption. Eventually, the Baby Bells moved into long-distance service, while AT&T remained barred from selling local access — undermining its advantage. As the market shifted and competitors gained ground, AT&T lost its dominance and became vulnerable enough that SBC, a former regional Bell, acquired it and took on its name. It’s a case study of how incumbents fall when they fail to adapt — precisely the kind of pressure AI is now exerting across industries. SBC’s acquisition of AT&T flipped the power dynamic — proof that size doesn’t protect against disruption. The once-crowded telecom field has consolidated into just a few dominant players — each facing new threats from AI-native challengers. Legacy telecom models are being steadily displaced by faster, more flexible wireless, broadband, and streaming alternatives. No Industry Is Immune From AI Disruption AI will accelerate the next wave of industrial evolution — bringing innovations and consequences we’re only beginning to grasp. New winners will emerge as past leaders struggle to hang on — a shift that will also reshape the investment landscape. Startups leveraging AI will likely redefine leadership in sectors where incumbents have grown complacent. Nvidia’s rise is part of a broader trend: the next market leaders will emerge wherever AI creates a clear competitive advantage — whether in chips, code, or entirely new markets. The AI-driven future is arriving faster than most organizations are ready for. Adapting to this accelerating wave of change is no longer optional — it’s essential. Companies that act decisively today will define the winners of tomorrow.
    0 Commentarii 0 Distribuiri
  • Outlets 8, Conghua by E Plus Design: Chromatic Urbanism and Ecological Renewal

    Outlets 8, Conghua | © Wu Siming
    In the landscape of contemporary Chinese urbanism, few typologies encapsulate the contradictions of late-capitalist development more vividly than the pseudo-European commercial complex. These replicated enclaves, constructed en masse in the early 2000s, were once marketed as symbols of international sophistication. Over time, however, many were abandoned, becoming architectural vestiges of speculative urbanism. Outlets 8 in Conghua, Guangzhou, is one such project that has undergone a radical architectural reinterpretation. Originally completed in 2018 but long dormant, it has been reimagined by E Plus Design in collaboration with URBANUS/LXD Studio. Through a precise, light-touch intervention, the project avoids wholesale demolition and reprograms space through color, rhythm, and landscape strategy.

    Outlets 8, Conghua Technical Information

    Architects1-14: E Plus Design
    Central Plaza Design: URBANUS / LXD Studio
    Location: Conghua District, Guangzhou, China
    Gross Area: 80,882 m2 | 870,000 Sq. Ft.
    Project Years: 2022 – 2023
    Photographs: © Wu Siming

    This approach is like a contemporary remix of classical music. The four blocks correspond to four movements. Without extensive demolition or altering the European-style architectural rhythm, we reinterpreted the emotional tones, chords, and cadenzas. Through a blend of color and modern gestures, the outdated and disproportionate ‘faux-antique’ complex has been reorchestrated into a contemporary architectural symphony.
    – Li Fu, Chief Architect at E Plus Design

    Outlets 8, Conghua Photographs

    Aerial View | © Wu Siming

    © Wu Siming

    © Wu Siming

    © Wu Siming

    © Wu Siming

    © Wu Siming

    © Wu Siming

    © Chen Liang Liu Shan

    © Chen Liang Liu Shan

    © Chen Liang Liu Shan
    Outlets 8 Context and Typological Challenge
    Outlets 8 was initially conceived as a 110,000-square-meter faux-European outlet village. Despite its scale and investment, it struggled to resonate with local cultural dynamics and remained idle. The typology itself, rooted in nostalgic mimicry, was already facing obsolescence. The challenge, then, was not only architectural but also conceptual: how to resuscitate a typology that had become both spatially and culturally inert.
    The design team chose a strategy of minimal physical intervention coupled with maximal perceptual impact. Rather than demolish or drastically reconstruct, they aimed to re-signify the existing structures. This approach reflects a growing trend in urban renewal across China, where sustainability, cost-efficiency, and cultural specificity take precedence over spectacle.
    Spatial Transformation Through Chromatic Reprogramming

    After | © Wu Siming

    Before | Original Facade, © E+

    At the intervention’s core is using color as a spatial and psychological agent. The ornament-heavy facades were stripped of their polychromatic excess and repainted in low-saturation hues. This chromatic cleansing revealed the formal rhythms of the architecture beneath. By doing so, the design avoids mimicry and opts for abstraction, reintroducing clarity to the site’s visual language.
    The design framework is structured as a musical metaphor, with each of the four blocks conceived as a separate movement in a visual symphony. The street-facing facades, now unified through a golden “variation,” establish a new urban frontage that is both legible and symbolically rich. A ribbon-like golden band traces across the main elevations, creating continuity and contrast between old and new volumes.
    In contrast, the sports block adopts a cooler, blue-toned palette, offering a different spatial and functional rhythm. New architectural insertions are rendered in transparent materials, signaling temporal and programmatic distinctions. At the center, the elliptical plaza becomes a spatial crescendo, defined by a sculptural intervention inspired by Roman aqueducts. This feature functions as a landmark and a temporal break, juxtaposing historical references with performative landscape elements.
    Rewriting Landscape as Urban Ecology

    After | © Wu Siming

    Before | Original Facade, © E+

    Water, derived from the nearby Liuxi River, serves as the thematic and material backbone of the landscape design. Its integration is not symbolic but functional. Water flows through constructed channels, interactive fountains, and sculptural cascades that encourage observation and participation. These elements create a multisensory environment that enhances the spatial experience while reinforcing ecological awareness.
    The planting strategy emphasizes native species capable of withstanding Guangzhou’s subtropical climate. The design maximizes greenery wherever regulatory conditions allow, particularly along the main entrance, central corridors, and arcaded walkways. The result is a layered landscape that balances visual density with ecological resilience.
    Integrating landscape and architecture as a singular design operation, the project shifts away from ornamental greening toward environmental synthesis. This approach foregrounds interaction and immersion, aligning with broader shifts in landscape architecture toward performative and participatory ecologies.
    Programmatic Rebirth and Urban Implications

    After | © Wu Siming

    Before | Original Facade, © E+

    Beyond formal and material considerations, the project redefines the programmatic potential of large-scale retail environments. Positioned as a “micro-vacation” destination, Outlets 8 is a hybrid typology. It combines retail, leisure, and outdoor experience within a cohesive spatial narrative. This reprogramming responds to changing patterns of consumption and leisure in Chinese cities, particularly among younger demographics seeking experiential value over transactional efficiency.
    Statistical metrics underscore the project’s social impact. In its first nine days, the outlet attracted over half a million visitors and became a trending location across multiple digital platforms. While not the focus of architectural critique, these figures reflect a successful alignment between spatial renewal and public resonance.
    More importantly, the project offers a replicable model for dealing with the vast inventory of misaligned commercial developments across China. The intervention avoids nostalgia and cynicism by foregrounding perceptual clarity, ecological integration, and cultural recontextualization. Instead, it offers a clear path forward for reimagining the built remnants of a prior urban paradigm.
    Outlets 8, Conghua Plans

    Elevations | © E Plus Design

    Floor Plan | © E Plus Design

    Floor Plan | © E Plus Design

    Floor Plan | © E Plus Design

    Floor Plan | © E Plus Design

    Sections | © E Plus Design
    Outlets 8, Conghua Image Gallery

    About E Plus Design
    E Plus Design is a multidisciplinary architecture studio based in Shenzhen, China, known for its innovative approaches to urban renewal, adaptive reuse, and large-scale public space transformations. The firm emphasizes minimal intervention strategies, spatial clarity, and contextual sensitivity, often working at the intersection of architecture, landscape, and urban design to create integrated environments that are both socially responsive and experientially rich.
    Credits and Additional Notes

    Chief Design Consultant: Liu Xiaodu
    Master Plan, Architecture, and Landscape Schemes: E Plus Design
    Lead Architects: Li Fu, Coco Zhou
    Project Managers: Guo Sibo, Huang Haifeng
    Architectural Design Team: Wang Junli, Zhang Yan, Cai Yidie, Zhu Meng, Lin Zhaomei, Li Geng, Stephane Anil Mamode, Liu Shan, Zhou Yubo
    Central Plaza Design: URBANUS / LXD Studio
    Architect of Central Plaza: Liu Xiaodu
    Project Manager: Li An’hong
    Facade Design: Song Baolin, Li Minggang
    Lighting Design: Fang Yuhui
    Lighting Consultant: Han Du Associates
    Client: Guangzhou Outlets 8 Commercial Management Co., Ltd.
    Client Design Management Team: Yin Mingyue, Zhao Xiong
    Landscape Area: 29,100 m²
    Chief Landscape Architect: Gao Yan
    Project Manager: Zhang Yufeng
    Landscape Design Team: Yu Xiaolei, Li Zhaozhan, Liu Chenghua
    Landscape Construction Drawings: E Plus Design
    Project Manager: Wang Bin
    Design Team: Wang Bin. Huang Jinxiong. Li GenStructural Design Team: Wang Kaiming, Yang Helin, Wu Xingwei, Zhuang Dengfa
    Electrical Design Team: Sun Wei, Yang Ying
    Interior Design Concept Design: Shenzhen Juanshi Design Co., Ltd.
    Chief Interior Designer: Feng Feifan
    Project Manager: Liu Hongwei
    Design Team: Niu Jingxian, Shi Meitao
    Construction Drawings: Shenzhen Shiye Design Co., Ltd.
    Project Manager: Shen Kaizhen
    Design Team: Yao Yijian, Yang Hao, Liu Chen
    Wayfinding Design Studio: Hexi Brand Design Co., Ltd.
    Curtain Wall Design Firm: Positive Attitude Group
    #outlets #conghua #plus #design #chromatic
    Outlets 8, Conghua by E Plus Design: Chromatic Urbanism and Ecological Renewal
    Outlets 8, Conghua | © Wu Siming In the landscape of contemporary Chinese urbanism, few typologies encapsulate the contradictions of late-capitalist development more vividly than the pseudo-European commercial complex. These replicated enclaves, constructed en masse in the early 2000s, were once marketed as symbols of international sophistication. Over time, however, many were abandoned, becoming architectural vestiges of speculative urbanism. Outlets 8 in Conghua, Guangzhou, is one such project that has undergone a radical architectural reinterpretation. Originally completed in 2018 but long dormant, it has been reimagined by E Plus Design in collaboration with URBANUS/LXD Studio. Through a precise, light-touch intervention, the project avoids wholesale demolition and reprograms space through color, rhythm, and landscape strategy. Outlets 8, Conghua Technical Information Architects1-14: E Plus Design Central Plaza Design: URBANUS / LXD Studio Location: Conghua District, Guangzhou, China Gross Area: 80,882 m2 | 870,000 Sq. Ft. Project Years: 2022 – 2023 Photographs: © Wu Siming This approach is like a contemporary remix of classical music. The four blocks correspond to four movements. Without extensive demolition or altering the European-style architectural rhythm, we reinterpreted the emotional tones, chords, and cadenzas. Through a blend of color and modern gestures, the outdated and disproportionate ‘faux-antique’ complex has been reorchestrated into a contemporary architectural symphony. – Li Fu, Chief Architect at E Plus Design Outlets 8, Conghua Photographs Aerial View | © Wu Siming © Wu Siming © Wu Siming © Wu Siming © Wu Siming © Wu Siming © Wu Siming © Chen Liang Liu Shan © Chen Liang Liu Shan © Chen Liang Liu Shan Outlets 8 Context and Typological Challenge Outlets 8 was initially conceived as a 110,000-square-meter faux-European outlet village. Despite its scale and investment, it struggled to resonate with local cultural dynamics and remained idle. The typology itself, rooted in nostalgic mimicry, was already facing obsolescence. The challenge, then, was not only architectural but also conceptual: how to resuscitate a typology that had become both spatially and culturally inert. The design team chose a strategy of minimal physical intervention coupled with maximal perceptual impact. Rather than demolish or drastically reconstruct, they aimed to re-signify the existing structures. This approach reflects a growing trend in urban renewal across China, where sustainability, cost-efficiency, and cultural specificity take precedence over spectacle. Spatial Transformation Through Chromatic Reprogramming After | © Wu Siming Before | Original Facade, © E+ At the intervention’s core is using color as a spatial and psychological agent. The ornament-heavy facades were stripped of their polychromatic excess and repainted in low-saturation hues. This chromatic cleansing revealed the formal rhythms of the architecture beneath. By doing so, the design avoids mimicry and opts for abstraction, reintroducing clarity to the site’s visual language. The design framework is structured as a musical metaphor, with each of the four blocks conceived as a separate movement in a visual symphony. The street-facing facades, now unified through a golden “variation,” establish a new urban frontage that is both legible and symbolically rich. A ribbon-like golden band traces across the main elevations, creating continuity and contrast between old and new volumes. In contrast, the sports block adopts a cooler, blue-toned palette, offering a different spatial and functional rhythm. New architectural insertions are rendered in transparent materials, signaling temporal and programmatic distinctions. At the center, the elliptical plaza becomes a spatial crescendo, defined by a sculptural intervention inspired by Roman aqueducts. This feature functions as a landmark and a temporal break, juxtaposing historical references with performative landscape elements. Rewriting Landscape as Urban Ecology After | © Wu Siming Before | Original Facade, © E+ Water, derived from the nearby Liuxi River, serves as the thematic and material backbone of the landscape design. Its integration is not symbolic but functional. Water flows through constructed channels, interactive fountains, and sculptural cascades that encourage observation and participation. These elements create a multisensory environment that enhances the spatial experience while reinforcing ecological awareness. The planting strategy emphasizes native species capable of withstanding Guangzhou’s subtropical climate. The design maximizes greenery wherever regulatory conditions allow, particularly along the main entrance, central corridors, and arcaded walkways. The result is a layered landscape that balances visual density with ecological resilience. Integrating landscape and architecture as a singular design operation, the project shifts away from ornamental greening toward environmental synthesis. This approach foregrounds interaction and immersion, aligning with broader shifts in landscape architecture toward performative and participatory ecologies. Programmatic Rebirth and Urban Implications After | © Wu Siming Before | Original Facade, © E+ Beyond formal and material considerations, the project redefines the programmatic potential of large-scale retail environments. Positioned as a “micro-vacation” destination, Outlets 8 is a hybrid typology. It combines retail, leisure, and outdoor experience within a cohesive spatial narrative. This reprogramming responds to changing patterns of consumption and leisure in Chinese cities, particularly among younger demographics seeking experiential value over transactional efficiency. Statistical metrics underscore the project’s social impact. In its first nine days, the outlet attracted over half a million visitors and became a trending location across multiple digital platforms. While not the focus of architectural critique, these figures reflect a successful alignment between spatial renewal and public resonance. More importantly, the project offers a replicable model for dealing with the vast inventory of misaligned commercial developments across China. The intervention avoids nostalgia and cynicism by foregrounding perceptual clarity, ecological integration, and cultural recontextualization. Instead, it offers a clear path forward for reimagining the built remnants of a prior urban paradigm. Outlets 8, Conghua Plans Elevations | © E Plus Design Floor Plan | © E Plus Design Floor Plan | © E Plus Design Floor Plan | © E Plus Design Floor Plan | © E Plus Design Sections | © E Plus Design Outlets 8, Conghua Image Gallery About E Plus Design E Plus Design is a multidisciplinary architecture studio based in Shenzhen, China, known for its innovative approaches to urban renewal, adaptive reuse, and large-scale public space transformations. The firm emphasizes minimal intervention strategies, spatial clarity, and contextual sensitivity, often working at the intersection of architecture, landscape, and urban design to create integrated environments that are both socially responsive and experientially rich. Credits and Additional Notes Chief Design Consultant: Liu Xiaodu Master Plan, Architecture, and Landscape Schemes: E Plus Design Lead Architects: Li Fu, Coco Zhou Project Managers: Guo Sibo, Huang Haifeng Architectural Design Team: Wang Junli, Zhang Yan, Cai Yidie, Zhu Meng, Lin Zhaomei, Li Geng, Stephane Anil Mamode, Liu Shan, Zhou Yubo Central Plaza Design: URBANUS / LXD Studio Architect of Central Plaza: Liu Xiaodu Project Manager: Li An’hong Facade Design: Song Baolin, Li Minggang Lighting Design: Fang Yuhui Lighting Consultant: Han Du Associates Client: Guangzhou Outlets 8 Commercial Management Co., Ltd. Client Design Management Team: Yin Mingyue, Zhao Xiong Landscape Area: 29,100 m² Chief Landscape Architect: Gao Yan Project Manager: Zhang Yufeng Landscape Design Team: Yu Xiaolei, Li Zhaozhan, Liu Chenghua Landscape Construction Drawings: E Plus Design Project Manager: Wang Bin Design Team: Wang Bin. Huang Jinxiong. Li GenStructural Design Team: Wang Kaiming, Yang Helin, Wu Xingwei, Zhuang Dengfa Electrical Design Team: Sun Wei, Yang Ying Interior Design Concept Design: Shenzhen Juanshi Design Co., Ltd. Chief Interior Designer: Feng Feifan Project Manager: Liu Hongwei Design Team: Niu Jingxian, Shi Meitao Construction Drawings: Shenzhen Shiye Design Co., Ltd. Project Manager: Shen Kaizhen Design Team: Yao Yijian, Yang Hao, Liu Chen Wayfinding Design Studio: Hexi Brand Design Co., Ltd. Curtain Wall Design Firm: Positive Attitude Group #outlets #conghua #plus #design #chromatic
    ARCHEYES.COM
    Outlets 8, Conghua by E Plus Design: Chromatic Urbanism and Ecological Renewal
    Outlets 8, Conghua | © Wu Siming In the landscape of contemporary Chinese urbanism, few typologies encapsulate the contradictions of late-capitalist development more vividly than the pseudo-European commercial complex. These replicated enclaves, constructed en masse in the early 2000s, were once marketed as symbols of international sophistication. Over time, however, many were abandoned, becoming architectural vestiges of speculative urbanism. Outlets 8 in Conghua, Guangzhou, is one such project that has undergone a radical architectural reinterpretation. Originally completed in 2018 but long dormant, it has been reimagined by E Plus Design in collaboration with URBANUS/LXD Studio. Through a precise, light-touch intervention, the project avoids wholesale demolition and reprograms space through color, rhythm, and landscape strategy. Outlets 8, Conghua Technical Information Architects1-14: E Plus Design Central Plaza Design: URBANUS / LXD Studio Location: Conghua District, Guangzhou, China Gross Area: 80,882 m2 | 870,000 Sq. Ft. Project Years: 2022 – 2023 Photographs: © Wu Siming This approach is like a contemporary remix of classical music. The four blocks correspond to four movements. Without extensive demolition or altering the European-style architectural rhythm, we reinterpreted the emotional tones, chords, and cadenzas. Through a blend of color and modern gestures, the outdated and disproportionate ‘faux-antique’ complex has been reorchestrated into a contemporary architectural symphony. – Li Fu, Chief Architect at E Plus Design Outlets 8, Conghua Photographs Aerial View | © Wu Siming © Wu Siming © Wu Siming © Wu Siming © Wu Siming © Wu Siming © Wu Siming © Chen Liang Liu Shan © Chen Liang Liu Shan © Chen Liang Liu Shan Outlets 8 Context and Typological Challenge Outlets 8 was initially conceived as a 110,000-square-meter faux-European outlet village. Despite its scale and investment, it struggled to resonate with local cultural dynamics and remained idle. The typology itself, rooted in nostalgic mimicry, was already facing obsolescence. The challenge, then, was not only architectural but also conceptual: how to resuscitate a typology that had become both spatially and culturally inert. The design team chose a strategy of minimal physical intervention coupled with maximal perceptual impact. Rather than demolish or drastically reconstruct, they aimed to re-signify the existing structures. This approach reflects a growing trend in urban renewal across China, where sustainability, cost-efficiency, and cultural specificity take precedence over spectacle. Spatial Transformation Through Chromatic Reprogramming After | © Wu Siming Before | Original Facade, © E+ At the intervention’s core is using color as a spatial and psychological agent. The ornament-heavy facades were stripped of their polychromatic excess and repainted in low-saturation hues. This chromatic cleansing revealed the formal rhythms of the architecture beneath. By doing so, the design avoids mimicry and opts for abstraction, reintroducing clarity to the site’s visual language. The design framework is structured as a musical metaphor, with each of the four blocks conceived as a separate movement in a visual symphony. The street-facing facades, now unified through a golden “variation,” establish a new urban frontage that is both legible and symbolically rich. A ribbon-like golden band traces across the main elevations, creating continuity and contrast between old and new volumes. In contrast, the sports block adopts a cooler, blue-toned palette, offering a different spatial and functional rhythm. New architectural insertions are rendered in transparent materials, signaling temporal and programmatic distinctions. At the center, the elliptical plaza becomes a spatial crescendo, defined by a sculptural intervention inspired by Roman aqueducts. This feature functions as a landmark and a temporal break, juxtaposing historical references with performative landscape elements. Rewriting Landscape as Urban Ecology After | © Wu Siming Before | Original Facade, © E+ Water, derived from the nearby Liuxi River, serves as the thematic and material backbone of the landscape design. Its integration is not symbolic but functional. Water flows through constructed channels, interactive fountains, and sculptural cascades that encourage observation and participation. These elements create a multisensory environment that enhances the spatial experience while reinforcing ecological awareness. The planting strategy emphasizes native species capable of withstanding Guangzhou’s subtropical climate. The design maximizes greenery wherever regulatory conditions allow, particularly along the main entrance, central corridors, and arcaded walkways. The result is a layered landscape that balances visual density with ecological resilience. Integrating landscape and architecture as a singular design operation, the project shifts away from ornamental greening toward environmental synthesis. This approach foregrounds interaction and immersion, aligning with broader shifts in landscape architecture toward performative and participatory ecologies. Programmatic Rebirth and Urban Implications After | © Wu Siming Before | Original Facade, © E+ Beyond formal and material considerations, the project redefines the programmatic potential of large-scale retail environments. Positioned as a “micro-vacation” destination, Outlets 8 is a hybrid typology. It combines retail, leisure, and outdoor experience within a cohesive spatial narrative. This reprogramming responds to changing patterns of consumption and leisure in Chinese cities, particularly among younger demographics seeking experiential value over transactional efficiency. Statistical metrics underscore the project’s social impact. In its first nine days, the outlet attracted over half a million visitors and became a trending location across multiple digital platforms. While not the focus of architectural critique, these figures reflect a successful alignment between spatial renewal and public resonance. More importantly, the project offers a replicable model for dealing with the vast inventory of misaligned commercial developments across China. The intervention avoids nostalgia and cynicism by foregrounding perceptual clarity, ecological integration, and cultural recontextualization. Instead, it offers a clear path forward for reimagining the built remnants of a prior urban paradigm. Outlets 8, Conghua Plans Elevations | © E Plus Design Floor Plan | © E Plus Design Floor Plan | © E Plus Design Floor Plan | © E Plus Design Floor Plan | © E Plus Design Sections | © E Plus Design Outlets 8, Conghua Image Gallery About E Plus Design E Plus Design is a multidisciplinary architecture studio based in Shenzhen, China, known for its innovative approaches to urban renewal, adaptive reuse, and large-scale public space transformations. The firm emphasizes minimal intervention strategies, spatial clarity, and contextual sensitivity, often working at the intersection of architecture, landscape, and urban design to create integrated environments that are both socially responsive and experientially rich. Credits and Additional Notes Chief Design Consultant: Liu Xiaodu Master Plan, Architecture, and Landscape Schemes: E Plus Design Lead Architects: Li Fu, Coco Zhou Project Managers (Architecture): Guo Sibo, Huang Haifeng Architectural Design Team: Wang Junli, Zhang Yan, Cai Yidie, Zhu Meng, Lin Zhaomei, Li Geng, Stephane Anil Mamode, Liu Shan, Zhou Yubo Central Plaza Design: URBANUS / LXD Studio Architect of Central Plaza: Liu Xiaodu Project Manager: Li An’hong Facade Design: Song Baolin, Li Minggang Lighting Design (Concept): Fang Yuhui Lighting Consultant: Han Du Associates Client: Guangzhou Outlets 8 Commercial Management Co., Ltd. Client Design Management Team: Yin Mingyue, Zhao Xiong Landscape Area: 29,100 m² Chief Landscape Architect: Gao Yan Project Manager (Landscape): Zhang Yufeng Landscape Design Team: Yu Xiaolei, Li Zhaozhan, Liu Chenghua Landscape Construction Drawings: E Plus Design Project Manager: Wang Bin Design Team: Wang Bin (Landscape Architecture). Huang Jinxiong (Greening Design). Li Gen (Water & Electricity Design) Structural Design Team: Wang Kaiming, Yang Helin, Wu Xingwei, Zhuang Dengfa Electrical Design Team: Sun Wei, Yang Ying Interior Design Concept Design: Shenzhen Juanshi Design Co., Ltd. Chief Interior Designer: Feng Feifan Project Manager: Liu Hongwei Design Team: Niu Jingxian, Shi Meitao Construction Drawings: Shenzhen Shiye Design Co., Ltd. Project Manager: Shen Kaizhen Design Team: Yao Yijian, Yang Hao, Liu Chen Wayfinding Design Studio: Hexi Brand Design Co., Ltd. Curtain Wall Design Firm: Positive Attitude Group (PAG)
    0 Commentarii 0 Distribuiri
  • Hollow Knight: Silksong Not Rewriting the Book on Metroidvanias Has to Be Okay, If True

    The April 2 Nintendo Direct presentation revealed that Hollow Knight: Silksong is launching in 2025, and that it will come to the Switch 2, and fans are now eagerly awaiting more news from indie developer Team Cherry. After years of scarce details on the follow-up to 2017's acclaimed Hollow Knight, the game's appearance at the Direct was a welcome sign for fans who've been waiting patiently for a release window. Notably, while Hollow Knight: Silksong has finally broken its silence, it did so quietly, and aside from confirming a 2025 release window, little else about the game was shared.
    #hollow #knight #silksong #not #rewriting
    Hollow Knight: Silksong Not Rewriting the Book on Metroidvanias Has to Be Okay, If True
    The April 2 Nintendo Direct presentation revealed that Hollow Knight: Silksong is launching in 2025, and that it will come to the Switch 2, and fans are now eagerly awaiting more news from indie developer Team Cherry. After years of scarce details on the follow-up to 2017's acclaimed Hollow Knight, the game's appearance at the Direct was a welcome sign for fans who've been waiting patiently for a release window. Notably, while Hollow Knight: Silksong has finally broken its silence, it did so quietly, and aside from confirming a 2025 release window, little else about the game was shared. #hollow #knight #silksong #not #rewriting
    GAMERANT.COM
    Hollow Knight: Silksong Not Rewriting the Book on Metroidvanias Has to Be Okay, If True
    The April 2 Nintendo Direct presentation revealed that Hollow Knight: Silksong is launching in 2025, and that it will come to the Switch 2, and fans are now eagerly awaiting more news from indie developer Team Cherry. After years of scarce details on the follow-up to 2017's acclaimed Hollow Knight, the game's appearance at the Direct was a welcome sign for fans who've been waiting patiently for a release window. Notably, while Hollow Knight: Silksong has finally broken its silence, it did so quietly, and aside from confirming a 2025 release window, little else about the game was shared.
    0 Commentarii 0 Distribuiri
  • Aussie Streaming Guide: The Best TV & Movies for June 2025

    As the chill of June sets in, it's the perfect time to trade spreadsheets for screenplays. Instead of navigating the labyrinth of endless options across Australia's six major streaming platforms, we've curated a selection of standout films and series to warm your winter nights.Table of ContentsNew in June on Foxtel and BingeTV litter pick: Mix Tape – 12 Jun : Former teenage sweethearts reconnect decades later through shared musical memories, reigniting past emotions and questions about their future.Movie litter pick: Wicked – 26 Jun : Explores the origin story of Elphaba and Glinda, two witches whose friendship and destinies shape the Land of Oz.What notable movies are coming to Binge?Rewriting Trump – 1 JunSmile 2 – 4 JunAnora – 11 JunWicked – 26 JunWhat notable series are coming to Binge?Great Canadian Bake Off S8 – 3 JunMr Loverman – 4 JunBelow Deck S12 – 10 JunMix Tape – 12 JunRevival – 13 JunLove It Or List It NZ – 25 JunEva Longoria: Searching For Mexico – 27 JunBack to topNew in June on NetflixTV litter pick: Squid Game S03 – 27 Jun : An animated journey through Pharrell Williams' life, showcasing his musical evolution and creative milestones.Movie litter pick: Piece By Piece – 7 Jun : Contestants engage in deadly games for a cash prize, revealing human nature's darkest facets.What notable movies are coming to Netflix?Power Moves with Shaquille O’Neal – 4 JunPiece By Piece – 7 JunTitan: The Oceangate Disaster – 11 JunThe Waterfront – 19 JunKPop Demon Hunters – 20 JunWhat notable series are coming to Netflix?Ginny and Georgia S03 – 5 JunThe Survivors – 6 JunFubar S02 – 12 JunThe Fairly Oddparents: A New Wish S02 – 12 JunDallas Cowboy Cheerleaders S02 – 18 JunThe Ultimatum: Queer Love S02 – 25 JunSquid Game S03 – 27 JunBack to topNew in June on Disney+TV litter pick: The Bear S04 – 26 Jun : Chef Carmy and his team navigate the pressures of the culinary world, striving for excellence amidst chaos.Movie litter pick: Ironheart – 25 Jun : Teen genius Riri Williams builds her own advanced suit of armor, stepping into the superhero world.What notable movies are coming to Disney+?Predator: Killer of Killers – 6 JunOcean with David Attenborough – 8 JunCall Her Alex – 10 JunIronheart – 25 JunWhat notable series are coming to Disney+?Call Her Alex – 10 JunThe Bear S04 – 26 JunBack to topNew in June on Apple TV+TV litter pick: Stick – 4 Jun : A sports dramedy following a former hockey star's return to coaching, blending humor with heartfelt moments.Movie litter pick: Echo Valley – 13 Jun : A suspenseful thriller where a mother confronts dark secrets to protect her daughter from a dangerous past.What notable movies are on Apple TV+?Echo Valley – 13 JunWhat notable series are coming to Apple TV+?Stick – 4 JunThe Buccaneers S02 – 18 JunSmoke – 27 JunSign up for a free 7–day trial of Apple TV+Back to topNew in June on Amazon Prime VideoTV litter pick: Babygirl – 3 Jun : A provocative drama exploring a young woman's journey through love, betrayal, and self-discovery.Movie litter pick: Deep Cover – 12 Jun : An undercover agent infiltrates a drug cartel, facing moral dilemmas and identity crises.What notable movies are coming to Prime Video?Babygirl – 3 JunNascar to Le Mans – 12 JunDeep Cover – 12 JunBeyond After – 24 JunWhat notable series are coming to Prime Video?We Were Liars S01 – 18 JunCountdown S01 – 25 JunMarry My Husband – 27 JunBack to topNew in June on StanTV litter pick: This City Is Ours – 4 Jun : A gritty crime drama delving into power struggles and corruption within a city's law enforcement.Movie litter pick: The Surfer – 15 Jun : A psychological thriller featuring a man confronting his past while facing surreal challenges on a remote beach.What notable movies are coming to Stan?The Surfer – 15 JunJoh: The Last King of Queensland – 22 JunWhat notable series are coming to Stan?This City Is Ours – 4 JunBlack Mafia Family S04 – 6 JunThe Gold S02 – 9 JunAlone S12 – 13 JunHal and Harper – 26 JunBack to top IGN is now on Flash, live and on demand. Stream the latest and trending news for video games, interviews, videos, and wikis. Check it out here. Adam Mathew is our Aussie streaming savant. He also games on YouTube.
    #aussie #streaming #guide #best #ampamp
    Aussie Streaming Guide: The Best TV & Movies for June 2025
    As the chill of June sets in, it's the perfect time to trade spreadsheets for screenplays. Instead of navigating the labyrinth of endless options across Australia's six major streaming platforms, we've curated a selection of standout films and series to warm your winter nights.Table of ContentsNew in June on Foxtel and BingeTV litter pick: Mix Tape – 12 Jun : Former teenage sweethearts reconnect decades later through shared musical memories, reigniting past emotions and questions about their future.Movie litter pick: Wicked – 26 Jun : Explores the origin story of Elphaba and Glinda, two witches whose friendship and destinies shape the Land of Oz.What notable movies are coming to Binge?Rewriting Trump – 1 JunSmile 2 – 4 JunAnora – 11 JunWicked – 26 JunWhat notable series are coming to Binge?Great Canadian Bake Off S8 – 3 JunMr Loverman – 4 JunBelow Deck S12 – 10 JunMix Tape – 12 JunRevival – 13 JunLove It Or List It NZ – 25 JunEva Longoria: Searching For Mexico – 27 JunBack to topNew in June on NetflixTV litter pick: Squid Game S03 – 27 Jun : An animated journey through Pharrell Williams' life, showcasing his musical evolution and creative milestones.Movie litter pick: Piece By Piece – 7 Jun : Contestants engage in deadly games for a cash prize, revealing human nature's darkest facets.What notable movies are coming to Netflix?Power Moves with Shaquille O’Neal – 4 JunPiece By Piece – 7 JunTitan: The Oceangate Disaster – 11 JunThe Waterfront – 19 JunKPop Demon Hunters – 20 JunWhat notable series are coming to Netflix?Ginny and Georgia S03 – 5 JunThe Survivors – 6 JunFubar S02 – 12 JunThe Fairly Oddparents: A New Wish S02 – 12 JunDallas Cowboy Cheerleaders S02 – 18 JunThe Ultimatum: Queer Love S02 – 25 JunSquid Game S03 – 27 JunBack to topNew in June on Disney+TV litter pick: The Bear S04 – 26 Jun : Chef Carmy and his team navigate the pressures of the culinary world, striving for excellence amidst chaos.Movie litter pick: Ironheart – 25 Jun : Teen genius Riri Williams builds her own advanced suit of armor, stepping into the superhero world.What notable movies are coming to Disney+?Predator: Killer of Killers – 6 JunOcean with David Attenborough – 8 JunCall Her Alex – 10 JunIronheart – 25 JunWhat notable series are coming to Disney+?Call Her Alex – 10 JunThe Bear S04 – 26 JunBack to topNew in June on Apple TV+TV litter pick: Stick – 4 Jun : A sports dramedy following a former hockey star's return to coaching, blending humor with heartfelt moments.Movie litter pick: Echo Valley – 13 Jun : A suspenseful thriller where a mother confronts dark secrets to protect her daughter from a dangerous past.What notable movies are on Apple TV+?Echo Valley – 13 JunWhat notable series are coming to Apple TV+?Stick – 4 JunThe Buccaneers S02 – 18 JunSmoke – 27 JunSign up for a free 7–day trial of Apple TV+Back to topNew in June on Amazon Prime VideoTV litter pick: Babygirl – 3 Jun : A provocative drama exploring a young woman's journey through love, betrayal, and self-discovery.Movie litter pick: Deep Cover – 12 Jun : An undercover agent infiltrates a drug cartel, facing moral dilemmas and identity crises.What notable movies are coming to Prime Video?Babygirl – 3 JunNascar to Le Mans – 12 JunDeep Cover – 12 JunBeyond After – 24 JunWhat notable series are coming to Prime Video?We Were Liars S01 – 18 JunCountdown S01 – 25 JunMarry My Husband – 27 JunBack to topNew in June on StanTV litter pick: This City Is Ours – 4 Jun : A gritty crime drama delving into power struggles and corruption within a city's law enforcement.Movie litter pick: The Surfer – 15 Jun : A psychological thriller featuring a man confronting his past while facing surreal challenges on a remote beach.What notable movies are coming to Stan?The Surfer – 15 JunJoh: The Last King of Queensland – 22 JunWhat notable series are coming to Stan?This City Is Ours – 4 JunBlack Mafia Family S04 – 6 JunThe Gold S02 – 9 JunAlone S12 – 13 JunHal and Harper – 26 JunBack to top IGN is now on Flash, live and on demand. Stream the latest and trending news for video games, interviews, videos, and wikis. Check it out here. Adam Mathew is our Aussie streaming savant. He also games on YouTube. #aussie #streaming #guide #best #ampamp
    WWW.IGN.COM
    Aussie Streaming Guide: The Best TV & Movies for June 2025
    As the chill of June sets in, it's the perfect time to trade spreadsheets for screenplays. Instead of navigating the labyrinth of endless options across Australia's six major streaming platforms, we've curated a selection of standout films and series to warm your winter nights.Table of ContentsNew in June on Foxtel and BingeTV litter pick: Mix Tape – 12 Jun : Former teenage sweethearts reconnect decades later through shared musical memories, reigniting past emotions and questions about their future.Movie litter pick: Wicked – 26 Jun : Explores the origin story of Elphaba and Glinda, two witches whose friendship and destinies shape the Land of Oz.What notable movies are coming to Binge?Rewriting Trump – 1 JunSmile 2 – 4 JunAnora – 11 JunWicked – 26 JunWhat notable series are coming to Binge?Great Canadian Bake Off S8 – 3 JunMr Loverman – 4 JunBelow Deck S12 – 10 JunMix Tape – 12 JunRevival – 13 JunLove It Or List It NZ – 25 JunEva Longoria: Searching For Mexico – 27 JunBack to topNew in June on NetflixTV litter pick: Squid Game S03 – 27 Jun : An animated journey through Pharrell Williams' life, showcasing his musical evolution and creative milestones.Movie litter pick: Piece By Piece – 7 Jun : Contestants engage in deadly games for a cash prize, revealing human nature's darkest facets.What notable movies are coming to Netflix?Power Moves with Shaquille O’Neal – 4 JunPiece By Piece – 7 JunTitan: The Oceangate Disaster – 11 JunThe Waterfront – 19 JunKPop Demon Hunters – 20 JunWhat notable series are coming to Netflix?Ginny and Georgia S03 – 5 JunThe Survivors – 6 JunFubar S02 – 12 JunThe Fairly Oddparents: A New Wish S02 – 12 JunDallas Cowboy Cheerleaders S02 – 18 JunThe Ultimatum: Queer Love S02 – 25 JunSquid Game S03 – 27 JunBack to topNew in June on Disney+TV litter pick: The Bear S04 – 26 Jun : Chef Carmy and his team navigate the pressures of the culinary world, striving for excellence amidst chaos.Movie litter pick: Ironheart – 25 Jun : Teen genius Riri Williams builds her own advanced suit of armor, stepping into the superhero world.What notable movies are coming to Disney+?Predator: Killer of Killers – 6 JunOcean with David Attenborough – 8 JunCall Her Alex – 10 JunIronheart – 25 JunWhat notable series are coming to Disney+?Call Her Alex – 10 JunThe Bear S04 – 26 JunBack to topNew in June on Apple TV+TV litter pick: Stick – 4 Jun : A sports dramedy following a former hockey star's return to coaching, blending humor with heartfelt moments.Movie litter pick: Echo Valley – 13 Jun : A suspenseful thriller where a mother confronts dark secrets to protect her daughter from a dangerous past.What notable movies are on Apple TV+?Echo Valley – 13 JunWhat notable series are coming to Apple TV+?Stick – 4 JunThe Buccaneers S02 – 18 JunSmoke – 27 JunSign up for a free 7–day trial of Apple TV+Back to topNew in June on Amazon Prime VideoTV litter pick: Babygirl – 3 Jun : A provocative drama exploring a young woman's journey through love, betrayal, and self-discovery.Movie litter pick: Deep Cover – 12 Jun : An undercover agent infiltrates a drug cartel, facing moral dilemmas and identity crises.What notable movies are coming to Prime Video?Babygirl – 3 JunNascar to Le Mans – 12 JunDeep Cover – 12 JunBeyond After – 24 JunWhat notable series are coming to Prime Video?We Were Liars S01 – 18 JunCountdown S01 – 25 JunMarry My Husband – 27 JunBack to topNew in June on StanTV litter pick: This City Is Ours – 4 Jun : A gritty crime drama delving into power struggles and corruption within a city's law enforcement.Movie litter pick: The Surfer – 15 Jun : A psychological thriller featuring a man confronting his past while facing surreal challenges on a remote beach.What notable movies are coming to Stan?The Surfer – 15 JunJoh: The Last King of Queensland – 22 JunWhat notable series are coming to Stan?This City Is Ours – 4 JunBlack Mafia Family S04 – 6 JunThe Gold S02 – 9 JunAlone S12 – 13 JunHal and Harper – 26 JunBack to top IGN is now on Flash, live and on demand. Stream the latest and trending news for video games, interviews, videos, and wikis. Check it out here. Adam Mathew is our Aussie streaming savant. He also games on YouTube.
    0 Commentarii 0 Distribuiri
  • Try the new UI Toolkit sample – now available on the Asset Store

    In Unity 2021 LTS, UI Toolkit offers a collection of features, resources, and tools to help you build and debug adaptive runtime UIs on a wide range of game applications and Editor extensions. Its intuitive workflow enables Unity creators in different roles – artists, programmers, and designers alike – to get started with UI development as quickly as possible.See our earlier blog post for an explanation of UI Toolkit’s main benefits, such as enhanced scalability and performance, already being leveraged by studios like Mechanistry for their game, Timberborn.While Unity UI remains the go-to solution for positioning and lighting UI in a 3D world or integrating with other Unity systems, UI Toolkit for runtime UI can already benefit game productions seeking performance and scalability as of Unity 2021 LTS. It’s particularly effective for Screen Space – Overlay UI, and scales well on a variety of screen resolutions.That’s why we’re excited to announce two new learning resources to better support UI development with UI Toolkit:UI Toolkit sample – Dragon Crashers: The demo is now available to download for free from the Asset Store.User interface design and implementation in Unity: This free e-book can be download from hereRead on to learn about some key features part of the UI Toolkit sample project.The UI Toolkit sample demonstrates how you can leverage UI Toolkit for your own applications. This demo involves a full-featured interface over a slice of the 2D project Dragon Crashers, a mini RPG, using the Unity 2021 LTS UI Toolkit workflow at runtime.Some of the actions illustrated in the sample project show you how to:Style with selectors in Unity style sheetfiles and use UXML templatesCreate custom controls, such as a circular meter or tabbed viewsCustomize the appearance of elements like sliders and toggle buttonsUse Render Texture for UI overlay effects, USS animations, seasonal themes, and moreTo try out the project after adding it to your assets, enter Play mode. Please note that UI Toolkit interfaces do not appear in the Scene view. Instead, you can view them in the Game view or UI Builder.The menu on the left helps you navigate the modal main menu screens. This vertical column of buttons provides access to the five modal screens that comprise the main menu.While some interactivity is possible, such as healing the characters by dragging available potions in the scene, gameplay has been kept to a minimum to ensure continued focus on the UI examples.Let’s take a closer look at the UIs in the menu bar:The home screen serves as a landing pad when launching the application. You can use this screen to play the game or receive simulated chat messages.The character screen involves a mix of GameObjects and UI elements. This is where you can explore each of the four Dragon Crashers characters. Use the stats, skills, and bio tabs to read the specific character details, and click on the inventory slots to add or remove items. The preview area shows a 2D lit and rigged character over a tiled background.The resources screen links to documentation, the forum, and other resources for making the most of UI Toolkit.The shop screen simulates an in-game store where you can purchase hard and soft currency, such as gold or gems, as well as virtual goods like healing potions. Each item in the shop screen is a separate VisualTreeAsset. UI Toolkit instantiates these assets at runtime; one for each ScriptableObject in the Resources/GameData.The mail screen is a front-end reader of fictitious messages that uses a tabbed menu to separate the inbox and deleted messages.The game screen is a mini version of the Dragon Crashers project that starts playing automatically. In this project, you’ll notice a few revised elements with UI Toolkit, such as a pause button, health bars, and the capacity to drag a healing potion element to your characters when they take damage.UI Toolkit enables you to build stable and consistent UIs for your entire project. At the same time, it provides flexible tools for adding your own design flourishes and details to further flesh out the game’s theme and style.Let’s go over some of the features used to refine the UI designs in the sample:Render Textures:UI Toolkit interfaces are rendered last in the render queue, meaning you can’t overlay other game graphics on top of a UI Toolkit UI. Render Textures provide a workaround to this limitation, making it possible to integrate in-game effects into UI Toolkit UIs. While these effects based on Render Textures should be used sparingly, you’ll still be able to afford sharp effects within the context of a fullscreen UI, without running gameplay. The following images show a number of Render Textures from the demo.Themes with Theme style sheets: TSS files are Asset files that are similar to regular USS files. They serve as a starting point for defining your own custom theme via USS selectors as well as property and variable settings. In the demo, we duplicated the default theme files and modified the copies to offer seasonal variations.Custom UI elements: Since designers are trained to think outside the box, UI Toolkit gives you plenty of room to customize or extend the standard library. The demo project highlights a few custom-built elements in the tabbed menus, slide toggles, and drop-down lists, plus a radial counter to demonstrate what UI artists are capable of alongside developers.USS transitions for animated UI state changes: Adding transitions to the menu screens can polish and smooth out your visuals. UI Toolkit makes this more straightforward with the Transition Animations property, part of the UI Builder’s Inspector. Adjust the Property, Duration, Easing, and Delay properties to set up the animation. Then simply change styles for UI Toolkit to apply the animated transition at runtime.Post-processing volume for a background blur: A popular effect in games is to blur a crowded gameplay scene to draw the player’s attention to a particular pop-up message or dialog window. You can achieve this effect by enabling Depth of Field in the Volume framework.We made sure that efficient workflows were used to fortify the UI. Here are a few recommendations for keeping the project well-organized:Consistent naming conventions: It’s important to adopt naming conventions that align with your visual elements and style sheets. Clear naming conventions not only maintain the hierarchy’s organization in UI Builder, they make it more accessible to your teammates, and keep the code clean and readable. More specifically, we suggest the Block Element Modifiernaming convention for visual elements and style sheets. Just at a glance, an element’s BEM naming can tell you what it does, how it appears, and how it relates to the other elements around it. See the following BEM naming examples:Responsive UI layout: Similar to web technologies, UI Toolkit offers the possibility of creating layouts where “child” visual elements adapt to the current available size inside their “parent” visual elements, and others where each element has an absolute position anchored to a reference point, akin to the Unity UI system. The sample uses both options as needed through the visual elements of the UI.PSD Importer: One of the most effective tools for creating the demo, PSD Importer allows artists to work in a master document without having to manually export every sprite separately. When changes are needed, they can be done in the original PSD file and updated automatically in Unity.ScriptableObjects: In order to focus on UI design and implementation, the sample project simulates backend data, such as in-app purchases and mail messages, using ScriptableObjects. You can conveniently customize this stand-in data from the Resources/GameData folder and use the example to create similar data assets, like inventory items and character or dialog data in UI Toolkit.Remember that with UI Toolkit, UI layouts and styles are decoupled from code. This means that rewriting the backend data can occur independently from the UI design. If your development team replaces those systems, the interface should continue to work.Additional tools used in the demo include particle systems created with the Built-in Particle System for special effects, and the 2D toolset, among others. Feel free to review the project via the Inspector to see how these different elements come into play.You can find reference art made by the UI artists under UI/Reference, as replicated in UI Builder. The whole process, from mockups to wireframes, is also documented in the e-book. Finally, all of the content in the sample can be added to your own Unity project.You can download the UI Toolkit sample – Dragon Crashers from the Asset Store. Once you’ve explored its different UI designs, please provide your feedback on the forum.Then be sure to check out our e-book, User interface design and implementation in Unity. Download
    #try #new #toolkit #sample #now
    Try the new UI Toolkit sample – now available on the Asset Store
    In Unity 2021 LTS, UI Toolkit offers a collection of features, resources, and tools to help you build and debug adaptive runtime UIs on a wide range of game applications and Editor extensions. Its intuitive workflow enables Unity creators in different roles – artists, programmers, and designers alike – to get started with UI development as quickly as possible.See our earlier blog post for an explanation of UI Toolkit’s main benefits, such as enhanced scalability and performance, already being leveraged by studios like Mechanistry for their game, Timberborn.While Unity UI remains the go-to solution for positioning and lighting UI in a 3D world or integrating with other Unity systems, UI Toolkit for runtime UI can already benefit game productions seeking performance and scalability as of Unity 2021 LTS. It’s particularly effective for Screen Space – Overlay UI, and scales well on a variety of screen resolutions.That’s why we’re excited to announce two new learning resources to better support UI development with UI Toolkit:UI Toolkit sample – Dragon Crashers: The demo is now available to download for free from the Asset Store.User interface design and implementation in Unity: This free e-book can be download from hereRead on to learn about some key features part of the UI Toolkit sample project.The UI Toolkit sample demonstrates how you can leverage UI Toolkit for your own applications. This demo involves a full-featured interface over a slice of the 2D project Dragon Crashers, a mini RPG, using the Unity 2021 LTS UI Toolkit workflow at runtime.Some of the actions illustrated in the sample project show you how to:Style with selectors in Unity style sheetfiles and use UXML templatesCreate custom controls, such as a circular meter or tabbed viewsCustomize the appearance of elements like sliders and toggle buttonsUse Render Texture for UI overlay effects, USS animations, seasonal themes, and moreTo try out the project after adding it to your assets, enter Play mode. Please note that UI Toolkit interfaces do not appear in the Scene view. Instead, you can view them in the Game view or UI Builder.The menu on the left helps you navigate the modal main menu screens. This vertical column of buttons provides access to the five modal screens that comprise the main menu.While some interactivity is possible, such as healing the characters by dragging available potions in the scene, gameplay has been kept to a minimum to ensure continued focus on the UI examples.Let’s take a closer look at the UIs in the menu bar:The home screen serves as a landing pad when launching the application. You can use this screen to play the game or receive simulated chat messages.The character screen involves a mix of GameObjects and UI elements. This is where you can explore each of the four Dragon Crashers characters. Use the stats, skills, and bio tabs to read the specific character details, and click on the inventory slots to add or remove items. The preview area shows a 2D lit and rigged character over a tiled background.The resources screen links to documentation, the forum, and other resources for making the most of UI Toolkit.The shop screen simulates an in-game store where you can purchase hard and soft currency, such as gold or gems, as well as virtual goods like healing potions. Each item in the shop screen is a separate VisualTreeAsset. UI Toolkit instantiates these assets at runtime; one for each ScriptableObject in the Resources/GameData.The mail screen is a front-end reader of fictitious messages that uses a tabbed menu to separate the inbox and deleted messages.The game screen is a mini version of the Dragon Crashers project that starts playing automatically. In this project, you’ll notice a few revised elements with UI Toolkit, such as a pause button, health bars, and the capacity to drag a healing potion element to your characters when they take damage.UI Toolkit enables you to build stable and consistent UIs for your entire project. At the same time, it provides flexible tools for adding your own design flourishes and details to further flesh out the game’s theme and style.Let’s go over some of the features used to refine the UI designs in the sample:Render Textures:UI Toolkit interfaces are rendered last in the render queue, meaning you can’t overlay other game graphics on top of a UI Toolkit UI. Render Textures provide a workaround to this limitation, making it possible to integrate in-game effects into UI Toolkit UIs. While these effects based on Render Textures should be used sparingly, you’ll still be able to afford sharp effects within the context of a fullscreen UI, without running gameplay. The following images show a number of Render Textures from the demo.Themes with Theme style sheets: TSS files are Asset files that are similar to regular USS files. They serve as a starting point for defining your own custom theme via USS selectors as well as property and variable settings. In the demo, we duplicated the default theme files and modified the copies to offer seasonal variations.Custom UI elements: Since designers are trained to think outside the box, UI Toolkit gives you plenty of room to customize or extend the standard library. The demo project highlights a few custom-built elements in the tabbed menus, slide toggles, and drop-down lists, plus a radial counter to demonstrate what UI artists are capable of alongside developers.USS transitions for animated UI state changes: Adding transitions to the menu screens can polish and smooth out your visuals. UI Toolkit makes this more straightforward with the Transition Animations property, part of the UI Builder’s Inspector. Adjust the Property, Duration, Easing, and Delay properties to set up the animation. Then simply change styles for UI Toolkit to apply the animated transition at runtime.Post-processing volume for a background blur: A popular effect in games is to blur a crowded gameplay scene to draw the player’s attention to a particular pop-up message or dialog window. You can achieve this effect by enabling Depth of Field in the Volume framework.We made sure that efficient workflows were used to fortify the UI. Here are a few recommendations for keeping the project well-organized:Consistent naming conventions: It’s important to adopt naming conventions that align with your visual elements and style sheets. Clear naming conventions not only maintain the hierarchy’s organization in UI Builder, they make it more accessible to your teammates, and keep the code clean and readable. More specifically, we suggest the Block Element Modifiernaming convention for visual elements and style sheets. Just at a glance, an element’s BEM naming can tell you what it does, how it appears, and how it relates to the other elements around it. See the following BEM naming examples:Responsive UI layout: Similar to web technologies, UI Toolkit offers the possibility of creating layouts where “child” visual elements adapt to the current available size inside their “parent” visual elements, and others where each element has an absolute position anchored to a reference point, akin to the Unity UI system. The sample uses both options as needed through the visual elements of the UI.PSD Importer: One of the most effective tools for creating the demo, PSD Importer allows artists to work in a master document without having to manually export every sprite separately. When changes are needed, they can be done in the original PSD file and updated automatically in Unity.ScriptableObjects: In order to focus on UI design and implementation, the sample project simulates backend data, such as in-app purchases and mail messages, using ScriptableObjects. You can conveniently customize this stand-in data from the Resources/GameData folder and use the example to create similar data assets, like inventory items and character or dialog data in UI Toolkit.Remember that with UI Toolkit, UI layouts and styles are decoupled from code. This means that rewriting the backend data can occur independently from the UI design. If your development team replaces those systems, the interface should continue to work.Additional tools used in the demo include particle systems created with the Built-in Particle System for special effects, and the 2D toolset, among others. Feel free to review the project via the Inspector to see how these different elements come into play.You can find reference art made by the UI artists under UI/Reference, as replicated in UI Builder. The whole process, from mockups to wireframes, is also documented in the e-book. Finally, all of the content in the sample can be added to your own Unity project.You can download the UI Toolkit sample – Dragon Crashers from the Asset Store. Once you’ve explored its different UI designs, please provide your feedback on the forum.Then be sure to check out our e-book, User interface design and implementation in Unity. Download #try #new #toolkit #sample #now
    UNITY.COM
    Try the new UI Toolkit sample – now available on the Asset Store
    In Unity 2021 LTS, UI Toolkit offers a collection of features, resources, and tools to help you build and debug adaptive runtime UIs on a wide range of game applications and Editor extensions. Its intuitive workflow enables Unity creators in different roles – artists, programmers, and designers alike – to get started with UI development as quickly as possible.See our earlier blog post for an explanation of UI Toolkit’s main benefits, such as enhanced scalability and performance, already being leveraged by studios like Mechanistry for their game, Timberborn.While Unity UI remains the go-to solution for positioning and lighting UI in a 3D world or integrating with other Unity systems, UI Toolkit for runtime UI can already benefit game productions seeking performance and scalability as of Unity 2021 LTS. It’s particularly effective for Screen Space – Overlay UI, and scales well on a variety of screen resolutions.That’s why we’re excited to announce two new learning resources to better support UI development with UI Toolkit:UI Toolkit sample – Dragon Crashers: The demo is now available to download for free from the Asset Store.User interface design and implementation in Unity: This free e-book can be download from hereRead on to learn about some key features part of the UI Toolkit sample project.The UI Toolkit sample demonstrates how you can leverage UI Toolkit for your own applications. This demo involves a full-featured interface over a slice of the 2D project Dragon Crashers, a mini RPG, using the Unity 2021 LTS UI Toolkit workflow at runtime.Some of the actions illustrated in the sample project show you how to:Style with selectors in Unity style sheet (USS) files and use UXML templatesCreate custom controls, such as a circular meter or tabbed viewsCustomize the appearance of elements like sliders and toggle buttonsUse Render Texture for UI overlay effects, USS animations, seasonal themes, and moreTo try out the project after adding it to your assets, enter Play mode. Please note that UI Toolkit interfaces do not appear in the Scene view. Instead, you can view them in the Game view or UI Builder.The menu on the left helps you navigate the modal main menu screens. This vertical column of buttons provides access to the five modal screens that comprise the main menu (they stay active while switching between screens).While some interactivity is possible, such as healing the characters by dragging available potions in the scene, gameplay has been kept to a minimum to ensure continued focus on the UI examples.Let’s take a closer look at the UIs in the menu bar:The home screen serves as a landing pad when launching the application. You can use this screen to play the game or receive simulated chat messages.The character screen involves a mix of GameObjects and UI elements. This is where you can explore each of the four Dragon Crashers characters. Use the stats, skills, and bio tabs to read the specific character details, and click on the inventory slots to add or remove items. The preview area shows a 2D lit and rigged character over a tiled background.The resources screen links to documentation, the forum, and other resources for making the most of UI Toolkit.The shop screen simulates an in-game store where you can purchase hard and soft currency, such as gold or gems, as well as virtual goods like healing potions. Each item in the shop screen is a separate VisualTreeAsset. UI Toolkit instantiates these assets at runtime; one for each ScriptableObject in the Resources/GameData.The mail screen is a front-end reader of fictitious messages that uses a tabbed menu to separate the inbox and deleted messages.The game screen is a mini version of the Dragon Crashers project that starts playing automatically. In this project, you’ll notice a few revised elements with UI Toolkit, such as a pause button, health bars, and the capacity to drag a healing potion element to your characters when they take damage.UI Toolkit enables you to build stable and consistent UIs for your entire project. At the same time, it provides flexible tools for adding your own design flourishes and details to further flesh out the game’s theme and style.Let’s go over some of the features used to refine the UI designs in the sample:Render Textures:UI Toolkit interfaces are rendered last in the render queue, meaning you can’t overlay other game graphics on top of a UI Toolkit UI. Render Textures provide a workaround to this limitation, making it possible to integrate in-game effects into UI Toolkit UIs. While these effects based on Render Textures should be used sparingly, you’ll still be able to afford sharp effects within the context of a fullscreen UI, without running gameplay. The following images show a number of Render Textures from the demo.Themes with Theme style sheets (TSS): TSS files are Asset files that are similar to regular USS files. They serve as a starting point for defining your own custom theme via USS selectors as well as property and variable settings. In the demo, we duplicated the default theme files and modified the copies to offer seasonal variations.Custom UI elements: Since designers are trained to think outside the box, UI Toolkit gives you plenty of room to customize or extend the standard library. The demo project highlights a few custom-built elements in the tabbed menus, slide toggles, and drop-down lists, plus a radial counter to demonstrate what UI artists are capable of alongside developers.USS transitions for animated UI state changes: Adding transitions to the menu screens can polish and smooth out your visuals. UI Toolkit makes this more straightforward with the Transition Animations property, part of the UI Builder’s Inspector. Adjust the Property, Duration, Easing, and Delay properties to set up the animation. Then simply change styles for UI Toolkit to apply the animated transition at runtime.Post-processing volume for a background blur: A popular effect in games is to blur a crowded gameplay scene to draw the player’s attention to a particular pop-up message or dialog window. You can achieve this effect by enabling Depth of Field in the Volume framework (available in the Universal Render Pipeline).We made sure that efficient workflows were used to fortify the UI. Here are a few recommendations for keeping the project well-organized:Consistent naming conventions: It’s important to adopt naming conventions that align with your visual elements and style sheets. Clear naming conventions not only maintain the hierarchy’s organization in UI Builder, they make it more accessible to your teammates, and keep the code clean and readable. More specifically, we suggest the Block Element Modifier (BEM) naming convention for visual elements and style sheets. Just at a glance, an element’s BEM naming can tell you what it does, how it appears, and how it relates to the other elements around it. See the following BEM naming examples:Responsive UI layout: Similar to web technologies, UI Toolkit offers the possibility of creating layouts where “child” visual elements adapt to the current available size inside their “parent” visual elements, and others where each element has an absolute position anchored to a reference point, akin to the Unity UI system. The sample uses both options as needed through the visual elements of the UI.PSD Importer: One of the most effective tools for creating the demo, PSD Importer allows artists to work in a master document without having to manually export every sprite separately. When changes are needed, they can be done in the original PSD file and updated automatically in Unity.ScriptableObjects: In order to focus on UI design and implementation, the sample project simulates backend data, such as in-app purchases and mail messages, using ScriptableObjects. You can conveniently customize this stand-in data from the Resources/GameData folder and use the example to create similar data assets, like inventory items and character or dialog data in UI Toolkit.Remember that with UI Toolkit, UI layouts and styles are decoupled from code. This means that rewriting the backend data can occur independently from the UI design. If your development team replaces those systems, the interface should continue to work.Additional tools used in the demo include particle systems created with the Built-in Particle System for special effects, and the 2D toolset, among others. Feel free to review the project via the Inspector to see how these different elements come into play.You can find reference art made by the UI artists under UI/Reference, as replicated in UI Builder. The whole process, from mockups to wireframes, is also documented in the e-book. Finally, all of the content in the sample can be added to your own Unity project.You can download the UI Toolkit sample – Dragon Crashers from the Asset Store. Once you’ve explored its different UI designs, please provide your feedback on the forum.Then be sure to check out our e-book, User interface design and implementation in Unity. Download
    0 Commentarii 0 Distribuiri
  • At the Projective Territories Symposium, domesticity, density, and form emerge as key ideas for addressing the climate crisis

    A small home in Wayne County, Missouri was torn apart by a tornado.
    An aerial image by Jeff Roberson taken on March 15 depicts chunks of stick-framed walls and half-recognizable debris strewn across a patchy lawn in an eviscerated orthography of middle-American life. Elisa Iturbe, assistant professor of Architecture at Harvard’s Graduate School of Design, describes this scene as “an image of climate impact, climate victimhood…these walls are doing the hard work of containment, of containing the rituals of human lifestyle.”

    Roberson’s image embodied the themes that emerged from the Projective Territories Symposium: The atomized fragility of contemporary American domesticity, the fundamental link between ways of living and modes of land tenure, and the necessary primacy of form in architecture’s response to the incoming upheaval of climate change.
    Lydia Kallipoliti talked about her 2024 book Histories of Ecological Design; An Unfinished Cyclopedia.Projective Territories was hosted at Kent State University’s College of Architecture and Environmental Design on April 3 and 4. Organized and led by the CAED’s assistant professor Paul Mosley, the symposium brought Iturbe, Columbia University’s associate professor Lydia Kallipoliti, California College of the Arts’ associate professor Neeraj Bhatia, and professor Albert Pope of Rice University to Kent, Ohio, to discuss the relationship between territory and architecture in the face of climate change.
    “At its core, territory is land altered by human inhabitation,” read Mosley’s synopsis. “If ensuring a survivable future means rethinking realities of social organization, economy, and subsistence, then how might architecture—as a way of thinking and rethinking the world—contribute to these new realities?”

    Projective Territories kicked off on the afternoon of April 3 with a discussion of Bhatia’s Life After Property exhibition hosted at the CAED’s Armstrong Gallery. The exhibition collected drawings, renderings, and models by Bhatia’s practice The Open Workshop on a puzzle-piece shaped table constructed from plywood and painted blue. Nestled into the table’s geometric subtractions, Bhatia, Pope, Mosley, and CAED associate professor Taraneh Meshkani discussed Bhatia’s research into the commons: A system of land tenure by which communities manage and share resources with minimal reliance on the state through an ethic of solidarity, mutualism, and reciprocity.
    Neeraj Bhatia presented new typologies for collective living.The symposium’s second day was organized into a morning session, “The Erosion of Territory,” with lectures by Kallipoliti and Iturbe, and an afternoon session, “The Architecture of Expanding Ecologies,” with lectures by Bhatia and Pope.
    Mosley’s introduction to “The Erosion of Territory” situated Kallipoliti and Iturbe’s work in a discussion about “how territories have been historically shaped by extraction and control and are unraveling under strain.”

    Lydia Kallipoliti’s lecture “Ecological Design; Cohabiting the World” presented questions raised by her 2024 book Histories of Ecological Design; An Unfinished Cyclopedia, which she described as “an attempt to clarify how nature as a concept was used in history.” Kallipoliti proposed an ecological model that projects outward from domestic interiors to the world to generate a “universe of fragmented worldviews and a cloud of stories.” Iturbe’s “Transgressing Immutable Lines” centered on her research into the formal potentials for Community Land Trusts—nonprofits that own buildings in trust on existing real estate. Iturbe described these trusts as “Not just a juridical mechanism, but a proposal for rewriting the relationship between land and people.”
    “Ecology is the basis for a more pleasurable alternative,” said Mosley in his introduction to the day’s second session. “Cooperation and care aren’t the goals, but the means of happiness.”
    An exhibition complementing the symposium shared drawings, renderings, and models.Neeraj Bhatia’s lecture “Life After Property” complemented the previous days’ exhibition, problematizing the housing crisis as an ideological commitment to housing rooted in market speculation. Bhatia presented new typologies for collective living with the flexibility to formally stabilize the interpersonal relationships that define life in the commons. Albert Pope finished the day’s lectures with “Inverse Utopia,” presenting work from his 2024 book of the same name, which problematizes postwar American urban sprawl as an incapability to visualize the vast horizontal expansion of low-density development.
    Collectively, the day’s speakers outlined a model that situated the American domestic form at the center of the global climate crisis. Demanding complete separation from productive territories, this formal ideology of the isolated object is in a process of active dismemberment under climate change. The speakers’ proposed solutions were unified under fresh considerations of established ideas of typology and form, directly engaging politics of the collective as an input for shaping existing space. As Friday’s session drew to a close, the single-family home appeared as a primitive relic which architecture must overcome. Albert Pope’s images of tower complexes in Hong Kong and council estates in London that house thousands appeared as visions of the future.
    “The only way we can begin to address this dilemma is to begin to understand who we are in order to enlist the kinds of collective responses to this problem,” said Pope.
    Walker MacMurdo is an architectural designer, critic, and adjunct professor who studies the relationship between architecture and the ground at Kent State University’s College of Architecture and Environmental Design.
    #projective #territories #symposium #domesticity #density
    At the Projective Territories Symposium, domesticity, density, and form emerge as key ideas for addressing the climate crisis
    A small home in Wayne County, Missouri was torn apart by a tornado. An aerial image by Jeff Roberson taken on March 15 depicts chunks of stick-framed walls and half-recognizable debris strewn across a patchy lawn in an eviscerated orthography of middle-American life. Elisa Iturbe, assistant professor of Architecture at Harvard’s Graduate School of Design, describes this scene as “an image of climate impact, climate victimhood…these walls are doing the hard work of containment, of containing the rituals of human lifestyle.” Roberson’s image embodied the themes that emerged from the Projective Territories Symposium: The atomized fragility of contemporary American domesticity, the fundamental link between ways of living and modes of land tenure, and the necessary primacy of form in architecture’s response to the incoming upheaval of climate change. Lydia Kallipoliti talked about her 2024 book Histories of Ecological Design; An Unfinished Cyclopedia.Projective Territories was hosted at Kent State University’s College of Architecture and Environmental Design on April 3 and 4. Organized and led by the CAED’s assistant professor Paul Mosley, the symposium brought Iturbe, Columbia University’s associate professor Lydia Kallipoliti, California College of the Arts’ associate professor Neeraj Bhatia, and professor Albert Pope of Rice University to Kent, Ohio, to discuss the relationship between territory and architecture in the face of climate change. “At its core, territory is land altered by human inhabitation,” read Mosley’s synopsis. “If ensuring a survivable future means rethinking realities of social organization, economy, and subsistence, then how might architecture—as a way of thinking and rethinking the world—contribute to these new realities?” Projective Territories kicked off on the afternoon of April 3 with a discussion of Bhatia’s Life After Property exhibition hosted at the CAED’s Armstrong Gallery. The exhibition collected drawings, renderings, and models by Bhatia’s practice The Open Workshop on a puzzle-piece shaped table constructed from plywood and painted blue. Nestled into the table’s geometric subtractions, Bhatia, Pope, Mosley, and CAED associate professor Taraneh Meshkani discussed Bhatia’s research into the commons: A system of land tenure by which communities manage and share resources with minimal reliance on the state through an ethic of solidarity, mutualism, and reciprocity. Neeraj Bhatia presented new typologies for collective living.The symposium’s second day was organized into a morning session, “The Erosion of Territory,” with lectures by Kallipoliti and Iturbe, and an afternoon session, “The Architecture of Expanding Ecologies,” with lectures by Bhatia and Pope. Mosley’s introduction to “The Erosion of Territory” situated Kallipoliti and Iturbe’s work in a discussion about “how territories have been historically shaped by extraction and control and are unraveling under strain.” Lydia Kallipoliti’s lecture “Ecological Design; Cohabiting the World” presented questions raised by her 2024 book Histories of Ecological Design; An Unfinished Cyclopedia, which she described as “an attempt to clarify how nature as a concept was used in history.” Kallipoliti proposed an ecological model that projects outward from domestic interiors to the world to generate a “universe of fragmented worldviews and a cloud of stories.” Iturbe’s “Transgressing Immutable Lines” centered on her research into the formal potentials for Community Land Trusts—nonprofits that own buildings in trust on existing real estate. Iturbe described these trusts as “Not just a juridical mechanism, but a proposal for rewriting the relationship between land and people.” “Ecology is the basis for a more pleasurable alternative,” said Mosley in his introduction to the day’s second session. “Cooperation and care aren’t the goals, but the means of happiness.” An exhibition complementing the symposium shared drawings, renderings, and models.Neeraj Bhatia’s lecture “Life After Property” complemented the previous days’ exhibition, problematizing the housing crisis as an ideological commitment to housing rooted in market speculation. Bhatia presented new typologies for collective living with the flexibility to formally stabilize the interpersonal relationships that define life in the commons. Albert Pope finished the day’s lectures with “Inverse Utopia,” presenting work from his 2024 book of the same name, which problematizes postwar American urban sprawl as an incapability to visualize the vast horizontal expansion of low-density development. Collectively, the day’s speakers outlined a model that situated the American domestic form at the center of the global climate crisis. Demanding complete separation from productive territories, this formal ideology of the isolated object is in a process of active dismemberment under climate change. The speakers’ proposed solutions were unified under fresh considerations of established ideas of typology and form, directly engaging politics of the collective as an input for shaping existing space. As Friday’s session drew to a close, the single-family home appeared as a primitive relic which architecture must overcome. Albert Pope’s images of tower complexes in Hong Kong and council estates in London that house thousands appeared as visions of the future. “The only way we can begin to address this dilemma is to begin to understand who we are in order to enlist the kinds of collective responses to this problem,” said Pope. Walker MacMurdo is an architectural designer, critic, and adjunct professor who studies the relationship between architecture and the ground at Kent State University’s College of Architecture and Environmental Design. #projective #territories #symposium #domesticity #density
    WWW.ARCHPAPER.COM
    At the Projective Territories Symposium, domesticity, density, and form emerge as key ideas for addressing the climate crisis
    A small home in Wayne County, Missouri was torn apart by a tornado. An aerial image by Jeff Roberson taken on March 15 depicts chunks of stick-framed walls and half-recognizable debris strewn across a patchy lawn in an eviscerated orthography of middle-American life. Elisa Iturbe, assistant professor of Architecture at Harvard’s Graduate School of Design, describes this scene as “an image of climate impact, climate victimhood…these walls are doing the hard work of containment, of containing the rituals of human lifestyle.” Roberson’s image embodied the themes that emerged from the Projective Territories Symposium: The atomized fragility of contemporary American domesticity, the fundamental link between ways of living and modes of land tenure, and the necessary primacy of form in architecture’s response to the incoming upheaval of climate change. Lydia Kallipoliti talked about her 2024 book Histories of Ecological Design; An Unfinished Cyclopedia. (Andy Eichler) Projective Territories was hosted at Kent State University’s College of Architecture and Environmental Design on April 3 and 4. Organized and led by the CAED’s assistant professor Paul Mosley, the symposium brought Iturbe, Columbia University’s associate professor Lydia Kallipoliti, California College of the Arts’ associate professor Neeraj Bhatia, and professor Albert Pope of Rice University to Kent, Ohio, to discuss the relationship between territory and architecture in the face of climate change. “At its core, territory is land altered by human inhabitation,” read Mosley’s synopsis. “If ensuring a survivable future means rethinking realities of social organization, economy, and subsistence, then how might architecture—as a way of thinking and rethinking the world—contribute to these new realities?” Projective Territories kicked off on the afternoon of April 3 with a discussion of Bhatia’s Life After Property exhibition hosted at the CAED’s Armstrong Gallery. The exhibition collected drawings, renderings, and models by Bhatia’s practice The Open Workshop on a puzzle-piece shaped table constructed from plywood and painted blue. Nestled into the table’s geometric subtractions, Bhatia, Pope, Mosley, and CAED associate professor Taraneh Meshkani discussed Bhatia’s research into the commons: A system of land tenure by which communities manage and share resources with minimal reliance on the state through an ethic of solidarity, mutualism, and reciprocity. Neeraj Bhatia presented new typologies for collective living. (Andy Eichler) The symposium’s second day was organized into a morning session, “The Erosion of Territory,” with lectures by Kallipoliti and Iturbe, and an afternoon session, “The Architecture of Expanding Ecologies,” with lectures by Bhatia and Pope. Mosley’s introduction to “The Erosion of Territory” situated Kallipoliti and Iturbe’s work in a discussion about “how territories have been historically shaped by extraction and control and are unraveling under strain.” Lydia Kallipoliti’s lecture “Ecological Design; Cohabiting the World” presented questions raised by her 2024 book Histories of Ecological Design; An Unfinished Cyclopedia, which she described as “an attempt to clarify how nature as a concept was used in history.” Kallipoliti proposed an ecological model that projects outward from domestic interiors to the world to generate a “universe of fragmented worldviews and a cloud of stories.” Iturbe’s “Transgressing Immutable Lines” centered on her research into the formal potentials for Community Land Trusts—nonprofits that own buildings in trust on existing real estate. Iturbe described these trusts as “Not just a juridical mechanism, but a proposal for rewriting the relationship between land and people.” “Ecology is the basis for a more pleasurable alternative,” said Mosley in his introduction to the day’s second session. “Cooperation and care aren’t the goals, but the means of happiness.” An exhibition complementing the symposium shared drawings, renderings, and models. (Andy Eichler) Neeraj Bhatia’s lecture “Life After Property” complemented the previous days’ exhibition, problematizing the housing crisis as an ideological commitment to housing rooted in market speculation. Bhatia presented new typologies for collective living with the flexibility to formally stabilize the interpersonal relationships that define life in the commons. Albert Pope finished the day’s lectures with “Inverse Utopia,” presenting work from his 2024 book of the same name, which problematizes postwar American urban sprawl as an incapability to visualize the vast horizontal expansion of low-density development. Collectively, the day’s speakers outlined a model that situated the American domestic form at the center of the global climate crisis. Demanding complete separation from productive territories, this formal ideology of the isolated object is in a process of active dismemberment under climate change. The speakers’ proposed solutions were unified under fresh considerations of established ideas of typology and form, directly engaging politics of the collective as an input for shaping existing space. As Friday’s session drew to a close, the single-family home appeared as a primitive relic which architecture must overcome. Albert Pope’s images of tower complexes in Hong Kong and council estates in London that house thousands appeared as visions of the future. “The only way we can begin to address this dilemma is to begin to understand who we are in order to enlist the kinds of collective responses to this problem,” said Pope. Walker MacMurdo is an architectural designer, critic, and adjunct professor who studies the relationship between architecture and the ground at Kent State University’s College of Architecture and Environmental Design.
    0 Commentarii 0 Distribuiri
  • Opinion: Europe must warm up to geothermal before it’s too late

    While Europe races to phase out fossil fuels and electrify everything from cars to heating systems, it’s turning a blind eye to a reliable and proven source of clean energy lying right beneath our feet. 
    Geothermal energy offers exactly what the continent needs most: clean, local, always-on power. Yet, it only accounted for 0.2% of power generation on the continent in 2024. Something needs to change.
    The recent blackout in Spain, triggered by a failure in the high-voltage grid, serves as a warning shot. While solar and wind are vital pillars of decarbonisation, they’re variable by nature. Without steady, around-the-clock sources of electricity, Europe risks swapping one form of energy insecurity for another.
    A much bigger wake-up call came in 2022 when Russia launched a full-scale invasion of Ukraine. For years, European governments had built an energy system dependent on imports of natural gas. When that stack of cards shattered, it triggered an energy crisis that exposed the vulnerable underbelly of Europe’s power system. 
    The answer to these problems lies, in part, a few kilometres underground. According to the International Energy Agency, geothermal energy has the potential to power the planet 150 times over. But it’s not just about electricity — geothermal can also deliver clean, reliable heat. That makes it especially valuable in Europe, where millions of homes already rely on radiators and district heating systems, many of them still powered by natural gas.
    Geothermal plants also come with a smaller footprint. They require far less land than an equivalent solar farm or wind park. What’s more, the materials and infrastructure needed to build them — like drilling rigs and turbines — can be largely sourced locally. That’s a sharp contrast to solar panels and batteries, most of which are imported from China.  
    Geothermal energy is not theoretical. It doesn’t require scientific breakthroughs. We’ve been drilling wells and extracting energy from the Earth for centuries. The know-how exists, and so does the workforce.
    Decades of oil and gas exploration have built a deep bench of geologists, drillers, reservoir engineers, and project managers. Instead of letting this expertise fade, we can redeploy it to build geothermal plants. The infrastructure, such as drilling rigs, can also be repurposed for a cleaner cause. Geothermal could be the ultimate redemption arc for oil and gas.
    Sure, drilling deep isn’t cheap — yet. But a new crop of startups is rewriting the playbook. Armed with everything from plasma pulse drills to giant radiators, these companies could finally crack the cost barrier — and make geothermal available pretty much anywhere. Just as SpaceX disrupted a sclerotic rocket industry with its cheap launches, these startups are poised to succeed where the geothermal industry has failed. 
    All that’s missing is investment. While billions are being funnelled into high-risk technologies like fusion or nuclear fission reactors, funding for geothermal tech is minuscule in comparison, especially in Europe. Yet, unlike those technologies, geothermal is ready right now.  
    If Europe wants to achieve climate neutrality and energy sovereignty, it must stop ignoring geothermal. We need bold investment, regulatory reform, and a clear signal to industry: don’t let geothermal become a forgotten renewable.
    Grid failures, missed climate targets, deeper energy dependence — these are the risks Europe faces. It’s time to start drilling, before it’s too late. 
    Want to discover the next big thing in tech? Then take a trip to TNW Conference, where thousands of founders, investors, and corporate innovators will share their ideas. The event takes place on June 19–20 in Amsterdam and tickets are on sale now. Use the code TNWXMEDIA2025 at the checkout to get 30% off.

    Story by

    Siôn Geschwindt

    Siôn is a freelance science and technology reporter, specialising in climate and energy. From nuclear fusion breakthroughs to electric vehicSiôn is a freelance science and technology reporter, specialising in climate and energy. From nuclear fusion breakthroughs to electric vehicles, he's happiest sourcing a scoop, investigating the impact of emerging technologies, and even putting them to the test. He has five years of journalism experience and holds a dual degree in media and environmental science from the University of Cape Town, South Africa. When he's not writing, you can probably find Siôn out hiking, surfing, playing the drums or catering to his moderate caffeine addiction. You can contact him at: sion.geschwindtprotonmailcom

    Get the TNW newsletter
    Get the most important tech news in your inbox each week.

    Also tagged with
    #opinion #europe #must #warm #geothermal
    Opinion: Europe must warm up to geothermal before it’s too late
    While Europe races to phase out fossil fuels and electrify everything from cars to heating systems, it’s turning a blind eye to a reliable and proven source of clean energy lying right beneath our feet.  Geothermal energy offers exactly what the continent needs most: clean, local, always-on power. Yet, it only accounted for 0.2% of power generation on the continent in 2024. Something needs to change. The recent blackout in Spain, triggered by a failure in the high-voltage grid, serves as a warning shot. While solar and wind are vital pillars of decarbonisation, they’re variable by nature. Without steady, around-the-clock sources of electricity, Europe risks swapping one form of energy insecurity for another. A much bigger wake-up call came in 2022 when Russia launched a full-scale invasion of Ukraine. For years, European governments had built an energy system dependent on imports of natural gas. When that stack of cards shattered, it triggered an energy crisis that exposed the vulnerable underbelly of Europe’s power system.  The answer to these problems lies, in part, a few kilometres underground. According to the International Energy Agency, geothermal energy has the potential to power the planet 150 times over. But it’s not just about electricity — geothermal can also deliver clean, reliable heat. That makes it especially valuable in Europe, where millions of homes already rely on radiators and district heating systems, many of them still powered by natural gas. Geothermal plants also come with a smaller footprint. They require far less land than an equivalent solar farm or wind park. What’s more, the materials and infrastructure needed to build them — like drilling rigs and turbines — can be largely sourced locally. That’s a sharp contrast to solar panels and batteries, most of which are imported from China.   Geothermal energy is not theoretical. It doesn’t require scientific breakthroughs. We’ve been drilling wells and extracting energy from the Earth for centuries. The know-how exists, and so does the workforce. Decades of oil and gas exploration have built a deep bench of geologists, drillers, reservoir engineers, and project managers. Instead of letting this expertise fade, we can redeploy it to build geothermal plants. The infrastructure, such as drilling rigs, can also be repurposed for a cleaner cause. Geothermal could be the ultimate redemption arc for oil and gas. Sure, drilling deep isn’t cheap — yet. But a new crop of startups is rewriting the playbook. Armed with everything from plasma pulse drills to giant radiators, these companies could finally crack the cost barrier — and make geothermal available pretty much anywhere. Just as SpaceX disrupted a sclerotic rocket industry with its cheap launches, these startups are poised to succeed where the geothermal industry has failed.  All that’s missing is investment. While billions are being funnelled into high-risk technologies like fusion or nuclear fission reactors, funding for geothermal tech is minuscule in comparison, especially in Europe. Yet, unlike those technologies, geothermal is ready right now.   If Europe wants to achieve climate neutrality and energy sovereignty, it must stop ignoring geothermal. We need bold investment, regulatory reform, and a clear signal to industry: don’t let geothermal become a forgotten renewable. Grid failures, missed climate targets, deeper energy dependence — these are the risks Europe faces. It’s time to start drilling, before it’s too late.  Want to discover the next big thing in tech? Then take a trip to TNW Conference, where thousands of founders, investors, and corporate innovators will share their ideas. The event takes place on June 19–20 in Amsterdam and tickets are on sale now. Use the code TNWXMEDIA2025 at the checkout to get 30% off. Story by Siôn Geschwindt Siôn is a freelance science and technology reporter, specialising in climate and energy. From nuclear fusion breakthroughs to electric vehicSiôn is a freelance science and technology reporter, specialising in climate and energy. From nuclear fusion breakthroughs to electric vehicles, he's happiest sourcing a scoop, investigating the impact of emerging technologies, and even putting them to the test. He has five years of journalism experience and holds a dual degree in media and environmental science from the University of Cape Town, South Africa. When he's not writing, you can probably find Siôn out hiking, surfing, playing the drums or catering to his moderate caffeine addiction. You can contact him at: sion.geschwindtprotonmailcom Get the TNW newsletter Get the most important tech news in your inbox each week. Also tagged with #opinion #europe #must #warm #geothermal
    THENEXTWEB.COM
    Opinion: Europe must warm up to geothermal before it’s too late
    While Europe races to phase out fossil fuels and electrify everything from cars to heating systems, it’s turning a blind eye to a reliable and proven source of clean energy lying right beneath our feet.  Geothermal energy offers exactly what the continent needs most: clean, local, always-on power. Yet, it only accounted for 0.2% of power generation on the continent in 2024. Something needs to change. The recent blackout in Spain, triggered by a failure in the high-voltage grid, serves as a warning shot. While solar and wind are vital pillars of decarbonisation, they’re variable by nature. Without steady, around-the-clock sources of electricity, Europe risks swapping one form of energy insecurity for another. A much bigger wake-up call came in 2022 when Russia launched a full-scale invasion of Ukraine. For years, European governments had built an energy system dependent on imports of natural gas. When that stack of cards shattered, it triggered an energy crisis that exposed the vulnerable underbelly of Europe’s power system.  The answer to these problems lies, in part, a few kilometres underground. According to the International Energy Agency, geothermal energy has the potential to power the planet 150 times over. But it’s not just about electricity — geothermal can also deliver clean, reliable heat. That makes it especially valuable in Europe, where millions of homes already rely on radiators and district heating systems, many of them still powered by natural gas. Geothermal plants also come with a smaller footprint. They require far less land than an equivalent solar farm or wind park. What’s more, the materials and infrastructure needed to build them — like drilling rigs and turbines — can be largely sourced locally. That’s a sharp contrast to solar panels and batteries, most of which are imported from China.   Geothermal energy is not theoretical. It doesn’t require scientific breakthroughs. We’ve been drilling wells and extracting energy from the Earth for centuries. The know-how exists, and so does the workforce. Decades of oil and gas exploration have built a deep bench of geologists, drillers, reservoir engineers, and project managers. Instead of letting this expertise fade, we can redeploy it to build geothermal plants. The infrastructure, such as drilling rigs, can also be repurposed for a cleaner cause. Geothermal could be the ultimate redemption arc for oil and gas. Sure, drilling deep isn’t cheap — yet. But a new crop of startups is rewriting the playbook. Armed with everything from plasma pulse drills to giant radiators, these companies could finally crack the cost barrier — and make geothermal available pretty much anywhere. Just as SpaceX disrupted a sclerotic rocket industry with its cheap launches, these startups are poised to succeed where the geothermal industry has failed.  All that’s missing is investment. While billions are being funnelled into high-risk technologies like fusion or nuclear fission reactors, funding for geothermal tech is minuscule in comparison, especially in Europe. Yet, unlike those technologies, geothermal is ready right now.   If Europe wants to achieve climate neutrality and energy sovereignty, it must stop ignoring geothermal. We need bold investment, regulatory reform, and a clear signal to industry: don’t let geothermal become a forgotten renewable. Grid failures, missed climate targets, deeper energy dependence — these are the risks Europe faces. It’s time to start drilling, before it’s too late.  Want to discover the next big thing in tech? Then take a trip to TNW Conference, where thousands of founders, investors, and corporate innovators will share their ideas. The event takes place on June 19–20 in Amsterdam and tickets are on sale now. Use the code TNWXMEDIA2025 at the checkout to get 30% off. Story by Siôn Geschwindt Siôn is a freelance science and technology reporter, specialising in climate and energy. From nuclear fusion breakthroughs to electric vehic (show all) Siôn is a freelance science and technology reporter, specialising in climate and energy. From nuclear fusion breakthroughs to electric vehicles, he's happiest sourcing a scoop, investigating the impact of emerging technologies, and even putting them to the test. He has five years of journalism experience and holds a dual degree in media and environmental science from the University of Cape Town, South Africa. When he's not writing, you can probably find Siôn out hiking, surfing, playing the drums or catering to his moderate caffeine addiction. You can contact him at: sion.geschwindt [at] protonmail [dot] com Get the TNW newsletter Get the most important tech news in your inbox each week. Also tagged with
    0 Commentarii 0 Distribuiri