• 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 Comentários 0 Compartilhamentos
  • IBM Plans Large-Scale Fault-Tolerant Quantum Computer by 2029

    IBM Plans Large-Scale Fault-Tolerant Quantum Computer by 2029

    By John P. Mello Jr.
    June 11, 2025 5:00 AM PT

    IBM unveiled its plan to build IBM Quantum Starling, shown in this rendering. Starling is expected to be the first large-scale, fault-tolerant quantum system.ADVERTISEMENT
    Enterprise IT Lead Generation Services
    Fuel Your Pipeline. Close More Deals. Our full-service marketing programs deliver sales-ready leads. 100% Satisfaction Guarantee! Learn more.

    IBM revealed Tuesday its roadmap for bringing a large-scale, fault-tolerant quantum computer, IBM Quantum Starling, online by 2029, which is significantly earlier than many technologists thought possible.
    The company predicts that when its new Starling computer is up and running, it will be capable of performing 20,000 times more operations than today’s quantum computers — a computational state so vast it would require the memory of more than a quindecillionof the world’s most powerful supercomputers to represent.
    “IBM is charting the next frontier in quantum computing,” Big Blue CEO Arvind Krishna said in a statement. “Our expertise across mathematics, physics, and engineering is paving the way for a large-scale, fault-tolerant quantum computer — one that will solve real-world challenges and unlock immense possibilities for business.”
    IBM’s plan to deliver a fault-tolerant quantum system by 2029 is ambitious but not implausible, especially given the rapid pace of its quantum roadmap and past milestones, observed Ensar Seker, CISO at SOCRadar, a threat intelligence company in Newark, Del.
    “They’ve consistently met or exceeded their qubit scaling goals, and their emphasis on modularity and error correction indicates they’re tackling the right challenges,” he told TechNewsWorld. “However, moving from thousands to millions of physical qubits with sufficient fidelity remains a steep climb.”
    A qubit is the fundamental unit of information in quantum computing, capable of representing a zero, a one, or both simultaneously due to quantum superposition. In practice, fault-tolerant quantum computers use clusters of physical qubits working together to form a logical qubit — a more stable unit designed to store quantum information and correct errors in real time.
    Realistic Roadmap
    Luke Yang, an equity analyst with Morningstar Research Services in Chicago, believes IBM’s roadmap is realistic. “The exact scale and error correction performance might still change between now and 2029, but overall, the goal is reasonable,” he told TechNewsWorld.
    “Given its reliability and professionalism, IBM’s bold claim should be taken seriously,” said Enrique Solano, co-CEO and co-founder of Kipu Quantum, a quantum algorithm company with offices in Berlin and Karlsruhe, Germany.
    “Of course, it may also fail, especially when considering the unpredictability of hardware complexities involved,” he told TechNewsWorld, “but companies like IBM exist for such challenges, and we should all be positively impressed by its current achievements and promised technological roadmap.”
    Tim Hollebeek, vice president of industry standards at DigiCert, a global digital security company, added: “IBM is a leader in this area, and not normally a company that hypes their news. This is a fast-moving industry, and success is certainly possible.”
    “IBM is attempting to do something that no one has ever done before and will almost certainly run into challenges,” he told TechNewsWorld, “but at this point, it is largely an engineering scaling exercise, not a research project.”
    “IBM has demonstrated consistent progress, has committed billion over five years to quantum computing, and the timeline is within the realm of technical feasibility,” noted John Young, COO of Quantum eMotion, a developer of quantum random number generator technology, in Saint-Laurent, Quebec, Canada.
    “That said,” he told TechNewsWorld, “fault-tolerant in a practical, industrial sense is a very high bar.”
    Solving the Quantum Error Correction Puzzle
    To make a quantum computer fault-tolerant, errors need to be corrected so large workloads can be run without faults. In a quantum computer, errors are reduced by clustering physical qubits to form logical qubits, which have lower error rates than the underlying physical qubits.
    “Error correction is a challenge,” Young said. “Logical qubits require thousands of physical qubits to function reliably. That’s a massive scaling issue.”
    IBM explained in its announcement that creating increasing numbers of logical qubits capable of executing quantum circuits with as few physical qubits as possible is critical to quantum computing at scale. Until today, a clear path to building such a fault-tolerant system without unrealistic engineering overhead has not been published.

    Alternative and previous gold-standard, error-correcting codes present fundamental engineering challenges, IBM continued. To scale, they would require an unfeasible number of physical qubits to create enough logical qubits to perform complex operations — necessitating impractical amounts of infrastructure and control electronics. This renders them unlikely to be implemented beyond small-scale experiments and devices.
    In two research papers released with its roadmap, IBM detailed how it will overcome the challenges of building the large-scale, fault-tolerant architecture needed for a quantum computer.
    One paper outlines the use of quantum low-density parity checkcodes to reduce physical qubit overhead. The other describes methods for decoding errors in real time using conventional computing.
    According to IBM, a practical fault-tolerant quantum architecture must:

    Suppress enough errors for useful algorithms to succeed
    Prepare and measure logical qubits during computation
    Apply universal instructions to logical qubits
    Decode measurements from logical qubits in real time and guide subsequent operations
    Scale modularly across hundreds or thousands of logical qubits
    Be efficient enough to run meaningful algorithms using realistic energy and infrastructure resources

    Aside from the technological challenges that quantum computer makers are facing, there may also be some market challenges. “Locating suitable use cases for quantum computers could be the biggest challenge,” Morningstar’s Yang maintained.
    “Only certain computing workloads, such as random circuit sampling, can fully unleash the computing power of quantum computers and show their advantage over the traditional supercomputers we have now,” he said. “However, workloads like RCS are not very commercially useful, and we believe commercial relevance is one of the key factors that determine the total market size for quantum computers.”
    Q-Day Approaching Faster Than Expected
    For years now, organizations have been told they need to prepare for “Q-Day” — the day a quantum computer will be able to crack all the encryption they use to keep their data secure. This IBM announcement suggests the window for action to protect data may be closing faster than many anticipated.
    “This absolutely adds urgency and credibility to the security expert guidance on post-quantum encryption being factored into their planning now,” said Dave Krauthamer, field CTO of QuSecure, maker of quantum-safe security solutions, in San Mateo, Calif.
    “IBM’s move to create a large-scale fault-tolerant quantum computer by 2029 is indicative of the timeline collapsing,” he told TechNewsWorld. “A fault-tolerant quantum computer of this magnitude could be well on the path to crack asymmetric ciphers sooner than anyone thinks.”

    “Security leaders need to take everything connected to post-quantum encryption as a serious measure and work it into their security plans now — not later,” he said.
    Roger Grimes, a defense evangelist with KnowBe4, a security awareness training provider in Clearwater, Fla., pointed out that IBM is just the latest in a surge of quantum companies announcing quickly forthcoming computational breakthroughs within a few years.
    “It leads to the question of whether the U.S. government’s original PQCpreparation date of 2030 is still a safe date,” he told TechNewsWorld.
    “It’s starting to feel a lot more risky for any company to wait until 2030 to be prepared against quantum attacks. It also flies in the face of the latest cybersecurity EOthat relaxed PQC preparation rules as compared to Biden’s last EO PQC standard order, which told U.S. agencies to transition to PQC ASAP.”
    “Most US companies are doing zero to prepare for Q-Day attacks,” he declared. “The latest executive order seems to tell U.S. agencies — and indirectly, all U.S. businesses — that they have more time to prepare. It’s going to cause even more agencies and businesses to be less prepared during a time when it seems multiple quantum computing companies are making significant progress.”
    “It definitely feels that something is going to give soon,” he said, “and if I were a betting man, and I am, I would bet that most U.S. companies are going to be unprepared for Q-Day on the day Q-Day becomes a reality.”

    John P. Mello Jr. has been an ECT News Network reporter since 2003. His areas of focus include cybersecurity, IT issues, privacy, e-commerce, social media, artificial intelligence, big data and consumer electronics. He has written and edited for numerous publications, including the Boston Business Journal, the Boston Phoenix, Megapixel.Net and Government Security News. Email John.

    Leave a Comment

    Click here to cancel reply.
    Please sign in to post or reply to a comment. New users create a free account.

    Related Stories

    More by John P. Mello Jr.

    view all

    More in Emerging Tech
    #ibm #plans #largescale #faulttolerant #quantum
    IBM Plans Large-Scale Fault-Tolerant Quantum Computer by 2029
    IBM Plans Large-Scale Fault-Tolerant Quantum Computer by 2029 By John P. Mello Jr. June 11, 2025 5:00 AM PT IBM unveiled its plan to build IBM Quantum Starling, shown in this rendering. Starling is expected to be the first large-scale, fault-tolerant quantum system.ADVERTISEMENT Enterprise IT Lead Generation Services Fuel Your Pipeline. Close More Deals. Our full-service marketing programs deliver sales-ready leads. 100% Satisfaction Guarantee! Learn more. IBM revealed Tuesday its roadmap for bringing a large-scale, fault-tolerant quantum computer, IBM Quantum Starling, online by 2029, which is significantly earlier than many technologists thought possible. The company predicts that when its new Starling computer is up and running, it will be capable of performing 20,000 times more operations than today’s quantum computers — a computational state so vast it would require the memory of more than a quindecillionof the world’s most powerful supercomputers to represent. “IBM is charting the next frontier in quantum computing,” Big Blue CEO Arvind Krishna said in a statement. “Our expertise across mathematics, physics, and engineering is paving the way for a large-scale, fault-tolerant quantum computer — one that will solve real-world challenges and unlock immense possibilities for business.” IBM’s plan to deliver a fault-tolerant quantum system by 2029 is ambitious but not implausible, especially given the rapid pace of its quantum roadmap and past milestones, observed Ensar Seker, CISO at SOCRadar, a threat intelligence company in Newark, Del. “They’ve consistently met or exceeded their qubit scaling goals, and their emphasis on modularity and error correction indicates they’re tackling the right challenges,” he told TechNewsWorld. “However, moving from thousands to millions of physical qubits with sufficient fidelity remains a steep climb.” A qubit is the fundamental unit of information in quantum computing, capable of representing a zero, a one, or both simultaneously due to quantum superposition. In practice, fault-tolerant quantum computers use clusters of physical qubits working together to form a logical qubit — a more stable unit designed to store quantum information and correct errors in real time. Realistic Roadmap Luke Yang, an equity analyst with Morningstar Research Services in Chicago, believes IBM’s roadmap is realistic. “The exact scale and error correction performance might still change between now and 2029, but overall, the goal is reasonable,” he told TechNewsWorld. “Given its reliability and professionalism, IBM’s bold claim should be taken seriously,” said Enrique Solano, co-CEO and co-founder of Kipu Quantum, a quantum algorithm company with offices in Berlin and Karlsruhe, Germany. “Of course, it may also fail, especially when considering the unpredictability of hardware complexities involved,” he told TechNewsWorld, “but companies like IBM exist for such challenges, and we should all be positively impressed by its current achievements and promised technological roadmap.” Tim Hollebeek, vice president of industry standards at DigiCert, a global digital security company, added: “IBM is a leader in this area, and not normally a company that hypes their news. This is a fast-moving industry, and success is certainly possible.” “IBM is attempting to do something that no one has ever done before and will almost certainly run into challenges,” he told TechNewsWorld, “but at this point, it is largely an engineering scaling exercise, not a research project.” “IBM has demonstrated consistent progress, has committed billion over five years to quantum computing, and the timeline is within the realm of technical feasibility,” noted John Young, COO of Quantum eMotion, a developer of quantum random number generator technology, in Saint-Laurent, Quebec, Canada. “That said,” he told TechNewsWorld, “fault-tolerant in a practical, industrial sense is a very high bar.” Solving the Quantum Error Correction Puzzle To make a quantum computer fault-tolerant, errors need to be corrected so large workloads can be run without faults. In a quantum computer, errors are reduced by clustering physical qubits to form logical qubits, which have lower error rates than the underlying physical qubits. “Error correction is a challenge,” Young said. “Logical qubits require thousands of physical qubits to function reliably. That’s a massive scaling issue.” IBM explained in its announcement that creating increasing numbers of logical qubits capable of executing quantum circuits with as few physical qubits as possible is critical to quantum computing at scale. Until today, a clear path to building such a fault-tolerant system without unrealistic engineering overhead has not been published. Alternative and previous gold-standard, error-correcting codes present fundamental engineering challenges, IBM continued. To scale, they would require an unfeasible number of physical qubits to create enough logical qubits to perform complex operations — necessitating impractical amounts of infrastructure and control electronics. This renders them unlikely to be implemented beyond small-scale experiments and devices. In two research papers released with its roadmap, IBM detailed how it will overcome the challenges of building the large-scale, fault-tolerant architecture needed for a quantum computer. One paper outlines the use of quantum low-density parity checkcodes to reduce physical qubit overhead. The other describes methods for decoding errors in real time using conventional computing. According to IBM, a practical fault-tolerant quantum architecture must: Suppress enough errors for useful algorithms to succeed Prepare and measure logical qubits during computation Apply universal instructions to logical qubits Decode measurements from logical qubits in real time and guide subsequent operations Scale modularly across hundreds or thousands of logical qubits Be efficient enough to run meaningful algorithms using realistic energy and infrastructure resources Aside from the technological challenges that quantum computer makers are facing, there may also be some market challenges. “Locating suitable use cases for quantum computers could be the biggest challenge,” Morningstar’s Yang maintained. “Only certain computing workloads, such as random circuit sampling, can fully unleash the computing power of quantum computers and show their advantage over the traditional supercomputers we have now,” he said. “However, workloads like RCS are not very commercially useful, and we believe commercial relevance is one of the key factors that determine the total market size for quantum computers.” Q-Day Approaching Faster Than Expected For years now, organizations have been told they need to prepare for “Q-Day” — the day a quantum computer will be able to crack all the encryption they use to keep their data secure. This IBM announcement suggests the window for action to protect data may be closing faster than many anticipated. “This absolutely adds urgency and credibility to the security expert guidance on post-quantum encryption being factored into their planning now,” said Dave Krauthamer, field CTO of QuSecure, maker of quantum-safe security solutions, in San Mateo, Calif. “IBM’s move to create a large-scale fault-tolerant quantum computer by 2029 is indicative of the timeline collapsing,” he told TechNewsWorld. “A fault-tolerant quantum computer of this magnitude could be well on the path to crack asymmetric ciphers sooner than anyone thinks.” “Security leaders need to take everything connected to post-quantum encryption as a serious measure and work it into their security plans now — not later,” he said. Roger Grimes, a defense evangelist with KnowBe4, a security awareness training provider in Clearwater, Fla., pointed out that IBM is just the latest in a surge of quantum companies announcing quickly forthcoming computational breakthroughs within a few years. “It leads to the question of whether the U.S. government’s original PQCpreparation date of 2030 is still a safe date,” he told TechNewsWorld. “It’s starting to feel a lot more risky for any company to wait until 2030 to be prepared against quantum attacks. It also flies in the face of the latest cybersecurity EOthat relaxed PQC preparation rules as compared to Biden’s last EO PQC standard order, which told U.S. agencies to transition to PQC ASAP.” “Most US companies are doing zero to prepare for Q-Day attacks,” he declared. “The latest executive order seems to tell U.S. agencies — and indirectly, all U.S. businesses — that they have more time to prepare. It’s going to cause even more agencies and businesses to be less prepared during a time when it seems multiple quantum computing companies are making significant progress.” “It definitely feels that something is going to give soon,” he said, “and if I were a betting man, and I am, I would bet that most U.S. companies are going to be unprepared for Q-Day on the day Q-Day becomes a reality.” John P. Mello Jr. has been an ECT News Network reporter since 2003. His areas of focus include cybersecurity, IT issues, privacy, e-commerce, social media, artificial intelligence, big data and consumer electronics. He has written and edited for numerous publications, including the Boston Business Journal, the Boston Phoenix, Megapixel.Net and Government Security News. Email John. Leave a Comment Click here to cancel reply. Please sign in to post or reply to a comment. New users create a free account. Related Stories More by John P. Mello Jr. view all More in Emerging Tech #ibm #plans #largescale #faulttolerant #quantum
    WWW.TECHNEWSWORLD.COM
    IBM Plans Large-Scale Fault-Tolerant Quantum Computer by 2029
    IBM Plans Large-Scale Fault-Tolerant Quantum Computer by 2029 By John P. Mello Jr. June 11, 2025 5:00 AM PT IBM unveiled its plan to build IBM Quantum Starling, shown in this rendering. Starling is expected to be the first large-scale, fault-tolerant quantum system. (Image Credit: IBM) ADVERTISEMENT Enterprise IT Lead Generation Services Fuel Your Pipeline. Close More Deals. Our full-service marketing programs deliver sales-ready leads. 100% Satisfaction Guarantee! Learn more. IBM revealed Tuesday its roadmap for bringing a large-scale, fault-tolerant quantum computer, IBM Quantum Starling, online by 2029, which is significantly earlier than many technologists thought possible. The company predicts that when its new Starling computer is up and running, it will be capable of performing 20,000 times more operations than today’s quantum computers — a computational state so vast it would require the memory of more than a quindecillion (10⁴⁸) of the world’s most powerful supercomputers to represent. “IBM is charting the next frontier in quantum computing,” Big Blue CEO Arvind Krishna said in a statement. “Our expertise across mathematics, physics, and engineering is paving the way for a large-scale, fault-tolerant quantum computer — one that will solve real-world challenges and unlock immense possibilities for business.” IBM’s plan to deliver a fault-tolerant quantum system by 2029 is ambitious but not implausible, especially given the rapid pace of its quantum roadmap and past milestones, observed Ensar Seker, CISO at SOCRadar, a threat intelligence company in Newark, Del. “They’ve consistently met or exceeded their qubit scaling goals, and their emphasis on modularity and error correction indicates they’re tackling the right challenges,” he told TechNewsWorld. “However, moving from thousands to millions of physical qubits with sufficient fidelity remains a steep climb.” A qubit is the fundamental unit of information in quantum computing, capable of representing a zero, a one, or both simultaneously due to quantum superposition. In practice, fault-tolerant quantum computers use clusters of physical qubits working together to form a logical qubit — a more stable unit designed to store quantum information and correct errors in real time. Realistic Roadmap Luke Yang, an equity analyst with Morningstar Research Services in Chicago, believes IBM’s roadmap is realistic. “The exact scale and error correction performance might still change between now and 2029, but overall, the goal is reasonable,” he told TechNewsWorld. “Given its reliability and professionalism, IBM’s bold claim should be taken seriously,” said Enrique Solano, co-CEO and co-founder of Kipu Quantum, a quantum algorithm company with offices in Berlin and Karlsruhe, Germany. “Of course, it may also fail, especially when considering the unpredictability of hardware complexities involved,” he told TechNewsWorld, “but companies like IBM exist for such challenges, and we should all be positively impressed by its current achievements and promised technological roadmap.” Tim Hollebeek, vice president of industry standards at DigiCert, a global digital security company, added: “IBM is a leader in this area, and not normally a company that hypes their news. This is a fast-moving industry, and success is certainly possible.” “IBM is attempting to do something that no one has ever done before and will almost certainly run into challenges,” he told TechNewsWorld, “but at this point, it is largely an engineering scaling exercise, not a research project.” “IBM has demonstrated consistent progress, has committed $30 billion over five years to quantum computing, and the timeline is within the realm of technical feasibility,” noted John Young, COO of Quantum eMotion, a developer of quantum random number generator technology, in Saint-Laurent, Quebec, Canada. “That said,” he told TechNewsWorld, “fault-tolerant in a practical, industrial sense is a very high bar.” Solving the Quantum Error Correction Puzzle To make a quantum computer fault-tolerant, errors need to be corrected so large workloads can be run without faults. In a quantum computer, errors are reduced by clustering physical qubits to form logical qubits, which have lower error rates than the underlying physical qubits. “Error correction is a challenge,” Young said. “Logical qubits require thousands of physical qubits to function reliably. That’s a massive scaling issue.” IBM explained in its announcement that creating increasing numbers of logical qubits capable of executing quantum circuits with as few physical qubits as possible is critical to quantum computing at scale. Until today, a clear path to building such a fault-tolerant system without unrealistic engineering overhead has not been published. Alternative and previous gold-standard, error-correcting codes present fundamental engineering challenges, IBM continued. To scale, they would require an unfeasible number of physical qubits to create enough logical qubits to perform complex operations — necessitating impractical amounts of infrastructure and control electronics. This renders them unlikely to be implemented beyond small-scale experiments and devices. In two research papers released with its roadmap, IBM detailed how it will overcome the challenges of building the large-scale, fault-tolerant architecture needed for a quantum computer. One paper outlines the use of quantum low-density parity check (qLDPC) codes to reduce physical qubit overhead. The other describes methods for decoding errors in real time using conventional computing. According to IBM, a practical fault-tolerant quantum architecture must: Suppress enough errors for useful algorithms to succeed Prepare and measure logical qubits during computation Apply universal instructions to logical qubits Decode measurements from logical qubits in real time and guide subsequent operations Scale modularly across hundreds or thousands of logical qubits Be efficient enough to run meaningful algorithms using realistic energy and infrastructure resources Aside from the technological challenges that quantum computer makers are facing, there may also be some market challenges. “Locating suitable use cases for quantum computers could be the biggest challenge,” Morningstar’s Yang maintained. “Only certain computing workloads, such as random circuit sampling [RCS], can fully unleash the computing power of quantum computers and show their advantage over the traditional supercomputers we have now,” he said. “However, workloads like RCS are not very commercially useful, and we believe commercial relevance is one of the key factors that determine the total market size for quantum computers.” Q-Day Approaching Faster Than Expected For years now, organizations have been told they need to prepare for “Q-Day” — the day a quantum computer will be able to crack all the encryption they use to keep their data secure. This IBM announcement suggests the window for action to protect data may be closing faster than many anticipated. “This absolutely adds urgency and credibility to the security expert guidance on post-quantum encryption being factored into their planning now,” said Dave Krauthamer, field CTO of QuSecure, maker of quantum-safe security solutions, in San Mateo, Calif. “IBM’s move to create a large-scale fault-tolerant quantum computer by 2029 is indicative of the timeline collapsing,” he told TechNewsWorld. “A fault-tolerant quantum computer of this magnitude could be well on the path to crack asymmetric ciphers sooner than anyone thinks.” “Security leaders need to take everything connected to post-quantum encryption as a serious measure and work it into their security plans now — not later,” he said. Roger Grimes, a defense evangelist with KnowBe4, a security awareness training provider in Clearwater, Fla., pointed out that IBM is just the latest in a surge of quantum companies announcing quickly forthcoming computational breakthroughs within a few years. “It leads to the question of whether the U.S. government’s original PQC [post-quantum cryptography] preparation date of 2030 is still a safe date,” he told TechNewsWorld. “It’s starting to feel a lot more risky for any company to wait until 2030 to be prepared against quantum attacks. It also flies in the face of the latest cybersecurity EO [Executive Order] that relaxed PQC preparation rules as compared to Biden’s last EO PQC standard order, which told U.S. agencies to transition to PQC ASAP.” “Most US companies are doing zero to prepare for Q-Day attacks,” he declared. “The latest executive order seems to tell U.S. agencies — and indirectly, all U.S. businesses — that they have more time to prepare. It’s going to cause even more agencies and businesses to be less prepared during a time when it seems multiple quantum computing companies are making significant progress.” “It definitely feels that something is going to give soon,” he said, “and if I were a betting man, and I am, I would bet that most U.S. companies are going to be unprepared for Q-Day on the day Q-Day becomes a reality.” John P. Mello Jr. has been an ECT News Network reporter since 2003. His areas of focus include cybersecurity, IT issues, privacy, e-commerce, social media, artificial intelligence, big data and consumer electronics. He has written and edited for numerous publications, including the Boston Business Journal, the Boston Phoenix, Megapixel.Net and Government Security News. Email John. Leave a Comment Click here to cancel reply. Please sign in to post or reply to a comment. New users create a free account. Related Stories More by John P. Mello Jr. view all More in Emerging Tech
    0 Comentários 0 Compartilhamentos
  • Fox News AI Newsletter: Hollywood studios sue 'bottomless pit of plagiarism'

    The Minions pose during the world premiere of the film "Despicable Me 4" in New York City, June 9, 2024. NEWYou can now listen to Fox News articles!
    Welcome to Fox News’ Artificial Intelligence newsletter with the latest AI technology advancements.IN TODAY’S NEWSLETTER:- Major Hollywood studios sue AI company over copyright infringement in landmark move- Meta's Zuckerberg aiming to dominate AI race with recruiting push for new ‘superintelligence’ team: report- OpenAI says this state will play central role in artificial intelligence development The website of Midjourney, an artificial intelligencecapable of creating AI art, is seen on a smartphone on April 3, 2023, in Berlin, Germany.'PIRACY IS PIRACY': Two major Hollywood studios are suing Midjourney, a popular AI image generator, over its use and distribution of intellectual property.AI RACE: Meta CEO Mark Zuckerberg is reportedly building a team of experts to develop artificial general intelligencethat can meet or exceed human capabilities.TECH HUB: New York is poised to play a central role in the development of artificial intelligence, OpenAI executives told key business and civic leaders on Tuesday. Attendees watch a presentation during an event on the Apple campus in Cupertino, Calif., Monday, June 9, 2025. APPLE FALLING BEHIND: Apple’s annual Worldwide Developers Conferencekicked off on Monday and runs through Friday. But the Cupertino-based company is not making us wait until the end. The major announcements have already been made, and there are quite a few. The headliners are new software versions for Macs, iPhones, iPads and Vision. FROM COAL TO CODE: This week, Amazon announced a billion investment in artificial intelligence infrastructure in the form of new data centers, the largest in the commonwealth's history, according to the eCommerce giant.DIGITAL DEFENSE: A growing number of fire departments across the country are turning to artificial intelligence to help detect and respond to wildfires more quickly. Rep. Darin LaHood, R-Ill., leaves the House Republican Conference meeting at the Capitol Hill Club in Washington on Tuesday, May 17, 2022. SHIELD FROM BEIJING: Rep. Darin LaHood, R-Ill., is introducing a new bill Thursday imploring the National Security Administrationto develop an "AI security playbook" to stay ahead of threats from China and other foreign adversaries. ROBOT RALLY PARTNER: Finding a reliable tennis partner who matches your energy and skill level can be a challenge. Now, with Tenniix, an artificial intelligence-powered tennis robot from T-Apex, players of all abilities have a new way to practice and improve. DIGITAL DANGER ZONE: Scam ads on Facebook have evolved beyond the days of misspelled headlines and sketchy product photos. Today, many are powered by artificial intelligence, fueled by deepfake technology and distributed at scale through Facebook’s own ad system.  Fairfield, Ohio, USA - February 25, 2011 : Chipotle Mexican Grill Logo on brick building. Chipotle is a chain of fast casual restaurants in the United States and Canada that specialize in burritos and tacos.'EXPONENTIAL RATE': Artificial intelligence is helping Chipotle rapidly grow its footprint, according to CEO Scott Boatwright. AI TAKEOVER THREAT: The hottest topic nowadays revolves around Artificial Intelligenceand its potential to rapidly and imminently transform the world we live in — economically, socially, politically and even defensively. Regardless of whether you believe that the technology will be able to develop superintelligence and lead a metamorphosis of everything, the possibility that may come to fruition is a catalyst for more far-leftist control.FOLLOW FOX NEWS ON SOCIAL MEDIASIGN UP FOR OUR OTHER NEWSLETTERSDOWNLOAD OUR APPSWATCH FOX NEWS ONLINEFox News GoSTREAM FOX NATIONFox NationStay up to date on the latest AI technology advancements and learn about the challenges and opportunities AI presents now and for the future with Fox News here. This article was written by Fox News staff.
    #fox #news #newsletter #hollywood #studios
    Fox News AI Newsletter: Hollywood studios sue 'bottomless pit of plagiarism'
    The Minions pose during the world premiere of the film "Despicable Me 4" in New York City, June 9, 2024. NEWYou can now listen to Fox News articles! Welcome to Fox News’ Artificial Intelligence newsletter with the latest AI technology advancements.IN TODAY’S NEWSLETTER:- Major Hollywood studios sue AI company over copyright infringement in landmark move- Meta's Zuckerberg aiming to dominate AI race with recruiting push for new ‘superintelligence’ team: report- OpenAI says this state will play central role in artificial intelligence development The website of Midjourney, an artificial intelligencecapable of creating AI art, is seen on a smartphone on April 3, 2023, in Berlin, Germany.'PIRACY IS PIRACY': Two major Hollywood studios are suing Midjourney, a popular AI image generator, over its use and distribution of intellectual property.AI RACE: Meta CEO Mark Zuckerberg is reportedly building a team of experts to develop artificial general intelligencethat can meet or exceed human capabilities.TECH HUB: New York is poised to play a central role in the development of artificial intelligence, OpenAI executives told key business and civic leaders on Tuesday. Attendees watch a presentation during an event on the Apple campus in Cupertino, Calif., Monday, June 9, 2025. APPLE FALLING BEHIND: Apple’s annual Worldwide Developers Conferencekicked off on Monday and runs through Friday. But the Cupertino-based company is not making us wait until the end. The major announcements have already been made, and there are quite a few. The headliners are new software versions for Macs, iPhones, iPads and Vision. FROM COAL TO CODE: This week, Amazon announced a billion investment in artificial intelligence infrastructure in the form of new data centers, the largest in the commonwealth's history, according to the eCommerce giant.DIGITAL DEFENSE: A growing number of fire departments across the country are turning to artificial intelligence to help detect and respond to wildfires more quickly. Rep. Darin LaHood, R-Ill., leaves the House Republican Conference meeting at the Capitol Hill Club in Washington on Tuesday, May 17, 2022. SHIELD FROM BEIJING: Rep. Darin LaHood, R-Ill., is introducing a new bill Thursday imploring the National Security Administrationto develop an "AI security playbook" to stay ahead of threats from China and other foreign adversaries. ROBOT RALLY PARTNER: Finding a reliable tennis partner who matches your energy and skill level can be a challenge. Now, with Tenniix, an artificial intelligence-powered tennis robot from T-Apex, players of all abilities have a new way to practice and improve. DIGITAL DANGER ZONE: Scam ads on Facebook have evolved beyond the days of misspelled headlines and sketchy product photos. Today, many are powered by artificial intelligence, fueled by deepfake technology and distributed at scale through Facebook’s own ad system.  Fairfield, Ohio, USA - February 25, 2011 : Chipotle Mexican Grill Logo on brick building. Chipotle is a chain of fast casual restaurants in the United States and Canada that specialize in burritos and tacos.'EXPONENTIAL RATE': Artificial intelligence is helping Chipotle rapidly grow its footprint, according to CEO Scott Boatwright. AI TAKEOVER THREAT: The hottest topic nowadays revolves around Artificial Intelligenceand its potential to rapidly and imminently transform the world we live in — economically, socially, politically and even defensively. Regardless of whether you believe that the technology will be able to develop superintelligence and lead a metamorphosis of everything, the possibility that may come to fruition is a catalyst for more far-leftist control.FOLLOW FOX NEWS ON SOCIAL MEDIASIGN UP FOR OUR OTHER NEWSLETTERSDOWNLOAD OUR APPSWATCH FOX NEWS ONLINEFox News GoSTREAM FOX NATIONFox NationStay up to date on the latest AI technology advancements and learn about the challenges and opportunities AI presents now and for the future with Fox News here. This article was written by Fox News staff. #fox #news #newsletter #hollywood #studios
    WWW.FOXNEWS.COM
    Fox News AI Newsletter: Hollywood studios sue 'bottomless pit of plagiarism'
    The Minions pose during the world premiere of the film "Despicable Me 4" in New York City, June 9, 2024.  (REUTERS/Kena Betancur) NEWYou can now listen to Fox News articles! Welcome to Fox News’ Artificial Intelligence newsletter with the latest AI technology advancements.IN TODAY’S NEWSLETTER:- Major Hollywood studios sue AI company over copyright infringement in landmark move- Meta's Zuckerberg aiming to dominate AI race with recruiting push for new ‘superintelligence’ team: report- OpenAI says this state will play central role in artificial intelligence development The website of Midjourney, an artificial intelligence (AI) capable of creating AI art, is seen on a smartphone on April 3, 2023, in Berlin, Germany. (Thomas Trutschel/Photothek via Getty Images)'PIRACY IS PIRACY': Two major Hollywood studios are suing Midjourney, a popular AI image generator, over its use and distribution of intellectual property.AI RACE: Meta CEO Mark Zuckerberg is reportedly building a team of experts to develop artificial general intelligence (AGI) that can meet or exceed human capabilities.TECH HUB: New York is poised to play a central role in the development of artificial intelligence (AI), OpenAI executives told key business and civic leaders on Tuesday. Attendees watch a presentation during an event on the Apple campus in Cupertino, Calif., Monday, June 9, 2025.  (AP Photo/Jeff Chiu)APPLE FALLING BEHIND: Apple’s annual Worldwide Developers Conference (WWDC) kicked off on Monday and runs through Friday. But the Cupertino-based company is not making us wait until the end. The major announcements have already been made, and there are quite a few. The headliners are new software versions for Macs, iPhones, iPads and Vision. FROM COAL TO CODE: This week, Amazon announced a $20 billion investment in artificial intelligence infrastructure in the form of new data centers, the largest in the commonwealth's history, according to the eCommerce giant.DIGITAL DEFENSE: A growing number of fire departments across the country are turning to artificial intelligence to help detect and respond to wildfires more quickly. Rep. Darin LaHood, R-Ill., leaves the House Republican Conference meeting at the Capitol Hill Club in Washington on Tuesday, May 17, 2022.  (Bill Clark/CQ-Roll Call, Inc via Getty Images)SHIELD FROM BEIJING: Rep. Darin LaHood, R-Ill., is introducing a new bill Thursday imploring the National Security Administration (NSA) to develop an "AI security playbook" to stay ahead of threats from China and other foreign adversaries. ROBOT RALLY PARTNER: Finding a reliable tennis partner who matches your energy and skill level can be a challenge. Now, with Tenniix, an artificial intelligence-powered tennis robot from T-Apex, players of all abilities have a new way to practice and improve. DIGITAL DANGER ZONE: Scam ads on Facebook have evolved beyond the days of misspelled headlines and sketchy product photos. Today, many are powered by artificial intelligence, fueled by deepfake technology and distributed at scale through Facebook’s own ad system.  Fairfield, Ohio, USA - February 25, 2011 : Chipotle Mexican Grill Logo on brick building. Chipotle is a chain of fast casual restaurants in the United States and Canada that specialize in burritos and tacos. (iStock)'EXPONENTIAL RATE': Artificial intelligence is helping Chipotle rapidly grow its footprint, according to CEO Scott Boatwright. AI TAKEOVER THREAT: The hottest topic nowadays revolves around Artificial Intelligence (AI) and its potential to rapidly and imminently transform the world we live in — economically, socially, politically and even defensively. Regardless of whether you believe that the technology will be able to develop superintelligence and lead a metamorphosis of everything, the possibility that may come to fruition is a catalyst for more far-leftist control.FOLLOW FOX NEWS ON SOCIAL MEDIASIGN UP FOR OUR OTHER NEWSLETTERSDOWNLOAD OUR APPSWATCH FOX NEWS ONLINEFox News GoSTREAM FOX NATIONFox NationStay up to date on the latest AI technology advancements and learn about the challenges and opportunities AI presents now and for the future with Fox News here. This article was written by Fox News staff.
    0 Comentários 0 Compartilhamentos
  • Why Superintelligent AI Isn’t Taking Over Anytime Soon

    Despite claims from top names in AI, researchers argue that fundamental flaws in reasoning models mean bots aren’t on the verge of exceeding human smarts.
    #why #superintelligent #isnt #taking #over
    Why Superintelligent AI Isn’t Taking Over Anytime Soon
    Despite claims from top names in AI, researchers argue that fundamental flaws in reasoning models mean bots aren’t on the verge of exceeding human smarts. #why #superintelligent #isnt #taking #over
    WWW.WSJ.COM
    Why Superintelligent AI Isn’t Taking Over Anytime Soon
    Despite claims from top names in AI, researchers argue that fundamental flaws in reasoning models mean bots aren’t on the verge of exceeding human smarts.
    0 Comentários 0 Compartilhamentos
  • UMass and MIT Test Cold Spray 3D Printing to Repair Aging Massachusetts Bridge

    Researchers from the US-based University of Massachusetts Amherst, in collaboration with the Massachusetts Institute of TechnologyDepartment of Mechanical Engineering, have applied cold spray to repair the deteriorating “Brown Bridge” in Great Barrington, built in 1949. The project marks the first known use of this method on bridge infrastructure and aims to evaluate its effectiveness as a faster, more cost-effective, and less disruptive alternative to conventional repair techniques.
    “Now that we’ve completed this proof-of-concept repair, we see a clear path to a solution that is much faster, less costly, easier, and less invasive,” said Simos Gerasimidis, associate professor of civil and environmental engineering at the University of Massachusetts Amherst. “To our knowledge, this is a first. Of course, there is some R&D that needs to be developed, but this is a huge milestone to that,” he added.
    The pilot project is also a collaboration with the Massachusetts Department of Transportation, the Massachusetts Technology Collaborative, the U.S. Department of Transportation, and the Federal Highway Administration. It was supported by the Massachusetts Manufacturing Innovation Initiative, which provided essential equipment for the demonstration.
    Members of the UMass Amherst and MIT Department of Mechanical Engineering research team, led by Simos Gerasimidis. Photo via UMass Amherst.
    Tackling America’s Bridge Crisis with Cold Spray Technology
    Nearly half of the bridges across the United States are in “fair” condition, while 6.8% are classified as “poor,” according to the 2025 Report Card for America’s Infrastructure. In Massachusetts, about 9% of the state’s 5,295 bridges are considered structurally deficient. The costs of restoring this infrastructure are projected to exceed billion—well beyond current funding levels. 
    The cold spray method consists of propelling metal powder particles at high velocity onto the beam’s surface. Successive applications build up additional layers, helping restore its thickness and structural integrity. This method has successfully been used to repair large structures such as submarines, airplanes, and ships, but this marks the first instance of its application to a bridge.
    One of cold spray’s key advantages is its ability to be deployed with minimal traffic disruption.  “Every time you do repairs on a bridge you have to block traffic, you have to make traffic controls for substantial amounts of time,” explained Gerasimidis. “This will allow us toon this actual bridge while cars are going.”
    To enhance precision, the research team integrated 3D LiDAR scanning technology into the process. Unlike visual inspections, which can be subjective and time-consuming, LiDAR creates high-resolution digital models that pinpoint areas of corrosion. This allows teams to develop targeted repair plans and deposit materials only where needed—reducing waste and potentially extending a bridge’s lifespan.
    Next steps: Testing Cold-Sprayed Repairs
    The bridge is scheduled for demolition in the coming years. When that happens, researchers will retrieve the repaired sections for further analysis. They plan to assess the durability, corrosion resistance, and mechanical performance of the cold-sprayed steel in real-world conditions, comparing it to results from laboratory tests.
    “This is a tremendous collaboration where cutting-edge technology is brought to address a critical need for infrastructure in the commonwealth and across the United States,” said John Hart, Class of 1922 Professor in the Department of Mechanical Engineering at MIT. “I think we’re just at the beginning of a digital transformation of bridge inspection, repair and maintenance, among many other important use cases.”
    3D Printing for Infrastructure Repairs
    Beyond cold spray techniques, other innovative 3D printing methods are emerging to address construction repair challenges. For example, researchers at University College Londonhave developed an asphalt 3D printer specifically designed to repair road cracks and potholes. “The material properties of 3D printed asphalt are tunable, and combined with the flexibility and efficiency of the printing platform, this technique offers a compelling new design approach to the maintenance of infrastructure,” the UCL team explained.
    Similarly, in 2018, Cintec, a Wales-based international structural engineering firm, contributed to restoring the historic Government building known as the Red House in the Republic of Trinidad and Tobago. This project, managed by Cintec’s North American branch, marked the first use of additive manufacturing within sacrificial structures. It also featured the installation of what are claimed to be the longest reinforcement anchors ever inserted into a structure—measuring an impressive 36.52 meters.
    Join our Additive Manufacturing Advantageevent on July 10th, where AM leaders from Aerospace, Space, and Defense come together to share mission-critical insights. Online and free to attend.Secure your spot now.
    Who won the2024 3D Printing Industry Awards?
    Subscribe to the 3D Printing Industry newsletterto keep up with the latest 3D printing news.
    You can also follow us onLinkedIn, and subscribe to the 3D Printing Industry Youtube channel to access more exclusive content.
    Featured image shows members of the UMass Amherst and MIT Department of Mechanical Engineering research team, led by Simos Gerasimidis. Photo via UMass Amherst.
    #umass #mit #test #cold #spray
    UMass and MIT Test Cold Spray 3D Printing to Repair Aging Massachusetts Bridge
    Researchers from the US-based University of Massachusetts Amherst, in collaboration with the Massachusetts Institute of TechnologyDepartment of Mechanical Engineering, have applied cold spray to repair the deteriorating “Brown Bridge” in Great Barrington, built in 1949. The project marks the first known use of this method on bridge infrastructure and aims to evaluate its effectiveness as a faster, more cost-effective, and less disruptive alternative to conventional repair techniques. “Now that we’ve completed this proof-of-concept repair, we see a clear path to a solution that is much faster, less costly, easier, and less invasive,” said Simos Gerasimidis, associate professor of civil and environmental engineering at the University of Massachusetts Amherst. “To our knowledge, this is a first. Of course, there is some R&D that needs to be developed, but this is a huge milestone to that,” he added. The pilot project is also a collaboration with the Massachusetts Department of Transportation, the Massachusetts Technology Collaborative, the U.S. Department of Transportation, and the Federal Highway Administration. It was supported by the Massachusetts Manufacturing Innovation Initiative, which provided essential equipment for the demonstration. Members of the UMass Amherst and MIT Department of Mechanical Engineering research team, led by Simos Gerasimidis. Photo via UMass Amherst. Tackling America’s Bridge Crisis with Cold Spray Technology Nearly half of the bridges across the United States are in “fair” condition, while 6.8% are classified as “poor,” according to the 2025 Report Card for America’s Infrastructure. In Massachusetts, about 9% of the state’s 5,295 bridges are considered structurally deficient. The costs of restoring this infrastructure are projected to exceed billion—well beyond current funding levels.  The cold spray method consists of propelling metal powder particles at high velocity onto the beam’s surface. Successive applications build up additional layers, helping restore its thickness and structural integrity. This method has successfully been used to repair large structures such as submarines, airplanes, and ships, but this marks the first instance of its application to a bridge. One of cold spray’s key advantages is its ability to be deployed with minimal traffic disruption.  “Every time you do repairs on a bridge you have to block traffic, you have to make traffic controls for substantial amounts of time,” explained Gerasimidis. “This will allow us toon this actual bridge while cars are going.” To enhance precision, the research team integrated 3D LiDAR scanning technology into the process. Unlike visual inspections, which can be subjective and time-consuming, LiDAR creates high-resolution digital models that pinpoint areas of corrosion. This allows teams to develop targeted repair plans and deposit materials only where needed—reducing waste and potentially extending a bridge’s lifespan. Next steps: Testing Cold-Sprayed Repairs The bridge is scheduled for demolition in the coming years. When that happens, researchers will retrieve the repaired sections for further analysis. They plan to assess the durability, corrosion resistance, and mechanical performance of the cold-sprayed steel in real-world conditions, comparing it to results from laboratory tests. “This is a tremendous collaboration where cutting-edge technology is brought to address a critical need for infrastructure in the commonwealth and across the United States,” said John Hart, Class of 1922 Professor in the Department of Mechanical Engineering at MIT. “I think we’re just at the beginning of a digital transformation of bridge inspection, repair and maintenance, among many other important use cases.” 3D Printing for Infrastructure Repairs Beyond cold spray techniques, other innovative 3D printing methods are emerging to address construction repair challenges. For example, researchers at University College Londonhave developed an asphalt 3D printer specifically designed to repair road cracks and potholes. “The material properties of 3D printed asphalt are tunable, and combined with the flexibility and efficiency of the printing platform, this technique offers a compelling new design approach to the maintenance of infrastructure,” the UCL team explained. Similarly, in 2018, Cintec, a Wales-based international structural engineering firm, contributed to restoring the historic Government building known as the Red House in the Republic of Trinidad and Tobago. This project, managed by Cintec’s North American branch, marked the first use of additive manufacturing within sacrificial structures. It also featured the installation of what are claimed to be the longest reinforcement anchors ever inserted into a structure—measuring an impressive 36.52 meters. Join our Additive Manufacturing Advantageevent on July 10th, where AM leaders from Aerospace, Space, and Defense come together to share mission-critical insights. Online and free to attend.Secure your spot now. Who won the2024 3D Printing Industry Awards? Subscribe to the 3D Printing Industry newsletterto keep up with the latest 3D printing news. You can also follow us onLinkedIn, and subscribe to the 3D Printing Industry Youtube channel to access more exclusive content. Featured image shows members of the UMass Amherst and MIT Department of Mechanical Engineering research team, led by Simos Gerasimidis. Photo via UMass Amherst. #umass #mit #test #cold #spray
    3DPRINTINGINDUSTRY.COM
    UMass and MIT Test Cold Spray 3D Printing to Repair Aging Massachusetts Bridge
    Researchers from the US-based University of Massachusetts Amherst (UMass), in collaboration with the Massachusetts Institute of Technology (MIT) Department of Mechanical Engineering, have applied cold spray to repair the deteriorating “Brown Bridge” in Great Barrington, built in 1949. The project marks the first known use of this method on bridge infrastructure and aims to evaluate its effectiveness as a faster, more cost-effective, and less disruptive alternative to conventional repair techniques. “Now that we’ve completed this proof-of-concept repair, we see a clear path to a solution that is much faster, less costly, easier, and less invasive,” said Simos Gerasimidis, associate professor of civil and environmental engineering at the University of Massachusetts Amherst. “To our knowledge, this is a first. Of course, there is some R&D that needs to be developed, but this is a huge milestone to that,” he added. The pilot project is also a collaboration with the Massachusetts Department of Transportation (MassDOT), the Massachusetts Technology Collaborative (MassTech), the U.S. Department of Transportation, and the Federal Highway Administration. It was supported by the Massachusetts Manufacturing Innovation Initiative, which provided essential equipment for the demonstration. Members of the UMass Amherst and MIT Department of Mechanical Engineering research team, led by Simos Gerasimidis (left, standing). Photo via UMass Amherst. Tackling America’s Bridge Crisis with Cold Spray Technology Nearly half of the bridges across the United States are in “fair” condition, while 6.8% are classified as “poor,” according to the 2025 Report Card for America’s Infrastructure. In Massachusetts, about 9% of the state’s 5,295 bridges are considered structurally deficient. The costs of restoring this infrastructure are projected to exceed $190 billion—well beyond current funding levels.  The cold spray method consists of propelling metal powder particles at high velocity onto the beam’s surface. Successive applications build up additional layers, helping restore its thickness and structural integrity. This method has successfully been used to repair large structures such as submarines, airplanes, and ships, but this marks the first instance of its application to a bridge. One of cold spray’s key advantages is its ability to be deployed with minimal traffic disruption.  “Every time you do repairs on a bridge you have to block traffic, you have to make traffic controls for substantial amounts of time,” explained Gerasimidis. “This will allow us to [apply the technique] on this actual bridge while cars are going [across].” To enhance precision, the research team integrated 3D LiDAR scanning technology into the process. Unlike visual inspections, which can be subjective and time-consuming, LiDAR creates high-resolution digital models that pinpoint areas of corrosion. This allows teams to develop targeted repair plans and deposit materials only where needed—reducing waste and potentially extending a bridge’s lifespan. Next steps: Testing Cold-Sprayed Repairs The bridge is scheduled for demolition in the coming years. When that happens, researchers will retrieve the repaired sections for further analysis. They plan to assess the durability, corrosion resistance, and mechanical performance of the cold-sprayed steel in real-world conditions, comparing it to results from laboratory tests. “This is a tremendous collaboration where cutting-edge technology is brought to address a critical need for infrastructure in the commonwealth and across the United States,” said John Hart, Class of 1922 Professor in the Department of Mechanical Engineering at MIT. “I think we’re just at the beginning of a digital transformation of bridge inspection, repair and maintenance, among many other important use cases.” 3D Printing for Infrastructure Repairs Beyond cold spray techniques, other innovative 3D printing methods are emerging to address construction repair challenges. For example, researchers at University College London (UCL) have developed an asphalt 3D printer specifically designed to repair road cracks and potholes. “The material properties of 3D printed asphalt are tunable, and combined with the flexibility and efficiency of the printing platform, this technique offers a compelling new design approach to the maintenance of infrastructure,” the UCL team explained. Similarly, in 2018, Cintec, a Wales-based international structural engineering firm, contributed to restoring the historic Government building known as the Red House in the Republic of Trinidad and Tobago. This project, managed by Cintec’s North American branch, marked the first use of additive manufacturing within sacrificial structures. It also featured the installation of what are claimed to be the longest reinforcement anchors ever inserted into a structure—measuring an impressive 36.52 meters. Join our Additive Manufacturing Advantage (AMAA) event on July 10th, where AM leaders from Aerospace, Space, and Defense come together to share mission-critical insights. Online and free to attend.Secure your spot now. Who won the2024 3D Printing Industry Awards? Subscribe to the 3D Printing Industry newsletterto keep up with the latest 3D printing news. You can also follow us onLinkedIn, and subscribe to the 3D Printing Industry Youtube channel to access more exclusive content. Featured image shows members of the UMass Amherst and MIT Department of Mechanical Engineering research team, led by Simos Gerasimidis (left, standing). Photo via UMass Amherst.
    0 Comentários 0 Compartilhamentos
  • Premier Truck Rental: Inside Sales Representative - Remote Salt Lake Area

    Are you in search of a company that resonates with your proactive spirit and entrepreneurial mindset? Your search ends here with Premier Truck Rental! Company Overview At Premier Truck Rental, we provide customized commercial fleet rentals nationwide, helping businesses get the right trucks and equipment to get the job done. Headquartered in Fort Wayne, Indiana, PTR is a family-owned company built on a foundation of integrity, innovation, and exceptional service. We serve a wide range of industriesincluding construction, utilities, and infrastructureby delivering high-quality, ready-to-work trucks and trailers tailored to each customers needs. At PTR, we dont just rent truckswe partner with our customers to drive efficiency and success on every job site. Please keep reading Not sure if you meet every requirement? Thats okay! We encourage you to apply if youre passionate, hardworking, and eager to contribute. We know that diverse perspectives and experiences make us stronger, and we want you to be part of our journey. Inside Sales Representativeat PTR is a friendly, people-oriented, and persuasive steward of the sales process. This role will support our Territory Managers with their sales pipeline while also prospecting and cross-selling PTR products themselves. This support includes driving results by enrolling the commitment and buy-in of other internal departments to achieve sales initiatives. The Inside Sales Representative will also represent PTRs commitment to being our customers easy button by serving as the main point of contact. They will be the front-line hero by assisting them in making informed decisions, providing guidance on our rentals, and resolving any issues they might face. We are seeking someone eager to develop their sales skills and grow within our organization. This role is designed as a stepping stone to a Territory Sales Managerposition, providing hands-on experience with customer interactions, lead qualification, and sales process execution. Ideal candidates will demonstrate a strong drive for results, the ability to build relationships, and a proactive approach to learning and development. High-performing ISRs will have the opportunity to be mentored, trained, and considered for promotion into a TSM role as part of their career path at PTR. COMPENSATION This position offers a competitive compensation package of base salaryplus uncapped commissions =OTE annually. RESPONSIBILITIES Offer top-notch customer service and respond with a sense of urgency for goal achievement in a fast-paced sales environment. Build a strong pipeline of customers by qualifying potential leads in your territory. This includes strategic prospecting and sourcing. Develop creative ways to engage and build rapport with prospective customers by pitching the Premier Truck Rental value proposition. Partner with assigned Territory Managers by assisting with scheduling customer visits, trade shows, new customer hand-offs, and any other travel requested. Facilitate in-person meetings and set appointments with prospective customers. Qualify and quote inquiries for your prospective territories both online and from the Territory Manager. Input data into the system with accuracy and follow up in a timely fashion. Facilitate the onboarding of new customers through the credit process. Drive collaboration between customers, Territory Managers, Logistics, and internal teams to coordinate On-Rent and Off-Rent notices with excellent attention to detail. Identify and arrange the swap of equipment from customers meeting the PTR de-fleeting criteria. Manage the sales tools to organize, compile, and analyze data with accuracy for a variety of activities and multiple projects occurring simultaneously.Building and developing a new 3-4 state territory! REQUIREMENTS MUST HAVE2+ years of strategic prospecting or account manager/sales experience; or an advanced degree or equivalent experience converting prospects into closed sales. Tech-forward approach to sales strategy. Excellent prospecting, follow-up, and follow-through skills. Committed to seeing deals through completion. Accountability and ownership of the sales process and a strong commitment to results. Comfortable with a job that has a variety of tasks and is dynamic and changing. Proactive prospecting skills and can overcome objections; driven to establish relationships with new customers. Ability to communicate in a clear, logical manner in formal and informal situations. Proficiency in CRMs and sales tracking systems Hunters mindsetsomeone who thrives on pursuing new business, driving outbound sales, and generating qualified opportunities. Prospecting: Going on LinkedIn, Looking at Competitor data, grabbing contacts for the TM, may use technology like Apollo and LinkedIn Sales Navigator Partner closely with the Territory Manager to ensure a unified approach in managing customer relationships, pipeline development, and revenue growth. Maintain clear and consistent communication to align on sales strategies, customer needs, and market opportunities, fostering a seamless and collaborative partnership with the Territory Manager. Consistently meet and exceed key performance indicators, including rental revenue, upfit revenue, and conversion rates, by actively managing customer accounts and identifying growth opportunities. Support the saturation and maturation of the customer base through strategic outreach, relationship management, and alignment with the Territory Manager to drive long-term success. Remote in the United States with some travel to trade shows, quarterly travel up to a week at a time, and sales meetingsNICE TO HAVE Rental and/or sales experience in the industry. Proficiency in , Apollo.io , LinkedIn Sales Navigator, Power BI, MS Dynamics, Chat GPT. Established relationships within the marketplace or territory. Motivated to grow into outside territory management position with relocation On Target Earnings:EMPLOYEE BENEFITSWellness & Fitness: Take advantage of our on-site CrossFit-style gym, featuring a full-time personal trainer dedicated to helping you reach your fitness goals. Whether you're into group classes, virtual personal training, personalized workout plans, or nutrition coaching, weve got you covered!Exclusive Employee Perks: PTR Swag & a Uniform/Boot Allowance, On-site Micro-Markets stocked with snacks & essentials, discounts on phone plans, supplier vehicles, mobile detailing, tools, & equipmentand much more!Profit SharingYour Success, rewarded: At PTR, we believe in sharing success. Our Profit-SharingComprehensive BenefitsStarting Day One:Premium healthcare coverage401matching & long-term financial planning Paid time off that lets you recharge Life, accidental death, and disability coverage Ongoing learning & development opportunitiesTraining, Growth & RecognitionWe partner with Predictive Index to better understand your strengths, ensuring tailored coaching, structured training, and career development. Performance and attitude evaluations every 6 months keep you on track for growth.Culture & ConnectionMore Than Just a JobAt PTR, we dont just build relationships with our customerswe build them with each other. Our tech-forward, highly collaborative culture is rooted in our core values. Connect and engage through:PTR Field Days & Team EventsThe Extra Mile Recognition ProgramPTR Text Alerts & Open CommunicationPremier Truck Rental Is an Equal Opportunity Employer We are an equal opportunity employer and all qualified applicants will receive consideration for employment without regard to race, color, religion, sex, national origin, disability status, protected veteran status, or any other characteristic protected by law. If you need support or accommodation due to a disability, contact us at PI6e547fa1c5-
    #premier #truck #rental #inside #sales
    Premier Truck Rental: Inside Sales Representative - Remote Salt Lake Area
    Are you in search of a company that resonates with your proactive spirit and entrepreneurial mindset? Your search ends here with Premier Truck Rental! Company Overview At Premier Truck Rental, we provide customized commercial fleet rentals nationwide, helping businesses get the right trucks and equipment to get the job done. Headquartered in Fort Wayne, Indiana, PTR is a family-owned company built on a foundation of integrity, innovation, and exceptional service. We serve a wide range of industriesincluding construction, utilities, and infrastructureby delivering high-quality, ready-to-work trucks and trailers tailored to each customers needs. At PTR, we dont just rent truckswe partner with our customers to drive efficiency and success on every job site. Please keep reading Not sure if you meet every requirement? Thats okay! We encourage you to apply if youre passionate, hardworking, and eager to contribute. We know that diverse perspectives and experiences make us stronger, and we want you to be part of our journey. Inside Sales Representativeat PTR is a friendly, people-oriented, and persuasive steward of the sales process. This role will support our Territory Managers with their sales pipeline while also prospecting and cross-selling PTR products themselves. This support includes driving results by enrolling the commitment and buy-in of other internal departments to achieve sales initiatives. The Inside Sales Representative will also represent PTRs commitment to being our customers easy button by serving as the main point of contact. They will be the front-line hero by assisting them in making informed decisions, providing guidance on our rentals, and resolving any issues they might face. We are seeking someone eager to develop their sales skills and grow within our organization. This role is designed as a stepping stone to a Territory Sales Managerposition, providing hands-on experience with customer interactions, lead qualification, and sales process execution. Ideal candidates will demonstrate a strong drive for results, the ability to build relationships, and a proactive approach to learning and development. High-performing ISRs will have the opportunity to be mentored, trained, and considered for promotion into a TSM role as part of their career path at PTR. COMPENSATION This position offers a competitive compensation package of base salaryplus uncapped commissions =OTE annually. RESPONSIBILITIES Offer top-notch customer service and respond with a sense of urgency for goal achievement in a fast-paced sales environment. Build a strong pipeline of customers by qualifying potential leads in your territory. This includes strategic prospecting and sourcing. Develop creative ways to engage and build rapport with prospective customers by pitching the Premier Truck Rental value proposition. Partner with assigned Territory Managers by assisting with scheduling customer visits, trade shows, new customer hand-offs, and any other travel requested. Facilitate in-person meetings and set appointments with prospective customers. Qualify and quote inquiries for your prospective territories both online and from the Territory Manager. Input data into the system with accuracy and follow up in a timely fashion. Facilitate the onboarding of new customers through the credit process. Drive collaboration between customers, Territory Managers, Logistics, and internal teams to coordinate On-Rent and Off-Rent notices with excellent attention to detail. Identify and arrange the swap of equipment from customers meeting the PTR de-fleeting criteria. Manage the sales tools to organize, compile, and analyze data with accuracy for a variety of activities and multiple projects occurring simultaneously.Building and developing a new 3-4 state territory! REQUIREMENTS MUST HAVE2+ years of strategic prospecting or account manager/sales experience; or an advanced degree or equivalent experience converting prospects into closed sales. Tech-forward approach to sales strategy. Excellent prospecting, follow-up, and follow-through skills. Committed to seeing deals through completion. Accountability and ownership of the sales process and a strong commitment to results. Comfortable with a job that has a variety of tasks and is dynamic and changing. Proactive prospecting skills and can overcome objections; driven to establish relationships with new customers. Ability to communicate in a clear, logical manner in formal and informal situations. Proficiency in CRMs and sales tracking systems Hunters mindsetsomeone who thrives on pursuing new business, driving outbound sales, and generating qualified opportunities. Prospecting: Going on LinkedIn, Looking at Competitor data, grabbing contacts for the TM, may use technology like Apollo and LinkedIn Sales Navigator Partner closely with the Territory Manager to ensure a unified approach in managing customer relationships, pipeline development, and revenue growth. Maintain clear and consistent communication to align on sales strategies, customer needs, and market opportunities, fostering a seamless and collaborative partnership with the Territory Manager. Consistently meet and exceed key performance indicators, including rental revenue, upfit revenue, and conversion rates, by actively managing customer accounts and identifying growth opportunities. Support the saturation and maturation of the customer base through strategic outreach, relationship management, and alignment with the Territory Manager to drive long-term success. Remote in the United States with some travel to trade shows, quarterly travel up to a week at a time, and sales meetingsNICE TO HAVE Rental and/or sales experience in the industry. Proficiency in , Apollo.io , LinkedIn Sales Navigator, Power BI, MS Dynamics, Chat GPT. Established relationships within the marketplace or territory. Motivated to grow into outside territory management position with relocation On Target Earnings:EMPLOYEE BENEFITSWellness & Fitness: Take advantage of our on-site CrossFit-style gym, featuring a full-time personal trainer dedicated to helping you reach your fitness goals. Whether you're into group classes, virtual personal training, personalized workout plans, or nutrition coaching, weve got you covered!Exclusive Employee Perks: PTR Swag & a Uniform/Boot Allowance, On-site Micro-Markets stocked with snacks & essentials, discounts on phone plans, supplier vehicles, mobile detailing, tools, & equipmentand much more!Profit SharingYour Success, rewarded: At PTR, we believe in sharing success. Our Profit-SharingComprehensive BenefitsStarting Day One:Premium healthcare coverage401matching & long-term financial planning Paid time off that lets you recharge Life, accidental death, and disability coverage Ongoing learning & development opportunitiesTraining, Growth & RecognitionWe partner with Predictive Index to better understand your strengths, ensuring tailored coaching, structured training, and career development. Performance and attitude evaluations every 6 months keep you on track for growth.Culture & ConnectionMore Than Just a JobAt PTR, we dont just build relationships with our customerswe build them with each other. Our tech-forward, highly collaborative culture is rooted in our core values. Connect and engage through:PTR Field Days & Team EventsThe Extra Mile Recognition ProgramPTR Text Alerts & Open CommunicationPremier Truck Rental Is an Equal Opportunity Employer We are an equal opportunity employer and all qualified applicants will receive consideration for employment without regard to race, color, religion, sex, national origin, disability status, protected veteran status, or any other characteristic protected by law. If you need support or accommodation due to a disability, contact us at PI6e547fa1c5- #premier #truck #rental #inside #sales
    WEWORKREMOTELY.COM
    Premier Truck Rental: Inside Sales Representative - Remote Salt Lake Area
    Are you in search of a company that resonates with your proactive spirit and entrepreneurial mindset? Your search ends here with Premier Truck Rental! Company Overview At Premier Truck Rental (PTR), we provide customized commercial fleet rentals nationwide, helping businesses get the right trucks and equipment to get the job done. Headquartered in Fort Wayne, Indiana, PTR is a family-owned company built on a foundation of integrity, innovation, and exceptional service. We serve a wide range of industriesincluding construction, utilities, and infrastructureby delivering high-quality, ready-to-work trucks and trailers tailored to each customers needs. At PTR, we dont just rent truckswe partner with our customers to drive efficiency and success on every job site. Please keep reading Not sure if you meet every requirement? Thats okay! We encourage you to apply if youre passionate, hardworking, and eager to contribute. We know that diverse perspectives and experiences make us stronger, and we want you to be part of our journey. Inside Sales Representative (ISR) at PTR is a friendly, people-oriented, and persuasive steward of the sales process. This role will support our Territory Managers with their sales pipeline while also prospecting and cross-selling PTR products themselves. This support includes driving results by enrolling the commitment and buy-in of other internal departments to achieve sales initiatives. The Inside Sales Representative will also represent PTRs commitment to being our customers easy button by serving as the main point of contact. They will be the front-line hero by assisting them in making informed decisions, providing guidance on our rentals, and resolving any issues they might face. We are seeking someone eager to develop their sales skills and grow within our organization. This role is designed as a stepping stone to a Territory Sales Manager (TSM) position, providing hands-on experience with customer interactions, lead qualification, and sales process execution. Ideal candidates will demonstrate a strong drive for results, the ability to build relationships, and a proactive approach to learning and development. High-performing ISRs will have the opportunity to be mentored, trained, and considered for promotion into a TSM role as part of their career path at PTR. COMPENSATION This position offers a competitive compensation package of base salary ($50,000/yr) plus uncapped commissions =OTE $85,000 annually. RESPONSIBILITIES Offer top-notch customer service and respond with a sense of urgency for goal achievement in a fast-paced sales environment. Build a strong pipeline of customers by qualifying potential leads in your territory. This includes strategic prospecting and sourcing. Develop creative ways to engage and build rapport with prospective customers by pitching the Premier Truck Rental value proposition. Partner with assigned Territory Managers by assisting with scheduling customer visits, trade shows, new customer hand-offs, and any other travel requested. Facilitate in-person meetings and set appointments with prospective customers. Qualify and quote inquiries for your prospective territories both online and from the Territory Manager. Input data into the system with accuracy and follow up in a timely fashion. Facilitate the onboarding of new customers through the credit process. Drive collaboration between customers, Territory Managers, Logistics, and internal teams to coordinate On-Rent and Off-Rent notices with excellent attention to detail. Identify and arrange the swap of equipment from customers meeting the PTR de-fleeting criteria. Manage the sales tools to organize, compile, and analyze data with accuracy for a variety of activities and multiple projects occurring simultaneously.Building and developing a new 3-4 state territory! REQUIREMENTS MUST HAVE2+ years of strategic prospecting or account manager/sales experience; or an advanced degree or equivalent experience converting prospects into closed sales. Tech-forward approach to sales strategy. Excellent prospecting, follow-up, and follow-through skills. Committed to seeing deals through completion. Accountability and ownership of the sales process and a strong commitment to results. Comfortable with a job that has a variety of tasks and is dynamic and changing. Proactive prospecting skills and can overcome objections; driven to establish relationships with new customers. Ability to communicate in a clear, logical manner in formal and informal situations. Proficiency in CRMs and sales tracking systems Hunters mindsetsomeone who thrives on pursuing new business, driving outbound sales, and generating qualified opportunities. Prospecting: Going on LinkedIn, Looking at Competitor data, grabbing contacts for the TM, may use technology like Apollo and LinkedIn Sales Navigator Partner closely with the Territory Manager to ensure a unified approach in managing customer relationships, pipeline development, and revenue growth. Maintain clear and consistent communication to align on sales strategies, customer needs, and market opportunities, fostering a seamless and collaborative partnership with the Territory Manager. Consistently meet and exceed key performance indicators (KPIs), including rental revenue, upfit revenue, and conversion rates, by actively managing customer accounts and identifying growth opportunities. Support the saturation and maturation of the customer base through strategic outreach, relationship management, and alignment with the Territory Manager to drive long-term success. Remote in the United States with some travel to trade shows, quarterly travel up to a week at a time, and sales meetingsNICE TO HAVE Rental and/or sales experience in the industry. Proficiency in , Apollo.io , LinkedIn Sales Navigator, Power BI, MS Dynamics, Chat GPT. Established relationships within the marketplace or territory. Motivated to grow into outside territory management position with relocation On Target Earnings: ($85,000)EMPLOYEE BENEFITSWellness & Fitness: Take advantage of our on-site CrossFit-style gym, featuring a full-time personal trainer dedicated to helping you reach your fitness goals. Whether you're into group classes, virtual personal training, personalized workout plans, or nutrition coaching, weve got you covered!Exclusive Employee Perks: PTR Swag & a Uniform/Boot Allowance, On-site Micro-Markets stocked with snacks & essentials, discounts on phone plans, supplier vehicles, mobile detailing, tools, & equipmentand much more!Profit SharingYour Success, rewarded: At PTR, we believe in sharing success. Our Profit-SharingComprehensive BenefitsStarting Day One:Premium healthcare coverage (medical, dental, vision, mental health & virtual healthcare)401(k) matching & long-term financial planning Paid time off that lets you recharge Life, accidental death, and disability coverage Ongoing learning & development opportunitiesTraining, Growth & RecognitionWe partner with Predictive Index to better understand your strengths, ensuring tailored coaching, structured training, and career development. Performance and attitude evaluations every 6 months keep you on track for growth.Culture & ConnectionMore Than Just a JobAt PTR, we dont just build relationships with our customerswe build them with each other. Our tech-forward, highly collaborative culture is rooted in our core values. Connect and engage through:PTR Field Days & Team EventsThe Extra Mile Recognition ProgramPTR Text Alerts & Open CommunicationPremier Truck Rental Is an Equal Opportunity Employer We are an equal opportunity employer and all qualified applicants will receive consideration for employment without regard to race, color, religion, sex, national origin, disability status, protected veteran status, or any other characteristic protected by law. If you need support or accommodation due to a disability, contact us at PI6e547fa1c5-
    0 Comentários 0 Compartilhamentos
  • Op-ed: Canada’s leadership in solar air heating—Innovation and flagship projects

    Solar air heating is among the most cost-effective applications of solar thermal energy. These systems are used for space heating and preheating fresh air for ventilation, typically using glazed or unglazed perforated solar collectors. The collectors draw in outside air, heat it using solar energy, and then distribute it through ductwork to meet building heating and fresh air needs. In 2024, Canada led again the world for the at least seventh year in a row in solar air heating adoption. The four key suppliers – Trigo Energies, Conserval Engineering, Matrix Energy, and Aéronergie – reported a combined 26,203 m2of collector area sold last year. Several of these providers are optimistic about the growing demand. These findings come from the newly released Canadian Solar Thermal Market Survey 2024, commissioned by Natural Resources Canada.
    Canada is the global leader in solar air heating. The market is driven by a strong network of experienced system suppliers, optimized technologies, and a few small favorable funding programs – especially in the province of Quebec. Architects and developers are increasingly turning to these cost-effective, façade-integrated systems as a practical solution for reducing onsite natural gas consumption.
    Despite its cold climate, Canada benefits from strong solar potential with solar irradiance in many areas rivaling or even exceeding that of parts of Europe. This makes solar air heating not only viable, but especially valuable in buildings with high fresh air requirements including schools, hospitals, and offices. The projects highlighted in this article showcase the versatility and relevance of solar air heating across a range of building types, from new constructions to retrofits.
    Figure 1: Preheating air for industrial buildings: 2,750 m2of Calento SL solar air collectors cover all south-west and south-east facing facades of the FAB3R factory in Trois-Rivières, Quebec. The hourly unitary flow rate is set at 41 m3/m2 or 2.23 cfm/ft2 of collector area, at the lower range because only a limited number of intake fans was close enough to the solar façade to avoid long ventilation ductwork. Photo: Trigo Energies
    Quebec’s solar air heating boom: the Trigo Energies story
    Trigo Energies makes almost 90 per cent of its sales in Quebec. “We profit from great subsidies, as solar air systems are supported by several organizations in our province – the electricity utility Hydro Quebec, the gas utility Energir and the Ministry of Natural Resources,” explained Christian Vachon, Vice President Technologies and R&D at Trigo Energies.
    Trigo Energies currently has nine employees directly involved in planning, engineering and installing solar air heating systems and teams up with several partner contractors to install mostly retrofit projects. “A high degree of engineering is required to fit a solar heating system into an existing factory,” emphasized Vachon. “Knowledge about HVAC engineering is as important as experience with solar thermal and architecture.”
    One recent Trigo installation is at the FAB3R factory in Trois-Rivières. FAB3R specializes in manufacturing, repairing, and refurbishing large industrial equipment. Its air heating and ventilation system needed urgent renovation because of leakages and discomfort for the workers. “Due to many positive references he had from industries in the area, the owner of FAB3R contacted us,” explained Vachon. “The existence of subsidies helped the client to go for a retrofitting project including solar façade at once instead of fixing the problems one bit at a time.” Approximately 50 per cent of the investment costs for both the solar air heating and the renovation of the indoor ventilation system were covered by grants and subsidies. FAB3R profited from an Energir grant targeted at solar preheating, plus an investment subsidy from the Government of Quebec’s EcoPerformance Programme.
     
    Blue or black, but always efficient: the advanced absorber coating
    In October 2024, the majority of the new 2,750 m²solar façade at FAB3R began operation. According to Vachon, the system is expected to cover approximately 13 per cent of the factory’s annual heating demand, which is otherwise met by natural gas. Trigo Energies equipped the façade with its high-performance Calento SL collectors, featuring a notable innovation: a selective, low-emissivity coating that withstands outdoor conditions. Introduced by Trigo in 2019 and manufactured by Almeco Group from Italy, this advanced coating is engineered to maximize solar absorption while minimizing heat loss via infrared emission, enhancing the overall efficiency of the system.
    The high efficiency coating is now standard in Trigo’s air heating systems. According to the manufacturer, the improved collector design shows a 25 to 35 per cent increase in yield over the former generation of solar air collectors with black paint. Testing conducted at Queen’s University confirms this performance advantage. Researchers measured the performance of transpired solar air collectors both with and without a selective coating, mounted side-by-side on a south-facing vertical wall. The results showed that the collectors with the selective coating produced 1.3 to 1.5 times more energy than those without it. In 2024, the monitoring results were jointly published by Queen’s University and Canmat Energy in a paper titled Performance Comparison of a Transpired Air Solar Collector with Low-E Surface Coating.
    Selective coating, also used on other solar thermal technologies including glazed flat plate or vacuum tube collectors, has a distinctive blue color. Trigo customers can, however, choose between blue and black finishes. “By going from the normal blue selective coating to black selective coating, which Almeco is specially producing for Trigo, we lose about 1 per cent in solar efficiency,” explained Vachon.
    Figure 2: Building-integrated solar air heating façade with MatrixAir collectors at the firehall building in Mont Saint Hilaire, south of Montreal. The 190 m2south-facing wall preheats the fresh air, reducing natural gas consumption by 18 per cent compared to the conventional make-up system. Architect: Leclerc Architecture. Photo: Matrix Energy
    Matrix Energy: collaborating with architects and engineers in new builds
    The key target customer group of Matrix Energy are public buildings – mainly new construction. “Since the pandemic, schools are more conscious about fresh air, and solar preheating of the incoming fresh air has a positive impact over the entire school year,” noted Brian Wilkinson, President of Matrix Energy.
    Matrix Energy supplies systems across Canada, working with local partners to source and process the metal sheets used in their MatrixAir collectors. These metal sheets are perforated and then formed into architectural cladding profiles. The company exclusively offers unglazed, single-stage collectors, citing fire safety concerns associated with polymeric covers.
    “We have strong relationships with many architects and engineers who appreciate the simplicity and cost-effectiveness of transpired solar air heating systems,” said President Brian Wilkinson, describing the company’s sales approach. “Matrix handles system design and supplies the necessary materials, while installation is carried out by specialized cladding and HVAC contractors overseen by on-site architects and engineers,” Wilkinson added.
    Finding the right flow: the importance of unitary airflow rates
    One of the key design factors in solar air heating systems is the amount of air that passes through each square meter of the perforated metal absorber,  known as the unitary airflow rate. The principle is straightforward: higher airflow rates deliver more total heat to the building, while lower flow rates result in higher outlet air temperatures. Striking the right balance between air volume and temperature gain is essential for efficient system performance.
    For unglazed collectors mounted on building façades, typical hourly flow rates should range between 120 and 170, or 6.6 to 9.4 cfm/ft2. However, Wilkinson suggests that an hourly airflow rate of around 130 m³/h/m²offers the best cost-benefit balance for building owners. If the airflow is lower, the system will deliver higher air temperatures, but it would then need a much larger collector area to achieve the same air volume and optimum performance, he explained.
    It’s also crucial for the flow rate to overcome external wind pressure. As wind passes over the absorber, air flow through the collector’s perforations is reduced, resulting in heat losses to the environment. This effect becomes even more pronounced in taller buildings, where wind exposure is greater. To ensure the system performs well even in these conditions, higher hourly airflow rates typically between 150 and 170 m³/m² are necessary.
    Figure 3: One of three apartment blocks of the Maple House in Toronto’s Canary District. Around 160 m2of SolarWall collectors clad the two-storey mechanical penthouse on the roof. The rental flats have been occupied since the beginning of 2024. Collaborators: architects-Alliance, Claude Cormier et Associés, Thornton Tomasetti, RWDI, Cole Engineering, DesignAgency, MVShore, BA Group, EllisDon. Photo: Conserval Engineering
    Solar air heating systems support LEED-certified building designs
    Solar air collectors are also well-suited for use in multi-unit residential buildings. A prime example is the Canary District in Toronto, where single-stage SolarWall collectors from Conserval Engineering have been installed on several MURBs to clad the mechanical penthouses. “These penthouses are an ideal location for our air heating collectors, as they contain the make-up air units that supply corridor ventilation throughout the building,” explained Victoria Hollick, Vice President of Conserval Engineering. “The walls are typically finished with metal façades, which can be seamlessly replaced with a SolarWall system – maintaining the architectural language without disruption.” To date, nine solar air heating systems have been commissioned in the Canary District, covering a total collector area of over 1,000 m².
    “Our customers have many motivations to integrate SolarWall technology into their new construction or retrofit projects, either carbon reduction, ESG, or green building certification targets,” explained Hollick.
    The use of solar air collectors in the Canary District was proposed by architects from the Danish firm Cobe. The black-colored SolarWall system preheats incoming air before it is distributed to the building’s corridors and common areas, reducing reliance on natural gas heating and supporting the pursuit of LEED Gold certification. Hollick estimates the amount of gas saved between 10 to 20 per cent of the total heating load for the corridor ventilation of the multi-unit residential buildings. Additional energy-saving strategies include a 50/50 window-to-wall ratio with high-performance glazing, green roofs, high-efficiency mechanical systems, LED lighting, and Energy Star-certified appliances.
    The ideal orientation for a SolarWall system is due south. However, the systems can be built at any orientation up to 90° east and west, explained Hollick. A SolarWall at 90° would have approximately 60 per cent of the energy production of the same area facing south.Canada’s expertise in solar air heating continues to set a global benchmark, driven by supporting R&D, by innovative technologies, strategic partnerships, and a growing portfolio of high-impact projects. With strong policy support and proven performance, solar air heating is poised to play a key role in the country’s energy-efficient building future.
    Figure 4: Claude-Bechard Building in Quebec is a showcase project for sustainable architecture with a 72 m2Lubi solar air heating wall from Aéronergie. It serves as a regional administrative center. Architectural firm: Goulet et Lebel Architectes. Photo: Art Massif

    Bärbel Epp is the general manager of the German Agency solrico, whose focus is on solar market research and international communication.
    The post Op-ed: Canada’s leadership in solar air heating—Innovation and flagship projects appeared first on Canadian Architect.
    #oped #canadas #leadership #solar #air
    Op-ed: Canada’s leadership in solar air heating—Innovation and flagship projects
    Solar air heating is among the most cost-effective applications of solar thermal energy. These systems are used for space heating and preheating fresh air for ventilation, typically using glazed or unglazed perforated solar collectors. The collectors draw in outside air, heat it using solar energy, and then distribute it through ductwork to meet building heating and fresh air needs. In 2024, Canada led again the world for the at least seventh year in a row in solar air heating adoption. The four key suppliers – Trigo Energies, Conserval Engineering, Matrix Energy, and Aéronergie – reported a combined 26,203 m2of collector area sold last year. Several of these providers are optimistic about the growing demand. These findings come from the newly released Canadian Solar Thermal Market Survey 2024, commissioned by Natural Resources Canada. Canada is the global leader in solar air heating. The market is driven by a strong network of experienced system suppliers, optimized technologies, and a few small favorable funding programs – especially in the province of Quebec. Architects and developers are increasingly turning to these cost-effective, façade-integrated systems as a practical solution for reducing onsite natural gas consumption. Despite its cold climate, Canada benefits from strong solar potential with solar irradiance in many areas rivaling or even exceeding that of parts of Europe. This makes solar air heating not only viable, but especially valuable in buildings with high fresh air requirements including schools, hospitals, and offices. The projects highlighted in this article showcase the versatility and relevance of solar air heating across a range of building types, from new constructions to retrofits. Figure 1: Preheating air for industrial buildings: 2,750 m2of Calento SL solar air collectors cover all south-west and south-east facing facades of the FAB3R factory in Trois-Rivières, Quebec. The hourly unitary flow rate is set at 41 m3/m2 or 2.23 cfm/ft2 of collector area, at the lower range because only a limited number of intake fans was close enough to the solar façade to avoid long ventilation ductwork. Photo: Trigo Energies Quebec’s solar air heating boom: the Trigo Energies story Trigo Energies makes almost 90 per cent of its sales in Quebec. “We profit from great subsidies, as solar air systems are supported by several organizations in our province – the electricity utility Hydro Quebec, the gas utility Energir and the Ministry of Natural Resources,” explained Christian Vachon, Vice President Technologies and R&D at Trigo Energies. Trigo Energies currently has nine employees directly involved in planning, engineering and installing solar air heating systems and teams up with several partner contractors to install mostly retrofit projects. “A high degree of engineering is required to fit a solar heating system into an existing factory,” emphasized Vachon. “Knowledge about HVAC engineering is as important as experience with solar thermal and architecture.” One recent Trigo installation is at the FAB3R factory in Trois-Rivières. FAB3R specializes in manufacturing, repairing, and refurbishing large industrial equipment. Its air heating and ventilation system needed urgent renovation because of leakages and discomfort for the workers. “Due to many positive references he had from industries in the area, the owner of FAB3R contacted us,” explained Vachon. “The existence of subsidies helped the client to go for a retrofitting project including solar façade at once instead of fixing the problems one bit at a time.” Approximately 50 per cent of the investment costs for both the solar air heating and the renovation of the indoor ventilation system were covered by grants and subsidies. FAB3R profited from an Energir grant targeted at solar preheating, plus an investment subsidy from the Government of Quebec’s EcoPerformance Programme.   Blue or black, but always efficient: the advanced absorber coating In October 2024, the majority of the new 2,750 m²solar façade at FAB3R began operation. According to Vachon, the system is expected to cover approximately 13 per cent of the factory’s annual heating demand, which is otherwise met by natural gas. Trigo Energies equipped the façade with its high-performance Calento SL collectors, featuring a notable innovation: a selective, low-emissivity coating that withstands outdoor conditions. Introduced by Trigo in 2019 and manufactured by Almeco Group from Italy, this advanced coating is engineered to maximize solar absorption while minimizing heat loss via infrared emission, enhancing the overall efficiency of the system. The high efficiency coating is now standard in Trigo’s air heating systems. According to the manufacturer, the improved collector design shows a 25 to 35 per cent increase in yield over the former generation of solar air collectors with black paint. Testing conducted at Queen’s University confirms this performance advantage. Researchers measured the performance of transpired solar air collectors both with and without a selective coating, mounted side-by-side on a south-facing vertical wall. The results showed that the collectors with the selective coating produced 1.3 to 1.5 times more energy than those without it. In 2024, the monitoring results were jointly published by Queen’s University and Canmat Energy in a paper titled Performance Comparison of a Transpired Air Solar Collector with Low-E Surface Coating. Selective coating, also used on other solar thermal technologies including glazed flat plate or vacuum tube collectors, has a distinctive blue color. Trigo customers can, however, choose between blue and black finishes. “By going from the normal blue selective coating to black selective coating, which Almeco is specially producing for Trigo, we lose about 1 per cent in solar efficiency,” explained Vachon. Figure 2: Building-integrated solar air heating façade with MatrixAir collectors at the firehall building in Mont Saint Hilaire, south of Montreal. The 190 m2south-facing wall preheats the fresh air, reducing natural gas consumption by 18 per cent compared to the conventional make-up system. Architect: Leclerc Architecture. Photo: Matrix Energy Matrix Energy: collaborating with architects and engineers in new builds The key target customer group of Matrix Energy are public buildings – mainly new construction. “Since the pandemic, schools are more conscious about fresh air, and solar preheating of the incoming fresh air has a positive impact over the entire school year,” noted Brian Wilkinson, President of Matrix Energy. Matrix Energy supplies systems across Canada, working with local partners to source and process the metal sheets used in their MatrixAir collectors. These metal sheets are perforated and then formed into architectural cladding profiles. The company exclusively offers unglazed, single-stage collectors, citing fire safety concerns associated with polymeric covers. “We have strong relationships with many architects and engineers who appreciate the simplicity and cost-effectiveness of transpired solar air heating systems,” said President Brian Wilkinson, describing the company’s sales approach. “Matrix handles system design and supplies the necessary materials, while installation is carried out by specialized cladding and HVAC contractors overseen by on-site architects and engineers,” Wilkinson added. Finding the right flow: the importance of unitary airflow rates One of the key design factors in solar air heating systems is the amount of air that passes through each square meter of the perforated metal absorber,  known as the unitary airflow rate. The principle is straightforward: higher airflow rates deliver more total heat to the building, while lower flow rates result in higher outlet air temperatures. Striking the right balance between air volume and temperature gain is essential for efficient system performance. For unglazed collectors mounted on building façades, typical hourly flow rates should range between 120 and 170, or 6.6 to 9.4 cfm/ft2. However, Wilkinson suggests that an hourly airflow rate of around 130 m³/h/m²offers the best cost-benefit balance for building owners. If the airflow is lower, the system will deliver higher air temperatures, but it would then need a much larger collector area to achieve the same air volume and optimum performance, he explained. It’s also crucial for the flow rate to overcome external wind pressure. As wind passes over the absorber, air flow through the collector’s perforations is reduced, resulting in heat losses to the environment. This effect becomes even more pronounced in taller buildings, where wind exposure is greater. To ensure the system performs well even in these conditions, higher hourly airflow rates typically between 150 and 170 m³/m² are necessary. Figure 3: One of three apartment blocks of the Maple House in Toronto’s Canary District. Around 160 m2of SolarWall collectors clad the two-storey mechanical penthouse on the roof. The rental flats have been occupied since the beginning of 2024. Collaborators: architects-Alliance, Claude Cormier et Associés, Thornton Tomasetti, RWDI, Cole Engineering, DesignAgency, MVShore, BA Group, EllisDon. Photo: Conserval Engineering Solar air heating systems support LEED-certified building designs Solar air collectors are also well-suited for use in multi-unit residential buildings. A prime example is the Canary District in Toronto, where single-stage SolarWall collectors from Conserval Engineering have been installed on several MURBs to clad the mechanical penthouses. “These penthouses are an ideal location for our air heating collectors, as they contain the make-up air units that supply corridor ventilation throughout the building,” explained Victoria Hollick, Vice President of Conserval Engineering. “The walls are typically finished with metal façades, which can be seamlessly replaced with a SolarWall system – maintaining the architectural language without disruption.” To date, nine solar air heating systems have been commissioned in the Canary District, covering a total collector area of over 1,000 m². “Our customers have many motivations to integrate SolarWall technology into their new construction or retrofit projects, either carbon reduction, ESG, or green building certification targets,” explained Hollick. The use of solar air collectors in the Canary District was proposed by architects from the Danish firm Cobe. The black-colored SolarWall system preheats incoming air before it is distributed to the building’s corridors and common areas, reducing reliance on natural gas heating and supporting the pursuit of LEED Gold certification. Hollick estimates the amount of gas saved between 10 to 20 per cent of the total heating load for the corridor ventilation of the multi-unit residential buildings. Additional energy-saving strategies include a 50/50 window-to-wall ratio with high-performance glazing, green roofs, high-efficiency mechanical systems, LED lighting, and Energy Star-certified appliances. The ideal orientation for a SolarWall system is due south. However, the systems can be built at any orientation up to 90° east and west, explained Hollick. A SolarWall at 90° would have approximately 60 per cent of the energy production of the same area facing south.Canada’s expertise in solar air heating continues to set a global benchmark, driven by supporting R&D, by innovative technologies, strategic partnerships, and a growing portfolio of high-impact projects. With strong policy support and proven performance, solar air heating is poised to play a key role in the country’s energy-efficient building future. Figure 4: Claude-Bechard Building in Quebec is a showcase project for sustainable architecture with a 72 m2Lubi solar air heating wall from Aéronergie. It serves as a regional administrative center. Architectural firm: Goulet et Lebel Architectes. Photo: Art Massif Bärbel Epp is the general manager of the German Agency solrico, whose focus is on solar market research and international communication. The post Op-ed: Canada’s leadership in solar air heating—Innovation and flagship projects appeared first on Canadian Architect. #oped #canadas #leadership #solar #air
    WWW.CANADIANARCHITECT.COM
    Op-ed: Canada’s leadership in solar air heating—Innovation and flagship projects
    Solar air heating is among the most cost-effective applications of solar thermal energy. These systems are used for space heating and preheating fresh air for ventilation, typically using glazed or unglazed perforated solar collectors. The collectors draw in outside air, heat it using solar energy, and then distribute it through ductwork to meet building heating and fresh air needs. In 2024, Canada led again the world for the at least seventh year in a row in solar air heating adoption. The four key suppliers – Trigo Energies, Conserval Engineering, Matrix Energy, and Aéronergie – reported a combined 26,203 m2 (282,046 ft2) of collector area sold last year. Several of these providers are optimistic about the growing demand. These findings come from the newly released Canadian Solar Thermal Market Survey 2024, commissioned by Natural Resources Canada. Canada is the global leader in solar air heating. The market is driven by a strong network of experienced system suppliers, optimized technologies, and a few small favorable funding programs – especially in the province of Quebec. Architects and developers are increasingly turning to these cost-effective, façade-integrated systems as a practical solution for reducing onsite natural gas consumption. Despite its cold climate, Canada benefits from strong solar potential with solar irradiance in many areas rivaling or even exceeding that of parts of Europe. This makes solar air heating not only viable, but especially valuable in buildings with high fresh air requirements including schools, hospitals, and offices. The projects highlighted in this article showcase the versatility and relevance of solar air heating across a range of building types, from new constructions to retrofits. Figure 1: Preheating air for industrial buildings: 2,750 m2 (29,600 ft2) of Calento SL solar air collectors cover all south-west and south-east facing facades of the FAB3R factory in Trois-Rivières, Quebec. The hourly unitary flow rate is set at 41 m3/m2 or 2.23 cfm/ft2 of collector area, at the lower range because only a limited number of intake fans was close enough to the solar façade to avoid long ventilation ductwork. Photo: Trigo Energies Quebec’s solar air heating boom: the Trigo Energies story Trigo Energies makes almost 90 per cent of its sales in Quebec. “We profit from great subsidies, as solar air systems are supported by several organizations in our province – the electricity utility Hydro Quebec, the gas utility Energir and the Ministry of Natural Resources,” explained Christian Vachon, Vice President Technologies and R&D at Trigo Energies. Trigo Energies currently has nine employees directly involved in planning, engineering and installing solar air heating systems and teams up with several partner contractors to install mostly retrofit projects. “A high degree of engineering is required to fit a solar heating system into an existing factory,” emphasized Vachon. “Knowledge about HVAC engineering is as important as experience with solar thermal and architecture.” One recent Trigo installation is at the FAB3R factory in Trois-Rivières. FAB3R specializes in manufacturing, repairing, and refurbishing large industrial equipment. Its air heating and ventilation system needed urgent renovation because of leakages and discomfort for the workers. “Due to many positive references he had from industries in the area, the owner of FAB3R contacted us,” explained Vachon. “The existence of subsidies helped the client to go for a retrofitting project including solar façade at once instead of fixing the problems one bit at a time.” Approximately 50 per cent of the investment costs for both the solar air heating and the renovation of the indoor ventilation system were covered by grants and subsidies. FAB3R profited from an Energir grant targeted at solar preheating, plus an investment subsidy from the Government of Quebec’s EcoPerformance Programme.   Blue or black, but always efficient: the advanced absorber coating In October 2024, the majority of the new 2,750 m² (29,600 ft2) solar façade at FAB3R began operation (see figure 1). According to Vachon, the system is expected to cover approximately 13 per cent of the factory’s annual heating demand, which is otherwise met by natural gas. Trigo Energies equipped the façade with its high-performance Calento SL collectors, featuring a notable innovation: a selective, low-emissivity coating that withstands outdoor conditions. Introduced by Trigo in 2019 and manufactured by Almeco Group from Italy, this advanced coating is engineered to maximize solar absorption while minimizing heat loss via infrared emission, enhancing the overall efficiency of the system. The high efficiency coating is now standard in Trigo’s air heating systems. According to the manufacturer, the improved collector design shows a 25 to 35 per cent increase in yield over the former generation of solar air collectors with black paint. Testing conducted at Queen’s University confirms this performance advantage. Researchers measured the performance of transpired solar air collectors both with and without a selective coating, mounted side-by-side on a south-facing vertical wall. The results showed that the collectors with the selective coating produced 1.3 to 1.5 times more energy than those without it. In 2024, the monitoring results were jointly published by Queen’s University and Canmat Energy in a paper titled Performance Comparison of a Transpired Air Solar Collector with Low-E Surface Coating. Selective coating, also used on other solar thermal technologies including glazed flat plate or vacuum tube collectors, has a distinctive blue color. Trigo customers can, however, choose between blue and black finishes. “By going from the normal blue selective coating to black selective coating, which Almeco is specially producing for Trigo, we lose about 1 per cent in solar efficiency,” explained Vachon. Figure 2: Building-integrated solar air heating façade with MatrixAir collectors at the firehall building in Mont Saint Hilaire, south of Montreal. The 190 m2 (2,045 ft2) south-facing wall preheats the fresh air, reducing natural gas consumption by 18 per cent compared to the conventional make-up system. Architect: Leclerc Architecture. Photo: Matrix Energy Matrix Energy: collaborating with architects and engineers in new builds The key target customer group of Matrix Energy are public buildings – mainly new construction. “Since the pandemic, schools are more conscious about fresh air, and solar preheating of the incoming fresh air has a positive impact over the entire school year,” noted Brian Wilkinson, President of Matrix Energy. Matrix Energy supplies systems across Canada, working with local partners to source and process the metal sheets used in their MatrixAir collectors. These metal sheets are perforated and then formed into architectural cladding profiles. The company exclusively offers unglazed, single-stage collectors, citing fire safety concerns associated with polymeric covers. “We have strong relationships with many architects and engineers who appreciate the simplicity and cost-effectiveness of transpired solar air heating systems,” said President Brian Wilkinson, describing the company’s sales approach. “Matrix handles system design and supplies the necessary materials, while installation is carried out by specialized cladding and HVAC contractors overseen by on-site architects and engineers,” Wilkinson added. Finding the right flow: the importance of unitary airflow rates One of the key design factors in solar air heating systems is the amount of air that passes through each square meter of the perforated metal absorber,  known as the unitary airflow rate. The principle is straightforward: higher airflow rates deliver more total heat to the building, while lower flow rates result in higher outlet air temperatures. Striking the right balance between air volume and temperature gain is essential for efficient system performance. For unglazed collectors mounted on building façades, typical hourly flow rates should range between 120 and 170 (m3/h/m2), or 6.6 to 9.4 cfm/ft2. However, Wilkinson suggests that an hourly airflow rate of around 130 m³/h/m² (7.2 cfm/ft2) offers the best cost-benefit balance for building owners. If the airflow is lower, the system will deliver higher air temperatures, but it would then need a much larger collector area to achieve the same air volume and optimum performance, he explained. It’s also crucial for the flow rate to overcome external wind pressure. As wind passes over the absorber, air flow through the collector’s perforations is reduced, resulting in heat losses to the environment. This effect becomes even more pronounced in taller buildings, where wind exposure is greater. To ensure the system performs well even in these conditions, higher hourly airflow rates typically between 150 and 170 m³/m² (8.3 to 9.4 cfm/ft2)  are necessary. Figure 3: One of three apartment blocks of the Maple House in Toronto’s Canary District. Around 160 m2 (1,722 ft2) of SolarWall collectors clad the two-storey mechanical penthouse on the roof. The rental flats have been occupied since the beginning of 2024. Collaborators: architects-Alliance, Claude Cormier et Associés, Thornton Tomasetti, RWDI, Cole Engineering, DesignAgency, MVShore, BA Group, EllisDon. Photo: Conserval Engineering Solar air heating systems support LEED-certified building designs Solar air collectors are also well-suited for use in multi-unit residential buildings. A prime example is the Canary District in Toronto (see Figure 3), where single-stage SolarWall collectors from Conserval Engineering have been installed on several MURBs to clad the mechanical penthouses. “These penthouses are an ideal location for our air heating collectors, as they contain the make-up air units that supply corridor ventilation throughout the building,” explained Victoria Hollick, Vice President of Conserval Engineering. “The walls are typically finished with metal façades, which can be seamlessly replaced with a SolarWall system – maintaining the architectural language without disruption.” To date, nine solar air heating systems have been commissioned in the Canary District, covering a total collector area of over 1,000 m² (10,764 ft2). “Our customers have many motivations to integrate SolarWall technology into their new construction or retrofit projects, either carbon reduction, ESG, or green building certification targets,” explained Hollick. The use of solar air collectors in the Canary District was proposed by architects from the Danish firm Cobe. The black-colored SolarWall system preheats incoming air before it is distributed to the building’s corridors and common areas, reducing reliance on natural gas heating and supporting the pursuit of LEED Gold certification. Hollick estimates the amount of gas saved between 10 to 20 per cent of the total heating load for the corridor ventilation of the multi-unit residential buildings. Additional energy-saving strategies include a 50/50 window-to-wall ratio with high-performance glazing, green roofs, high-efficiency mechanical systems, LED lighting, and Energy Star-certified appliances. The ideal orientation for a SolarWall system is due south. However, the systems can be built at any orientation up to 90° east and west, explained Hollick. A SolarWall at 90° would have approximately 60 per cent of the energy production of the same area facing south.Canada’s expertise in solar air heating continues to set a global benchmark, driven by supporting R&D, by innovative technologies, strategic partnerships, and a growing portfolio of high-impact projects. With strong policy support and proven performance, solar air heating is poised to play a key role in the country’s energy-efficient building future. Figure 4: Claude-Bechard Building in Quebec is a showcase project for sustainable architecture with a 72 m2 (775 ft2) Lubi solar air heating wall from Aéronergie. It serves as a regional administrative center. Architectural firm: Goulet et Lebel Architectes. Photo: Art Massif Bärbel Epp is the general manager of the German Agency solrico, whose focus is on solar market research and international communication. The post Op-ed: Canada’s leadership in solar air heating—Innovation and flagship projects appeared first on Canadian Architect.
    0 Comentários 0 Compartilhamentos
  • PlayStation Studios boss confident Marathon won't repeat the mistakes of Concord

    PlayStation Studios boss Hermen Hulst has insisted that Bungie's upcoming live service shooter Marathon won't make the same mistakes as Concord.Discussing the company's live service ambitions during a fireside chat aimed at investors, Hulst said the market remains a "great opportunity" for PlayStation despite the company having a decidedly patchy track record when it comes to live service offerings.Last year, the company launched and swiftly scrapped live service hero shooter Concord after it failed to hit the ground running. It shuttered developer Firewalk weeks later after conceding the title "did not hit our targets."Sony scrapped two more live services titles in development at internal studios Bluepoint Games and Bend Studios in January this year. Earlier this week, it confirmed an undisclosed number of workers at Bend had been laid off as the studio transitions to its next project.Hulst said the company has learned hard lessons from those failures, and believes Marathon is well positioned to succeed as a result. "There are som unique challenges associated. We've had some early successes as with Helldivers II. We've also faced some challenges, as with the release of Concord," said Hulst."I think that some really good work went into that title. Some really big efforts. But ultimately that title entered into a hyper-competitive segment of the market. I think it was insufficiently differentiated to be able to resonate with players. So we have reviewed our processes in light of this to deeply understand how and why that title failed to meet expectations—and to ensure that we are not going to make the same mistakes again."Related:PlayStation Studios boss claims the demise of Concord presented a learning opportunityHulst said PlayStation Studios has now implemented more rigorous processes for validating and revalidating its creative, commercial, and development assumptions and hypothesis. "We do that on a much more ongoing basis," he added. "That's the plan that will ensure we're investing in the right opportunities at the right time, all while maintaining much more predictable timelines for Marathon."The upcoming shooter is set to be the first new Bungie title in over a decade—and the first project outside of Destiny the studio has worked on since it was acquired by PlayStation in 2022.Hulst said the aim is to release a "very bold, very innovative, and deeply engaging title." He explained Marathon is currently navigating test cycles that have yielded "varied" feedback, but said those mixed impressions have been "super useful."Related:"That's why you do these tests. The constant testing and constant revalidation of assumptions that we just talked about, to me, is so valuable to iterate and to constantly improves the title," he added. "So when launch comes we're going to give the title the optimal chance of success."Hulst might be exuding confidence, but a recent report from Forbes claimed morale is in "free fall" at Bungie after the studio admitted to using stolen art assets in Marathon. That "varied" player feedback has also reportedly caused concern internally ahead of Marathon's proposed September 23 launch date.The studio was also made to ensure layoffs earlier this year, with Sony cutting 220 roles after exceeding "financial safety margins."
    #playstation #studios #boss #confident #marathon
    PlayStation Studios boss confident Marathon won't repeat the mistakes of Concord
    PlayStation Studios boss Hermen Hulst has insisted that Bungie's upcoming live service shooter Marathon won't make the same mistakes as Concord.Discussing the company's live service ambitions during a fireside chat aimed at investors, Hulst said the market remains a "great opportunity" for PlayStation despite the company having a decidedly patchy track record when it comes to live service offerings.Last year, the company launched and swiftly scrapped live service hero shooter Concord after it failed to hit the ground running. It shuttered developer Firewalk weeks later after conceding the title "did not hit our targets."Sony scrapped two more live services titles in development at internal studios Bluepoint Games and Bend Studios in January this year. Earlier this week, it confirmed an undisclosed number of workers at Bend had been laid off as the studio transitions to its next project.Hulst said the company has learned hard lessons from those failures, and believes Marathon is well positioned to succeed as a result. "There are som unique challenges associated. We've had some early successes as with Helldivers II. We've also faced some challenges, as with the release of Concord," said Hulst."I think that some really good work went into that title. Some really big efforts. But ultimately that title entered into a hyper-competitive segment of the market. I think it was insufficiently differentiated to be able to resonate with players. So we have reviewed our processes in light of this to deeply understand how and why that title failed to meet expectations—and to ensure that we are not going to make the same mistakes again."Related:PlayStation Studios boss claims the demise of Concord presented a learning opportunityHulst said PlayStation Studios has now implemented more rigorous processes for validating and revalidating its creative, commercial, and development assumptions and hypothesis. "We do that on a much more ongoing basis," he added. "That's the plan that will ensure we're investing in the right opportunities at the right time, all while maintaining much more predictable timelines for Marathon."The upcoming shooter is set to be the first new Bungie title in over a decade—and the first project outside of Destiny the studio has worked on since it was acquired by PlayStation in 2022.Hulst said the aim is to release a "very bold, very innovative, and deeply engaging title." He explained Marathon is currently navigating test cycles that have yielded "varied" feedback, but said those mixed impressions have been "super useful."Related:"That's why you do these tests. The constant testing and constant revalidation of assumptions that we just talked about, to me, is so valuable to iterate and to constantly improves the title," he added. "So when launch comes we're going to give the title the optimal chance of success."Hulst might be exuding confidence, but a recent report from Forbes claimed morale is in "free fall" at Bungie after the studio admitted to using stolen art assets in Marathon. That "varied" player feedback has also reportedly caused concern internally ahead of Marathon's proposed September 23 launch date.The studio was also made to ensure layoffs earlier this year, with Sony cutting 220 roles after exceeding "financial safety margins." #playstation #studios #boss #confident #marathon
    WWW.GAMEDEVELOPER.COM
    PlayStation Studios boss confident Marathon won't repeat the mistakes of Concord
    PlayStation Studios boss Hermen Hulst has insisted that Bungie's upcoming live service shooter Marathon won't make the same mistakes as Concord.Discussing the company's live service ambitions during a fireside chat aimed at investors, Hulst said the market remains a "great opportunity" for PlayStation despite the company having a decidedly patchy track record when it comes to live service offerings.Last year, the company launched and swiftly scrapped live service hero shooter Concord after it failed to hit the ground running. It shuttered developer Firewalk weeks later after conceding the title "did not hit our targets."Sony scrapped two more live services titles in development at internal studios Bluepoint Games and Bend Studios in January this year. Earlier this week, it confirmed an undisclosed number of workers at Bend had been laid off as the studio transitions to its next project.Hulst said the company has learned hard lessons from those failures, and believes Marathon is well positioned to succeed as a result. "There are som unique challenges associated [with live service titles]. We've had some early successes as with Helldivers II. We've also faced some challenges, as with the release of Concord," said Hulst."I think that some really good work went into that title. Some really big efforts. But ultimately that title entered into a hyper-competitive segment of the market. I think it was insufficiently differentiated to be able to resonate with players. So we have reviewed our processes in light of this to deeply understand how and why that title failed to meet expectations—and to ensure that we are not going to make the same mistakes again."Related:PlayStation Studios boss claims the demise of Concord presented a learning opportunityHulst said PlayStation Studios has now implemented more rigorous processes for validating and revalidating its creative, commercial, and development assumptions and hypothesis. "We do that on a much more ongoing basis," he added. "That's the plan that will ensure we're investing in the right opportunities at the right time, all while maintaining much more predictable timelines for Marathon."The upcoming shooter is set to be the first new Bungie title in over a decade—and the first project outside of Destiny the studio has worked on since it was acquired by PlayStation in 2022.Hulst said the aim is to release a "very bold, very innovative, and deeply engaging title." He explained Marathon is currently navigating test cycles that have yielded "varied" feedback, but said those mixed impressions have been "super useful."Related:"That's why you do these tests. The constant testing and constant revalidation of assumptions that we just talked about, to me, is so valuable to iterate and to constantly improves the title," he added. "So when launch comes we're going to give the title the optimal chance of success."Hulst might be exuding confidence, but a recent report from Forbes claimed morale is in "free fall" at Bungie after the studio admitted to using stolen art assets in Marathon. That "varied" player feedback has also reportedly caused concern internally ahead of Marathon's proposed September 23 launch date.The studio was also made to ensure layoffs earlier this year, with Sony cutting 220 roles after exceeding "financial safety margins."
    0 Comentários 0 Compartilhamentos
  • 30 Best Architecture and Design Firms in New Zealand

    These annual rankings were last updated on June 13, 2025. Want to see your firm on next year’s list? Continue reading for more on how you can improve your studio’s ranking.
    New Zealand is a one-of-a-kind island in the Pacific, famous for its indigenous Maori architecture. The country has managed to preserve an array of historical aboriginal ruins, such as maraeand wharenui, despite its European colonization during the 19th century.
    Apart from the country’s ancient ruins, New Zealand is also home to several notable architectural landmarks like the famous Sky Tower piercing the Auckland skyline to the organic forms of the Te Papa Tongarewa Museum in Wellington. Renowned architects like Sir Ian Athfield, whose works blend modernist principles with a deep respect for the natural landscape, have left an indelible mark on the country’s architectural legacy.
    Being home to a stunning tropical landscape, New Zealand architects have developed eco-friendly residential designs that harness the power of renewable energy as well as visionary urban developments prioritizing livability and connectivity. A notable example is Turanga Central Library in Christchurch, a project that exceeds all eco-friendly design standards and benchmark emissions. Finally, concepts like passive design are increasingly becoming standard practice in architectural circles.
    With so many architecture firms to choose from, it’s challenging for clients to identify the industry leaders that will be an ideal fit for their project needs. Fortunately, Architizer is able to provide guidance on the top design firms in New Zealand based on more than a decade of data and industry knowledge.
    How are these architecture firms ranked?
    The following ranking has been created according to key statistics that demonstrate each firm’s level of architectural excellence. The following metrics have been accumulated to establish each architecture firm’s ranking, in order of priority:

    The number of A+Awards wonThe number of A+Awards finalistsThe number of projects selected as “Project of the Day”The number of projects selected as “Featured Project”The number of projects uploaded to ArchitizerEach of these metrics is explained in more detail at the foot of this article. This ranking list will be updated annually, taking into account new achievements of New Zealand architecture firms throughout the year.
    Without further ado, here are the 30 best architecture firms in New Zealand:

    30. CoLab Architecture

    © CoLab Architecture Ltd

    CoLab Architecture is a small practice of two directors, Tobin Smith and Blair Paterson, based in Christchurch New Zealand. Tobin is a creative designer with a wealth of experience in the building industry. Blair is a registered architect and graduate from the University of Auckland.
    “We like architecture to be visually powerful, intellectually elegant, and above all timeless. For us, timeless design is achieved through simplicity and strength of concept — in other words, a single idea executed beautifully with a dedication to the details. We strive to create architecture that is conscious of local climateand the environment.”
    Some of CoLab Architecture’s most prominent projects include:

    Urban Cottage, Christchurch, New Zealand

    The following statistics helped CoLab Architecture Ltd achieve 30th place in the 30 Best Architecture Firms in New Zealand:

    Featured Projects
    1

    Total Projects
    1

    29. Paul Whittaker

    © Paul Whittaker

    Paul Whittaker is an architecture firm based in New Zealand. Its work revolves around residential architecture.
    Some of Paul Whittaker’s most prominent projects include:

    Whittaker Cube, Kakanui, New Zealand

    The following statistics helped Paul Whittaker achieve 29th place in the 30 Best Architecture Firms in New Zealand:

    Featured Projects
    1

    Total Projects
    1

    28. Space Division

    © Simon Devitt Photographer

    Space Division is a boutique architectural practice that aims to positively impact the lives and environment of its clients and their communities by purposefully producing quality space. We believe our name reflects both the essence of what we do, but also how we strive to do it – succinctly and simply. Our design process is inclusive and client focused with their desires, physical constraints, budgets, time frames, compliance and construction processes all carefully considered and incorporated into our designs.
    Space Division has successfully applied this approach to a broad range of project types within the field of architecture, ranging from commercial developments, urban infrastructure to baches, playhouses and residential homes. Space Divisions team is committed to delivering a very personal and complete service to each of their clients, at each stage of the process. To assist in achieving this Space Division collaborates with a range of trusted technical specialists, based on the specific needs of our client. Which ensures we stay focussed, passionate agile and easily scalable.
    Some of Space Division’s most prominent projects include:

    Stradwick House, Auckland, New Zealand

    The following statistics helped Space Division achieve 28th place in the 30 Best Architecture Firms in New Zealand:

    Featured Projects
    1

    Total Projects
    1

    27. Sumich Chaplin Architects

    © Sumich Chaplin Architects

    Sumich Chaplin Architects undertake to provide creative, enduring architectural design based on a clear understanding and interpretation of a client’s brief. We work with an appreciation and respect for the surrounding landscape and environment.
    Some of Sumich Chaplin Architects’ most prominent projects include:

    Millbrook House, Arrowtown, New Zealand

    The following statistics helped Sumich Chaplin Architects achieve 27th place in the 30 Best Architecture Firms in New Zealand:

    Featured Projects
    1

    Total Projects
    1

    26. Daniel Marshall Architects

    © Simon Devitt Photographer

    Daniel Marshall Architectsis an Auckland based practice who are passionate about designing high quality and award winning New Zealand architecture. Our work has been published in periodicals and books internationally as well as numerous digital publications. Daniel leads a core team of four individually accomplished designers who skillfully collaborate to resolve architectural projects from their conception through to their occupation.
    DMA believe architecture is a ‘generalist’ profession which engages with all components of an architectural project; during conceptual design, documentation and construction phases.  We pride ourselves on being able to holistically engage with a complex of architectural issues to arrive at a design solution equally appropriate to its contextand the unique ways our clients prefer to live.
    Some of Daniel Marshall Architects’ most prominent projects include:

    Lucerne, Auckland, New Zealand
    House in Herne Bay, Herne Bay, Auckland, New Zealand

    The following statistics helped Daniel Marshall Architects achieve 26th place in the 30 Best Architecture Firms in New Zealand:

    Featured Projects
    1

    Total Projects
    2

    25. AW Architects

    © AW Architects

    Creative studio based in Christchurch, New Zealand. AW-ARCH is committed to an inclusive culture where everyone is encouraged to share their perspectives – our partners, our colleagues and our clients. Our team comes from all over the globe, bringing with them a variety of experiences. We embrace the differences that shape people’s lives, including race, ethnicity, identity and ability. We come together around the drawing board, the monitor, and the lunch table, immersed in the free exchange of ideas and synthesizing the diverse viewpoints of creative people, which stimulates innovative design and makes our work possible.
    Mentorship is key to engagement within AW-ARCH, energizing our studio and feeding invention. It’s our social and professional responsibility and helps us develop and retain a dedicated team. This includes offering internships that introduce young people to our profession, as well as supporting opportunities for our people outside the office — teaching, volunteering and exploring.
    Some of AW Architects’ most prominent projects include:

    OCEAN VIEW TERRACE HOUSE, Christchurch, New Zealand
    212 CASHEL STREET, Christchurch, New Zealand
    LAKE HOUSE, Queenstown, New Zealand
    RIVER HOUSE, Christchurch, New Zealand
    HE PUNA TAIMOANA, Christchurch, New Zealand

    The following statistics helped AW Architects achieve 25th place in the 30 Best Architecture Firms in New Zealand:

    A+Awards Finalist
    1

    Total Projects
    9

    24. Archimedia

    © Patrick Reynolds

    Archimedia is a New Zealand architecture practice with NZRAB and green star accredited staff, offering design services in the disciplines of architecture, interiors and ecology. Delivering architecture involves intervention in both natural eco-systems and the built environment — the context within which human beings live their lives.
    Archimedia uses the word “ecology” to extend the concept of sustainability to urban design and master planning and integrates this holistic strategy into every project. Archimedia prioritizes client project requirements, functionality, operational efficiency, feasibility and programme.
    Some of Archimedia’s most prominent projects include:

    Te Oro, Auckland, New Zealand
    Auckland Art Gallery Toi o Tamaki, Auckland, New Zealand
    Hekerua Bay Residence, New Zealand
    Eye Institute , Remuera, Auckland, New Zealand
    University of Auckland Business School, Auckland, New Zealand

    The following statistics helped Archimedia achieve 24th place in the 30 Best Architecture Firms in New Zealand:

    Featured Projects
    1

    Total Projects
    25

    23. MC Architecture Studio

    © MC Architecture Studio Ltd

    The studio’s work, questioning the boundary between art and architecture, provides engaging and innovative living space with the highest sustainability standard. Design solutions are tailored on client needs and site’s characteristics. Hence the final product will be unique and strongly related to the context and wider environment.
    On a specific-project basis, the studio, maintaining the leadership of the whole process, works in a network with local and international practices to achieve the best operational efficiency and local knowledge worldwide to accommodate the needs of a big scale project or specific requirements.
    Some of MC Architecture Studio’s most prominent projects include:

    Cass Bay House, Cass Bay, Lyttelton, New Zealand
    Ashburton Alteration, Ashburton, New Zealand
    restaurant/cafe, Ovindoli, Italy
    Private Residence, Christchurch, New Zealand
    Private Residence, Christchurch, New Zealand

    The following statistics helped MC Architecture Studio Ltd achieve 23rd place in the 30 Best Architecture Firms in New Zealand:

    Featured Projects
    2

    Total Projects
    19

    22. Architecture van Brandenburg

    © Architecture van Brandenburg

    Van Brandenburg is a design focused studio for architecture, landscape architecture, urbanism, and product design with studios in Queenstown and Dunedin, New Zealand. With global reach Van Brandenburg conducts themselves internationally, where the team of architects, designers and innovators create organic built form, inspired by nature, and captured by curvilinear design.
    Some of Architecture van Brandenburg’s most prominent projects include:

    Marisfrolg Fashion Campus, Shenzhen, China

    The following statistics helped Architecture van Brandenburg achieve 22nd place in the 30 Best Architecture Firms in New Zealand:

    A+Awards Winner
    1

    Featured Projects
    1

    Total Projects
    1

    21. MacKayCurtis

    © MacKayCurtis

    MacKay Curtis is a design led practice with a mission to create functional architecture of lasting beauty that enhances peoples lives.
    Some of MacKayCurtis’ most prominent projects include:

    Mawhitipana House, Auckland, New Zealand

    The following statistics helped MacKayCurtis achieve 21st place in the 30 Best Architecture Firms in New Zealand:

    A+Awards Winner
    1

    Featured Projects
    1

    Total Projects
    1

    20. Gerrad Hall Architects

    © Gerrad Hall Architects

    We aspire to create houses that are a joyful sensory experience.
    Some of Gerrad Hall Architects’ most prominent projects include:

    Inland House, Mangawhai, New Zealand
    Herne Bay Villa Alteration, Auckland, New Zealand

    The following statistics helped Gerrad Hall Architects achieve 20th place in the 30 Best Architecture Firms in New Zealand:

    Featured Projects
    2

    Total Projects
    2

    19. Dorrington Atcheson Architects

    © Dorrington Atcheson Architects

    Dorrington Atcheson Architects was founded as Dorrington Architects & Associates was formed in 2010, resulting in a combined 20 years of experience in the New Zealand architectural market. We’re a boutique architecture firm working on a range of projects and budgets. We love our work, we pride ourselves on the work we do and we enjoy working with our clients to achieve a result that resolves their brief.
    The design process is a collaborative effort, working with the client, budget, site and brief, to find unique solutions that solve the project at hand. The style of our projects are determined by the site and the budget, with a leaning towards contemporary modernist design, utilizing a rich natural material palette, creating clean and tranquil spaces.
    Some of Dorrington Atcheson Architects’ most prominent projects include:

    Lynch Street
    Coopers Beach House, Coopers Beach, New Zealand
    Rutherford House, Tauranga Taupo, New Zealand
    Winsomere Cres
    Kathryn Wilson Shoebox, Auckland, New Zealand

    The following statistics helped Dorrington Atcheson Architects achieve 19th place in the 30 Best Architecture Firms in New Zealand:

    Featured Projects
    2

    Total Projects
    14

    18. Andrew Barre Lab

    © Marcela Grassi

    Andrew Barrie Lab is an architectural practice that undertakes a diverse range of projects. We make buildings, books, maps, classes, exhibitions and research.
    Some of Andrew Barre Lab’s most prominent projects include:

    Learning from Trees, Venice, Italy

    The following statistics helped Andrew Barre Lab achieve 18th place in the 30 Best Architecture Firms in New Zealand:

    A+Awards Finalist
    2

    Featured Projects
    1

    Total Projects
    1

    17. Warren and Mahoney

    © Simon Devitt Photographer

    Warren and Mahoney is an insight led multidisciplinary architectural practice with six locations functioning as a single office. Our clients and projects span New Zealand, Australia and the Pacific Rim. The practice has over 190 people, comprising of specialists working across the disciplines of architecture, workplace, masterplanning, urban design and sustainable design. We draw from the wider group for skills and experience on every project, regardless of the location.
    Some of Warren and Mahoney’s most prominent projects include:

    MIT Manukau & Transport Interchange, Auckland, New Zealand
    Carlaw Park Student Accommodation, Auckland, New Zealand
    Pt Resolution Footbridge, Auckland, New Zealand
    Isaac Theatre Royal, Christchurch, New Zealand
    University of Auckland Recreation and Wellness Centre, Auckland, New Zealand

    The following statistics helped Warren and Mahoney achieve 17th place in the 30 Best Architecture Firms in New Zealand:

    Featured Projects
    2

    Total Projects
    5

    16. South Architects Limited

    © South Architects Limited

    Led by Craig South, our friendly professional team is dedicated to crafting for uniqueness and producing carefully considered architecture that will endure and be loved. At South Architects, every project has a unique story. This story starts and ends with our clients, whose values and aspirations fundamentally empower and inspire our whole design process.
    Working together with our clients is pivotal to how we operate and we share a passion for innovation in design. We invite you to meet us and explore what we can do for you. As you will discover, our client focussed process is thorough, robust and responsive. We see architecture as the culmination of a journey with you.
    Some of South Architects Limited’s most prominent projects include:

    Three Gables, Christchurch, New Zealand
    Concrete Copper Home, Christchurch, New Zealand
    Driftwood Home, Christchurch, New Zealand
    Half Gable Townhouses, Christchurch, New Zealand
    Kilmore Street, Christchurch, New Zealand

    The following statistics helped South Architects Limited achieve 16th place in the 30 Best Architecture Firms in New Zealand:

    Featured Projects
    3

    Total Projects
    6

    15. Pac Studio

    © Pac Studio

    Pac Studio is an ideas-driven design office, committed to intellectual and artistic rigor and fueled by a strong commitment to realizing ideas in the world. We believe a thoughtful and inclusive approach to design, which puts people at the heart of any potential solution, is the key to compelling and positive architecture.
    Through our relationships with inter-related disciplines — furniture, art, landscape and academia — we can create a whole that is greater than the sum of its parts. We are open to unconventional propositions. We are architects and designers with substantial experience delivering highly awarded architectural projects on multiple scales.
    Some of Pac Studio’s most prominent projects include:

    Space Invader, Auckland, New Zealand
    Split House, Auckland, New Zealand
    Yolk House, Auckland, New Zealand
    Wanaka Crib, Wanaka, New Zealand
    Pahi House, Pahi, New Zealand

    The following statistics helped Pac Studio achieve 15th place in the 30 Best Architecture Firms in New Zealand:

    Featured Projects
    3

    Total Projects
    8

    14. Jasmax

    © Jasmax

    Jasmax is one of New Zealand’s largest and longest established architecture and design practices. With over 250 staff nationwide, the practice has delivered some of the country’s most well known projects, from the Museum of New Zealand Te Papa Tongarewa to major infrastructure and masterplanning projects such as Auckland’s Britomart Station.
    From our four regional offices, the practice works with clients, stakeholders and communities across the following sectors: commercial, cultural and civic, education, infrastructure, health, hospitality, retail, residential, sports and recreation, and urban design.
    Environmentally sustainable design is part of everything we do, and we were proud to work with Ngāi Tūhoe to design one of New Zealand’s most advanced sustainable buildings, Te Uru Taumatua; which has been designed to the stringent criteria of the International Living Future Institute’s Living Building Challenge.
    Some of Jasmax’s most prominent projects include:

    The Surf Club at Muriwai, Muriwai, New Zealand
    Auckland University Mana Hauora Building, Auckland, New Zealand
    The Fonterra Centre, Auckland, New Zealand
    Auckland University of Technology Sir Paul Reeves Building , Auckland, New Zealand
    NZI Centre, Auckland, New Zealand

    The following statistics helped Jasmax achieve 14th place in the 30 Best Architecture Firms in New Zealand:

    Featured Projects
    3

    Total Projects
    21

    13. Condon Scott Architects

    © Condon Scott Architects

    Condon Scott Architects is a boutique, award-winning NZIA registered architectural practice based in Wānaka, New Zealand. Since inception 35 years ago, Condon Scott Architects has been involved in a wide range of high end residential and commercial architectural projects throughout Queenstown, Wānaka, the Central Otago region and further afield.
    Director Barry Condonand principal Sarah Scott– both registered architects – work alongside a highly skilled architectural team to deliver a full design and construction management service. This spans from initial concept design right through to tender management and interior design.
    Condon Scott Architect’s approach is to view each commission as a bespoke and site specific project, capitalizing on the unique environmental conditions and natural surroundings that are so often evident in this beautiful part of the world.
    Some of Condon Scott Architects’ most prominent projects include:

    Sugi House, Wānaka, New Zealand
    Wanaka Catholic Church, Wanaka, New Zealand
    Mount Iron Barn, Wanaka, New Zealand
    Bendigo Terrace House, New Zealand
    Bargour Residence, Wanaka, New Zealand

    The following statistics helped Condon Scott Architects achieve 13th place in the 30 Best Architecture Firms in New Zealand:

    Featured Projects
    4

    Total Projects
    17

    12. Glamuzina Paterson Architects

    © Glamuzina Paterson Architects

    Glamuzina Architects is an Auckland based practice established in 2014. We strive to produce architecture that is crafted, contextual and clever. Rather than seeking a particular outcome we value a design process that is rigorous and collaborative.
    When designing we look to the context of a project beyond just its immediate physical location to the social, political, historical and economic conditions of place. This results in architecture that is uniquely tailored to the context it sits within.
    We work on many different types of projects across a range of scales; from small interiors to large public buildings. Regardless of a project’s budget we always prefer to work smart, using a creative mix of materials, light and volume in preference to elaborate finishes or complex detailing.
    Some of Glamuzina Paterson Architects’ most prominent projects include:

    Lake Hawea Courtyard House, Otago, New Zealand
    Blackpool House, Auckland, New Zealand
    Brick Bay House, Auckland, New Zealand
    Giraffe House, Auckland, New Zealand
    Giraffe House, Auckland, New Zealand

    The following statistics helped Glamuzina Paterson Architects achieve 12th place in the 30 Best Architecture Firms in New Zealand:

    Featured Projects
    4

    Total Projects
    5

    11. Cheshire Architects

    © Patrick Reynolds

    Cheshire Architects does special projects, irrespective of discipline, scale or type. The firm moves fluidly from luxury retreat to city master plan to basement cocktail den, shaping every aspect of an environment in pursuit of the extraordinary.
    Some of Cheshire Architects’ most prominent projects include:

    Rore kahu, Te Tii, New Zealand
    Eyrie, New Zealand
    Milse, Takanini, New Zealand

    The following statistics helped Cheshire Architects achieve 11th place in the 30 Best Architecture Firms in New Zealand:

    Featured Projects
    3

    Total Projects
    3

    10. Patterson Associates

    © Patterson Associates

    Pattersons Associates Architects began its creative story with architect Andrew Patterson in 1986 whose early work on New Zealand’s unspoiled coasts, explores relationships between people and landscape to create a sense of belonging. The architecture studio started based on a very simple idea; if a building can feel like it naturally ‘belongs,’ or fits logically in a place, to an environment, a time and culture, then the people that inhabit the building will likely feel a sense of belonging there as well. This methodology connects theories of beauty, confidence, economy and comfort.
    In 2004 Davor Popadich and Andrew Mitchell joined the firm as directors, taking it to another level of creative exploration and helping it grow into an architecture studio with an international reputation.
    Some of Patterson Associates’ most prominent projects include:

    Seascape Retreat, Canterbury, New Zealand
    The Len Lye Centre, New Plymouth, New Zealand
    Country House in the City, Auckland, New Zealand
    Scrubby Bay House, Canterbury, New Zealand
    Parihoa House, Auckland, New Zealand

    The following statistics helped Patterson Associates achieve 10th place in the 30 Best Architecture Firms in New Zealand:

    Featured Projects
    5

    Total Projects
    5

    9. Team Green Architects

    © Team Green Architects

    Established in 2013 by Sian Taylor and Mark Read, Team Green Architects is a young committed practice focused on designing energy efficient buildings.
    Some of Team Green Architects’ most prominent projects include:

    Dalefield Guest House, Queenstown, New Zealand
    Olive Grove House, Cromwell, New Zealand
    Hawthorn House, Queenstown, New Zealand
    Frankton House, Queenstown, New Zealand
    Contemporary Sleepout, Arthurs Point, New Zealand

    The following statistics helped Team Green Architects achieve 9th place in the 30 Best Architecture Firms in New Zealand:

    Featured Projects
    5

    Total Projects
    7

    8. Creative Arch

    © Creative Arch

    Creative Arch is an award-winning, multi-disciplined architectural design practice, founded in 1998 by architectural designer and director Mark McLeay. The range of work at Creative Arch is as diverse as our clients, encompassing residential homes, alterations and renovations, coastal developments, sub-division developments, to commercial projects.
    The team at Creative Arch are an enthusiastic group of talented professional architects and architectural designers, with a depth of experience, from a range of different backgrounds and cultures. Creative Arch is a client-focused firm committed to providing excellence in service, culture and project outcomes.
    Some of Creative Arch’s most prominent projects include:

    Rothesay Bay House, North Shore, New Zealand
    Best Pacific Institute of Education, Auckland, New Zealand
    Sumar Holiday Home, Whangapoua, New Zealand
    Cook Holiday Home, Omaha, New Zealand
    Arkles Bay Residence, Whangaparaoa, New Zealand

    The following statistics helped Creative Arch achieve 8th place in the 30 Best Architecture Firms in New Zealand:

    Featured Projects
    5

    Total Projects
    18

    7. Crosson Architects

    © Crosson Architects

    At Crosson Architects we are constantly striving to understand what is motivating the world around us.
    Some of Crosson Architects’ most prominent projects include:

    Hut on Sleds, Whangapoua, New Zealand
    Te Pae North Piha Surf Lifesaving Tower, Auckland, New Zealand
    Coromandel Bach, Coromandel, New Zealand
    Tutukaka House, Tutukaka, New Zealand
    St Heliers House, Saint Heliers, Auckland, New Zealand

    The following statistics helped Crosson Architects achieve 7th place in the 30 Best Architecture Firms in New Zealand:

    A+Awards Winner
    1

    A+Awards Finalist
    2

    Featured Projects
    4

    Total Projects
    6

    6. Bossley Architects

    © Bossley Architects

    Bossley Architects is an architectural and interior design practice with the express purpose of providing intense input into a deliberately limited number of projects. The practice is based on the belief that innovative yet practical design is essential for the production of good buildings, and that the best buildings spring from an open and enthusiastic collaboration between architect, client and consultants.
    We have designed a wide range of projects including commercial, institutional and residential, and have amassed special expertise in the field of art galleries and museums, residential and the restaurant/entertainment sector. Whilst being very much design focused, the practice has an overriding interest in the pragmatics and feasibility of construction.
    Some of Bossley Architects’ most prominent projects include:

    Ngā Hau Māngere -Old Māngere Bridge Replacement, Auckland, New Zealand
    Arruba, Waiuku, New Zealand
    Brown Vujcich House
    Voyager NZ Maritime Museum
    Omana Luxury Villas, Auckland, New Zealand

    The following statistics helped Bossley Architects achieve 6th place in the 30 Best Architecture Firms in New Zealand:

    Featured Projects
    6

    Total Projects
    21

    5. Smith Architects

    © Simon Devitt Photographer

    Smith Architects is an award-winning international architectural practice creating beautiful human spaces that are unique, innovative and sustainable through creativity, refinement and care. Phil and Tiffany Smith established the practice in 2007. We have spent more than two decades striving to understand what makes some buildings more attractive than others, in the anticipation that it can help us design better buildings.
    Some of Smith Architects’ most prominent projects include:

    Kakapo Creek Children’s Garden, Mairangi Bay, Auckland, New Zealand
    New Shoots Children’s Centre, Kerikeri, Kerikeri, New Zealand
    GaiaForest Preschool, Manurewa, Auckland, New Zealand
    Chrysalis Childcare, Auckland, New Zealand
    House of Wonder, Cambridge, Cambridge, New Zealand

    The following statistics helped Smith Architects achieve 5th place in the 30 Best Architecture Firms in New Zealand:

    A+Awards Finalist
    1

    Featured Projects
    6

    Total Projects
    23

    4. Monk Mackenzie

    © Monk Mackenzie

    Monk Mackenzie is an architecture and design firm based in New Zealand. Monk Mackenzie’s design portfolio includes a variety of architectural projects, such as transport and infrastructure, hospitality and sport, residential, cultural and more.
    Some of Monk Mackenzie’s most prominent projects include:

    X HOUSE, Queenstown, New Zealand
    TURANGANUI BRIDGE, Gisborne, New Zealand
    VIVEKANANDA BRIDGE
    EDITION
    Canada Street Bridge, Auckland, New Zealand

    The following statistics helped Monk Mackenzie achieve 4th place in the 30 Best Architecture Firms in New Zealand:

    A+Awards Winner
    2

    A+Awards Finalist
    4

    Featured Projects
    4

    Total Projects
    17

    3. Irving Smith Architects

    © Irving Smith Architects

    Irving Smith Jackhas been developed as a niche architecture practice based in Nelson, but working in a variety of sensitive environments and contexts throughout New Zealand. ISJ demonstrates an ongoing commitment to innovative, sustainable and researched based design , backed up by national and international award and publication recognition, ongoing research with both the Universities of Canterbury and Auckland, and regular invitations to lecture on their work.
    Timber Awards include NZ’s highest residential, commercial and engineering timber designs. Key experience, ongoing research and work includes developing structural timber design solutions in the aftermath of the Canterbury earthquakes. Current projects include cultural, urban, civic and residential projects spread throughout New Zealand, and recently in the United States and France.
    Some of Irving Smith Architects’ most prominent projects include:

    SCION Innovation Hub – Te Whare Nui o Tuteata, Rotorua, New Zealand
    Mountain Range House, Brightwater, New Zealand
    Alexandra Tent House, Wellington, New Zealand
    Te Koputu a te Whanga a Toi : Whakatane Library & Exhibition Centre, Whakatane, New Zealand
    offSET Shed House, Gisborne, New Zealand

    The following statistics helped Irving Smith Architects achieve 3rd place in the 30 Best Architecture Firms in New Zealand:

    A+Awards Winner
    2

    A+Awards Finalist
    1

    Featured Projects
    6

    Total Projects
    13

    2. Fearon Hay Architects

    © Fearon Hay Architects

    Fearon Hay is a design-led studio undertaking a broad range of projects in diverse environments, the firm is engaged in projects on sites around the world. Tim Hay and Jeff Fearon founded the practice in 1993 as a way to enable their combined involvement in the design and delivery of each project. Together, they lead an international team of experienced professionals.
    The studio approached every project with a commitment to design excellence, a thoughtful consideration of site and place, and an inventive sense of creativity. Fearon Hay enjoys responding to a range of briefs: Commercial projects for office and workplace, complex heritage environments, public work within the urban realm or wider landscape, private dwellings and detailed bespoke work for hospitality and interior environments.
    Some of Fearon Hay Architects’ most prominent projects include:

    Bishop Hill The Camp, Tawharanui Peninsula, New Zealand
    Matagouri, Queenstown, New Zealand
    Alpine Terrace House, Queenstown, New Zealand
    Island Retreat, Auckland, New Zealand
    Bishop Selwyn Chapel, Auckland, New Zealand

    The following statistics helped Fearon Hay Architects achieve 2nd place in the 30 Best Architecture Firms in New Zealand:

    A+Awards Winner
    2

    A+Awards Finalist
    3

    Featured Projects
    8

    Total Projects
    17

    1. RTA Studio

    © RTA Studio

    Richard Naish founded RTA Studio in 1999 after a successful career with top practices in London and Auckland. We are a practice that focuses on delivering exceptional design with a considered and personal service. Our work aims to make a lasting contribution to the urban and natural context by challenging, provoking and delighting.
    Our studio is constantly working within the realms of public, commercial and urban design as well as sensitive residential projects. We are committed to a sustainable built environment and are at the forefront developing carbon neutral buildings. RTA Studio has received more than 100 New Zealand and international awards, including Home of The Year, a World Architecture Festival category win and the New Zealand Architecture Medal.
    Some of RTA Studio’s most prominent projects include:

    SCION Innovation Hub – Te Whare Nui o Tuteata, Rotorua, New Zealand
    OBJECTSPACE, Auckland, New Zealand
    C3 House, New Zealand
    Freemans Bay School, Freemans Bay, Auckland, New Zealand
    ARROWTOWN HOUSE, Arrowtown, New Zealand
    Featured image: E-Type House by RTA Studio, Auckland, New Zealand

    The following statistics helped RTA Studio achieve 1st place in the 30 Best Architecture Firms in New Zealand:

    A+Awards Winner
    2

    A+Awards Finalist
    6

    Featured Projects
    6

    Total Projects
    16

    Why Should I Trust Architizer’s Ranking?
    With more than 30,000 architecture firms and over 130,000 projects within its database, Architizer is proud to host the world’s largest online community of architects and building product manufacturers. Its celebrated A+Awards program is also the largest celebration of architecture and building products, with more than 400 jurors and hundreds of thousands of public votes helping to recognize the world’s best architecture each year.
    Architizer also powers firm directories for a number of AIAChapters nationwide, including the official directory of architecture firms for AIA New York.
    An example of a project page on Architizer with Project Award Badges highlighted
    A Guide to Project Awards
    The blue “+” badge denotes that a project has won a prestigious A+Award as described above. Hovering over the badge reveals details of the award, including award category, year, and whether the project won the jury or popular choice award.
    The orange Project of the Day and yellow Featured Project badges are awarded by Architizer’s Editorial team, and are selected based on a number of factors. The following factors increase a project’s likelihood of being featured or awarded Project of the Day status:

    Project completed within the last 3 years
    A well written, concise project description of at least 3 paragraphs
    Architectural design with a high level of both functional and aesthetic value
    High quality, in focus photographs
    At least 8 photographs of both the interior and exterior of the building
    Inclusion of architectural drawings and renderings
    Inclusion of construction photographs

    There are 7 Projects of the Day each week and a further 31 Featured Projects. Each Project of the Day is published on Facebook, Twitter and Instagram Stories, while each Featured Project is published on Facebook. Each Project of the Day also features in Architizer’s Weekly Projects Newsletter and shared with 170,000 subscribers.
     

     
    We’re constantly look for the world’s best architects to join our community. If you would like to understand more about this ranking list and learn how your firm can achieve a presence on it, please don’t hesitate to reach out to us at editorial@architizer.com.
    The post 30 Best Architecture and Design Firms in New Zealand appeared first on Journal.
    #best #architecture #design #firms #new
    30 Best Architecture and Design Firms in New Zealand
    These annual rankings were last updated on June 13, 2025. Want to see your firm on next year’s list? Continue reading for more on how you can improve your studio’s ranking. New Zealand is a one-of-a-kind island in the Pacific, famous for its indigenous Maori architecture. The country has managed to preserve an array of historical aboriginal ruins, such as maraeand wharenui, despite its European colonization during the 19th century. Apart from the country’s ancient ruins, New Zealand is also home to several notable architectural landmarks like the famous Sky Tower piercing the Auckland skyline to the organic forms of the Te Papa Tongarewa Museum in Wellington. Renowned architects like Sir Ian Athfield, whose works blend modernist principles with a deep respect for the natural landscape, have left an indelible mark on the country’s architectural legacy. Being home to a stunning tropical landscape, New Zealand architects have developed eco-friendly residential designs that harness the power of renewable energy as well as visionary urban developments prioritizing livability and connectivity. A notable example is Turanga Central Library in Christchurch, a project that exceeds all eco-friendly design standards and benchmark emissions. Finally, concepts like passive design are increasingly becoming standard practice in architectural circles. With so many architecture firms to choose from, it’s challenging for clients to identify the industry leaders that will be an ideal fit for their project needs. Fortunately, Architizer is able to provide guidance on the top design firms in New Zealand based on more than a decade of data and industry knowledge. How are these architecture firms ranked? The following ranking has been created according to key statistics that demonstrate each firm’s level of architectural excellence. The following metrics have been accumulated to establish each architecture firm’s ranking, in order of priority: The number of A+Awards wonThe number of A+Awards finalistsThe number of projects selected as “Project of the Day”The number of projects selected as “Featured Project”The number of projects uploaded to ArchitizerEach of these metrics is explained in more detail at the foot of this article. This ranking list will be updated annually, taking into account new achievements of New Zealand architecture firms throughout the year. Without further ado, here are the 30 best architecture firms in New Zealand: 30. CoLab Architecture © CoLab Architecture Ltd CoLab Architecture is a small practice of two directors, Tobin Smith and Blair Paterson, based in Christchurch New Zealand. Tobin is a creative designer with a wealth of experience in the building industry. Blair is a registered architect and graduate from the University of Auckland. “We like architecture to be visually powerful, intellectually elegant, and above all timeless. For us, timeless design is achieved through simplicity and strength of concept — in other words, a single idea executed beautifully with a dedication to the details. We strive to create architecture that is conscious of local climateand the environment.” Some of CoLab Architecture’s most prominent projects include: Urban Cottage, Christchurch, New Zealand The following statistics helped CoLab Architecture Ltd achieve 30th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 1 Total Projects 1 29. Paul Whittaker © Paul Whittaker Paul Whittaker is an architecture firm based in New Zealand. Its work revolves around residential architecture. Some of Paul Whittaker’s most prominent projects include: Whittaker Cube, Kakanui, New Zealand The following statistics helped Paul Whittaker achieve 29th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 1 Total Projects 1 28. Space Division © Simon Devitt Photographer Space Division is a boutique architectural practice that aims to positively impact the lives and environment of its clients and their communities by purposefully producing quality space. We believe our name reflects both the essence of what we do, but also how we strive to do it – succinctly and simply. Our design process is inclusive and client focused with their desires, physical constraints, budgets, time frames, compliance and construction processes all carefully considered and incorporated into our designs. Space Division has successfully applied this approach to a broad range of project types within the field of architecture, ranging from commercial developments, urban infrastructure to baches, playhouses and residential homes. Space Divisions team is committed to delivering a very personal and complete service to each of their clients, at each stage of the process. To assist in achieving this Space Division collaborates with a range of trusted technical specialists, based on the specific needs of our client. Which ensures we stay focussed, passionate agile and easily scalable. Some of Space Division’s most prominent projects include: Stradwick House, Auckland, New Zealand The following statistics helped Space Division achieve 28th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 1 Total Projects 1 27. Sumich Chaplin Architects © Sumich Chaplin Architects Sumich Chaplin Architects undertake to provide creative, enduring architectural design based on a clear understanding and interpretation of a client’s brief. We work with an appreciation and respect for the surrounding landscape and environment. Some of Sumich Chaplin Architects’ most prominent projects include: Millbrook House, Arrowtown, New Zealand The following statistics helped Sumich Chaplin Architects achieve 27th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 1 Total Projects 1 26. Daniel Marshall Architects © Simon Devitt Photographer Daniel Marshall Architectsis an Auckland based practice who are passionate about designing high quality and award winning New Zealand architecture. Our work has been published in periodicals and books internationally as well as numerous digital publications. Daniel leads a core team of four individually accomplished designers who skillfully collaborate to resolve architectural projects from their conception through to their occupation. DMA believe architecture is a ‘generalist’ profession which engages with all components of an architectural project; during conceptual design, documentation and construction phases.  We pride ourselves on being able to holistically engage with a complex of architectural issues to arrive at a design solution equally appropriate to its contextand the unique ways our clients prefer to live. Some of Daniel Marshall Architects’ most prominent projects include: Lucerne, Auckland, New Zealand House in Herne Bay, Herne Bay, Auckland, New Zealand The following statistics helped Daniel Marshall Architects achieve 26th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 1 Total Projects 2 25. AW Architects © AW Architects Creative studio based in Christchurch, New Zealand. AW-ARCH is committed to an inclusive culture where everyone is encouraged to share their perspectives – our partners, our colleagues and our clients. Our team comes from all over the globe, bringing with them a variety of experiences. We embrace the differences that shape people’s lives, including race, ethnicity, identity and ability. We come together around the drawing board, the monitor, and the lunch table, immersed in the free exchange of ideas and synthesizing the diverse viewpoints of creative people, which stimulates innovative design and makes our work possible. Mentorship is key to engagement within AW-ARCH, energizing our studio and feeding invention. It’s our social and professional responsibility and helps us develop and retain a dedicated team. This includes offering internships that introduce young people to our profession, as well as supporting opportunities for our people outside the office — teaching, volunteering and exploring. Some of AW Architects’ most prominent projects include: OCEAN VIEW TERRACE HOUSE, Christchurch, New Zealand 212 CASHEL STREET, Christchurch, New Zealand LAKE HOUSE, Queenstown, New Zealand RIVER HOUSE, Christchurch, New Zealand HE PUNA TAIMOANA, Christchurch, New Zealand The following statistics helped AW Architects achieve 25th place in the 30 Best Architecture Firms in New Zealand: A+Awards Finalist 1 Total Projects 9 24. Archimedia © Patrick Reynolds Archimedia is a New Zealand architecture practice with NZRAB and green star accredited staff, offering design services in the disciplines of architecture, interiors and ecology. Delivering architecture involves intervention in both natural eco-systems and the built environment — the context within which human beings live their lives. Archimedia uses the word “ecology” to extend the concept of sustainability to urban design and master planning and integrates this holistic strategy into every project. Archimedia prioritizes client project requirements, functionality, operational efficiency, feasibility and programme. Some of Archimedia’s most prominent projects include: Te Oro, Auckland, New Zealand Auckland Art Gallery Toi o Tamaki, Auckland, New Zealand Hekerua Bay Residence, New Zealand Eye Institute , Remuera, Auckland, New Zealand University of Auckland Business School, Auckland, New Zealand The following statistics helped Archimedia achieve 24th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 1 Total Projects 25 23. MC Architecture Studio © MC Architecture Studio Ltd The studio’s work, questioning the boundary between art and architecture, provides engaging and innovative living space with the highest sustainability standard. Design solutions are tailored on client needs and site’s characteristics. Hence the final product will be unique and strongly related to the context and wider environment. On a specific-project basis, the studio, maintaining the leadership of the whole process, works in a network with local and international practices to achieve the best operational efficiency and local knowledge worldwide to accommodate the needs of a big scale project or specific requirements. Some of MC Architecture Studio’s most prominent projects include: Cass Bay House, Cass Bay, Lyttelton, New Zealand Ashburton Alteration, Ashburton, New Zealand restaurant/cafe, Ovindoli, Italy Private Residence, Christchurch, New Zealand Private Residence, Christchurch, New Zealand The following statistics helped MC Architecture Studio Ltd achieve 23rd place in the 30 Best Architecture Firms in New Zealand: Featured Projects 2 Total Projects 19 22. Architecture van Brandenburg © Architecture van Brandenburg Van Brandenburg is a design focused studio for architecture, landscape architecture, urbanism, and product design with studios in Queenstown and Dunedin, New Zealand. With global reach Van Brandenburg conducts themselves internationally, where the team of architects, designers and innovators create organic built form, inspired by nature, and captured by curvilinear design. Some of Architecture van Brandenburg’s most prominent projects include: Marisfrolg Fashion Campus, Shenzhen, China The following statistics helped Architecture van Brandenburg achieve 22nd place in the 30 Best Architecture Firms in New Zealand: A+Awards Winner 1 Featured Projects 1 Total Projects 1 21. MacKayCurtis © MacKayCurtis MacKay Curtis is a design led practice with a mission to create functional architecture of lasting beauty that enhances peoples lives. Some of MacKayCurtis’ most prominent projects include: Mawhitipana House, Auckland, New Zealand The following statistics helped MacKayCurtis achieve 21st place in the 30 Best Architecture Firms in New Zealand: A+Awards Winner 1 Featured Projects 1 Total Projects 1 20. Gerrad Hall Architects © Gerrad Hall Architects We aspire to create houses that are a joyful sensory experience. Some of Gerrad Hall Architects’ most prominent projects include: Inland House, Mangawhai, New Zealand Herne Bay Villa Alteration, Auckland, New Zealand The following statistics helped Gerrad Hall Architects achieve 20th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 2 Total Projects 2 19. Dorrington Atcheson Architects © Dorrington Atcheson Architects Dorrington Atcheson Architects was founded as Dorrington Architects & Associates was formed in 2010, resulting in a combined 20 years of experience in the New Zealand architectural market. We’re a boutique architecture firm working on a range of projects and budgets. We love our work, we pride ourselves on the work we do and we enjoy working with our clients to achieve a result that resolves their brief. The design process is a collaborative effort, working with the client, budget, site and brief, to find unique solutions that solve the project at hand. The style of our projects are determined by the site and the budget, with a leaning towards contemporary modernist design, utilizing a rich natural material palette, creating clean and tranquil spaces. Some of Dorrington Atcheson Architects’ most prominent projects include: Lynch Street Coopers Beach House, Coopers Beach, New Zealand Rutherford House, Tauranga Taupo, New Zealand Winsomere Cres Kathryn Wilson Shoebox, Auckland, New Zealand The following statistics helped Dorrington Atcheson Architects achieve 19th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 2 Total Projects 14 18. Andrew Barre Lab © Marcela Grassi Andrew Barrie Lab is an architectural practice that undertakes a diverse range of projects. We make buildings, books, maps, classes, exhibitions and research. Some of Andrew Barre Lab’s most prominent projects include: Learning from Trees, Venice, Italy The following statistics helped Andrew Barre Lab achieve 18th place in the 30 Best Architecture Firms in New Zealand: A+Awards Finalist 2 Featured Projects 1 Total Projects 1 17. Warren and Mahoney © Simon Devitt Photographer Warren and Mahoney is an insight led multidisciplinary architectural practice with six locations functioning as a single office. Our clients and projects span New Zealand, Australia and the Pacific Rim. The practice has over 190 people, comprising of specialists working across the disciplines of architecture, workplace, masterplanning, urban design and sustainable design. We draw from the wider group for skills and experience on every project, regardless of the location. Some of Warren and Mahoney’s most prominent projects include: MIT Manukau & Transport Interchange, Auckland, New Zealand Carlaw Park Student Accommodation, Auckland, New Zealand Pt Resolution Footbridge, Auckland, New Zealand Isaac Theatre Royal, Christchurch, New Zealand University of Auckland Recreation and Wellness Centre, Auckland, New Zealand The following statistics helped Warren and Mahoney achieve 17th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 2 Total Projects 5 16. South Architects Limited © South Architects Limited Led by Craig South, our friendly professional team is dedicated to crafting for uniqueness and producing carefully considered architecture that will endure and be loved. At South Architects, every project has a unique story. This story starts and ends with our clients, whose values and aspirations fundamentally empower and inspire our whole design process. Working together with our clients is pivotal to how we operate and we share a passion for innovation in design. We invite you to meet us and explore what we can do for you. As you will discover, our client focussed process is thorough, robust and responsive. We see architecture as the culmination of a journey with you. Some of South Architects Limited’s most prominent projects include: Three Gables, Christchurch, New Zealand Concrete Copper Home, Christchurch, New Zealand Driftwood Home, Christchurch, New Zealand Half Gable Townhouses, Christchurch, New Zealand Kilmore Street, Christchurch, New Zealand The following statistics helped South Architects Limited achieve 16th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 3 Total Projects 6 15. Pac Studio © Pac Studio Pac Studio is an ideas-driven design office, committed to intellectual and artistic rigor and fueled by a strong commitment to realizing ideas in the world. We believe a thoughtful and inclusive approach to design, which puts people at the heart of any potential solution, is the key to compelling and positive architecture. Through our relationships with inter-related disciplines — furniture, art, landscape and academia — we can create a whole that is greater than the sum of its parts. We are open to unconventional propositions. We are architects and designers with substantial experience delivering highly awarded architectural projects on multiple scales. Some of Pac Studio’s most prominent projects include: Space Invader, Auckland, New Zealand Split House, Auckland, New Zealand Yolk House, Auckland, New Zealand Wanaka Crib, Wanaka, New Zealand Pahi House, Pahi, New Zealand The following statistics helped Pac Studio achieve 15th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 3 Total Projects 8 14. Jasmax © Jasmax Jasmax is one of New Zealand’s largest and longest established architecture and design practices. With over 250 staff nationwide, the practice has delivered some of the country’s most well known projects, from the Museum of New Zealand Te Papa Tongarewa to major infrastructure and masterplanning projects such as Auckland’s Britomart Station. From our four regional offices, the practice works with clients, stakeholders and communities across the following sectors: commercial, cultural and civic, education, infrastructure, health, hospitality, retail, residential, sports and recreation, and urban design. Environmentally sustainable design is part of everything we do, and we were proud to work with Ngāi Tūhoe to design one of New Zealand’s most advanced sustainable buildings, Te Uru Taumatua; which has been designed to the stringent criteria of the International Living Future Institute’s Living Building Challenge. Some of Jasmax’s most prominent projects include: The Surf Club at Muriwai, Muriwai, New Zealand Auckland University Mana Hauora Building, Auckland, New Zealand The Fonterra Centre, Auckland, New Zealand Auckland University of Technology Sir Paul Reeves Building , Auckland, New Zealand NZI Centre, Auckland, New Zealand The following statistics helped Jasmax achieve 14th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 3 Total Projects 21 13. Condon Scott Architects © Condon Scott Architects Condon Scott Architects is a boutique, award-winning NZIA registered architectural practice based in Wānaka, New Zealand. Since inception 35 years ago, Condon Scott Architects has been involved in a wide range of high end residential and commercial architectural projects throughout Queenstown, Wānaka, the Central Otago region and further afield. Director Barry Condonand principal Sarah Scott– both registered architects – work alongside a highly skilled architectural team to deliver a full design and construction management service. This spans from initial concept design right through to tender management and interior design. Condon Scott Architect’s approach is to view each commission as a bespoke and site specific project, capitalizing on the unique environmental conditions and natural surroundings that are so often evident in this beautiful part of the world. Some of Condon Scott Architects’ most prominent projects include: Sugi House, Wānaka, New Zealand Wanaka Catholic Church, Wanaka, New Zealand Mount Iron Barn, Wanaka, New Zealand Bendigo Terrace House, New Zealand Bargour Residence, Wanaka, New Zealand The following statistics helped Condon Scott Architects achieve 13th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 4 Total Projects 17 12. Glamuzina Paterson Architects © Glamuzina Paterson Architects Glamuzina Architects is an Auckland based practice established in 2014. We strive to produce architecture that is crafted, contextual and clever. Rather than seeking a particular outcome we value a design process that is rigorous and collaborative. When designing we look to the context of a project beyond just its immediate physical location to the social, political, historical and economic conditions of place. This results in architecture that is uniquely tailored to the context it sits within. We work on many different types of projects across a range of scales; from small interiors to large public buildings. Regardless of a project’s budget we always prefer to work smart, using a creative mix of materials, light and volume in preference to elaborate finishes or complex detailing. Some of Glamuzina Paterson Architects’ most prominent projects include: Lake Hawea Courtyard House, Otago, New Zealand Blackpool House, Auckland, New Zealand Brick Bay House, Auckland, New Zealand Giraffe House, Auckland, New Zealand Giraffe House, Auckland, New Zealand The following statistics helped Glamuzina Paterson Architects achieve 12th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 4 Total Projects 5 11. Cheshire Architects © Patrick Reynolds Cheshire Architects does special projects, irrespective of discipline, scale or type. The firm moves fluidly from luxury retreat to city master plan to basement cocktail den, shaping every aspect of an environment in pursuit of the extraordinary. Some of Cheshire Architects’ most prominent projects include: Rore kahu, Te Tii, New Zealand Eyrie, New Zealand Milse, Takanini, New Zealand The following statistics helped Cheshire Architects achieve 11th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 3 Total Projects 3 10. Patterson Associates © Patterson Associates Pattersons Associates Architects began its creative story with architect Andrew Patterson in 1986 whose early work on New Zealand’s unspoiled coasts, explores relationships between people and landscape to create a sense of belonging. The architecture studio started based on a very simple idea; if a building can feel like it naturally ‘belongs,’ or fits logically in a place, to an environment, a time and culture, then the people that inhabit the building will likely feel a sense of belonging there as well. This methodology connects theories of beauty, confidence, economy and comfort. In 2004 Davor Popadich and Andrew Mitchell joined the firm as directors, taking it to another level of creative exploration and helping it grow into an architecture studio with an international reputation. Some of Patterson Associates’ most prominent projects include: Seascape Retreat, Canterbury, New Zealand The Len Lye Centre, New Plymouth, New Zealand Country House in the City, Auckland, New Zealand Scrubby Bay House, Canterbury, New Zealand Parihoa House, Auckland, New Zealand The following statistics helped Patterson Associates achieve 10th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 5 Total Projects 5 9. Team Green Architects © Team Green Architects Established in 2013 by Sian Taylor and Mark Read, Team Green Architects is a young committed practice focused on designing energy efficient buildings. Some of Team Green Architects’ most prominent projects include: Dalefield Guest House, Queenstown, New Zealand Olive Grove House, Cromwell, New Zealand Hawthorn House, Queenstown, New Zealand Frankton House, Queenstown, New Zealand Contemporary Sleepout, Arthurs Point, New Zealand The following statistics helped Team Green Architects achieve 9th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 5 Total Projects 7 8. Creative Arch © Creative Arch Creative Arch is an award-winning, multi-disciplined architectural design practice, founded in 1998 by architectural designer and director Mark McLeay. The range of work at Creative Arch is as diverse as our clients, encompassing residential homes, alterations and renovations, coastal developments, sub-division developments, to commercial projects. The team at Creative Arch are an enthusiastic group of talented professional architects and architectural designers, with a depth of experience, from a range of different backgrounds and cultures. Creative Arch is a client-focused firm committed to providing excellence in service, culture and project outcomes. Some of Creative Arch’s most prominent projects include: Rothesay Bay House, North Shore, New Zealand Best Pacific Institute of Education, Auckland, New Zealand Sumar Holiday Home, Whangapoua, New Zealand Cook Holiday Home, Omaha, New Zealand Arkles Bay Residence, Whangaparaoa, New Zealand The following statistics helped Creative Arch achieve 8th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 5 Total Projects 18 7. Crosson Architects © Crosson Architects At Crosson Architects we are constantly striving to understand what is motivating the world around us. Some of Crosson Architects’ most prominent projects include: Hut on Sleds, Whangapoua, New Zealand Te Pae North Piha Surf Lifesaving Tower, Auckland, New Zealand Coromandel Bach, Coromandel, New Zealand Tutukaka House, Tutukaka, New Zealand St Heliers House, Saint Heliers, Auckland, New Zealand The following statistics helped Crosson Architects achieve 7th place in the 30 Best Architecture Firms in New Zealand: A+Awards Winner 1 A+Awards Finalist 2 Featured Projects 4 Total Projects 6 6. Bossley Architects © Bossley Architects Bossley Architects is an architectural and interior design practice with the express purpose of providing intense input into a deliberately limited number of projects. The practice is based on the belief that innovative yet practical design is essential for the production of good buildings, and that the best buildings spring from an open and enthusiastic collaboration between architect, client and consultants. We have designed a wide range of projects including commercial, institutional and residential, and have amassed special expertise in the field of art galleries and museums, residential and the restaurant/entertainment sector. Whilst being very much design focused, the practice has an overriding interest in the pragmatics and feasibility of construction. Some of Bossley Architects’ most prominent projects include: Ngā Hau Māngere -Old Māngere Bridge Replacement, Auckland, New Zealand Arruba, Waiuku, New Zealand Brown Vujcich House Voyager NZ Maritime Museum Omana Luxury Villas, Auckland, New Zealand The following statistics helped Bossley Architects achieve 6th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 6 Total Projects 21 5. Smith Architects © Simon Devitt Photographer Smith Architects is an award-winning international architectural practice creating beautiful human spaces that are unique, innovative and sustainable through creativity, refinement and care. Phil and Tiffany Smith established the practice in 2007. We have spent more than two decades striving to understand what makes some buildings more attractive than others, in the anticipation that it can help us design better buildings. Some of Smith Architects’ most prominent projects include: Kakapo Creek Children’s Garden, Mairangi Bay, Auckland, New Zealand New Shoots Children’s Centre, Kerikeri, Kerikeri, New Zealand GaiaForest Preschool, Manurewa, Auckland, New Zealand Chrysalis Childcare, Auckland, New Zealand House of Wonder, Cambridge, Cambridge, New Zealand The following statistics helped Smith Architects achieve 5th place in the 30 Best Architecture Firms in New Zealand: A+Awards Finalist 1 Featured Projects 6 Total Projects 23 4. Monk Mackenzie © Monk Mackenzie Monk Mackenzie is an architecture and design firm based in New Zealand. Monk Mackenzie’s design portfolio includes a variety of architectural projects, such as transport and infrastructure, hospitality and sport, residential, cultural and more. Some of Monk Mackenzie’s most prominent projects include: X HOUSE, Queenstown, New Zealand TURANGANUI BRIDGE, Gisborne, New Zealand VIVEKANANDA BRIDGE EDITION Canada Street Bridge, Auckland, New Zealand The following statistics helped Monk Mackenzie achieve 4th place in the 30 Best Architecture Firms in New Zealand: A+Awards Winner 2 A+Awards Finalist 4 Featured Projects 4 Total Projects 17 3. Irving Smith Architects © Irving Smith Architects Irving Smith Jackhas been developed as a niche architecture practice based in Nelson, but working in a variety of sensitive environments and contexts throughout New Zealand. ISJ demonstrates an ongoing commitment to innovative, sustainable and researched based design , backed up by national and international award and publication recognition, ongoing research with both the Universities of Canterbury and Auckland, and regular invitations to lecture on their work. Timber Awards include NZ’s highest residential, commercial and engineering timber designs. Key experience, ongoing research and work includes developing structural timber design solutions in the aftermath of the Canterbury earthquakes. Current projects include cultural, urban, civic and residential projects spread throughout New Zealand, and recently in the United States and France. Some of Irving Smith Architects’ most prominent projects include: SCION Innovation Hub – Te Whare Nui o Tuteata, Rotorua, New Zealand Mountain Range House, Brightwater, New Zealand Alexandra Tent House, Wellington, New Zealand Te Koputu a te Whanga a Toi : Whakatane Library & Exhibition Centre, Whakatane, New Zealand offSET Shed House, Gisborne, New Zealand The following statistics helped Irving Smith Architects achieve 3rd place in the 30 Best Architecture Firms in New Zealand: A+Awards Winner 2 A+Awards Finalist 1 Featured Projects 6 Total Projects 13 2. Fearon Hay Architects © Fearon Hay Architects Fearon Hay is a design-led studio undertaking a broad range of projects in diverse environments, the firm is engaged in projects on sites around the world. Tim Hay and Jeff Fearon founded the practice in 1993 as a way to enable their combined involvement in the design and delivery of each project. Together, they lead an international team of experienced professionals. The studio approached every project with a commitment to design excellence, a thoughtful consideration of site and place, and an inventive sense of creativity. Fearon Hay enjoys responding to a range of briefs: Commercial projects for office and workplace, complex heritage environments, public work within the urban realm or wider landscape, private dwellings and detailed bespoke work for hospitality and interior environments. Some of Fearon Hay Architects’ most prominent projects include: Bishop Hill The Camp, Tawharanui Peninsula, New Zealand Matagouri, Queenstown, New Zealand Alpine Terrace House, Queenstown, New Zealand Island Retreat, Auckland, New Zealand Bishop Selwyn Chapel, Auckland, New Zealand The following statistics helped Fearon Hay Architects achieve 2nd place in the 30 Best Architecture Firms in New Zealand: A+Awards Winner 2 A+Awards Finalist 3 Featured Projects 8 Total Projects 17 1. RTA Studio © RTA Studio Richard Naish founded RTA Studio in 1999 after a successful career with top practices in London and Auckland. We are a practice that focuses on delivering exceptional design with a considered and personal service. Our work aims to make a lasting contribution to the urban and natural context by challenging, provoking and delighting. Our studio is constantly working within the realms of public, commercial and urban design as well as sensitive residential projects. We are committed to a sustainable built environment and are at the forefront developing carbon neutral buildings. RTA Studio has received more than 100 New Zealand and international awards, including Home of The Year, a World Architecture Festival category win and the New Zealand Architecture Medal. Some of RTA Studio’s most prominent projects include: SCION Innovation Hub – Te Whare Nui o Tuteata, Rotorua, New Zealand OBJECTSPACE, Auckland, New Zealand C3 House, New Zealand Freemans Bay School, Freemans Bay, Auckland, New Zealand ARROWTOWN HOUSE, Arrowtown, New Zealand Featured image: E-Type House by RTA Studio, Auckland, New Zealand The following statistics helped RTA Studio achieve 1st place in the 30 Best Architecture Firms in New Zealand: A+Awards Winner 2 A+Awards Finalist 6 Featured Projects 6 Total Projects 16 Why Should I Trust Architizer’s Ranking? With more than 30,000 architecture firms and over 130,000 projects within its database, Architizer is proud to host the world’s largest online community of architects and building product manufacturers. Its celebrated A+Awards program is also the largest celebration of architecture and building products, with more than 400 jurors and hundreds of thousands of public votes helping to recognize the world’s best architecture each year. Architizer also powers firm directories for a number of AIAChapters nationwide, including the official directory of architecture firms for AIA New York. An example of a project page on Architizer with Project Award Badges highlighted A Guide to Project Awards The blue “+” badge denotes that a project has won a prestigious A+Award as described above. Hovering over the badge reveals details of the award, including award category, year, and whether the project won the jury or popular choice award. The orange Project of the Day and yellow Featured Project badges are awarded by Architizer’s Editorial team, and are selected based on a number of factors. The following factors increase a project’s likelihood of being featured or awarded Project of the Day status: Project completed within the last 3 years A well written, concise project description of at least 3 paragraphs Architectural design with a high level of both functional and aesthetic value High quality, in focus photographs At least 8 photographs of both the interior and exterior of the building Inclusion of architectural drawings and renderings Inclusion of construction photographs There are 7 Projects of the Day each week and a further 31 Featured Projects. Each Project of the Day is published on Facebook, Twitter and Instagram Stories, while each Featured Project is published on Facebook. Each Project of the Day also features in Architizer’s Weekly Projects Newsletter and shared with 170,000 subscribers.     We’re constantly look for the world’s best architects to join our community. If you would like to understand more about this ranking list and learn how your firm can achieve a presence on it, please don’t hesitate to reach out to us at editorial@architizer.com. The post 30 Best Architecture and Design Firms in New Zealand appeared first on Journal. #best #architecture #design #firms #new
    ARCHITIZER.COM
    30 Best Architecture and Design Firms in New Zealand
    These annual rankings were last updated on June 13, 2025. Want to see your firm on next year’s list? Continue reading for more on how you can improve your studio’s ranking. New Zealand is a one-of-a-kind island in the Pacific, famous for its indigenous Maori architecture. The country has managed to preserve an array of historical aboriginal ruins, such as marae (meeting grounds) and wharenui (meeting houses), despite its European colonization during the 19th century. Apart from the country’s ancient ruins, New Zealand is also home to several notable architectural landmarks like the famous Sky Tower piercing the Auckland skyline to the organic forms of the Te Papa Tongarewa Museum in Wellington. Renowned architects like Sir Ian Athfield, whose works blend modernist principles with a deep respect for the natural landscape, have left an indelible mark on the country’s architectural legacy. Being home to a stunning tropical landscape, New Zealand architects have developed eco-friendly residential designs that harness the power of renewable energy as well as visionary urban developments prioritizing livability and connectivity. A notable example is Turanga Central Library in Christchurch, a project that exceeds all eco-friendly design standards and benchmark emissions. Finally, concepts like passive design are increasingly becoming standard practice in architectural circles. With so many architecture firms to choose from, it’s challenging for clients to identify the industry leaders that will be an ideal fit for their project needs. Fortunately, Architizer is able to provide guidance on the top design firms in New Zealand based on more than a decade of data and industry knowledge. How are these architecture firms ranked? The following ranking has been created according to key statistics that demonstrate each firm’s level of architectural excellence. The following metrics have been accumulated to establish each architecture firm’s ranking, in order of priority: The number of A+Awards won (2013 to 2025) The number of A+Awards finalists (2013 to 2025) The number of projects selected as “Project of the Day” (2009 to 2025) The number of projects selected as “Featured Project” (2009 to 2025) The number of projects uploaded to Architizer (2009 to 2025) Each of these metrics is explained in more detail at the foot of this article. This ranking list will be updated annually, taking into account new achievements of New Zealand architecture firms throughout the year. Without further ado, here are the 30 best architecture firms in New Zealand: 30. CoLab Architecture © CoLab Architecture Ltd CoLab Architecture is a small practice of two directors, Tobin Smith and Blair Paterson, based in Christchurch New Zealand. Tobin is a creative designer with a wealth of experience in the building industry. Blair is a registered architect and graduate from the University of Auckland. “We like architecture to be visually powerful, intellectually elegant, and above all timeless. For us, timeless design is achieved through simplicity and strength of concept — in other words, a single idea executed beautifully with a dedication to the details. We strive to create architecture that is conscious of local climate (hunker down in the winter and open up in summer) and the environment (scale and relationship to other buildings and the natural environment).” Some of CoLab Architecture’s most prominent projects include: Urban Cottage, Christchurch, New Zealand The following statistics helped CoLab Architecture Ltd achieve 30th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 1 Total Projects 1 29. Paul Whittaker © Paul Whittaker Paul Whittaker is an architecture firm based in New Zealand. Its work revolves around residential architecture. Some of Paul Whittaker’s most prominent projects include: Whittaker Cube, Kakanui, New Zealand The following statistics helped Paul Whittaker achieve 29th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 1 Total Projects 1 28. Space Division © Simon Devitt Photographer Space Division is a boutique architectural practice that aims to positively impact the lives and environment of its clients and their communities by purposefully producing quality space. We believe our name reflects both the essence of what we do, but also how we strive to do it – succinctly and simply. Our design process is inclusive and client focused with their desires, physical constraints, budgets, time frames, compliance and construction processes all carefully considered and incorporated into our designs. Space Division has successfully applied this approach to a broad range of project types within the field of architecture, ranging from commercial developments, urban infrastructure to baches, playhouses and residential homes. Space Divisions team is committed to delivering a very personal and complete service to each of their clients, at each stage of the process. To assist in achieving this Space Division collaborates with a range of trusted technical specialists, based on the specific needs of our client. Which ensures we stay focussed, passionate agile and easily scalable. Some of Space Division’s most prominent projects include: Stradwick House, Auckland, New Zealand The following statistics helped Space Division achieve 28th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 1 Total Projects 1 27. Sumich Chaplin Architects © Sumich Chaplin Architects Sumich Chaplin Architects undertake to provide creative, enduring architectural design based on a clear understanding and interpretation of a client’s brief. We work with an appreciation and respect for the surrounding landscape and environment. Some of Sumich Chaplin Architects’ most prominent projects include: Millbrook House, Arrowtown, New Zealand The following statistics helped Sumich Chaplin Architects achieve 27th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 1 Total Projects 1 26. Daniel Marshall Architects © Simon Devitt Photographer Daniel Marshall Architects (DMA) is an Auckland based practice who are passionate about designing high quality and award winning New Zealand architecture. Our work has been published in periodicals and books internationally as well as numerous digital publications. Daniel leads a core team of four individually accomplished designers who skillfully collaborate to resolve architectural projects from their conception through to their occupation. DMA believe architecture is a ‘generalist’ profession which engages with all components of an architectural project; during conceptual design, documentation and construction phases.  We pride ourselves on being able to holistically engage with a complex of architectural issues to arrive at a design solution equally appropriate to its context (site and surrounds) and the unique ways our clients prefer to live. Some of Daniel Marshall Architects’ most prominent projects include: Lucerne, Auckland, New Zealand House in Herne Bay, Herne Bay, Auckland, New Zealand The following statistics helped Daniel Marshall Architects achieve 26th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 1 Total Projects 2 25. AW Architects © AW Architects Creative studio based in Christchurch, New Zealand. AW-ARCH is committed to an inclusive culture where everyone is encouraged to share their perspectives – our partners, our colleagues and our clients. Our team comes from all over the globe, bringing with them a variety of experiences. We embrace the differences that shape people’s lives, including race, ethnicity, identity and ability. We come together around the drawing board, the monitor, and the lunch table, immersed in the free exchange of ideas and synthesizing the diverse viewpoints of creative people, which stimulates innovative design and makes our work possible. Mentorship is key to engagement within AW-ARCH, energizing our studio and feeding invention. It’s our social and professional responsibility and helps us develop and retain a dedicated team. This includes offering internships that introduce young people to our profession, as well as supporting opportunities for our people outside the office — teaching, volunteering and exploring. Some of AW Architects’ most prominent projects include: OCEAN VIEW TERRACE HOUSE, Christchurch, New Zealand 212 CASHEL STREET, Christchurch, New Zealand LAKE HOUSE, Queenstown, New Zealand RIVER HOUSE, Christchurch, New Zealand HE PUNA TAIMOANA, Christchurch, New Zealand The following statistics helped AW Architects achieve 25th place in the 30 Best Architecture Firms in New Zealand: A+Awards Finalist 1 Total Projects 9 24. Archimedia © Patrick Reynolds Archimedia is a New Zealand architecture practice with NZRAB and green star accredited staff, offering design services in the disciplines of architecture, interiors and ecology. Delivering architecture involves intervention in both natural eco-systems and the built environment — the context within which human beings live their lives. Archimedia uses the word “ecology” to extend the concept of sustainability to urban design and master planning and integrates this holistic strategy into every project. Archimedia prioritizes client project requirements, functionality, operational efficiency, feasibility and programme. Some of Archimedia’s most prominent projects include: Te Oro, Auckland, New Zealand Auckland Art Gallery Toi o Tamaki, Auckland, New Zealand Hekerua Bay Residence, New Zealand Eye Institute , Remuera, Auckland, New Zealand University of Auckland Business School, Auckland, New Zealand The following statistics helped Archimedia achieve 24th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 1 Total Projects 25 23. MC Architecture Studio © MC Architecture Studio Ltd The studio’s work, questioning the boundary between art and architecture, provides engaging and innovative living space with the highest sustainability standard. Design solutions are tailored on client needs and site’s characteristics. Hence the final product will be unique and strongly related to the context and wider environment. On a specific-project basis, the studio, maintaining the leadership of the whole process, works in a network with local and international practices to achieve the best operational efficiency and local knowledge worldwide to accommodate the needs of a big scale project or specific requirements. Some of MC Architecture Studio’s most prominent projects include: Cass Bay House, Cass Bay, Lyttelton, New Zealand Ashburton Alteration, Ashburton, New Zealand restaurant/cafe, Ovindoli, Italy Private Residence, Christchurch, New Zealand Private Residence, Christchurch, New Zealand The following statistics helped MC Architecture Studio Ltd achieve 23rd place in the 30 Best Architecture Firms in New Zealand: Featured Projects 2 Total Projects 19 22. Architecture van Brandenburg © Architecture van Brandenburg Van Brandenburg is a design focused studio for architecture, landscape architecture, urbanism, and product design with studios in Queenstown and Dunedin, New Zealand. With global reach Van Brandenburg conducts themselves internationally, where the team of architects, designers and innovators create organic built form, inspired by nature, and captured by curvilinear design. Some of Architecture van Brandenburg’s most prominent projects include: Marisfrolg Fashion Campus, Shenzhen, China The following statistics helped Architecture van Brandenburg achieve 22nd place in the 30 Best Architecture Firms in New Zealand: A+Awards Winner 1 Featured Projects 1 Total Projects 1 21. MacKayCurtis © MacKayCurtis MacKay Curtis is a design led practice with a mission to create functional architecture of lasting beauty that enhances peoples lives. Some of MacKayCurtis’ most prominent projects include: Mawhitipana House, Auckland, New Zealand The following statistics helped MacKayCurtis achieve 21st place in the 30 Best Architecture Firms in New Zealand: A+Awards Winner 1 Featured Projects 1 Total Projects 1 20. Gerrad Hall Architects © Gerrad Hall Architects We aspire to create houses that are a joyful sensory experience. Some of Gerrad Hall Architects’ most prominent projects include: Inland House, Mangawhai, New Zealand Herne Bay Villa Alteration, Auckland, New Zealand The following statistics helped Gerrad Hall Architects achieve 20th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 2 Total Projects 2 19. Dorrington Atcheson Architects © Dorrington Atcheson Architects Dorrington Atcheson Architects was founded as Dorrington Architects & Associates was formed in 2010, resulting in a combined 20 years of experience in the New Zealand architectural market. We’re a boutique architecture firm working on a range of projects and budgets. We love our work, we pride ourselves on the work we do and we enjoy working with our clients to achieve a result that resolves their brief. The design process is a collaborative effort, working with the client, budget, site and brief, to find unique solutions that solve the project at hand. The style of our projects are determined by the site and the budget, with a leaning towards contemporary modernist design, utilizing a rich natural material palette, creating clean and tranquil spaces. Some of Dorrington Atcheson Architects’ most prominent projects include: Lynch Street Coopers Beach House, Coopers Beach, New Zealand Rutherford House, Tauranga Taupo, New Zealand Winsomere Cres Kathryn Wilson Shoebox, Auckland, New Zealand The following statistics helped Dorrington Atcheson Architects achieve 19th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 2 Total Projects 14 18. Andrew Barre Lab © Marcela Grassi Andrew Barrie Lab is an architectural practice that undertakes a diverse range of projects. We make buildings, books, maps, classes, exhibitions and research. Some of Andrew Barre Lab’s most prominent projects include: Learning from Trees, Venice, Italy The following statistics helped Andrew Barre Lab achieve 18th place in the 30 Best Architecture Firms in New Zealand: A+Awards Finalist 2 Featured Projects 1 Total Projects 1 17. Warren and Mahoney © Simon Devitt Photographer Warren and Mahoney is an insight led multidisciplinary architectural practice with six locations functioning as a single office. Our clients and projects span New Zealand, Australia and the Pacific Rim. The practice has over 190 people, comprising of specialists working across the disciplines of architecture, workplace, masterplanning, urban design and sustainable design. We draw from the wider group for skills and experience on every project, regardless of the location. Some of Warren and Mahoney’s most prominent projects include: MIT Manukau & Transport Interchange, Auckland, New Zealand Carlaw Park Student Accommodation, Auckland, New Zealand Pt Resolution Footbridge, Auckland, New Zealand Isaac Theatre Royal, Christchurch, New Zealand University of Auckland Recreation and Wellness Centre, Auckland, New Zealand The following statistics helped Warren and Mahoney achieve 17th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 2 Total Projects 5 16. South Architects Limited © South Architects Limited Led by Craig South, our friendly professional team is dedicated to crafting for uniqueness and producing carefully considered architecture that will endure and be loved. At South Architects, every project has a unique story. This story starts and ends with our clients, whose values and aspirations fundamentally empower and inspire our whole design process. Working together with our clients is pivotal to how we operate and we share a passion for innovation in design. We invite you to meet us and explore what we can do for you. As you will discover, our client focussed process is thorough, robust and responsive. We see architecture as the culmination of a journey with you. Some of South Architects Limited’s most prominent projects include: Three Gables, Christchurch, New Zealand Concrete Copper Home, Christchurch, New Zealand Driftwood Home, Christchurch, New Zealand Half Gable Townhouses, Christchurch, New Zealand Kilmore Street, Christchurch, New Zealand The following statistics helped South Architects Limited achieve 16th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 3 Total Projects 6 15. Pac Studio © Pac Studio Pac Studio is an ideas-driven design office, committed to intellectual and artistic rigor and fueled by a strong commitment to realizing ideas in the world. We believe a thoughtful and inclusive approach to design, which puts people at the heart of any potential solution, is the key to compelling and positive architecture. Through our relationships with inter-related disciplines — furniture, art, landscape and academia — we can create a whole that is greater than the sum of its parts. We are open to unconventional propositions. We are architects and designers with substantial experience delivering highly awarded architectural projects on multiple scales. Some of Pac Studio’s most prominent projects include: Space Invader, Auckland, New Zealand Split House, Auckland, New Zealand Yolk House, Auckland, New Zealand Wanaka Crib, Wanaka, New Zealand Pahi House, Pahi, New Zealand The following statistics helped Pac Studio achieve 15th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 3 Total Projects 8 14. Jasmax © Jasmax Jasmax is one of New Zealand’s largest and longest established architecture and design practices. With over 250 staff nationwide, the practice has delivered some of the country’s most well known projects, from the Museum of New Zealand Te Papa Tongarewa to major infrastructure and masterplanning projects such as Auckland’s Britomart Station. From our four regional offices, the practice works with clients, stakeholders and communities across the following sectors: commercial, cultural and civic, education, infrastructure, health, hospitality, retail, residential, sports and recreation, and urban design. Environmentally sustainable design is part of everything we do, and we were proud to work with Ngāi Tūhoe to design one of New Zealand’s most advanced sustainable buildings, Te Uru Taumatua; which has been designed to the stringent criteria of the International Living Future Institute’s Living Building Challenge. Some of Jasmax’s most prominent projects include: The Surf Club at Muriwai, Muriwai, New Zealand Auckland University Mana Hauora Building, Auckland, New Zealand The Fonterra Centre, Auckland, New Zealand Auckland University of Technology Sir Paul Reeves Building , Auckland, New Zealand NZI Centre, Auckland, New Zealand The following statistics helped Jasmax achieve 14th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 3 Total Projects 21 13. Condon Scott Architects © Condon Scott Architects Condon Scott Architects is a boutique, award-winning NZIA registered architectural practice based in Wānaka, New Zealand. Since inception 35 years ago, Condon Scott Architects has been involved in a wide range of high end residential and commercial architectural projects throughout Queenstown, Wānaka, the Central Otago region and further afield. Director Barry Condon (ANZIA) and principal Sarah Scott (FNZIA) – both registered architects – work alongside a highly skilled architectural team to deliver a full design and construction management service. This spans from initial concept design right through to tender management and interior design. Condon Scott Architect’s approach is to view each commission as a bespoke and site specific project, capitalizing on the unique environmental conditions and natural surroundings that are so often evident in this beautiful part of the world. Some of Condon Scott Architects’ most prominent projects include: Sugi House, Wānaka, New Zealand Wanaka Catholic Church, Wanaka, New Zealand Mount Iron Barn, Wanaka, New Zealand Bendigo Terrace House, New Zealand Bargour Residence, Wanaka, New Zealand The following statistics helped Condon Scott Architects achieve 13th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 4 Total Projects 17 12. Glamuzina Paterson Architects © Glamuzina Paterson Architects Glamuzina Architects is an Auckland based practice established in 2014. We strive to produce architecture that is crafted, contextual and clever. Rather than seeking a particular outcome we value a design process that is rigorous and collaborative. When designing we look to the context of a project beyond just its immediate physical location to the social, political, historical and economic conditions of place. This results in architecture that is uniquely tailored to the context it sits within. We work on many different types of projects across a range of scales; from small interiors to large public buildings. Regardless of a project’s budget we always prefer to work smart, using a creative mix of materials, light and volume in preference to elaborate finishes or complex detailing. Some of Glamuzina Paterson Architects’ most prominent projects include: Lake Hawea Courtyard House, Otago, New Zealand Blackpool House, Auckland, New Zealand Brick Bay House, Auckland, New Zealand Giraffe House, Auckland, New Zealand Giraffe House, Auckland, New Zealand The following statistics helped Glamuzina Paterson Architects achieve 12th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 4 Total Projects 5 11. Cheshire Architects © Patrick Reynolds Cheshire Architects does special projects, irrespective of discipline, scale or type. The firm moves fluidly from luxury retreat to city master plan to basement cocktail den, shaping every aspect of an environment in pursuit of the extraordinary. Some of Cheshire Architects’ most prominent projects include: Rore kahu, Te Tii, New Zealand Eyrie, New Zealand Milse, Takanini, New Zealand The following statistics helped Cheshire Architects achieve 11th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 3 Total Projects 3 10. Patterson Associates © Patterson Associates Pattersons Associates Architects began its creative story with architect Andrew Patterson in 1986 whose early work on New Zealand’s unspoiled coasts, explores relationships between people and landscape to create a sense of belonging. The architecture studio started based on a very simple idea; if a building can feel like it naturally ‘belongs,’ or fits logically in a place, to an environment, a time and culture, then the people that inhabit the building will likely feel a sense of belonging there as well. This methodology connects theories of beauty, confidence, economy and comfort. In 2004 Davor Popadich and Andrew Mitchell joined the firm as directors, taking it to another level of creative exploration and helping it grow into an architecture studio with an international reputation. Some of Patterson Associates’ most prominent projects include: Seascape Retreat, Canterbury, New Zealand The Len Lye Centre, New Plymouth, New Zealand Country House in the City, Auckland, New Zealand Scrubby Bay House, Canterbury, New Zealand Parihoa House, Auckland, New Zealand The following statistics helped Patterson Associates achieve 10th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 5 Total Projects 5 9. Team Green Architects © Team Green Architects Established in 2013 by Sian Taylor and Mark Read, Team Green Architects is a young committed practice focused on designing energy efficient buildings. Some of Team Green Architects’ most prominent projects include: Dalefield Guest House, Queenstown, New Zealand Olive Grove House, Cromwell, New Zealand Hawthorn House, Queenstown, New Zealand Frankton House, Queenstown, New Zealand Contemporary Sleepout, Arthurs Point, New Zealand The following statistics helped Team Green Architects achieve 9th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 5 Total Projects 7 8. Creative Arch © Creative Arch Creative Arch is an award-winning, multi-disciplined architectural design practice, founded in 1998 by architectural designer and director Mark McLeay. The range of work at Creative Arch is as diverse as our clients, encompassing residential homes, alterations and renovations, coastal developments, sub-division developments, to commercial projects. The team at Creative Arch are an enthusiastic group of talented professional architects and architectural designers, with a depth of experience, from a range of different backgrounds and cultures. Creative Arch is a client-focused firm committed to providing excellence in service, culture and project outcomes. Some of Creative Arch’s most prominent projects include: Rothesay Bay House, North Shore, New Zealand Best Pacific Institute of Education, Auckland, New Zealand Sumar Holiday Home, Whangapoua, New Zealand Cook Holiday Home, Omaha, New Zealand Arkles Bay Residence, Whangaparaoa, New Zealand The following statistics helped Creative Arch achieve 8th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 5 Total Projects 18 7. Crosson Architects © Crosson Architects At Crosson Architects we are constantly striving to understand what is motivating the world around us. Some of Crosson Architects’ most prominent projects include: Hut on Sleds, Whangapoua, New Zealand Te Pae North Piha Surf Lifesaving Tower, Auckland, New Zealand Coromandel Bach, Coromandel, New Zealand Tutukaka House, Tutukaka, New Zealand St Heliers House, Saint Heliers, Auckland, New Zealand The following statistics helped Crosson Architects achieve 7th place in the 30 Best Architecture Firms in New Zealand: A+Awards Winner 1 A+Awards Finalist 2 Featured Projects 4 Total Projects 6 6. Bossley Architects © Bossley Architects Bossley Architects is an architectural and interior design practice with the express purpose of providing intense input into a deliberately limited number of projects. The practice is based on the belief that innovative yet practical design is essential for the production of good buildings, and that the best buildings spring from an open and enthusiastic collaboration between architect, client and consultants. We have designed a wide range of projects including commercial, institutional and residential, and have amassed special expertise in the field of art galleries and museums, residential and the restaurant/entertainment sector. Whilst being very much design focused, the practice has an overriding interest in the pragmatics and feasibility of construction. Some of Bossley Architects’ most prominent projects include: Ngā Hau Māngere -Old Māngere Bridge Replacement, Auckland, New Zealand Arruba, Waiuku, New Zealand Brown Vujcich House Voyager NZ Maritime Museum Omana Luxury Villas, Auckland, New Zealand The following statistics helped Bossley Architects achieve 6th place in the 30 Best Architecture Firms in New Zealand: Featured Projects 6 Total Projects 21 5. Smith Architects © Simon Devitt Photographer Smith Architects is an award-winning international architectural practice creating beautiful human spaces that are unique, innovative and sustainable through creativity, refinement and care. Phil and Tiffany Smith established the practice in 2007. We have spent more than two decades striving to understand what makes some buildings more attractive than others, in the anticipation that it can help us design better buildings. Some of Smith Architects’ most prominent projects include: Kakapo Creek Children’s Garden, Mairangi Bay, Auckland, New Zealand New Shoots Children’s Centre, Kerikeri, Kerikeri, New Zealand Gaia (Earth) Forest Preschool, Manurewa, Auckland, New Zealand Chrysalis Childcare, Auckland, New Zealand House of Wonder, Cambridge, Cambridge, New Zealand The following statistics helped Smith Architects achieve 5th place in the 30 Best Architecture Firms in New Zealand: A+Awards Finalist 1 Featured Projects 6 Total Projects 23 4. Monk Mackenzie © Monk Mackenzie Monk Mackenzie is an architecture and design firm based in New Zealand. Monk Mackenzie’s design portfolio includes a variety of architectural projects, such as transport and infrastructure, hospitality and sport, residential, cultural and more. Some of Monk Mackenzie’s most prominent projects include: X HOUSE, Queenstown, New Zealand TURANGANUI BRIDGE, Gisborne, New Zealand VIVEKANANDA BRIDGE EDITION Canada Street Bridge, Auckland, New Zealand The following statistics helped Monk Mackenzie achieve 4th place in the 30 Best Architecture Firms in New Zealand: A+Awards Winner 2 A+Awards Finalist 4 Featured Projects 4 Total Projects 17 3. Irving Smith Architects © Irving Smith Architects Irving Smith Jack (ISJ) has been developed as a niche architecture practice based in Nelson, but working in a variety of sensitive environments and contexts throughout New Zealand. ISJ demonstrates an ongoing commitment to innovative, sustainable and researched based design , backed up by national and international award and publication recognition, ongoing research with both the Universities of Canterbury and Auckland, and regular invitations to lecture on their work. Timber Awards include NZ’s highest residential, commercial and engineering timber designs. Key experience, ongoing research and work includes developing structural timber design solutions in the aftermath of the Canterbury earthquakes. Current projects include cultural, urban, civic and residential projects spread throughout New Zealand, and recently in the United States and France. Some of Irving Smith Architects’ most prominent projects include: SCION Innovation Hub – Te Whare Nui o Tuteata, Rotorua, New Zealand Mountain Range House, Brightwater, New Zealand Alexandra Tent House, Wellington, New Zealand Te Koputu a te Whanga a Toi : Whakatane Library & Exhibition Centre, Whakatane, New Zealand offSET Shed House, Gisborne, New Zealand The following statistics helped Irving Smith Architects achieve 3rd place in the 30 Best Architecture Firms in New Zealand: A+Awards Winner 2 A+Awards Finalist 1 Featured Projects 6 Total Projects 13 2. Fearon Hay Architects © Fearon Hay Architects Fearon Hay is a design-led studio undertaking a broad range of projects in diverse environments, the firm is engaged in projects on sites around the world. Tim Hay and Jeff Fearon founded the practice in 1993 as a way to enable their combined involvement in the design and delivery of each project. Together, they lead an international team of experienced professionals. The studio approached every project with a commitment to design excellence, a thoughtful consideration of site and place, and an inventive sense of creativity. Fearon Hay enjoys responding to a range of briefs: Commercial projects for office and workplace, complex heritage environments, public work within the urban realm or wider landscape, private dwellings and detailed bespoke work for hospitality and interior environments. Some of Fearon Hay Architects’ most prominent projects include: Bishop Hill The Camp, Tawharanui Peninsula, New Zealand Matagouri, Queenstown, New Zealand Alpine Terrace House, Queenstown, New Zealand Island Retreat, Auckland, New Zealand Bishop Selwyn Chapel, Auckland, New Zealand The following statistics helped Fearon Hay Architects achieve 2nd place in the 30 Best Architecture Firms in New Zealand: A+Awards Winner 2 A+Awards Finalist 3 Featured Projects 8 Total Projects 17 1. RTA Studio © RTA Studio Richard Naish founded RTA Studio in 1999 after a successful career with top practices in London and Auckland. We are a practice that focuses on delivering exceptional design with a considered and personal service. Our work aims to make a lasting contribution to the urban and natural context by challenging, provoking and delighting. Our studio is constantly working within the realms of public, commercial and urban design as well as sensitive residential projects. We are committed to a sustainable built environment and are at the forefront developing carbon neutral buildings. RTA Studio has received more than 100 New Zealand and international awards, including Home of The Year, a World Architecture Festival category win and the New Zealand Architecture Medal. Some of RTA Studio’s most prominent projects include: SCION Innovation Hub – Te Whare Nui o Tuteata, Rotorua, New Zealand OBJECTSPACE, Auckland, New Zealand C3 House, New Zealand Freemans Bay School, Freemans Bay, Auckland, New Zealand ARROWTOWN HOUSE, Arrowtown, New Zealand Featured image: E-Type House by RTA Studio, Auckland, New Zealand The following statistics helped RTA Studio achieve 1st place in the 30 Best Architecture Firms in New Zealand: A+Awards Winner 2 A+Awards Finalist 6 Featured Projects 6 Total Projects 16 Why Should I Trust Architizer’s Ranking? With more than 30,000 architecture firms and over 130,000 projects within its database, Architizer is proud to host the world’s largest online community of architects and building product manufacturers. Its celebrated A+Awards program is also the largest celebration of architecture and building products, with more than 400 jurors and hundreds of thousands of public votes helping to recognize the world’s best architecture each year. Architizer also powers firm directories for a number of AIA (American Institute of Architects) Chapters nationwide, including the official directory of architecture firms for AIA New York. An example of a project page on Architizer with Project Award Badges highlighted A Guide to Project Awards The blue “+” badge denotes that a project has won a prestigious A+Award as described above. Hovering over the badge reveals details of the award, including award category, year, and whether the project won the jury or popular choice award. The orange Project of the Day and yellow Featured Project badges are awarded by Architizer’s Editorial team, and are selected based on a number of factors. The following factors increase a project’s likelihood of being featured or awarded Project of the Day status: Project completed within the last 3 years A well written, concise project description of at least 3 paragraphs Architectural design with a high level of both functional and aesthetic value High quality, in focus photographs At least 8 photographs of both the interior and exterior of the building Inclusion of architectural drawings and renderings Inclusion of construction photographs There are 7 Projects of the Day each week and a further 31 Featured Projects. Each Project of the Day is published on Facebook, Twitter and Instagram Stories, while each Featured Project is published on Facebook. Each Project of the Day also features in Architizer’s Weekly Projects Newsletter and shared with 170,000 subscribers.     We’re constantly look for the world’s best architects to join our community. If you would like to understand more about this ranking list and learn how your firm can achieve a presence on it, please don’t hesitate to reach out to us at editorial@architizer.com. The post 30 Best Architecture and Design Firms in New Zealand appeared first on Journal.
    0 Comentários 0 Compartilhamentos